Flask-SQLAlchemy 左外连接过滤查询

Flask-SQLAlchemy Left Outer Join Filtered Query

最初我试图做一个 'Right Outer Join' 但是一旦我发现不支持我就开始从左边开始工作。但是,我无法准确地弄清楚如何编写我需要的内容。基本上我有两个表,Table_1Table_2,我需要 Table_1 中的所有行,其中 column_c 等于 1。此外,我需要 Table_2 中的所有行,其中 column_b 尚未在 Table 1 中。视觉上看起来像这样:

**Table_1**
column_a ( a and b are the
column_b ( primary key.
column_c

**Table_2**
column_b

这就是我在 SQL 中的写法:

SELECT *
FROM (SELECT * FROM Table_1 WHERE column_a = 123) t1
RIGHT OUTER JOIN Table_2 t2 ON t1.column_b = t2.column_b
WHERE t1.column_c = 1 or t1.column_c is NULL;

SELECT *
FROM Table_2 t2
LEFT OUTER JOIN (SELECT * FROM Table_1 WHERE column_a = 123) t1
ON Table_2 t2 ON t1.column_b = t2.column_b
WHERE t1.column_c = 1 or t1.column_c is NULL;

这是我在Flask-SQLAlchemy form中的方法,需要注意的是这是Table_2db.ModelClass中的一个方法。

def all_exclude(self, column_a):
    return self.query.outerjoin(
        Table_1, 
        Table_1.column_b==Table_2.column_b).filter(or_(
            Table_1.column_c==None,
            and_(Table_1.column_c==1, 
                 Table_1.column_a==column_a))).all()

不幸的是,我在编写它时并没有考虑它,而且它不会真正以这种方式工作,因为我无法从 class 表单中调用该方法。我必须在初始化仅来自单行的查询之后执行此操作,这不是我需要的。我知道我可以 运行 像这样的查询:

Business.query.outerjoin(
    Table_1, 
    Table_1.column_b==Table_2.column_b).filter(or_(
        Table_1.column_c==None,
        and_(Table_1.column_c==1, 
             Table_1.column_a==column_a))).all()

但出于 OOP 的目的,我试图将我的 classes 分开,但即便如此,我认为这也行不通,因为从技术上讲,过滤器在连接之前没有完成。也许解决方案比我想象的要容易,但我不能完全理解它。提前致谢!

根据您的评论,这应该可以回答您的问题:

SELECT Table_1.column_a, Table_1.column_b
  FROM Table_1 
 WHERE Table_1.column_a = 123
   AND Table_1.column_c = 1
 UNION
SELECT Table_2.column_a, Table_2.column_b /* I'm assuming these columns exist in Table_2. Make sure these columns are same as selected columns from Table_1 */
  FROM Table_2
 WHERE NOT EXISTS (SELECT 1 FROM Table_1 
                    WHERE Table_1.column_b = Table_2.column_b 
                      AND Table_1.column_a = 123);

这在 Python SQLAlchemy 中转换为:

from sqlalchemy import exists

query_1 = (db.session.query(Table_1)
           .with_entities(Table_1.column_a, Table_1.column_b)
           .filter(Table_1.column_a == 123)
           .filter(Table_1.column_c == 1)

query_2 = (db.session.query(Table_2)
           .with_entities(Table_2.column_a, Table_2.column_b)
           .filter(
               ~exists().where(Table_1.column_b == Table_2.column_b)
              )
           )
query = query_1.union(query_2).all()