我正在尝试按以下方式创建一个jooq查询字符串
DSL.using(SQLDialect.MYSQL)
.select(
ImmutableList.of(DSL.field("Name"))
.from(DSL.table("Account"))
.where(DSL.field("Name").eq("Yaswanth's Company"))).toString()
生成的查询字符串使用另一个单引号转义单引号,这是默认的mySQL转义单引号的方式。
"select Name from Account where Name = 'Yaswanth''s Company'"
但是当我为salesforce构建查询字符串时,我需要使用反斜杠转义单引号。 (称为SOQL)。
我需要这样的查询字符串
"select Name from Account where Name = 'Yaswanth\\'s Company'"
我查看了jooq库代码,这在DefaultBinding类中是硬编码的
private final String escape(Object val, Context<?> context) {
String result = val.toString();
if (needsBackslashEscaping(context.configuration()))
result = result.replace("\\", "\\\\");
return result.replace("'", "''");
}
我有没有办法通过DSL.using(*,*)传递的配置或设置覆盖此默认行为?
答案 0 :(得分:1)
大多数SQL数据库都遵循SQL标准,将单引号加倍转义,但使这个功能可配置无疑是有意义的。我们可能会使用#5873为jOOQ 3.10执行此操作。
与此同时,最好的解决方法是为所有String类型编写自己的data type binding,并在生成SQL字符串时覆盖DefaultBinding
行为。有点像这样:
<forcedType>
<userType>java.lang.String</userType>
<binding>com.example.AlternativeEscapingStringBinding</binding>
<!-- add other vendor-specific string type names here -->
<types>(?i:N?(VAR)?CHAR|TEXT|N?CLOB)</types>
</forcedType>
public class AlternativeEscapingStringBinding implements Binding<String, String> {
...
@Override
public void sql(BindingSQLContext<String> ctx) throws SQLException {
if (ctx.paramType() == ParamType.INLINED)
if (ctx.value() == null)
ctx.render().sql('null');
else
ctx.render()
.sql('\'')
.sql(ctx.value().replace("'", "\\'"))
.sql('\'');
else
ctx.render().sql('?');
}
}
您仍然可以手动将自己的数据类型绑定应用于字段:
DSL.field("Name", SQLDataType.VARCHAR
.asConvertedDataType(new AlternativeEscapingStringBinding()));
你每次都要记住这一点......