For the following generic c# class, I'd like to convert T to K:
public abstract class ValueType<T,K> : IValueType<T> where K : ValueType<T,K>,new()
{
public abstract T Value { get; set; }
public static implicit operator ValueType<T,K>(T val)
{
K k = new K();
k.Value = val;
return k;
}
}
If I were to implement a direct operator implicit operator K(T val)
it would result in a compile-time error (CS0556).
I thought I could try chaining implicit operators:
public static implicit operator K(ValueType<T,K> vt){
return (K)val;
}
but the following example still complains that it can't be converted:
public class Test : ValueType<int, Test>
{
public override int Value{ get; set; }
}
Test t = 6; //complains it's unable to be converted
Console.WriteLine(t.Value);
I really want to avoid explicitly casting if possible.
This question extends upon another SO question I've previously raised.