刚开始使用Dapper(来自Nuget)并且无法弄清楚以下内容:
这有效:
_connection.Query<MySalesPerson>(@"select * from Sales.SalesPerson where territoryId = @0",
new {id = territory.TerritoryID});
这不起作用:
double trcp = 1 / 2;
所以它没有占用数字占位符,这是标准行为,或者我错过了一些东西。与PetaPoco一样轻而易举的作品
答案 0 :(得分:1)
Dapper使用对象(不是列表)来查询参数。这意味着它不能(可靠地)使用索引来获取属性值(因为,正式地说,对象中的属性顺序是未指定的)。
详细信息您应该检查CreateParamInfoGenerator()
方法,发出的代码使用GetProperties()
来读取对象中的所有公共参数。除非你分叉并改变它,否则你无能为力。
将参数索引转换为属性名称的代码很简单,可以使用C# Get FieldInfos/PropertyInfos in the original order?
中的代码实现属性排序请注意,GetProperties()
不支持棘手的用法(例如,实现IDynamicMetaObjectProvider
将属性名称映射到索引,但是您可以从值数组中发出自己的类型。请注意该成员名称限制是由语言设置的,而不是由CLR或CIL设置的,那么您可以创建一个名称为数字的属性类型。这是一个概念证明:
object CreatePropertiesFromValues(params object[] args) {
// Code to emit new type...
int index = 0;
foreach (object arg in args) {
var name = index.ToString();
var type = typeof(object); // We don't need strongly typed object!
var field = typeBuilder.DefineField("_" + name, type, FieldAttributes.Private);
var property = typeBuilder.DefineProperty(name, PropertyAttributes.HasDefault, type, null);
var method = typeBbuilder.DefineMethod("get_" + name,
MethodAttributes.Public | MethodAttributes.SpecialName | MethodAttributes.HideBySig,
type, Type.EmptyTypes);
var generator = method.GetILGenerator();
generator.Emit(OpCodes.Ldarg_0);
generator.Emit(OpCodes.Ldfld, field);
generator.Emit(OpCodes.Ret);
property.SetGetMethod(method);
++index;
}
// Code to create an instance of this new type and to set
// property values (up to you if adding a default constructor
// with emitted code to initialize each field or using _plain_
// Reflection).
}
现在您可以像这样使用它:
_connection.Query<MySalesPerson>(@"select * from Sales.SalesPerson where territoryId = @0",
CreatePropertiesFromValues(territory.TerritoryID));
嗯......使用Reflection Emit总是搞笑但是为了增加对位置参数的支持,还有很多工作要做。更改Dapper代码可能更容易(即使该功能真的是一个令人费解的混乱)。
作为最后的注释......现在我们也有Roslyn,然后我们可能知道声明了哪些属性的顺序(甚至可能更多)但是到目前为止我还没有玩它......