##Mapster - The Mapper of Your Domain
var result = TypeAdapter.Adapt<NewType>(original);
or with extensions
var result = original.Adapt<NewType>();
PM> Install-Package Mapster
###Mapster 2.0 Released! Mapster 2.0 is now blistering fast! We upgraded the whole compilation unit while maintaining all functionality. The benchmarks:
Engine | Structs | Simple objects | Parent-Child | Parent-Children | Complex objects | Advance mapping |
---|---|---|---|---|---|---|
AutoMapper | 10871 | 27075 | 20895 | 19199 | 19333 | 21496 |
ExpressMapper | 690 | 1350 | 1195 | 1678 | 3130 | 3920 |
OoMapper | - | 2043 | 1277 | 1416 | 2777 | - |
ValueInjector | 8534 | 21089 | 17008 | 12355 | 16876 | 19970 |
TinyMapper | - | 1282 | - | - | - | - |
Mapster | - | 2382 | 1892 | 1626 | 4287 | 6756 |
Mapster 2.0 | 515 | 1251 | 950 | 1037 | 2455 | 2342 |
Native | 458 | 790 | 870 | 1253 | 3037 | 2754 |
(NOTE: Benchmark runner is from ExpressMapper. Benchmark was run against largest set of data, times are in milliseconds, lower is better. Blank values mean the library did not the test.)
###New Features
- Projection is improved to generate better sql queries
- Mapster is now able to map structs
- Flagged enums are supported
- Setting is now much more flexible
- You can now both opt-in and opt-out of settings
- Settings inheritance is able to inherit from interfaces
- Settings inheritance is now combined (it does not only pick from the closest parent)
- New rule based settings, you can defined your settings at a more granular level
- Settings are no longer only static, you can use different setting configurations for particular mappings
- You can ignore properties by attributes
- Now you can set up mapping between different types. Ex:
config.Map(dest => dest.AgeString, src => src.AgeInt)
- Mapster now supports circular reference mapping!
- Supports more frameworks (.NET 4.0, 4.5, .NET Core RC 5.4)
###Get started
- Conversion of immutable types
- Conversion from/to enum
- Mapping POCO
- Mapping Lists
- Conversion from/to Dictionary
- Conversion from/to Record Types
- Settings per type
- Global Settings
- Settings inheritance
- Rule based settings
- Setting instance
- Assembly scanning
- Ignore properties & attributes
- Custom Property Mapping
- Flexible Name Mapping
- Merge Objects
- Shallow Copy
- Preserve reference (preventing circular reference stackoverflow)
- Custom instance creation
- After mapping action
- Passing runtime value
- Type-Specific Destination Transforms
- Custom Type Resolvers
####Mapping #####Mapping to a new object Mapster creates the destination object and maps values to it.
var destObject = TypeAdapter.Adapt<TSource, TDestination>(sourceObject);
or just
var destObject = TypeAdapter.Adapt<TDestination>(sourceObject);
or using extension methods
var destObject = sourceObject.Adapt<TDestination>();
#####Mapping to an existing object You make the object, Mapster maps to the object.
TDestination destObject = new TDestination();
destObject = TypeAdapter.Adapt(sourceObject, destObject);
or using extension methods
TDestination destObject = new TDestination();
destObject = sourceObject.Adapt(destObject);
#####Queryable Extensions Mapster also provides extensions to map queryables.
using(MyDbContext context = new MyDbContext())
{
// Build a Select Expression from DTO
var destinations = context.Sources.ProjectToType<Destination>().ToList();
// Versus creating by hand:
var destinations = context.Sources.Select(c => new Destination(){
Id = p.Id,
Name = p.Name,
Surname = p.Surname,
....
})
.ToList();
}
#####Mapper Instance In some cases, you need an instance of a mapper (or a factory function) to pass into a DI container. Mapster has the IAdapter and Adapter to fill this need:
IAdapter adapter = new Adapter();
And usage is the same as with the static methods.
var result = adapter.Adapt<TDestination>(source);
####Conversion Mapster can map nearly all kind of objects. Here are some details.
#####Conversion of immutable types Converting between primitive types (ie. int, string, bool, double, decimal) is supported, including when those types are nullable. For all other types, if you can cast types in c#, you can also cast in Mapster.
var i = TypeAdapter.Adapt<string, int>("123"); //123
#####Conversion from/to enum
Mapster maps enums to numerics automatically, but it also maps strings to and from enums automatically in a fast manner.
The default Enum.ToString() in .Net is quite slow. The implementation in Mapster is double the speed.
Likewise, a fast conversion from strings to enums is also included. If the string is null or empty,
the enum will initialize to the first enum value.
In Mapster 2.0, flagged enums are also supported.
var e = TypeAdapter.Adapt<string, FileShare>("Read, Write, Delete");
//FileShare.Read | FileShare.Write | FileShare.Delete
#####Mapping POCO Mapster can map 2 different POCO types using the following rules
- Source and destination property names are the same. Ex:
dest.Name = src.Name
- Source has get method. Ex:
dest.Name = src.GetName()
- Source property has child object which can flatten to destination. Ex:
dest.ContactName = src.Contact.Name
ordest.Contact_Name = src.Contact.Name
In Mapster 2.0, POCO structs are also supported.
class Staff {
public string Name { get; set; }
public int GetAge() { return (DateTime.Now - this.BirthDate).TotalDays / 365.25; }
public Staff Supervisor { get; set; }
...
}
struct StaffDto {
public string Name { get; set; }
public int Age { get; set; }
public string SupervisorName { get; set; }
}
var dto = TypeAdapter.Adapt<Staff, StaffDto>(staff);
//dto.Name = staff.Name, dto.Age = staff.GetAge(), dto.SupervisorName = staff.Supervisor.Name
#####Mapping Lists This includes mapping among lists, arrays, collections, dictionary including various interfaces: IList, ICollection, IEnumerable etc...
var target = TypeAdapter.Adapt<List<Source>, IEnumerable<Destination>>(list);
#####Conversion from/to Dictionary Mapster supports conversion from object to dictionary and dictionary to object.
var point = new { X = 2, Y = 3 };
var dict = src.Adapt<Dictionary<string, int>>();
dict["Y"].ShouldBe(3);
#####Conversion from/to Record Types Record types are types with no setter, all parameters will be initiated from constructor.
class Person {
public string Name { get; }
public int Age { get; }
public Person(string name, int age) {
this.Name = name;
this.Age = age;
}
}
var src = new { Name = "Mapster", Age = 3 };
var target = src.Adapt<Person>();
There is limitation on record type mapping. Record type must not have setter and have only one non-empty constructor. And all parameter names must match with properties.
####Settings
#####Settings per type
You can easily create settings for a type mapping by using: TypeAdapterConfig<TSource, TDestination>.NewConfig()
.
When NewConfig
is called, any previous configuration for this particular TSource => TDestination mapping is dropped.
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.Ignore(dest => dest.Age)
.Map(dest => dest.FullName,
src => string.Format("{0} {1}", src.FirstName, src.LastName));
As an alternative to NewConfig
, you can use ForType
in the same way:
TypeAdapterConfig<TSource, TDestination>
.ForType()
.Ignore(dest => dest.Age)
.Map(dest => dest.FullName,
src => string.Format("{0} {1}", src.FirstName, src.LastName));
ForType
differs in that it will create a new mapping if one doesn't exist, but if the specified TSource => TDestination
mapping does already exist, it will enhance the existing mapping instead of dropping and replacing it.
#####Global Settings Use global settings to apply policies to all mappings.
TypeAdapterConfig.GlobalSettings.Default.PreserveReference(true);
Then for individual type mappings, you can easily override the global setting(s).
TypeAdapterConfig<SimplePoco, SimpleDto>.NewConfig().PreserveReference(false);
#####Settings inheritance Type mappings will automatically inherit for source types. Ie. if you set up following config.
TypeAdapterConfig<SimplePoco, SimpleDto>.NewConfig()
.Map(dest => dest.Name, src => src.Name + "_Suffix");
A derived type of SimplePoco
will automatically apply the base mapping config.
var dest = TypeAdapter.Adapt<DerivedPoco, SimpleDto>(src); //dest.Name = src.Name + "_Suffix"
If you don't wish a derived type to use the base mapping, just define NoInherit
for that type.
TypeAdapterConfig<DerivedPoco, SimpleDto>.NewConfig().NoInherit(true);
//or at the global level
TypeAdapterConfig.GlobalSettings.Default.NoInherit(true);
And by default, Mapster will not inherit destination type mappings. You can turn on by AllowImplicitDestinationInheritance
.
TypeAdapterConfig.GlobalSettings.AllowImplicitDestinationInheritance = true;
Finally, Mapster also provides methods to inherit explicitly.
TypeAdapterConfig<DerivedPoco, DerivedDto>.NewConfig()
.Inherits<SimplePoco, SimpleDto>();
#####Rule based settings
To set the setting at a more granular level. You can use the When
method in global settings.
In the example below, when any source type and destination type are the same, we will not the copy the Id
property.
TypeAdapterConfig.GlobalSettings.When((srcType, destType, mapType) => srcType == destType)
.Ignore("Id");
In this example, the config would only apply to Query Expressions (projections).
TypeAdapterConfig.GlobalSettings.When((srcType, destType, mapType) => mapType == MapType.Projection)
.IgnoreAttribute(typeof(NotMapAttribute));
#####Setting instance You may wish to have different settings in different scenarios. If you would not like to apply setting at a static level, Mapster also provides setting instance configurations.
var config = new TypeAdapterConfig();
config.Default.Ignore("Id");
For instance configurations, you can use the same NewConfig
and ForType
methods that are used at the global level with
the same behavior: NewConfig
drops any existing configuration and ForType
creates or enhances a configuration.
config.NewConfig<TSource, TDestination>()
.Map(dest => dest.FullName,
src => string.Format("{0} {1}", src.FirstName, src.LastName));
config.ForType<TSource, TDestination>()
.Map(dest => dest.FullName,
src => string.Format("{0} {1}", src.FirstName, src.LastName));
You can apply a specific config instance by passing it to the Adapt
method. (NOTE: please reuse your config instance to prevent recompilation)
var result = TypeAdapter.Adapt<TDestination>(src, config);
Or to an Adapter instance.
var adapter = new Adapter(config);
var result = adapter.Adapt<TDestination>(src);
If you would like to create configuration instance from existing configuration, you can use Clone
method. For example, if you would like to clone from global setting.
var newConfig = TypeAdapterConfig.GlobalSettings.Clone();
Or clone from existing configuration instance
var newConfig = oldConfig.Clone();
#####Assembly scanning
It's relatively common to have mapping configurations spread across a number of different assemblies.
Perhaps your domain assembly has some rules to map to domain objects and your web api has some specific rules to map to your
api contracts. In these cases, it can be helpful to allow assemblies to be scanned for these rules so you have some basic
method of organizing your rules and not forgetting to have the registration code called. In some cases, it may even be necessary to
register the assemblies in a particular order, so that some rules override others. Assembly scanning helps with this.
Assembly scanning is simple, just create any number of IRegister implementations in your assembly, then call Scan
from your TypeAdapterConfig class:
public class MyRegister : IRegister
{
public void Register(TypeAdapterConfig config){
config.NewConfig<TSource, TDestination>();
//OR to create or enhance an existing configuration
config.ForType<TSource, TDestination>();
}
}
To scan and register at the Global level:
TypeAdapterConfig.GlobalSettings.Scan(assembly1, assembly2, assemblyN)
For a specific config instance:
var config = new TypeAdapterConfig();
config.Scan(assembly1, assembly2, assemblyN);
If you use other assembly scanning library such as MEF, you can easily apply registration with Apply
method.
var registers = container.GetExports<IRegister>();
config.Apply(registers);
####Basic Customization When the default convention mappings aren't enough to do the job, you can specify complex source mappings.
#####Ignore Members & Attributes
Mapster will automatically map properties with the same names. You can ignore members by using the Ignore
method.
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.Ignore(dest => dest.Id);
You can ignore members annotated with specific attributes by using the IgnoreAttribute
method.
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.IgnoreAttribute(typeof(JsonIgnoreAttribute));
#####Custom property mapping You can customize how Mapster maps values to a property.
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.Map(dest => dest.FullName,
src => string.Format("{0} {1}", src.FirstName, src.LastName));
The Map configuration can accept a third parameter that provides a condition based on the source. If the condition is not met, the mapping is skipped altogether.
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.Map(dest => dest.FullName, src => src.FullName, srcCond => srcCond.City == "Victoria");
In Mapster 2.0, you can even map when source and destination property types are different.
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.Map(dest => dest.Gender, //Genders.Male or Genders.Female
src => src.GenderString); //"Male" or "Female"
#####Flexible name mapping
By default, Mapster will map property with case sensitive name. You can adjust to flexible name mapping by setting NameMatchingStrategy.Flexible
to NameMatchingStrategy
method. This setting will allow matching between PascalCase
, camelCase
, lower_case
, and UPPER_CASE
.
This setting will apply flexible naming globally.
TypeAdapterConfig.GlobalSettings.Default.NameMatchingStrategy(NameMatchingStrategy.Flexible);
or by specific type mapping.
TypeAdapterConfig<Foo, Bar>.NewConfig().NameMatchingStrategy(NameMatchingStrategy.Flexible);
#####Merge object
By default, Mapster will map all properties, even source properties containing null values.
You can copy only properties that have values by using IgnoreNullValues
method.
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.IgnoreNullValues(true);
#####Shallow copy
By default, Mapster will recursively map nested objects. You can do shallow copying by setting ShallowCopyForSameType
to true
.
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.ShallowCopyForSameType(true);
#####Preserve reference (preventing circular reference stackoverflow)
When mapping objects with circular references, a stackoverflow exception will result.
This is because Mapster will get stuck in a loop tring to recursively map the circular reference.
If you would like to map circular references or preserve references (such as 2 properties pointing to the same object), you can do it by setting PreserveReference
to true
TypeAdapterConfig<TSource, TDestination>
.NewConfig()
.PreserveReference(true);
NOTE: Projection doesn't support circular reference yet. To overcome, you might use Adapt
instead of ProjectToType
.
TypeAdaptConfig.GlobalSettings.Default.PreserveReference(true);
var students = context.Student.Include(p => p.Schools).Adapt<List<StudentDTO>>();
####Advance Customization
#####Custom Destination Object Creation
You can provide a function call to create your destination objects instead of using the default object creation
(which expects an empty constructor). To do so, use the ConstructUsing
method when configuring. This method expects
a function that will provide the destination instance. You can call your own constructor, a factory method,
or anything else that provides an object of the expected type.
//Example using a non-default constructor
TypeAdapterConfig<TSource, TDestination>.NewConfig()
.ConstructUsing(src => new TDestination(src.Id, src.Name));
//Example using an object initializer
TypeAdapterConfig<TSource, TDestination>.NewConfig()
.ConstructUsing(src => new TDestination{Unmapped = "unmapped"});
#####After mapping action
You can perform actions after each mapping by using AfterMapping
method. For instance, you might would like to validate object after each mapping.
TypeAdapterConfig<Foo, Bar>.ForType().AfterMapping((src, dest) => dest.Validate());
Or you can set for all mappings to types which implemented a specific interface by using ForDestinationType
method.
TypeAdapterConfig.GlobalSettings.ForDestinationType<IValidatable>()
.AfterMapping(dest => dest.Validate());
#####Passing runtime value
In some cases, you might would like to pass runtime values (ie, current user). On configuration, we can receive run-time value by MapContext.Current.Parameters
.
TypeAdapterConfig<Poco, Dto>.NewConfig()
.Map(dest => dest.CreatedBy,
src => MapContext.Current.Parameters["user"]);
To pass run-time value, we need to use BuildAdapter
method, and call AddParameters
method to add each parameter.
var dto = poco.BuildAdapter()
.AddParameters("user", this.User.Identity.Name)
.AdaptToType<SimpleDto>();
#####Type-Specific Destination Transforms This allows transforms for all items of a type, such as trimming all strings. But really any operation can be performed on the destination value before assignment.
//Global
TypeAdapterConfig.GlobalSettings.Default.AddDestinationTransforms((string x) => x.Trim());
//Per mapping configuration
TypeAdapterConfig<TSource, TDestination>.NewConfig()
.AddDestinationTransforms((string x) => x.Trim());
#####Custom Type Resolvers
In some cases, you may want to have complete control over how an object is mapped. You can register specific transformations using the MapWith
method.
//Example of transforming string to char[].
TypeAdapterConfig<string, char[]>.NewConfig()
.MapWith(str => str.ToCharArray());
####Validation To validate your mapping in unit tests and in order to help with "Fail Fast" situations, the following strict mapping modes have been added.
#####Explicit Mapping Forcing all classes to be explicitly mapped:
//Default is "false"
TypeAdapterConfig.GlobalSettings.RequireExplicitMapping = true;
//This means you have to have an explicit configuration for each class, even if it's just:
TypeAdapterConfig<Source, Destination>.NewConfig();
#####Checking Destination Member Forcing all destination properties to have a corresponding source member or explicit mapping/ignore:
//Default is "false"
TypeAdapterConfig.GlobalSettings.RequireDestinationMemberSource = true;
#####Validating Mappings Both a specific TypeAdapterConfig<Source, Destination> or all current configurations can be validated. In addition, if Explicit Mappings (above) are enabled, it will also include errors for classes that are not registered at all with the mapper.
//Validate a specific config
var config = TypeAdapterConfig<Source, Destination>.NewConfig();
config.Compile();
//Validate globally
TypeAdapterConfig<Source, Destination>.NewConfig();
TypeAdapterConfig<Source2, Destination2>.NewConfig();
TypeAdapterConfig.GlobalSettings.Compile();