如下內容基於WCF4.0,本文將對比討論配置文件方案和無配置文件方案的實現方式。web
WCF4.0加入了對RESTFU和標準終結點的支持,這爲實現跨域提供了簡單的方式。ajax
1、有配置文件的狀況:json
首先咱們先定義一個服務:跨域
[ServiceContract] public class MinitorServer { [OperationContract] public bool Test() { return true; } }
在這裏我故意沒有聲明接口,順便廢話幾句,正常狀況下咱們應該定義接口去顯示服務契約(servercontract)和操做契約(operationcontract),可是對於一些簡單的服務,咱們能夠省略接口的定義,作事不該循規蹈矩。瀏覽器
一、配置文件測試
<?xml version="1.0" encoding="utf-8" ?> <configuration> <system.serviceModel> <behaviors> <endpointBehaviors> <behavior name="webHttp"> <webHttp automaticFormatSelectionEnabled="true" defaultOutgoingResponseFormat="Json" /> </behavior> </endpointBehaviors> </behaviors> <standardEndpoints> <webHttpEndpoint> <standardEndpoint crossDomainScriptAccessEnabled="true" /> </webHttpEndpoint> </standardEndpoints> <bindings> <webHttpBinding> <binding crossDomainScriptAccessEnabled="true" /> </webHttpBinding> </bindings> <services> <service name="HD.ExamMonitorClient.MinitorServer"> <endpoint kind="webHttpEndpoint" behaviorConfiguration="webHttp" address="http://localhost:8088/MonitorServer/" contract="HD.ExamMonitorClient.MinitorServer"/> </service> </services> </system.serviceModel> </configuration>
在這裏比較重要的是:jsonp
kind="webHttpEndpoint" 表示該終結點採用標準終結點;url
crossDomainScriptAccessEnabled="true" 設置該終結點能夠響應跨域請求;spa
automaticFormatSelectionEnabled="true" defaultOutgoingResponseFormat="Json" 自動將響應類型設置爲json,固然你能夠根據本身的需求修改成xml。code
二、修改服務加入attribute用來響應get請求:
[ServiceContract] public class MinitorServer { [OperationContract] [WebGet] public bool Test() { return true; } }
在這裏若是你上一步沒有配置automaticFormatSelectionEnabled="true" defaultOutgoingResponseFormat="Json"那你應該將[WebGet] 改成[WebGet(ResponseFormat=WebMessageFormat.Json)],必需要注意的是:若是單純響應非跨域請求,不須要設置defaultOutgoingResponseFormat="Json" ,由於在http請求的頭部已經指定了數據類型。
三、在控制檯中託管服務:
using(host = new ServiceHost(typeof(MinitorServer))) { host.Open();
Console.ReadKey(); }
四、瀏覽器測試
$(function () { $.ajax({ type: "get", url: "http://localhost:8088/MonitorServer/Test", dataType: "jsonp", success: function (ret) { console.log(ret); } }); });
2、無配置文件方式:
無配置文件方式的難點在於不能直接設置標準終結點。在這裏要指出,標準終結點=綁定+終結點行爲,因此咱們能夠這樣設置:
using(host = new ServiceHost(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); } }