WCF服务支持HTTP(get,post)方式请求例子

 

方式一:

    /// <summary>
/// Http Get请求
/// </summary>
/// <param name="url">请求地址</param>
/// <param name="postData">请求参数</param>
/// <param name="result">返回结果</param>
/// <returns></returns>
public static bool WebHttpGet(string url, string postData, out string result)
{
try
{
HttpWebRequest httpWebRequest = (HttpWebRequest)WebRequest.Create(url + (postData == "" ? "" : "?") + postData);
httpWebRequest.Method = "GET";
httpWebRequest.ContentType = "text/html;charset=UTF-8"; WebResponse webResponse = httpWebRequest.GetResponse();
HttpWebResponse httpWebResponse = (HttpWebResponse)webResponse;
System.IO.Stream stream = httpWebResponse.GetResponseStream();
System.IO.StreamReader streamReader = new System.IO.StreamReader(stream, Encoding.GetEncoding("UTF-8"));
result = streamReader.ReadToEnd(); //请求返回的数据
streamReader.Close();
stream.Close();
return true;
}
catch (Exception ex)
{
result = ex.Message;
return false;
}
} /// <summary>
/// Http Post请求
/// </summary>
/// <param name="postUrl">请求地址</param>
/// <param name="postData">请求参数(json格式请求数据时contentType必须指定为application/json)</param>
/// <param name="result">返回结果</param>
/// <returns></returns>
public static bool WebHttpPost(string postUrl, string postData, out string result, string contentType = "application/x-www-form-urlencoded")
{
try
{
byte[] byteArray = System.Text.Encoding.UTF8.GetBytes(postData); HttpWebRequest httpWebRequest = (HttpWebRequest)WebRequest.Create(postUrl);
httpWebRequest.Method = "POST";
httpWebRequest.ContentType = contentType;
httpWebRequest.ContentLength = byteArray.Length; using (System.IO.Stream stream = httpWebRequest.GetRequestStream())
{
stream.Write(byteArray, 0, byteArray.Length); //写入参数
} HttpWebResponse httpWebResponse = httpWebRequest.GetResponse() as HttpWebResponse;
using (System.IO.Stream responseStream = httpWebResponse.GetResponseStream())
{
System.IO.StreamReader streamReader = new System.IO.StreamReader(responseStream, Encoding.GetEncoding("UTF-8"));
result = streamReader.ReadToEnd(); //请求返回的数据
streamReader.Close();
}
return true;
}
catch (Exception ex)
{
result = ex.Message;
return false;
}
}

方式二:

    /// <summary>
