0

我在 http://localhost/resource有一个可用的资源

我没有像 http://localhost/resource?name=john 这样的路由

但是当我尝试点击上面的 URI 时,我得到了http://localhost/resource的结果。我期待一个404。

知道为什么它忽略 ?name=john 并匹配 url 吗?

4

1 回答 1

0

查询字符串参数是可选的,而不是地址的“正式”部分 - 它从方案到路径(通过主机和端口)。在很多情况下,您在地址http://something.com/path处进行一项操作,并在操作代码中查看查询字符串参数以做出决定。例如,下面的代码在查询字符串中查找可能会或可能不会传递的“格式”参数,并且所有请求(有或没有它)都正确路由到操作。

public class StackOverflow_10422764
{
    [DataContract(Name = "Person", Namespace = "")]
    public class Person
    {
        [DataMember]
        public string Name { get; set; }
        [DataMember]
        public int Age { get; set; }
    }
    [ServiceContract]
    public class Service
    {
        [WebGet(UriTemplate = "/NoQueryParams")]
        public Person GetPerson()
        {
            string format = WebOperationContext.Current.IncomingRequest.UriTemplateMatch.QueryParameters["format"];
            if (format == "xml")
            {
                WebOperationContext.Current.OutgoingResponse.Format = WebMessageFormat.Xml;
            }
            else if (format == "json")
            {
                WebOperationContext.Current.OutgoingResponse.Format = WebMessageFormat.Json;
            }

            return new Person { Name = "Scooby Doo", Age = 10 };
        }
    }
    public static void Test()
    {
        string baseAddress = "http://" + Environment.MachineName + ":8000/Service";
        WebServiceHost host = new WebServiceHost(typeof(Service), new Uri(baseAddress));
        host.Open();
        Console.WriteLine("Host opened");

        WebClient c = new WebClient();
        Console.WriteLine(c.DownloadString(baseAddress + "/NoQueryParams"));

        c = new WebClient();
        Console.WriteLine(c.DownloadString(baseAddress + "/NoQueryParams?format=json"));

        Console.Write("Press ENTER to close the host");
        Console.ReadLine();
        host.Close();
    }
}

评论后更新:如果你想强制请求包含模板中指定的参数,那么你可以使用类似消息检查器的东西来验证它。

public class StackOverflow_10422764
{
    [DataContract(Name = "Person", Namespace = "")]
    public class Person
    {
        [DataMember]
        public string Name { get; set; }
        [DataMember]
        public int Age { get; set; }
    }
    [ServiceContract]
    public class Service
    {
        [WebGet(UriTemplate = "/NoQueryParams")]
        public Person GetPerson()
        {
            string format = WebOperationContext.Current.IncomingRequest.UriTemplateMatch.QueryParameters["format"];
            if (format == "xml")
            {
                WebOperationContext.Current.OutgoingResponse.Format = WebMessageFormat.Xml;
            }
            else if (format == "json")
            {
                WebOperationContext.Current.OutgoingResponse.Format = WebMessageFormat.Json;
            }

            return new Person { Name = "Scooby Doo", Age = 10 };
        }

        [WebGet(UriTemplate = "/TwoQueryParam?x={x}&y={y}")]
        public int Add(int x, int y)
        {
            return x + y;
        }
    }
    public class MyForceQueryMatchBehavior : IEndpointBehavior, IDispatchMessageInspector
    {
        #region IEndpointBehavior Members

        public void AddBindingParameters(ServiceEndpoint endpoint, BindingParameterCollection bindingParameters)
        {
        }

        public void ApplyClientBehavior(ServiceEndpoint endpoint, ClientRuntime clientRuntime)
        {
        }

        public void ApplyDispatchBehavior(ServiceEndpoint endpoint, EndpointDispatcher endpointDispatcher)
        {
            endpointDispatcher.DispatchRuntime.MessageInspectors.Add(this);
        }

        public void Validate(ServiceEndpoint endpoint)
        {
        }

        #endregion

        #region IDispatchMessageInspector Members

        public object AfterReceiveRequest(ref Message request, IClientChannel channel, InstanceContext instanceContext)
        {
            UriTemplateMatch uriTemplateMatch = (UriTemplateMatch)request.Properties["UriTemplateMatchResults"];

            // TODO: may need to deal with the case of implicit UriTemplates, or if you want to allow for some query parameters to be ommitted

            List<string> uriTemplateQueryVariables = uriTemplateMatch.Template.QueryValueVariableNames.Select(x => x.ToLowerInvariant()).ToList();
            List<string> requestQueryVariables = uriTemplateMatch.QueryParameters.Keys.OfType<string>().Select(x => x.ToLowerInvariant()).ToList();
            if (uriTemplateQueryVariables.Count != requestQueryVariables.Count || uriTemplateQueryVariables.Except(requestQueryVariables).Count() > 0)
            {
                throw new WebFaultException(HttpStatusCode.NotFound);
            }

            return null;
        }

        public void BeforeSendReply(ref Message reply, object correlationState)
        {
        }

        #endregion
    }
    static void SendRequest(string uri)
    {
        Console.WriteLine("Request to {0}", uri);
        WebClient c = new WebClient();
        try
        {
            Console.WriteLine("  {0}", c.DownloadString(uri));
        }
        catch (WebException e)
        {
            HttpWebResponse resp = e.Response as HttpWebResponse;
            Console.WriteLine("  ERROR => {0}", resp.StatusCode);
        }
    }
    public static void Test()
    {
        string baseAddress = "http://" + Environment.MachineName + ":8000/Service";
        ServiceHost host = new ServiceHost(typeof(Service), new Uri(baseAddress));
        ServiceEndpoint endpoint = host.AddServiceEndpoint(typeof(Service), new WebHttpBinding(), "");
        endpoint.Behaviors.Add(new WebHttpBehavior());
        endpoint.Behaviors.Add(new MyForceQueryMatchBehavior());
        host.Open();
        Console.WriteLine("Host opened");

        SendRequest(baseAddress + "/NoQueryParams");
        SendRequest(baseAddress + "/NoQueryParams?format=json");
        SendRequest(baseAddress + "/TwoQueryParam?x=7&y=9&z=other");
        SendRequest(baseAddress + "/TwoQueryParam?x=7&y=9");

        Console.Write("Press ENTER to close the host");
        Console.ReadLine();
        host.Close();
    }
}
于 2012-05-03T00:23:58.333 回答