WCF:从多行返回单行
本文关键字:返回 单行 WCF | 更新日期: 2023-09-27 18:29:16
我正在尝试从WCF服务获取数据并将其显示在网站中
通信如下所示:
网站-->WCF服务-->CRM服务器-->WCF服务-->网站
现在我的问题是,有时需要获得更大的数据,大约5k行。(我的主机内存用完了)我想流式传输1-10行到网站,然后下一个,以此类推。
我的服务合同如下:
public interface ICommunicationService
{
[OperationContract]
IEnumerable<Row> GetCrmData(string view);
}
我的实现:
public IEnumerable<Row> GetCrmData(string view)
{
var data = new DataFromCrm(view);
return data.GetRows(MetaInformation);
}
GetRows方法看起来完全像这样:http://msdn.microsoft.com/en-us/library/gg327917.aspx除了在foreach中,我填充Row类并返回结果。(自动取款机禁用寻呼和烹饪)。
foreach (var c in returnCollection.Entities)
{
var row = new Row();
row.RecordId = c.Attributes[ID].ToString();
foreach (var info in metaInfo)
{
row.Cells.Add(c.Attributes[info.AttributeName]);
}
yield return row;
}
1.收益率回报使用正确吗?
绑定
WCF服务:
<behaviors>
<serviceBehaviors>
<behavior name="ServiceBehavior">
<serviceMetadata httpGetEnabled="true" httpsGetEnabled="true" />
<serviceDebug includeExceptionDetailInFaults="true" />
</behavior>
</serviceBehaviors>
</behaviors>
<services>
<service behaviorConfiguration="ServiceBehavior"
name="ComToCrmService.CommunicationService">
<endpoint binding="basicHttpBinding"
bindingNamespace="http://localhost:9006/CommunicationService.svc"
contract="ComToCrmContracts.ICommunicationService" />
</service>
</services>
WCF客户端
<system.serviceModel>
<bindings>
<basicHttpBinding>
<binding name="BasicHttpBinding_ICommunicationService"
closeTimeout="00:01:00" openTimeout="00:01:00" receiveTimeout="00:10:00" sendTimeout="00:10:00"
bypassProxyOnLocal="false" hostNameComparisonMode="StrongWildcard"
maxBufferSize="65536"
maxReceivedMessageSize="4294967294"
messageEncoding="Text"
textEncoding="utf-8"
transferMode="Streamed"
useDefaultWebProxy="true">
</binding>
</basicHttpBinding>
</bindings>
<client>
<endpoint binding="basicHttpBinding"
bindingConfiguration="BasicHttpBinding_ICommunicationService"
contract="ComToCrmReference.ICommunicationService"
name="BasicHttpBinding_ICommunicationService"
address="http://dev11.meta10.com:9007/WCFTestService/CommunicationService.svc" />
</client>
</system.serviceModel>
2.绑定是否正确?
3.我的思维有失误吗?请记住,我试图从5000行中获得1-10行,在网站上显示它们,获得接下来的1-10行,依此类推。
只有数据,没有二进制数据或类似的数据。
4.是否只需要一个请求?
首先,请记住WCF生活在面向服务的范式中,而不是面向对象的范式中。围绕WCF的许多误解在于它能够封装服务调用并以面向对象的方式呈现它。
您能够从服务返回IEnumerable<Row>
就是一个例子。我们被愚弄了,以为我们是在向抽象编程,而实际上WCF必须跨线序列化服务调用的结果(非常具体的实现),然后将其转换到客户端的接口。
因此,您无法对所需的序列执行"懒惰"评估——是的——即使您只想要前10个,您也会将整个结果集拉过导线。
WCF不支持流(http://msdn.microsoft.com/en-us/library/ms733742.aspx)但一个更简单的方法可能是在您的服务合同中添加参数,以指示您需要的页面信息:
public interface ICommunicationService
{
[OperationContract]
Row[] GetCrmData(string view, int pageNumber, int pageSize);
}
这个契约更符合一个面向服务的无状态应用程序,它尊重这样一个概念,即您不应该在系统中传递大量数据,而应该只使用您需要的数据。
请注意,我已经将IEnumerable<Row>
替换为一个数组,从而消除了对有线接口进行编程的印象。