/// Http Get请求
/// </summary>
/// <param name="url">请求地址</param>
/// <param name="postData">请求参数</param>
/// <param name="trackId">为防止重复请求实现HTTP幂等性(唯一ID)</param>
/// <returns></returns>
public static string SendGet(string url, string postData, string trackId)
{
if (string.IsNullOrEmpty(trackId)) return null; //trackId = Guid.NewGuid().ToString("N");
HttpWebRequest httpWebRequest = (HttpWebRequest)WebRequest.Create(url + (postData == "" ? "" : "?") + postData);
httpWebRequest.Method = "GET";
httpWebRequest.ContentType = "text/html;charset=UTF-8";
httpWebRequest.Headers.Add("track_id:" + trackId); WebResponse webResponse = httpWebRequest.GetResponse();
HttpWebResponse httpWebResponse = (HttpWebResponse)webResponse;
System.IO.Stream stream = httpWebResponse.GetResponseStream();
System.IO.StreamReader streamReader = new System.IO.StreamReader(stream, Encoding.UTF8);
string result = streamReader.ReadToEnd(); //请求返回的数据
streamReader.Close();
stream.Close(); return result;
} /// <summary>
/// Http Post请求
/// </summary>
/// <param name="postUrl">请求地址</param>
/// <param name="postData">请求参数(json格式请求数据时contentType必须指定为application/json)</param>
/// <param name="trackId">为防止重复请求实现HTTP幂等性(唯一ID)</param>
/// <returns></returns>
public static string SendPost(string postUrl, string postData, string trackId, string contentType = "application/x-www-form-urlencoded")
{
if (string.IsNullOrEmpty(trackId)) return null; //trackId = Guid.NewGuid().ToString("N");
byte[] byteArray = System.Text.Encoding.UTF8.GetBytes(postData); HttpWebRequest httpWebRequest = (HttpWebRequest)WebRequest.Create(postUrl);
httpWebRequest.Method = "POST";
httpWebRequest.ContentType = contentType;
httpWebRequest.ContentLength = byteArray.Length;
httpWebRequest.Headers.Add("track_id:" + trackId); System.IO.Stream stream = httpWebRequest.GetRequestStream();
stream.Write(byteArray, 0, byteArray.Length); //写入参数
stream.Close(); HttpWebResponse httpWebResponse = (HttpWebResponse)httpWebRequest.GetResponse();
System.IO.StreamReader streamReader = new System.IO.StreamReader(httpWebResponse.GetResponseStream(), Encoding.UTF8);
string result = streamReader.ReadToEnd(); //请求返回的数据
streamReader.Close(); return result;
} /// <summary>
/// 生成唯一标识符
/// </summary>
/// <param name="type">格式:N,D,B,P,X</param>
/// <returns></returns>
public static string GetGuid(string type = "")
{
//Guid.NewGuid().ToString(); // 9af7f46a-ea52-4aa3-b8c3-9fd484c2af12
//Guid.NewGuid().ToString("N"); // e0a953c3ee6040eaa9fae2b667060e09
//Guid.NewGuid().ToString("D"); // 9af7f46a-ea52-4aa3-b8c3-9fd484c2af12
//Guid.NewGuid().ToString("B"); // {734fd453-a4f8-4c5d-9c98-3fe2d7079760}
//Guid.NewGuid().ToString("P"); // (ade24d16-db0f-40af-8794-1e08e2040df3)
//Guid.NewGuid().ToString("X"); // {0x3fa412e3,0x8356,0x428f,{0xaa,0x34,0xb7,0x40,0xda,0xaf,0x45,0x6f}}
if (type == "")
return Guid.NewGuid().ToString();
else
return Guid.NewGuid().ToString(type);
}

//-------------WCF服务端web.config配置如下:----------------

 <system.serviceModel>
<services>
<service name="WCFService.WebUser">
<!--WCF中提供了Web HTTP访问的方式-->
<endpoint binding="webHttpBinding" behaviorConfiguration="WebBehavior" contract="WCFService.IWebUser" />
<!--提供WCF服务 , 注意address='Wcf',为了区分开与Web HTTP的地址,添加引用之后会自动加上的-->
<endpoint address="Wcf" binding="basicHttpBinding" contract="WCFService.IWebUser"/>
</service>
</services>
<behaviors>
<!--WCF中提供了Web HTTP的方式-->
<endpointBehaviors>
<behavior name="WebBehavior">
<webHttp helpEnabled="true" />
</behavior>
</endpointBehaviors>
<!--WCF中提供了Web HTTP的方式-->
<serviceBehaviors>
<behavior>
<!-- 为避免泄漏元数据信息,请在部署前将以下值设置为 false -->
<serviceMetadata httpGetEnabled="true" httpsGetEnabled="true"/>
<!-- 要接收故障异常详细信息以进行调试,请将以下值设置为 true。在部署前设置为 false 以避免泄漏异常信息 -->
<serviceDebug includeExceptionDetailInFaults="false"/>
</behavior>
</serviceBehaviors>
</behaviors>
<protocolMapping>
<add binding="basicHttpsBinding" scheme="https" />
</protocolMapping>
<serviceHostingEnvironment aspNetCompatibilityEnabled="true" multipleSiteBindingsEnabled="true" />
</system.serviceModel>

