同じタイプの2つのオブジェクトをマップしようとしています。 AutoMapperがソースオブジェクトにNull
値を持つすべてのプロパティをigonoreし、既存の値を宛先オブジェクトに保持することを望んでいます。
これを私の「リポジトリ」で使ってみましたが、うまくいかないようです。
Mapper.CreateMap<TEntity, TEntity>().ForAllMembers(p => p.Condition(c => !c.IsSourceValueNull));
何が問題でしょうか?
興味深いですが、最初の試みは進むべき道です。以下のテストは緑です:
using AutoMapper;
using NUnit.Framework;
namespace Tests.UI
{
[TestFixture]
class AutomapperTests
{
public class Person
{
public string FirstName { get; set; }
public string LastName { get; set; }
public int? Foo { get; set; }
}
[Test]
public void TestNullIgnore()
{
Mapper.CreateMap<Person, Person>()
.ForAllMembers(opt => opt.Condition(srs => !srs.IsSourceValueNull));
var sourcePerson = new Person
{
FirstName = "Bill",
LastName = "Gates",
Foo = null
};
var destinationPerson = new Person
{
FirstName = "",
LastName = "",
Foo = 1
};
Mapper.Map(sourcePerson, destinationPerson);
Assert.That(destinationPerson,Is.Not.Null);
Assert.That(destinationPerson.Foo,Is.EqualTo(1));
}
}
}
Condition
オーバーロードと3つのパラメーターを使用して、式を例と同等にするp.Condition(c => !c.IsSourceValueNull)
:
メソッドの署名:
void Condition(Func<TSource, TDestination, TMember, bool> condition
同等の表現:
CreateMap<TSource, TDestination>.ForAllMembers(
opt => opt.Condition((src, dest, sourceMember) => sourceMember != null));
これまでのところ、私はそれをこのように解決しました。
foreach (var propertyName in entity.GetType().GetProperties().Where(p=>!p.PropertyType.IsGenericType).Select(p=>p.Name))
{
var value = entity.GetType().GetProperty(propertyName).GetValue(entity, null);
if (value != null)
oldEntry.GetType().GetProperty(propertyName).SetValue(oldEntry, value, null);
}
autoMapperを使用して解決策を見つけたい
マーティのソリューション(機能する)をさらに一歩進めて、これを使いやすくする一般的な方法を次に示します。
public static U MapValidValues<U, T>(T source, U destination)
{
// Go through all fields of source, if a value is not null, overwrite value on destination field.
foreach (var propertyName in source.GetType().GetProperties().Where(p => !p.PropertyType.IsGenericType).Select(p => p.Name))
{
var value = source.GetType().GetProperty(propertyName).GetValue(source, null);
if (value != null && (value.GetType() != typeof(DateTime) || (value.GetType() == typeof(DateTime) && (DateTime)value != DateTime.MinValue)))
{
destination.GetType().GetProperty(propertyName).SetValue(destination, value, null);
}
}
return destination;
}
使用法:
class Person
{
public string Name { get; set; }
public int? Age { get; set; }
public string Role { get; set; }
}
Person person = new Person() { Name = "John", Age = 21, Role = "Employee" };
Person updatePerson = new Person() { Role = "Manager" };
person = MapValidValues(updatePerson, person);
回避策-宛先タイプにDataMemberプロパティを追加[DataMember(EmitDefaultValue = false)]は、ソース値がnullの場合にプロパティを削除します。
[DataContract]
class Person
{
[DataMember]
public string Name { get; set; }
[DataMember]
public int? Age { get; set; }
[DataMember(EmitDefaultValue = false)]
public string Role { get; set; }
}
role値がnullの場合、Roleプロパティは削除されます。