5

在寻找 Java 库以与数据库无关的方式构建查询时,我遇到了很多,包括 iciql、querydsl、jooq、joist、hibernate 等。

我想要一些不需要配置文件并且可以使用动态模式的东西。对于我的应用程序,我在运行时了解数据库和模式,因此我不会有任何配置文件或模式的域类。

这似乎是 querydsl 的核心目标之一,但是通过 querydsl 的文档,我看到了很多使用域类构建动态查询的示例,但我没有遇到任何解释如何仅使用我有关于模式的动态信息。

Jooq 提供了这样的功能(参见:http ://www.jooq.org/doc/3.2/manual/getting-started/use-cases/jooq-as-a-standalone-sql-builder/ )但是如果我想将注意力扩展到 Oracle 或 MS SQL(我可能不喜欢但需要支持)。

有querydsl经验的人可以告诉我querydsl是否可以做到这一点,如果可以,如何。

如果有人知道任何其他也可以满足我的要求,那将不胜感激。

4

3 回答 3

6

一个非常简单的 SQL 查询,例如:

@Transactional
public User findById(Long id) {
    return new SQLQuery(getConnection(), getConfiguration())
      .from(user)
      .where(user.id.eq(id))
      .singleResult(user);
}

...可以像这样动态创建(不添加任何糖):

@Transactional
public User findById(Long id) {
    Path<Object> userPath = new PathImpl<Object>(Object.class, "user");
    NumberPath<Long> idPath = Expressions.numberPath(Long.class, userPath, "id");
    StringPath usernamePath = Expressions.stringPath(userPath, "username");
    Tuple tuple = new SQLQuery(getConnection(), getConfiguration())
      .from(userPath)
      .where(idPath.eq(id))
      .singleResult(idPath, usernamePath);
    return new User(tuple.get(idPath), tuple.get(usernamePath));
}
于 2014-02-07T14:59:12.527 回答
4

这是使用 PathBuilder 的 ponzao 解决方案的一个小变体

@Transactional
public User findById(Long id) {        
    PathBuilder<Object> userPath = new PathBuilder<Object>(Object.class, "user");
    NumberPath<Long> idPath = userPath.getNumber("id", Long.class);
    StringPath usernamePath = userPath.getString("username");
    Tuple tuple = new SQLQuery(getConnection(), getConfiguration())
      .from(userPath)
      .where(idPath.eq(id))
      .singleResult(idPath, usernamePath);
    return new User(tuple.get(idPath), tuple.get(usernamePath));
}
于 2014-02-07T19:12:42.043 回答
1

更新:Timo 向我展示了如何在不必替换 SQLQuery 类的情况下做我想做的事情,从而使我的原始回复无效。这是他的评论:

query.getSQL(field1, field2, ... fieldN), getSQL is consistent with the
other methods which also take the projection arguments at last

我已经删除了我不必要的课程。这是一个直接使用 SQLQuery 获取 SQL 字符串而不执行查询的示例(例如,不使用list方法):

SQLQuery rquery = new SQLQuery(connection , dialect);

// Use getSQL with projections
rquery.from(qtable)
    .where(qtable.qfield1.eq("somevalue"));

SQLBindings bindings = rquery.getSQL(qtable.qfield1, qtable.qfield2);

// Get the SQL string from the SQLBindings
System.out.println(bindings.getSql());

// Get the SQL parameters from the SQLBindings for the parameterized query
System.out.println(bindings.getBindings());

此响应回答了如何使用 QueryDSL 构建完整的 SQL 查询,而无需实际执行查询。它没有解决您对“动态模式”和“没有域对象”的额外要求......

于 2014-02-07T03:48:37.167 回答