Dapper obsługuje teraz niestandardowe kolumny do mapowania właściwości. Robi to za pośrednictwem interfejsu ITypeMap . CustomPropertyTypeMap klasa jest przez Dapper że można zrobić większość tej pracy. Na przykład:
Dapper.SqlMapper.SetTypeMap(
typeof(TModel),
new CustomPropertyTypeMap(
typeof(TModel),
(type, columnName) =>
type.GetProperties().FirstOrDefault(prop =>
prop.GetCustomAttributes(false)
.OfType<ColumnAttribute>()
.Any(attr => attr.Name == columnName))));
A model:
public class TModel {
[Column(Name="my_property")]
public int MyProperty { get; set; }
}
Należy zauważyć, że implementacja CustomPropertyTypeMap wymaga, aby atrybut istniał i pasował do jednej z nazw kolumn, w przeciwnym razie właściwość nie zostanie zmapowana. DefaultTypeMap klasa zapewnia standardową funkcjonalność i może być użyta do zmiany tego zachowania:
public class FallbackTypeMapper : SqlMapper.ITypeMap
{
private readonly IEnumerable<SqlMapper.ITypeMap> _mappers;
public FallbackTypeMapper(IEnumerable<SqlMapper.ITypeMap> mappers)
{
_mappers = mappers;
}
public SqlMapper.IMemberMap GetMember(string columnName)
{
foreach (var mapper in _mappers)
{
try
{
var result = mapper.GetMember(columnName);
if (result != null)
{
return result;
}
}
catch (NotImplementedException nix)
{
// the CustomPropertyTypeMap only supports a no-args
// constructor and throws a not implemented exception.
// to work around that, catch and ignore.
}
}
return null;
}
// implement other interface methods similarly
// required sometime after version 1.13 of dapper
public ConstructorInfo FindExplicitConstructor()
{
return _mappers
.Select(mapper => mapper.FindExplicitConstructor())
.FirstOrDefault(result => result != null);
}
}
Dzięki temu łatwo jest utworzyć niestandardowy program odwzorowujący typy, który automatycznie użyje atrybutów, jeśli są obecne, ale w przeciwnym razie powróci do standardowego zachowania:
public class ColumnAttributeTypeMapper<T> : FallbackTypeMapper
{
public ColumnAttributeTypeMapper()
: base(new SqlMapper.ITypeMap[]
{
new CustomPropertyTypeMap(
typeof(T),
(type, columnName) =>
type.GetProperties().FirstOrDefault(prop =>
prop.GetCustomAttributes(false)
.OfType<ColumnAttribute>()
.Any(attr => attr.Name == columnName)
)
),
new DefaultTypeMap(typeof(T))
})
{
}
}
Oznacza to, że możemy teraz łatwo obsługiwać typy, które wymagają mapowania przy użyciu atrybutów:
Dapper.SqlMapper.SetTypeMap(
typeof(MyModel),
new ColumnAttributeTypeMapper<MyModel>());
Oto streszczenie pełnego kodu źródłowego .