//-------------WCF服务-------------

namespace WCFService
{
// 注意: 使用“重构”菜单上的“重命名”命令,可以同时更改代码和配置文件中的接口名“IWebUser”。
[ServiceContract]
public interface IWebUser
{
[OperationContract]
[WebGet(RequestFormat = WebMessageFormat.Json, ResponseFormat = WebMessageFormat.Json, BodyStyle = WebMessageBodyStyle.Bare, UriTemplate = "/ShowName?name={name}")]
string ShowName(string name); [OperationContract]
[WebInvoke(Method = "POST", RequestFormat = WebMessageFormat.Json, ResponseFormat = WebMessageFormat.Json, BodyStyle = WebMessageBodyStyle.Bare, UriTemplate = "/ShowNameByPost/{name}")]
string ShowNameByPost(string name);
}
}

//-----------客户端传统方式和web http方式调用----------------

   public static void Main(string[] args)
{
WebUserClient webUser = new WebUserClient();
Console.WriteLine("请输入姓名!");
string webname = Console.ReadLine();
string webresult = webUser.ShowName(webname);
Console.WriteLine(webresult); Console.WriteLine("请输入姓名!");
string getData = Console.ReadLine();
string apiGetUrl = "http://localhost:8423/WebUser.svc/ShowName";
string jsonGetMsg = string.Empty;
bool strGetResult = WebHttpGet(apiGetUrl, "name=" + getData, out jsonGetMsg);
Console.WriteLine("请求结果:" + strGetResult + ",返回结果:" + jsonGetMsg); Console.WriteLine("请输入姓名!");
string postData = Console.ReadLine();
string apiPostUrl = "http://localhost:8423/WebUser.svc/ShowNameByPost";
string jsonPostMsg = string.Empty;
bool strPostResult = WebHttpPost(apiPostUrl, "/" + postData, out jsonPostMsg);
Console.WriteLine("请求结果:" + strPostResult + ",返回结果:" + jsonPostMsg);
Console.ReadLine();
}

