我需要执行一个查询,该查询仅比较TIMESTAMP列中的年份和月份值,其中记录如下所示:
2015-01-01 08:33:06
SQL查询非常简单(有趣的部分是年(时间戳)和月(时间戳),它提取年份和月份,以便我可以使用它们比较:
SELECT model, COUNT(model) AS count
FROM log.logs
WHERE SOURCE = "WEB"
AND year(timestamp) = 2015
AND month(timestamp) = 01
AND account = "TEST"
AND brand = "Nokia"
GROUP BY model
ORDER BY count DESC limit 10
现在出现问题:
这是我的SQLAlchemy查询:
devices = (db.session.query(Logs.model, Logs.timestamp,
func.count(Logs.model).label('count'))
.filter_by(source=str(source))
.filter_by(account=str(acc))
.filter_by(brand=str(brand))
.filter_by(year=year)
.filter_by(month=month)
.group_by(Logs.model)
.order_by(func.count(Logs.model).desc()).all())
部分:
.filter_by(year=year)
.filter_by(month=month)
与
不同AND year(timestamp) = 2015
AND month(timestamp) = 01
我的SQLAchemy查询无效。似乎年和月是从时间戳列中提取值的MySQL函数。
我的数据库模型如下所示:
class Logs(db.Model):
id = db.Column(db.Integer, primary_key=True)
timestamp = db.Column(db.TIMESTAMP, primary_key=False)
.... other attributes
有趣的是,当我选择并打印Logs.timestamp
时,它的格式如下:
(datetime.datetime(2013, 7, 11, 12, 47, 28))
如果我希望我的SQLAlchemy查询按DB时间戳年份和月份进行比较,那么如何在SQLAlchemy中编写此部分?
.filter_by(year=year) #MySQL - year(timestamp)
.filter_by(month=month) #MySQL- month(timestamp)
我尝试.filter(Logs.timestamp == year(timestamp)
和类似的变化,但没有运气。任何帮助将不胜感激。
答案 0 :(得分:1)
简单地替换:
.filter_by(year=year)
.filter_by(month=month)
使用:
from sqlalchemy.sql.expression import func
# ...
.filter(func.year(Logs.timestamp) == year)
.filter(func.month(Logs.timestamp) == month)
请在文档的SQL and Generic Functions部分详细了解。
答案 1 :(得分:0)
如果您想使用特定于您的数据库的函数,则可以使用custom constructs,例如您为year
提及的MySQL
函数。但是我没有使用MySQL
并且不能给你一些经过测试的代码(顺便说一句,我甚至都不知道这个函数)。
对于Oracle(经过测试),这将是一个简单而无用的示例。我希望从这一点你很容易推断出你的。
from sqlalchemy.sql import expression
from sqlalchemy.ext.compiler import compiles
from sqlalchemy import Date
class get_current_date(expression.FunctionElement):
type = Date()
@compiles(get_current_date, 'oracle')
def ora_get_current_date(element, compiler, **kw):
return "CURRENT_DATE"
session = schema_mgr.get_session()
q = session.query(sch.Tweet).filter(sch.Tweet.created_at == get_current_date())
tweets_today = pd.read_sql(q.statement, session.bind)
但是,我不需要提及这种方式,使您的高可移植性SQLAlchemy
代码的便携性降低。
希望它有所帮助。