实现具有2个返回的方法的最佳方法是什么?

时间:2013-04-10 16:26:45

标签: c# asp.net

我常常遇到一些代码,我必须返回一个布尔值来指示方法是否成功完成,以及出现问题时带错误消息的字符串。

我已经用两种方式实现了这一点。 第一个包含一类响应,所有类的所有方法都使用此响应类进行通信。例如:

public class ReturnValue {
    public bool Ok;
    public string Msg;
    public object SomeData;

    public ReturnValue() {
        this.Ok = true;
        this.Msg = null;
    }

    public ReturnValue(string Msg) {
        this.Ok = true;
        this.Msg = Msg;
    }

    public ReturnValue(object SomeData) {
        this.Ok = true;
        this.SomeData = SomeData;
    }

    public ReturnValue(bool Ok, string Msg) {
        this.Ok = Ok;
        this.Msg = Msg;
    }

    public ReturnValue(bool Ok, string Msg, object SomeData) {
        this.Ok = Ok;
        this.Msg = Msg;
        this.SomeData = SomeData;
    }
}

public class Test {
    public ReturnValue DoSomething() {
        if (true) {
            return new ReturnValue();
        } else {
            return new ReturnValue(false, "Something went wrong.");
        }
    }
}

第二种方法是使用一种方法在出现错误时存储消息,并查看消息只需调用此方法。例如:

public class Test {
    public string ReturnValue { get; protected set; }

    public bool DoSomething() {
        ReturnValue = "";

        if (true) {
            return true;
        } else {
            ReturnValue = "Something went wrong.";
            return false;
        }
    }
}

有正确的方法吗?

2 个答案:

答案 0 :(得分:3)

C#通常依赖异常,而不是依赖返回值来知道某些事情是否成功,或者错误是什么。如果您的程序有效,请不要抛出异常。如果它不起作用,抛出异常并在抛出的异常中包含错误消息。

答案 1 :(得分:0)

就个人而言,我更喜欢使用ref关键字。

public bool DoSomething(ref string returnValue) {
    returnValue = "something";
    return true;
} 


string returnValue = "";
DoSomething(ref returnValue);
// returnValue now has new value.