WCF服务支持HTTP(get,post)的更多相关文章

  1. 在IIS8添加WCF服务支持

    最近在做Silverlight,Windows Phone应用移植到Windows 8平台,在IIS8中测试一些传统WCF服务应用,发现IIS8不支持WCF服务svc请求,后来发现IIS8缺少对WCF ...

  2. 【IIS8】在IIS8添加WCF服务支持

    最近在做Silverlight,Windows Phone应用移植到Windows 8平台,在IIS8中测试一些传统WCF服务应用,发现IIS8不支持WCF服务svc请求,后来发现IIS8缺少对WCF ...

  3. WCF服务支持HTTP(get,post)方式请求例子

    https://www.cnblogs.com/li150dan/p/9529413.html /// <summary> /// Http Get请求 /// </summary& ...

  4. C# WCF服务入门

    之前在公司用的服务端是wcf写的,但是没有深入研究,最近找工作,面试的时候好多人看到这个总提问,这里做个复习 就用微软官方上的例子,搭一个简单的wcf服务,分6步 1 定义服务协定也就是契约,其实就是 ...

  5. 轻松搞定Win8 IIS支持SVC 从而实现IIS寄宿WCF服务

    写在前面 为了尝试在IIS中寄宿WCF服务,需要配置IIS支持SVC命令,于是便有了在DOS命令中用到ServiceModelReg.exe注册svc命令. 坑爹的是注册成功后就开始报错.无奈之下两次 ...

  6. IIS10 设置支持wcf服务(.svc)

    感谢: http://www.cnblogs.com/dudu/p/3328066.html 如果提示web.config配置重复的话,很有可能是.net framework版本的问题,把IIS中的版 ...

  7. WCF技术剖析之五:利用ASP.NET兼容模式创建支持会话(Session)的WCF服务

    原文:WCF技术剖析之五:利用ASP.NET兼容模式创建支持会话(Session)的WCF服务 在<基于IIS的WCF服务寄宿(Hosting)实现揭秘>中,我们谈到在采用基于IIS(或者 ...

  8. 如何让WCF服务更好地支持Web Request和AJAX调用

    WCF的确不错,它大大地简化和统一了服务的开发.但也有不少朋友问过我,说是在非.NET客户程序中,有何很好的方法直接调用服务吗?还有就是在AJAX的代码中(js)如何更好地调用WCF服务呢? 我首先比 ...

  9. 关于WCF服务 http://XXXXXX/XXX/xxx.svc不支持内容类型 application/sop+xml;charset=utf-8 错误解决方法

    有时候用IIS部署一个WCF服务时,无论是在客户端还是在服务端通过地址都能正常访问. 但是当你在客户端添加服务引用时, 怎么也添加不上, 会碰到了如下错误: 好啦. 现在说说怎么解决吧. 其实很简单. ...

随机推荐

  1. 搭建 Frp 来远程内网 Windows 和 Linux 机子

    魏刘宏 2019 年 5 月 19 日 一.使用一键脚本搭建服务端 Frp 这个内网穿透项目的官方地址为 https://github.com/fatedier/frp ,不过我们今天搭建服务端时不直 ...

  2. 1. mvc 树形控件tree + 表格jqgrid 显示界面

    1.界面显示效果 2.资源下载 地址 1. jstree  https://www.jstree.com/   2.表格jqgrid  https://blog.mn886.net/jqGrid/  ...

  3. rsync性能终极优化【Optimize rsync performance】

    前言 将文件从一台计算机同步或备份到另一台计算机的快速简便的方法是使用rsync.我将介绍通常用于备份数据的命令行选项,并显示一些选项以极大地将传输速度从大约20-25 MB / s加快到90 MB ...

  4. B-Tree详解

    之前写过一篇关于索引的文章<SQL夯实基础(五):索引的数据结构>,这次我们主要详细讨论下B-Tree. B-树 B-tree,即B树,而不要读成B减树,它是一种多路搜索树(并不是二叉的) ...

  5. Java生鲜电商平台-积分,优惠券,会员折扣,签到、预售、拼团、砍价、秒杀及抽奖等促销模块架构设计

    Java生鲜电商平台-积分,优惠券,会员折扣,签到.预售.拼团.砍价.秒杀及抽奖等促销模块架构设计 说明:本标题列举了所有目前社会上常见的促销方案,目前贴出实际的业务运营手段以及架构设计,包括业务说明 ...

  6. mssql SQL Server 2008 阻止保存要求重新创建表的更改问题的设置方法

    解决方法: 工具-〉选项-〉左侧有个 设计器-〉表设计器和数据库设计器 -> 阻止保存要求重新创建表的更改(右侧) 把钩去掉即可.

  7. 使用highcharts实现无其他信息纯趋势图实战实例

    使用highcharts实现无其他信息纯趋势图实战实例 Highcharts去掉或者隐藏掉y轴的刻度线yAxis : { gridLineWidth: 0, labels:{ //enabled:fa ...

  8. Django的路由系统:URL

    一. URLconf配置 基本格式 from django.conf.urls import url urlpatterns = [ url(正则表达式, views视图,参数,别名), ] 参数说明 ...

  9. OC-bug: Undefined symbols for architecture i386: "_OBJC_CLASS_$_JPUSHRegisterEntity", referenced from:

    bug的提示: Undefined symbols for architecture i386: "_OBJC_CLASS_$_JPUSHRegisterEntity", refe ...

  10. C++智能指针解析

    前言 在C++程序中,内存分为三种静态内存.栈内存.堆内存.其中静态内存和栈内存由系统进行维护,而堆内存则是由程序员自己进行维护,也就是我们在new和delete对象时,这些对象存放的区域.任何有C+ ...