c# object interface return type covariance

1.2k Views Asked by At

C# compiler:

error CS0738: Field<T>' does not implement interface memberField.Value.get' and the best implementing candidate Field<T>.Value.get' return typeT' does not match interface member return type `object'

public interface Field
{
   object Value {get;}
}

public class MyField<T> : Field
{
   T _value;
   public T Value
   {
      get
      {
         return _value;
      }
   }
}

Why ? List < T > extends List in microsoft classes, but i as a user (copying same design pattern) am not allowed to do that? why?

Trying where T: object also gives a compiler error...

How do i fix this?

the other 1.000.000 threads on the same subject, Say :
blablabla, 'return type covariance', blablabla, 'you cant'.

They do not propose a solution or a workaround on how to compile this beast. Requirements:
1) Field is an interface that cannot take generics. Evil framework called "unity" forbids generics.
2) Field < T > which "implements Field" has generic T.

5

There are 5 best solutions below

4
On BEST ANSWER

You can implement interface explicitly. https://msdn.microsoft.com/en-us/library/ms173157.aspx

The same pattern is used on non generic version of IEnumerable and generic IEnumerable<T>

You can do the same and have generic interface too.

public interface Field
{
    object Value { get; }
}

public interface Field<T> : Field
{
    new T Value { get; }
}

public class MyField<T> : Field<T>
{
    public T Value { get; } // generic

    object Field.Value => Value; // non generic
}

Now if you have Field<T> on your hand you can use T happily. if you have Field you get object form of value T

2
On

You do not use template type in the interface, but rather object.Try this instead:

 interface Field<T>
    {
        T Value { get; }
    }

public class MyField<T> : Field<T>
    {
        private T _value;
        public T Value
        {
            get
            {
                return _value;
            }
        }
    }
1
On
public Object Value
   {
      get
      {
         return _value;
      }
   }

May be you need this. Since every data type inherits Object but not vice versa. I guess this is why covariance trouble is coming.

1
On

I'm not sure this is exactly what you want. But if your interface can't be generic then this is what will work.

public interface Field
{
   object Value {get;}
}

public class MyField<T> : Field
{
   public T _value;

   public T MyTypedValue
   {
       get 
       { 
           return _value; 
       }
   }

   public object Value
   {
       get
       {
          return _value;
       }
   }
}
0
On
public class Field<T> : Field
{
   T _value;

   //specific interface implementation
   object Field.Value
   {
     get
     {
        return _value;
     }
   }

   public T Value
   {
      get
      {
         return _value;
      }
   }
}