我是C#的新手,很抱歉,如果有人已经问过这个问题,我没有找到任何答案。

标题中的问题很清楚,所以这是我想要实现的代码:

/// <typeparam name="M">Entity model</typeparam>
public class FormBuilder<M>
{

    /// <typeparam name="F">Implementation of FieldType</typeparam>
    public FormBuilder<M> Add<F>(string propertyName, F options) where F : FieldType<?>
    {
        // ...
        return this;
    }

}

/// <typeparam name="T">Type of the field</typeparam>
public abstract class FieldType<T>
{
    public T Data { get; set; }
    public bool Disabled { get; set; } = false;
    public bool Required { get; set; } = true;
    public string Hint { get; set; }
    public IDictionary<string, string> Attributes { get; set; }
}

public class TextType : FieldType<string>
{
    public bool Trim { get; set; } = true;
    public string Placeholder { get; set; }
}

最佳答案

由于C#的泛型是经过重组的,而Java使用类型擦除来实现其泛型,因此在某些像此类的极端情况下会出现一些基本差异。长话短说:您需要为FieldType<>指定一个实际的泛型类型。好消息是您可以通过泛型执行此操作。

public FormBuilder<M> Add<F, T>(string propertyName, F options) where F : FieldType<T>
{
    // ...
    return this;
}


当然,您将要考虑是否真的需要F泛型类型。根据您正在执行的操作,您可能会更简单一些:

public FormBuilder<M> Add<T>(string propertyName, FieldType<T> options)
{
    // ...
    return this;
}

关于c# - 相当于Java的C#<F扩展FieldType <?>> void add(F field),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/57742895/

10-09 03:15