我正在使用 Rocket 开发一个新端点,并试图返回一个由各种结构组成的 Vec<>。
我想在柴油中复制的原始查询是:
select location.id, location.name, w.datetime, t.temp, w.compass, w.speed, r.probability, s.height
from location
inner join rainfall r on location.id = r.location
inner join temperature t on location.id = t.location
inner join wind w on location.id = w.location
inner join swell s on location.id = s.location
where t.datetime = w.datetime
and s.datetime = t.datetime
and CAST(t.datetime as date) = CAST(r.datetime as date)
and t.datetime > now() and t.datetime < NOW() + INTERVAL 1 HOUR;
我认识到,为了使用 CAST 函数,我需要使用sql_function!宏:
sql_function! {
#[sql_name="CAST"]
fn cast(x: sql_types::Nullable<sql_types::Datetime>) -> sql_types::Date;
}
这允许我创建以下查询:
let summaries: Vec<(Location, Swell, Wind, Temperature, Rainfall)> = location::table
.inner_join(swell::table)
.inner_join(wind::table)
.inner_join(temperature::table)
.inner_join(rainfall::table)
.filter(temperature::datetime.eq(wind::datetime))
.filter(temperature::datetime.eq(swell::datetime))
.filter(temperature::datetime.gt(utilities::today()))
.filter(temperature::datetime.lt(utilities::future_hour(1)))
.filter(cast(temperature::datetime).eq(cast(rainfall::datetime)))
.load(&conn.0)?;
然而,当我运行这个查询时,我得到一个 SQL 查询错误:
“您的 SQL 语法有错误;请查看与您的 MySQL 服务器版本相对应的手册,以在第 1 行的 \') = CAST('rainfall'.'datetime')\' 附近使用正确的语法”
如原始 SQL 语句所示,它应为CAST('rainfall'.'datetime' as date)
.
我的问题是,如何将“日期”组件添加到柴油查询中?sql_function 定义中是否缺少某些内容?
谢谢你的帮助。