sjd*_*web 11 .net c# postgresql dapper
以下查询始终生成错误"42601:语法错误在或接近"$ 1" ".
connection.Query<CarStatsProjection>(
@"select manufacturer, model, year, AVG(price) as averageprice, AVG(miles) as averagemiles, COUNT(*) as count
from products
where manufacturer IN @manufacturers
AND model IN @models
AND year IN @years
group by manufacturer, model, year",
new { manufacturers = new[] { "BMW", "AUDI" },
models = new[] { "M4", "A3" },
years = new[] { 2016, 2015 } });
Run Code Online (Sandbox Code Playgroud)
我通过在下面创建一个方法并在内部调用它来构建SQL查询来解决这个问题.想知道Dapper是否可以使用对象参数来处理这个问题吗?
public static string ToInSql(this IEnumerable<object> values)
{
var flattened = values.Select(x => $"'{x}'");
var flatString = string.Join(", ", flattened);
return $"({flatString})";
}
Run Code Online (Sandbox Code Playgroud)
小智 16
PostgreSQL IN
运算符不支持数组(或任何其他集合)作为参数,只支持普通列表(您使用该ToInSql
方法生成的列表),对于PostgreSQL,您需要使用ANY
运算符,如下所示:
SELECT manufacturer, model, year, AVG(price) as averageprice, AVG(miles) as averagemiles, COUNT(*) as count
FROM products
WHERE manufacturer = ANY(@manufacturers)
AND model = ANY(@models)
AND year = ANY(@years)
GROUP BY manufacturer, model, year
Run Code Online (Sandbox Code Playgroud)