Dapper ora supporta colonne personalizzate per mappatori di proprietà. Lo fa attraverso l' interfaccia ITypeMap . Una classe CustomPropertyTypeMap è fornita da Dapper che può svolgere gran parte di questo lavoro. Per esempio:
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))));
E il modello:
public class TModel {
[Column(Name="my_property")]
public int MyProperty { get; set; }
}
È importante notare che l'implementazione di CustomPropertyTypeMap richiede che l'attributo esista e corrisponda a uno dei nomi di colonna o che la proprietà non sia mappata. La classe DefaultTypeMap fornisce le funzionalità standard e può essere sfruttata per modificare questo comportamento:
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);
}
}
E con quello in atto, diventa facile creare un mappatore di tipo personalizzato che utilizzerà automaticamente gli attributi se sono presenti ma altrimenti tornerà al comportamento standard:
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))
})
{
}
}
Ciò significa che ora possiamo facilmente supportare tipi che richiedono la mappa usando gli attributi:
Dapper.SqlMapper.SetTypeMap(
typeof(MyModel),
new ColumnAttributeTypeMapper<MyModel>());
Ecco un riassunto del codice sorgente completo .