wcf服务运行效果的良好实践
本文关键字:服务 运行 wcf | 更新日期: 2023-09-27 18:02:23
如果我们需要发送失败/成功结果,Wcf服务的最佳实践是什么?
例如:我们有Wcf服务,在服务后面有一些BussinesLogic
。我们的服务有一个操作合同:
[OperationContract]
/*SomeResult*/ SendImages(Bitmap[] images);
可能场景:
- 操作完成,一切成功。
- 位图参数不正确(位图的大小或数量错误)。
-
BussinesLogic
处于"坏"状态。逻辑处于错误状态,而我们不知道它什么时候可以重新工作。
我应该自定义fault
吗?在哪种情况下?我应该使用通用fault
吗?我应该制作enum OperationResult
吗?或者在成功的情况下,任何结果都像是过度杀伤?可能的场景数量将保持不变。
我喜欢使用这种方法:
[DataContract]
public class OperationResult
{
public OperationResult()
{
Errors = new List<OperationError>();
Success = true;
}
[DataMember]
public bool Success { get; set; }
[DataMember]
public IList<OperationError> Errors { get; set; }
}
[DataContract(Name = "OperationResultOf{0}")]
public class OperationResult<T> : OperationResult
{
[DataMember]
public T Result { get; set; }
}
[DataContract]
public class OperationError
{
[DataMember]
public string ErrorCode { get; set; }
[DataMember]
public string ErrorMessage { get; set; }
}
也有一些扩展:
public static OperationResult WithError(this OperationResult operationResult, string errorCode,
string error = null)
{
return operationResult.AddErrorImpl(errorCode, error);
}
public static OperationResult<T> WithError<T>(this OperationResult<T> operationResult, string errorCode,
string error = null)
{
return (OperationResult<T>) operationResult.AddErrorImpl(errorCode, error);
}
private static OperationResult AddErrorImpl(this OperationResult operationResult, string errorCode,
string error = null)
{
var operationError = new OperationError {Error = error ?? string.Empty, ErrorCode = errorCode};
operationResult.Errors.Add(operationError);
operationResult.Success = false;
return operationResult;
}
public static OperationResult<T> WithResult<T>(this OperationResult<T> operationResult, T result)
{
operationResult.Result = result;
return operationResult;
}
扩展可以用一行代码返回错误:
return retValue.WithError(ErrorCodes.RequestError);
从我的wcf服务,我从来没有抛出一个异常。
Sorry for the wall of code
呼叫者代码是这样的。但这完全取决于你的要求
OperationResult res = _service.Register(username, password);
if(!res.Success)
{
if(res.Errors.Any(x => ErrorCodes.UsernameTaken)
{
// show error for taken username
}
...
}