3

对于以下异常,在异常窗口(->查看详细信息)中未指定原因:

System.ServiceModel.FaultException 此故障的创建者未指定原因。如何更改它以显示原因?(我需要在那里显示 1234)

public class MysFaultException
{
    public string Reason1
    {
        get;
        set;
    }
}

MyFaultException connEx = new MyFaultException();
connEx.Reason1 = "1234";
throw new FaultException<OrdersFaultException>(connEx);
4

2 回答 2

4

如果您希望将所有异常都转发给调用者, I3arnon 的回答很好,但如果您只希望通过一组有限的已知故障,您可以创建故障契约,让调用者知道一组特定的异常可能会通过所以客户可以准备好处理它们。这允许您传递潜在的预期异常,而无需将您的软件可能引发的所有异常转发给客户端。

这是 MSDN 中的一个简单示例,它显示了 WCF 服务捕获 aDivideByZeroException并将其转换为 aFaultException以传递给客户端。

[ServiceContract(Namespace="http://Microsoft.ServiceModel.Samples")]
public interface ICalculator
{
    //... (Snip) ...

    [OperationContract]
    [FaultContract(typeof(MathFault))]
    int Divide(int n1, int n2);
}

[DataContract(Namespace="http://Microsoft.ServiceModel.Samples")]
public class MathFault
{    
    private string operation;
    private string problemType;

    [DataMember]
    public string Operation
    {
        get { return operation; }
        set { operation = value; }
    }

    [DataMember]        
    public string ProblemType
    {
        get { return problemType; }
        set { problemType = value; }
    }
}

//Server side function
public int Divide(int n1, int n2)
{
    try
    {
        return n1 / n2;
    }
    catch (DivideByZeroException)
    {
        MathFault mf = new MathFault();
        mf.operation = "division";
        mf.problemType = "divide by zero";
        throw new FaultException<MathFault>(mf);
    }
}
于 2014-01-06T17:10:31.440 回答
3

WCF 服务选择不显示使用includeExceptionDetailInFaults="false". 您可以在配置文件中更改它:

<services>
    <service name="serviceHost" behaviorConfiguration="serviceBehavior">
        <endpoint .... />
    </service>
</services>
<behaviors>
    <serviceBehaviors>
        <behavior name="serviceBehavior">
            <serviceDebug includeExceptionDetailInFaults="true"/>
        </behavior>
    </serviceBehaviors>
</behaviors>

您不需要创建自己的异常。将FaultException包装在您的服务中引发的真正异常,并向您显示消息和相关信息。

于 2014-01-06T16:50:00.250 回答