以下内容基于WCF4.0,本文将对比讨论配置文件方案和无配置文件方案的实现方式。
WCF4.0加入了对RESTFU和标准终结点的支持,这为实现跨域提供了简单的方式。
一、有配置文件的情况:
首先我们先定义一个服务:
[ServiceContract] public class MinitorServer { [OperationContract] bool Test() { return true; } }
在这里我故意没有声明接口,顺便废话几句,正常情况下我们应该定义接口去显示服务契约(servercontract)和操作契约(operationcontract),但是对于一些简单的服务,我们可以省略接口的定义,做事不应循规蹈矩。
1、配置文件
<?xml version="1.0" encoding="utf-8" ?> <configuration> system.serviceModel> behaviors> endpointBehaviors> behavior name="webHttp"> webHttp automaticFormatSelectionEnabled="true" defaultOutgoingResponseFormat="Json" /> </behavior> standardEndpoints> webHttpEndpointstandardEndpoint crossDomainScriptAccessEnabled="true" /> bindingswebHttpBindingbinding ="true" services> service ="HD.ExamMonitorClient.MinitorServer"endpoint kind="webHttpEndpoint" behaviorConfiguration="webHttp" address="http://localhost:8088/MonitorServer/" contractservice> >
在这里比较重要的是:
kind="webHttpEndpoint" 表示该终结点采用标准终结点;
crossDomainScriptAccessEnabled="true" 设置该终结点可以响应跨域请求;
automaticFormatSelectionEnabled="true" defaultOutgoingResponseFormat="Json" 自动将响应类型设置为json,当然你可以根据自己的需求修改为xml。
2、修改服务加入attribute用来响应get请求:
class MinitorServer
{
[OperationContract]
[WebGet] 在这里如果你上一步没有配置automaticFormatSelectionEnabled="true" defaultOutgoingResponseFormat="Json"那你应该将[WebGet] 改为[WebGet(ResponseFormat=WebMessageFormat.Json)],必须要注意的是:如果单纯响应非跨域请求,不需要设置defaultOutgoingResponseFormat="Json" ,因为在http请求的头部已经指定了数据类型。
3、在控制台中托管服务:
using(host = new ServiceHost(typeof(MinitorServer)))
{
host.Open();
Console.ReadKey(); }
Console.ReadKey(); }
4、浏览器测试
$(function () { $.ajax({ type: "get",url: "http://localhost:8088/MonitorServer/Test",dataType: "jsonp",success: function (ret) { console.log(ret); } }); });
二、无配置文件方式:
无配置文件方式的难点在于不能直接设置标准终结点。在这里要指出,标准终结点=绑定+终结点行为,所以我们可以这样设置:
using(host = typeof(MinitorServer))) { //定义一个webHttp的绑定 WebHttpBinding webBing = new WebHttpBinding(); webBing.CrossDomainScriptAccessEnabled = true; 定义一个终结点行为 var endpointBehavior =new WebHttpBehavior(); endpointBehavior.AutomaticFormatSelectionEnabled = true; endpointBehavior.DefaultOutgoingResponseFormat = System.ServiceModel.Web.WebMessageFormat.Json; 加入服务 var end = host.AddServiceEndpoint(typeof(MinitorServer),webBing,"http://localhost:8088/MonitorServer/"); end.Behaviors.Add(endpointBehavior); host.Open(); Console.ReadKey(); }
另外如果讨厌去为每个操作协定设置[WebGet],那么这里有个简单方式,在open之前,我们循环为每个操作协定加入行为即可。
var operationBehavio=new WebGetAttribute();
foreach (var item in end.Contract.Operations)
{
if (item.Behaviors.Find<WebGetAttribute>() == null)
{
item.Behaviors.Add(operationBehavio);
}
}
转载自:http://www.cnblogs.com/fej121/p/4993514.html (我个人没有验证) 原文链接:https://www.f2er.com/json/289550.html