我有一个webApi2项目和另一个项目,其中我有我的Model类和BaseModel,它是所有模型的基础,如下所示,
public class BaseModel
{
public string UserId { get; set; }
}
所有其他模型都来自我的BaseModel。
在webapi中,我的CustomerController如下,
public class CustomerController : ApiController
{
[HttpPost]
public GetCustomerResponseModel Get(GetCustomerRequestModel requestModel)
{
var response = new GetCustomerResponseModel();
//I need only the UserId coming from the BaseModel is binded from request headers
var userId = requestModel.UserId;
//I want all model data except UserId is binded with default model binding
var customerData = requestModel.CustomerData;
var someOtherData = requestModel.SomeOtherData;
return response;
}
[HttpPost]
public AddStockAlertResponseModel AddStockAlert(AddStockAlertRequestModel requestModel)
{
var response = new AddStockAlertResponseModel();
//I need only the UserId coming from the BaseModel is binded from request headers
var userId = requestModel.UserId;
//I want all model data except UserId is binded with default model binding
var stockInfo = requestModel.StockInfo;
return response;
}
}
每个发送到CustomerController的请求在请求标头中都有一个“UserId”标头,我需要一个ModelBinder或ParameterBinder或一些功能,它只从请求标头绑定UserId而不触及其他模型参数。我的意思是除了UserId之外的模型参数默认是绑定的。
我不想使用AOP或拦截器或方面。是否可以仅将UserId与模型绑定器,参数绑定器等asp.net功能绑定。
答案 0 :(得分:11)
以下是使用HttpParameterBinding
的快速示例。这里我创建一个自定义参数绑定,我让默认的基于FromBody
的绑定使用格式化程序来反序列化请求主体,然后从请求标头中获取用户标识并设置在反序列化对象上。 (您可能需要在以下代码中添加其他验证检查。)
config.ParameterBindingRules.Insert(0, (paramDesc) =>
{
if (typeof(BaseModel).IsAssignableFrom(paramDesc.ParameterType))
{
return new BaseModelParamBinding(paramDesc);
}
// any other types, let the default parameter binding handle
return null;
});
public class BaseModelParamBinding : HttpParameterBinding
{
HttpParameterBinding _defaultFromBodyBinding;
HttpParameterDescriptor _paramDesc;
public BaseModelParamBinding(HttpParameterDescriptor paramDesc)
: base(paramDesc)
{
_paramDesc = paramDesc;
_defaultFromBodyBinding = new FromBodyAttribute().GetBinding(paramDesc);
}
public override async Task ExecuteBindingAsync(ModelMetadataProvider metadataProvider,
HttpActionContext actionContext, CancellationToken cancellationToken)
{
await _defaultFromBodyBinding.ExecuteBindingAsync(metadataProvider, actionContext, cancellationToken);
BaseModel baseModel = actionContext.ActionArguments[_paramDesc.ParameterName] as BaseModel;
if (baseModel != null)
{
baseModel.UserId = actionContext.Request.Headers.GetValues("UserId").First();
}
}
}