投射类和设置共同值

时间:2015-05-19 14:11:45

标签: c# class type-conversion

我们有一系列类,它们来自一个公共类:

public class OurBaseClass
{
    public string StatusMessage { get; set;}
    [other properties]
}

public class ProcessClass : OurBaseClass
{
    public string SomeProcessInformation { get; set;}
    public string SomeMoreProcessInformation { get; set;}
    [other properties]
}

然后我们尝试创建一个单独的函数来设置SpecificProcessClass和current的基本属性(这不起作用):

public object DefaultResponse(string messageText)
{
    return new OurBaseClass
    {
        StatusMessage = messageText,
        [other properties] = ...
    }
};

我们的意图是

ProcessClass resp = (ProcessClass) DefaultResponse("Some Message");
resp.SomeProcessInformation  = "";
resp.SomeMoreProcessInformation  = "";
[other properties] = ...
return resp;

理由是,尽量减少重复编码的数量,使功能易于阅读(通过眼睛);这会引发以下错误。

System.InvalidCastException: Unable to cast object of type 'OurBaseClass' to type 'ProcessClass'

虽然对结果并不完全感到惊讶,因为ProcessClass派生自OurBaseClass,我认为可以这样做,只是不确定如何......

2 个答案:

答案 0 :(得分:5)

您不能从较少派生的类型转换为更多派生类型,您需要首先创建更多派生类型。

与您当前代码类似的一种解决方案是使用泛型:

public T DefaultResponse<T>(string messageText)
    where T : OurBaseClass, new()
{
    return new T
    {
        StatusMessage = messageText,
    };
}

where约束将T限制为OurBaseClass或派生类型,new()表示T必须具有无参数构造函数。您可以阅读有关他们的更多信息in the documentation

可以像这样使用:

ProcessClass resp = DefaultResponse<ProcessClass>("Some Message");
resp.SomeProcessInformation  = "";
resp.SomeMoreProcessInformation  = "";

答案 1 :(得分:0)

如何在基类中创建一个方法来设置公共属性,然后使用一个可以在子类中重写的虚方法,每个方法都调用基本方法。

public class OurBaseClass
{
    public string StatusMessage { get; set;}
    // other properties

    protected void BaseInit()
    {
        // Set common properties here...
    }

    public virtual void Init()
    {
        BaseInit();
    }

}

public class ProcessClass : OurBaseClass
{
    public string SomeProcessInformation { get; set;}
    public string SomeMoreProcessInformation { get; set;}

    public override void Init()
    {
        BaseInit();

        // Set specific properties here...
    }
}