使用ITypeConverter进行AutoMapper依赖注入

问题描述 投票:3回答:2

我正在尝试使用Automapper将我的所有日​​期时间从UTC转换为本地时间但我需要在ITypeConverter中注入一个接口...我在运行应用程序时收到此错误:MissingMethodException:没有为此对象定义无参数构造函数。

我认为问题在于依赖注入代码!

有人可以帮帮我吗?

UserRepository:

public class UserRepository : IUserRepository
{
    private static readonly MapperConfiguration Config = new MapperConfiguration(cfg =>
    {
        cfg.CreateMap<User, User>();

        cfg.CreateMap<DateTime?, DateTime?>().ConvertUsing<UtcToLocalConverter>();
    });

    public List<User> GetById(string[] ids)
    {
        var result = BuildQuery().Where(w => ids.Contains(w.UserName)).ToList();

        var mapper = Config.CreateMapper();

        return mapper.Map<List<User>>(result); // Throws error !!!
    }

    #region Helper

    private IQueryable<User> BuildQuery()
    {
        return Settings.EpedDb.User;
    }

    #endregion
}

变流器

public class UtcToLocalConverter : ITypeConverter<DateTime?, DateTime?>
{
    public UtcToLocalConverter(IBaseSettings baseClass) // I tried to inject here!!!
    {
        Settings = baseClass;
    }

    private IBaseSettings Settings { get; }

    public DateTime? Convert(DateTime? source, DateTime? destination, ResolutionContext context)
    {
        if (source == null) return null;

        var tzi = TimeZoneInfo.FindSystemTimeZoneById(Settings.UserData.TimeZone);
        return TimeZoneInfo.ConvertTime(DateTime.SpecifyKind((DateTime)source, DateTimeKind.Utc), tzi);
    }
}
dependency-injection asp.net-core .net-core automapper typeconverter
2个回答
2
投票

你的预感是正确的:当你使用CreateUsing<TTypeConverter>()时,你不能将任何参数注入构造函数。该类型必须具有无参数构造函数。

您可以将单个实例传递给CreateUsing()

var converter = new UtcToLocalConverter(mySettings);
cfg.CreateMap<DateTime?, DateTime?>().ConvertUsing(converter);

但我怀疑这不会起作用,因为您正在使用依赖注入来尝试在运行时处理用户的时区。

我认为问题的真正解决方案是不在应用程序的这一层处理时区。 .NET DateTime类在处理时区方面非常糟糕。

你应该:

  • 使用DateTimeOffset?而不是DateTime?
  • 始终以UTC(偏移0)存储日期
  • 不要担心在应用程序代码中转换时区
  • 在渲染或表示层,在用户的本地时区渲染UTC日期

这是一种处理日期和时区的更简洁的方法。


0
投票

@NateBarbettini说的是有道理的,但这可以使用ConstructServicesUsing完成。文档是here

© www.soinside.com 2019 - 2024. All rights reserved.