拜读了大牛蒋金楠的《WCF技术剖析之一:通过一个ASP.NET程序模拟WCF基础架构》,写点心得。

(原文:http://www.cnblogs.com/artech/archive/2009/06/18/1506163.html#!comments)

首先需要理解的是WCF的大致处理流程,设计到了哪些主要的类。下面的图片很好的诠释了处理流程。

代码上,作者在客户端和服务端分别创建了需要用来编码的Encoder和用来序列化/反序列化的DispatchFormatter,实际用到的类是DataContractSerializerOperationFormatter(看名字大概知道它是用来处理datacontract里的operationcontract,即方法的序列化/反序列化),并且建立了servicecontract的operationname/action name到相应的DispatchFormatter的字典,相当于客户端和服务端的约定。

结合代码一个个来看,首先看服务端:

1.接受request,然后Encoder对象会对request进行读取,解码,得到一个Message对象,Message的MessageHeaders包含一个重要的属性Action,后面会用到。

Message request = encoderFactory.Encoder.ReadMessage(this.Request.InputStream,
int.MaxValue, "application/soap+xml;charset=utf-8");

2.接下来是反序列化,服务端要知道客户端想使用哪个service,哪个方法,传了什么参数,需要返回什么参数,返回什么结果。这些通过action可以得到,有了action,就能知道客户要调哪个method,要调哪个DispatchFormatter去反序列化。

            string action = request.Headers.Action;
MethodInfo method = methods[action];
int outArgsCount = ;
foreach (var parameter in method.GetParameters())
{
if (parameter.IsOut) { outArgsCount++; }
}
int inputArgsCount = method.GetParameters().Length - outArgsCount;
object[] parameters = new object[inputArgsCount];
try
{
dispatchFormatters[action].DeserializeRequest(request, parameters);
}
catch
{
}

3.DispatcherFormatter反序列化之后,应该是要create相应的service、method,传入parameter,然后invoke.这里action再次用来关联对应的DispatchFormatter和operationInvokers,但是对于serviceInstance,作者固定了是CalculatorService,不知实际情况是不是也来自于Message.

object serviceInstance = Activator.CreateInstance(typeof(CalculatorService));
object result = operationInvokers[action].Invoke(serviceInstance, parameters, out outArgs);
Message reply = dispatchFormatters[action].SerializeReply(messageversion, outArgs, result);

4.执行完了operation之后,接下来要返回给客户端了,上一步,operation invoke的时候,把返回值,out parameter都序列化起来,也得到一个Message对象,

这个时候再调用Encoder进行编码,传递给Response.

 this.Response.ClearContent();
this.Response.ContentEncoding = Encoding.UTF8;
this.Response.ContentType = "application/soap+xml; charset=utf-8";
encoderFactory.Encoder.WriteMessage(reply, this.Response.OutputStream);
this.Response.Flush();

服务端的任务大致是:从request流中Read(解码)出Message对象,Mesage对象包含了丰富的信息,服务端可以找到要请求的service,method,传入参数,要返回的类型,out参数等,然后DispatchFormatter进行反序列化,动态创建和执行,完了返回Message对象,Encoder再进行Write(编码到outputstream),然后返回。

再来看客户端代码:

客户端同样也会先创建好encoder, DispatchFormatter等,并且把operation name/action name做好字典关联。

1.客户端通过RealProxy的GetTransparentProxy()来返回servicecontract对象(这个不太明白?)

ICalculator calculator = SerivceProxyFactory<ICalculator>.Create(
MessageVersion.Default,
new Uri("http://localhost/Artech.WcfFrameworkSimulator/Calculator.aspx")); public static T Create(MessageVersion messageVersion,Uri remoteAddress)
{
MessageEncoderFactory encoderFactory;
IDictionary<string, IClientMessageFormatter> clientFormatters;
IDictionary<string, IDispatchMessageFormatter> dispatchFormatters;
IDictionary<string, IOperationInvoker> operationInvokers;
IDictionary<string, MethodInfo> methods;
Utility.Create<T>(out encoderFactory,out clientFormatters,out dispatchFormatters,out operationInvokers,out methods);
ServiceRealProxy<T> realProxy = new ServiceRealProxy<T>(messageVersion, remoteAddress, clientFormatters, encoderFactory);
return (T) realProxy.GetTransparentProxy();
}

2.然后重写了RealProxy的Invoke方法来模拟wcf框架客户端做的一系列事情,下面这句话重要,当第2句执行时,第1句的methodCall得到调用的operationcontract,后面的都基于此发生。

 IMethodCallMessage methodCall = (IMethodCallMessage)msg;

double result = calculator.Add(, );

3. 得到operationcontractattribute, 序列化消息,添加ws-address报头,编码等。

OperationContractAttribute attribute = (OperationContractAttribute)attributes[];
string operationName = string.IsNullOrEmpty(attribute.Name) ? methodCall.MethodName : attribute.Name; //序列化请求消息
Message requestMessage = this._messageFormatters[operationName].SerializeRequest(this._messageVersion, methodCall.InArgs); //添加必要的WS-Address报头
EndpointAddress address = new EndpointAddress(this._remoteAddress);
requestMessage.Headers.MessageId = new UniqueId(Guid.NewGuid());
requestMessage.Headers.ReplyTo = new EndpointAddress("http://www.w3.org/2005/08/addressing/anonymous");
address.ApplyTo(requestMessage); //对请求消息进行编码,并将编码生成的字节发送通过HttpWebRequest向服务端发送
HttpWebRequest webRequest = (HttpWebRequest)HttpWebRequest.Create(this._remoteAddress);
webRequest.Method = "Post";
webRequest.KeepAlive = true;
webRequest.ContentType = "application/soap+xml; charset=utf-8";
ArraySegment<byte> bytes = this._messageEncoderFactory.Encoder.WriteMessage(requestMessage, int.MaxValue, BufferManager.CreateBufferManager(long.MaxValue, int.MaxValue));
webRequest.ContentLength = bytes.Array.Length;
webRequest.GetRequestStream().Write(bytes.Array, , bytes.Array.Length);
webRequest.GetRequestStream().Close();
WebResponse webResponse = webRequest.GetResponse();

4.再然后是得到服务端的response,解码,反序列化,得到返回值和out/ref参数,最终完成调用。

//对HttpResponse进行解码生成回复消息.
Message responseMessage = this._messageEncoderFactory.Encoder.ReadMessage(webResponse.GetResponseStream(), int.MaxValue); //回复消息进行反列化生成相应的对象,并映射为方法调用的返回值或者ref/out参数
object[] allArgs = (object[])Array.CreateInstance(typeof(object), methodCall.ArgCount);
Array.Copy(methodCall.Args, allArgs, methodCall.ArgCount);
object[] refOutParameters = new object[GetRefOutParameterCount(methodCall.MethodBase)];
object returnValue = this._messageFormatters[operationName].DeserializeReply(responseMessage, refOutParameters);
MapRefOutParameter(methodCall.MethodBase, allArgs, refOutParameters); //通过ReturnMessage的形式将返回值和ref/out参数返回
return new ReturnMessage(returnValue, allArgs, allArgs.Length, methodCall.LogicalCallContext, methodCall);

WCF框架处理流程初探的更多相关文章

  1. 【WCF 2】理解WCF框架的简单小实例

    导读:上篇博客介绍了WCF框架的整体情况,然后,闲着没事儿,自己做了一个及其简单的WCF框架的例子帮助自己理解.从简单的入手,一步一步深入!本篇博客是介绍怎么用VS2012从头创建一个WCF项目,是一 ...

  2. [老老实实学WCF] 第四篇 初探通信--ChannelFactory

    老老实实学WCF 第四篇 初探通信--ChannelFactory 通过前几篇的学习,我们简单了解了WCF的服务端-客户端模型,可以建立一个简单的WCF通信程序,并且可以把我们的服务寄宿在IIS中了. ...

  3. redis源码学习之工作流程初探

    目录 背景 环境准备 下载redis源码 下载Visual Studio Visual Studio打开redis源码 启动过程分析 调用关系图 事件循环分析 工作模型 代码分析 动画演示 网络模块 ...

  4. struts2 框架处理流程

    struts2 框架处理流程 流程图如下: 注意:StrutsPrepareAndExecuteFilter替代了2.1.3以前的FilterDispatcher过滤器,使得在执行Action之前可以 ...

  5. WCF 框架运行时类图

    本文画出了 WCF 框架运行时的重点类之间的类关系图. Binding 一个 Binding 由多个 BindingElement 组成.BindingElement 作为主要的扩展点.每一个 Bin ...

  6. SSH(Struts2+Spring+Hibernate)框架搭建流程<注解的方式创建Bean>

    此篇讲的是MyEclipse9工具提供的支持搭建自加包有代码也是相同:用户登录与注册的例子,表字段只有name,password. SSH,xml方式搭建文章链接地址:http://www.cnblo ...

  7. 【WCF 1】WCF框架宏观了解

    导读:使用WCF框架爱开发项目也有很长一段时间了,最开始的时候,是理解的不深,所以不写博客进行总结.后来是项目赶,发现需要总结的有很多,一直没有把WCF排上日程,尤其是最近研究EF这一块,更是研究了一 ...

  8. OpenCart框架运行流程介绍

    框架运行流程介绍 这样的一个get请求http://hostname/index.php?route=common/home 发生了什么? 1. 开始执行入口文件index.php. 2. requi ...

  9. J2EE进阶(六)SSH框架工作流程项目整合实例讲解

    J2EE进阶(六)SSH框架工作流程项目整合实例讲解 请求流程 经过实际项目的进行,结合三大框架各自的运行机理可分析得出SSH整合框架的大致工作流程. 首先查看一下客户端的请求信息: 对于一个Web项 ...

随机推荐

  1. linux yum软件管理

    yum(全称为 Yellow dog Updater, Modified)是一个在Fedora和RedHat以及SUSE中的Shell前端软件包管理器.基於RPM包管理,能够从指定的服务器自动下载RP ...

  2. Apache2 部署 Django

    环境: debian8 apache2.4.10                    #请注意自己的apache版本,不同版本配置文件结构差异很大 django1.10 python3.4 默认ap ...

  3. Spark RDD

    对RDD的学习进行一下整理 RDD:基于内存的集群计算容错抽象 分布式内存抽象的概念---弹性分布式数据集(RDD),它具备MapReduce等数据流模型的容错特性,并且允许开发人员在大型集群上执行基 ...

  4. bash获取properties文件资源

    #!/bin/sh prop_value="" function getProperty() { file=$ prop_key=$ prop_value=`cat $file | ...

  5. CI框架 CodeIgniter 伪静态 htaccess设置和Nginx伪静态方法2

    1.在根目录西下  新建.htaccess 文件 RewriteEngine on RewriteCond $1 !^(index\.php|images|robots\.txt) RewriteRu ...

  6. Java & Android Color-Background

    int i = Color.parseColor("#FFFFFF"); int j = Color.rgb(255,255,255); 1.SetBackground(Drawa ...

  7. 关于android R.layout.没有出现自己写的布局解决方法

    直接上解决方法 1.若import了androi.R直接删除,导入自己包下的R文件,例如com.example.my.R 2.若上面的做了后还有错误,应该是包名不一致导致的,即com.example. ...

  8. C#(转自wiki)

    C#是微软推出的一种基于.NET框架的.面向对象的高级编程语言.C#的发音为"C sharp",模仿音乐上的音名"C♯"(C调升),是C语言的升级的意思.其正确 ...

  9. app后端设计(12)--图片的处理

    app上线后,不断接受用户的反馈,于是,反馈非常差的情况下,都会有app的改版. 一旦app的改版,都会有比较大的UI改动,一改动UI,那么图片的尺寸也就必须要改变. 在app后端设计(1)—api( ...

  10. tp根据数据库动态创建微信菜单

    喻可伟的博客   tp根据数据库动态创建微信菜单 $button = array();$class = M('ucenter_menu')->limit(3)->select();//取出 ...