5

我必须编写一个条件参数未知的查询,因为它们是在 jdbc 中动态设置的。这些条件应该是可选的。我使用 h2 数据库。查询是:

select e.event_id,a.attempt_id,a.preferred,a.duration,a.location 
from event e,attempt a 
where e.user_label=? and e.start_time=? 
and e.end_time=? and e.duration_min=? 
and e.duration_max=? 
and e.event_id=a.event_id

但是如何使这些条件可选,除了使用 OR 因为参数未知?

谢谢!

4

4 回答 4

9

如果您可以切换到命名参数,则可以将条件更改为检查参数null,如下所示:

select e.event_id,a.attempt_id,a.preferred,a.duration,a.location 
from event e,attempt a 
where
     (:ul is null OR e.user_label=:ul)
 and (:st is null OR e.start_time=:st)
 and (:et is null OR e.end_time=:et)
 and (:dmin is null OR e.duration_min=:dmin)
 and (:dmax is null OR e.duration_max=:dmax)
 and e.event_id=a.event_id

如果您不能切换到命名参数,您仍然可以使用相同的技巧,但是您需要为每个可选参数传递两个参数:1如果设置了第二个参数,则该对的第一个参数是,0如果第二个参数是省略:

select e.event_id,a.attempt_id,a.preferred,a.duration,a.location 
from event e,attempt a 
where
     (? = 1 OR e.user_label=?)
 and (? = 1 OR e.start_time=?)
 and (? = 1 OR e.end_time=?)
 and (? = 1 OR e.duration_min=?)
 and (? = 1 OR e.duration_max=?)
 and e.event_id=a.event_id
于 2013-11-09T12:31:40.940 回答
3

您可能正在查看的是动态 SQL。当所需的值不为 null 时,可以附加可以更改的查询部分:

String sqlQuery ="select e.event_id,a.attempt_id,a.preferred,a.duration,a.location from     event e,attempt a where 1=1"  


if (vUserLabel!=null){ //vUserLabel : The variable expected to contain the required value
sqlQuery = sqlQuery+"e.user_label=?";
}

稍后您可以执行:

int pos = 1;
...
if (vUserLabel!=null) {
    stmt.setString(pos++, vUserLabel);
}

stmt.executeQuery(sqlQuery);

通过这种方式,条件会动态地附加到查询中,无需重复工作,您的工作就完成了。

于 2013-11-09T12:36:57.230 回答
0

我自己的解决方案。如果未给出命名参数,则删除带有 [ ] 的行。所以(1=1)有时需要保持语法正常。

在此类示例:label, :startt, :endt中是可选的,所有其他必需的

select e.event_id,a.attempt_id,a.preferred,a.duration,a.location 
from event e,attempt a 
where (1=1) -- sometimes required
[and e.user_label=:label and e.start_time=:startt ]
[and e.end_time=:endt ]
and e.duration_min=:durationmin
and e.duration_max=:durationmax
and e.event_id=a.event_id

注意:我的重要问题是 JDBC 没有命名参数。我使用 Spring JDBC NamedParameterJdbcTemplate 但依赖关系很大。许多临时命名参数解决方案有错误,如果参数使用超过 1x (顺便说一句,对我来说最重要的参数,使用命名而不是位置) ,则构建错误查询,或者字符串替换对于特殊字符不安全

于 2015-09-11T09:21:45.523 回答
0

好的,这个问题被问到已经有一段时间了,但我会写下我对这个问题的解决方案。

我发现当查询太大或太复杂时,在末尾附加另一个字符串并不容易,或者有时资源可以存储在文件或数据库中,我所做的就是这样。

我在 .sql 文件中有我的查询,所以我在查询中添加了一个标记。

存储查询的 my.sql 文件。

SELECT * FROM my_table
WHERE date_added BETWEEN :param1 and param2
$P{TEX_TO_REPLACE}
GROUP BY id

现在在我的代码中

String qry = component.findQuery("my.sql");//READ THE FILE

String additionalQuery = " AND classification = 'GOB'";
if(condition1 == true) {
    additionalQuery = " AND customer_id = 66";
}


qry = qry.replace("$P{TEX_TO_REPLACE}",additionalQuery);

现在我的查询看起来像这样。

SELECT * FROM my_table
WHERE date_added BETWEEN :param1 and param2
AND customer_id = 66
GROUP BY id
于 2018-05-29T18:08:30.983 回答