你可能想通過一個字串或者其他的型別來獲取一個具體的服務實現,那麼在 aspnetcore 原生的 MSDI 中,如何實現呢?本文將介紹如何通過自定義工廠來實現。
有一個介面是這樣的
public interface ISerializer
{
byte[] Serialize<T>(T obj);
T Deserialize<T>(ReadOnlySpan<byte> data);
}
並且由兩個不同的實現
// Json
public class MyJsonSerializer : ISerializer
{
public byte[] Serialize<T>(T obj)
{
throw new NotImplementedException();
}
public T Deserialize<T>(ReadOnlySpan<byte> data)
{
throw new NotImplementedException();
}
}
// MessagePack
public class MyMessagePackSerializer : ISerializer
{
public byte[] Serialize<T>(T obj)
{
throw new NotImplementedException();
}
public T Deserialize<T>(ReadOnlySpan<byte> data)
{
throw new NotImplementedException();
}
}
我有一個服務,需要使用這兩種序列化器中的一種。
public class MyService
{
public object DoSomething(string dataType, ReadOnlySpan<byte> data)
{
// 根據 dataType 來決定使用哪種序列化器
}
}
我們可以通過委託來定義獲取服務的方法,如下
public delegate ISerializer SerializerFactory(string dataType);
然後在 ConfigureServices
方法中註冊
services.AddSingleton<MyJsonSerializer>();
services.AddSingleton<MyMessagePackSerializer>();
services.AddSingleton<SerializerFactory>(sp =>
{
return dataType =>
{
switch (dataType)
{
case "json":
return sp.GetRequiredService<MyJsonSerializer>();
case "msgpack":
return sp.GetRequiredService<MyMessagePackSerializer>();
default:
throw new NotSupportedException();
}
};
});
這樣我們就可以在 MyService
中通過委託來獲取服務了
public class MyService
{
private readonly SerializerFactory _serializerFactory;
public MyService(SerializerFactory serializerFactory)
{
_serializerFactory = serializerFactory;
}
public object DoSomething(string dataType, ReadOnlySpan<byte> data)
{
var serializer = _serializerFactory(dataType);
return serializer.Deserialize<object>(data);
}
}
因為本質是通過委託來獲取服務,所以我們可以通過設定來改變委託的行為,如下
public static class SerializerFactoryExtensions
{
public static SerializerFactory CreateSerializerFactory(this IServiceProvider sp)
{
// get mapping from configuration
var mapping = sp.GetRequiredService<IConfiguration>()
.GetSection("SerializerMapping")
.Get<Dictionary<string, string>>();
return dataType =>
{
var serializerType = mapping[dataType];
return (ISerializer)sp.GetRequiredService(Type.GetType(serializerType));
};
}
}
然後在 appsettings.json
中設定
{
"SerializerMapping": {
"json": "WebApplication1.MyJsonSerializer",
"msgpack": "WebApplication1.MyMessagePackSerializer"
}
}
然後在 ConfigureServices
方法中註冊
services.AddSingleton<MyJsonSerializer>();
services.AddSingleton<MyMessagePackSerializer>();
services.AddSingleton(SerializerFactoryExtensions.CreateSerializerFactory);
本篇文章介紹瞭如何通過自定義工廠來實現基於 key 的服務獲取,這種方式在 aspnetcore 原生的 DI 中是原生支援的。
感謝閱讀,如果覺得本文有用,不妨點選推薦