有没有办法让这个代码编译或其他替代方案。 这个实现只是一个例子。
namespace ConsoleApp3
{
using System;
public static class Temp<T>
where T : struct
{
public static T DoSomething()
=> throw new NotImplementedException(); // common implementation
public static int DoSomething()
=> 10; // custom implementation for specified type
}
}
答案 0 :(得分:0)
从阅读评论 - 如果意图是覆盖方法,那么方法可以是静态的。示例代码中的&#34; common&#34;实现抛出NotImplementedException
表示您不希望有基本实现,只有被覆盖的实现。在这种情况下,你可以这样做:
public abstract class Temp<T>
where T : struct
{
public abstract T GetDefault();
}
因为它abstract
你无法创建它的实例。你必须创建继承的类。
public class IntTemp : Temp<int>
{
public override int GetDefault()
{
// whatever your implmementation is
}
}
答案 1 :(得分:0)
我发现了两种选择。
| Method | Mean | Error | StdDev | Allocated |
|--------------------- |---------:|---------:|---------:|----------:|
| Benchmark_Single | 306.8 ns | 2.867 ns | 2.682 ns | 0 B |
| Benchmark_Reflection | 581.8 ns | 3.062 ns | 2.864 ns | 0 B |
-
namespace ConsoleApp3
{
using System;
using System.Linq.Expressions;
using System.Reflection;
public static class TempSingle<T>
where T : struct
{
public static T DoCustom()
{
if (typeof(T) == typeof(int))
{
return (T)((object)int.MinValue);
}
else if (typeof(T) == typeof(ushort))
{
return (T)((object)ushort.MinValue);
}
return default;
}
}
public static class TempReflection<T>
where T : struct
{
public readonly static Func<T> Factory = GetFactory();
private static int GetDefaultInt32()
{
return int.MinValue;
}
private static ushort GetDefaultUInt16()
{
return ushort.MinValue;
}
private static Func<T> GetFactory()
{
Type type = typeof(T);
MethodInfo method = typeof(TempReflection<T>)
.GetMethod($"GetDefault{type.Name}", BindingFlags.Static | BindingFlags.NonPublic);
return Expression
.Lambda<Func<T>>(Expression.Call(method))
.Compile();
}
public static T DoCustom()
{
return default;
}
}
}