1

我有一个内置于 .NET WebApi 的 REST API。我创建了一个自定义参数绑定属性,用于从 HTTP 标头中提取值。在某些情况下,请求中可能存在也可能不存在标头,因此我希望能够执行以下操作来将标头视为可选参数。

public IHttpActionResult Register([FromBody] RegistrationRequest request, [FromHeaderAuthorization] string authorization = null)
{

当我调用包含授权标头的端点时,这很好用。但是,在没有标头的情况下调用端点时,我收到以下错误消息:

The request is invalid.', MessageDetail='The parameters dictionary does not contain an entry for parameter 'authorization' of type 'System.String'

我一直在寻找尝试确定是否可以以这种方式将参数视为可选参数,并发现了一些混合结果。看来,在 C# 8.0 中,我可以使用可为空的引用类型来实现这一点,但 Visual Studio 表明 8.0 当前处于预览状态,因此对我来说并不是一个真正的选择。也就是说,我真的找不到任何其他东西来表明这种事情是否可能。

我的问题是,是否可以将此标头参数视为可选,还是我需要以不同的方式处理?

4

1 回答 1

0

我最终放弃了 header 参数并朝着稍微不同的方向前进。

我已经创建了一个类来扩展 HttpRequestMessage 来执行诸如获取调用端点的客户端的 IP 之类的事情,最后我添加了一个方法来处理检查标头是否存在并根据需要检索必要的身份信息。

public static class HttpRequestMessageExtensions
{
    private const string HttpContext = "MS_HttpContext";
    private const string RemoteEndpointMessage = "System.ServiceModel.Channels.RemoteEndpointMessageProperty";

    /* Method body excluded as irrelevant */
    public static string GetClientIpAddress(this HttpRequestMessage request) { ... }

    /** Added this method for handling the authorization header. **/
    public static Dictionary<string, string> HandleAuthorizationHeader(this HttpRequestMessage request)
    {
        Tenant tenant = new Tenant();
        IEnumerable<string> values;
        request.Headers.TryGetValues("Authorization", out values);
        string tenantConfig = ConfigurationUtility.GetConfigurationValue("tenantConfig");

        if (null != values)
        {
            // perform actions on authorization header.
        }
        else if(!string.IsNullOrEmpty(tenantConfig))
        {
            // retrieve the tenant info based on configuration.
        }
        else
        {
            throw new ArgumentException("Invalid request");
        }

        return tenant;
    }
}
于 2019-06-25T19:32:56.293 回答