在 Java 中构建 SQL 字符串的最简洁方法

2022-08-31 09:06:11

我想构建一个SQL字符串来执行数据库操作(更新,删除,插入,选择,诸如此类的事情) - 而不是使用数百万个“+”和引号的可怕的字符串concat方法,这充其量是不可读的 - 必须有更好的方法。

我确实想过使用MessageFormat - 但它应该用于用户消息,尽管我认为它会做一个合理的工作 - 但我想应该有一些与java sql库中的SQL类型操作更一致的东西。

Groovy会好吗?


答案 1

首先考虑在预准备语句中使用查询参数:

PreparedStatement stm = c.prepareStatement("UPDATE user_table SET name=? WHERE id=?");
stm.setString(1, "the name");
stm.setInt(2, 345);
stm.executeUpdate();

可以做的另一件事是将所有查询保留在属性文件中。例如,在 queries.properties 文件中可以放置上述查询:

update_query=UPDATE user_table SET name=? WHERE id=?

然后在一个简单的实用程序类的帮助下:

public class Queries {

    private static final String propFileName = "queries.properties";
    private static Properties props;

    public static Properties getQueries() throws SQLException {
        InputStream is = 
            Queries.class.getResourceAsStream("/" + propFileName);
        if (is == null){
            throw new SQLException("Unable to load property file: " + propFileName);
        }
        //singleton
        if(props == null){
            props = new Properties();
            try {
                props.load(is);
            } catch (IOException e) {
                throw new SQLException("Unable to load property file: " + propFileName + "\n" + e.getMessage());
            }           
        }
        return props;
    }

    public static String getQuery(String query) throws SQLException{
        return getQueries().getProperty(query);
    }

}

您可以按如下方式使用查询:

PreparedStatement stm = c.prepareStatement(Queries.getQuery("update_query"));

这是一个相当简单的解决方案,但效果很好。


答案 2

对于任意 SQL,请使用 jOOQ。jOOQ 当前支持 、 、 、 和 。您可以像这样创建 SQL:SELECTINSERTUPDATEDELETETRUNCATEMERGE

String sql1 = DSL.using(SQLDialect.MYSQL)  
                 .select(A, B, C)
                 .from(MY_TABLE)
                 .where(A.equal(5))
                 .and(B.greaterThan(8))
                 .getSQL();

String sql2 = DSL.using(SQLDialect.MYSQL)  
                 .insertInto(MY_TABLE)
                 .values(A, 1)
                 .values(B, 2)
                 .getSQL();

String sql3 = DSL.using(SQLDialect.MYSQL)  
                 .update(MY_TABLE)
                 .set(A, 1)
                 .set(B, 2)
                 .where(C.greaterThan(5))
                 .getSQL();

除了获取SQL字符串之外,您还可以使用jOOQ执行它。看

http://www.jooq.org

(免责声明:我为jOOQ背后的公司工作)