asp.net web api集成微信服务(使用Senparc微信SDK)

    /// <summary>/// 微信请求转发控制器/// </summary>[RoutePrefix("weixin")]public class WeixinController : ApiController{#region 创建微信菜单/// <summary>/// 创建微信菜单/// </summary>/// <returns></returns>
        [HttpPost][Route("menu")]public string CreateMenu(){#region 菜单结构构建ButtonGroup bg = new ButtonGroup();string websiteUrl = WebConfigurationManager.AppSettings["WebsiteUrl"];bg.button.Add(new SingleViewButton(){//url = MenuHelper.GetMenuUrl("Weixin/Index"),url = string.Format("{0}/{1}", websiteUrl, WebConfigurationManager.AppSettings["mainPage"]),name = "我要借款",});bg.button.Add(new SingleViewButton(){url = string.Format("{0}/{1}", websiteUrl, "FrontendMobile/public/view/main.html#appeal"),name = "投诉建议",});#endregionstring result = string.Empty;try{CommonApi.CreateMenu(WeixinConfig.APPID, bg);result = "菜单生成成功,一般有24小时缓存时间,也可以直接取消关注再关注直接查看效果";}catch (WeixinException e){result = e.Message;}return result;}/// <summary>/// 获取微信菜单/// </summary>/// <returns></returns>
        [HttpGet][Route("menu")]public HttpResponseMessage GetMenu(){try{GetMenuResult result = CommonApi.GetMenu(WeixinConfig.APPID);return Request.CreateResponse(HttpStatusCode.OK, result);}catch (WeixinException e){return Request.CreateErrorResponse(HttpStatusCode.InternalServerError, e.Message);}}/// <summary>/// 删除菜单方法/// </summary>/// <returns></returns>
        [HttpDelete][Route("menu")]public string DeleteMenu(){try{CommonApi.DeleteMenu(WeixinConfig.APPID);return "删除成功,一般有24小时缓存时间,也可以直接取消关注再关注直接查看效果";}catch (WeixinException e){return e.Message;}}#endregion#region 微信服务器消息接收及处理/// <summary>/// 微信后台验证地址(使用Get),微信后台的“接口配置信息”的Url填写如:http://weixin.senparc.com/weixin/// </summary>
        [HttpGet][Route("")]public HttpResponseMessage Get(string signature, string timestamp, string nonce, string echostr){if (CheckSignature.Check(signature, timestamp, nonce, WeixinConfig.TOKEN)){var result = new StringContent(echostr, UTF8Encoding.UTF8, "application/x-www-form-urlencoded");var response = new HttpResponseMessage { Content = result };return response;}return Request.CreateErrorResponse(HttpStatusCode.BadRequest, "failed:" + signature + "," + CheckSignature.GetSignature(timestamp, nonce, WeixinConfig.TOKEN) + "。" +"如果你在浏览器中看到这句话,说明此地址可以被作为微信公众账号后台的Url,请注意保持Token一致。");}/// <summary>/// 用户发送消息后,微信平台自动Post一个请求到这里,并等待响应XML。/// PS:此方法为简化方法,效果与OldPost一致。/// v0.8之后的版本可以结合Senparc.Weixin.MP.MvcExtension扩展包,使用WeixinResult,见MiniPost方法。/// </summary>
        [HttpPost][Route("")]public HttpResponseMessage Post(){var requestQueryPairs = Request.GetQueryNameValuePairs().ToDictionary(k => k.Key, v => v.Value);if (requestQueryPairs.Count == 0|| !requestQueryPairs.ContainsKey("timestamp")|| !requestQueryPairs.ContainsKey("signature")|| !requestQueryPairs.ContainsKey("nonce")|| !CheckSignature.Check(requestQueryPairs["signature"], requestQueryPairs["timestamp"], requestQueryPairs["nonce"], WeixinConfig.TOKEN)){return Request.CreateErrorResponse(HttpStatusCode.Forbidden, "未授权请求");}PostModel postModel = new PostModel{Signature = requestQueryPairs["signature"],Timestamp = requestQueryPairs["timestamp"],Nonce = requestQueryPairs["nonce"]};postModel.Token = WeixinConfig.TOKEN;postModel.EncodingAESKey = WeixinConfig.ENCODINGAESKEY;//根据自己后台的设置保持一致postModel.AppId = WeixinConfig.APPID;//根据自己后台的设置保持一致//v4.2.2之后的版本,可以设置每个人上下文消息储存的最大数量,防止内存占用过多,如果该参数小于等于0,则不限制var maxRecordCount = 10;//自定义MessageHandler,对微信请求的详细判断操作都在这里面。var messageHandler = new CusMessageHandler(Request.Content.ReadAsStreamAsync().Result, postModel, maxRecordCount);try{
#if DEBUG             Log.Logger.Debug(messageHandler.RequestDocument.ToString());if (messageHandler.UsingEcryptMessage){Log.Logger.Debug(messageHandler.EcryptRequestDocument.ToString());}
#endif/* 如果需要添加消息去重功能,只需打开OmitRepeatedMessage功能,SDK会自动处理。* 收到重复消息通常是因为微信服务器没有及时收到响应,会持续发送2-5条不等的相同内容的RequestMessage*/messageHandler.OmitRepeatedMessage = true;//执行微信处理过程
                messageHandler.Execute();#if DEBUGif (messageHandler.ResponseDocument != null){Log.Logger.Debug(messageHandler.ResponseDocument.ToString());}if (messageHandler.UsingEcryptMessage){//记录加密后的响应信息
                    Log.Logger.Debug(messageHandler.FinalResponseDocument.ToString());}
#endifvar resMessage = Request.CreateResponse(HttpStatusCode.OK); resMessage.Content = new StringContent(messageHandler.ResponseDocument.ToString());resMessage.Content.Headers.ContentType = new MediaTypeHeaderValue("application/xml");            return resMessage;}catch (Exception ex){Log.Logger.Error("处理微信请求出错:", ex);return Request.CreateErrorResponse(HttpStatusCode.InternalServerError, "处理微信请求出错");}}#endregion#region JSSDK相关/// <summary>/// 获取JSSDK参数信息/// </summary>/// <param name="url">获取签名所用的URL</param>/// <returns></returns>
        [HttpGet][Route("JSSDK/{*url}")]public HttpResponseMessage GetJSSDK(string url){if (!HttpContext.Current.SideInWeixinBroswer()){return Request.CreateErrorResponse(HttpStatusCode.Forbidden, "请通过微信端登录");}try{//获取时间戳var timestamp = JSSDKHelper.GetTimestamp();//获取随机码var nonceStr = JSSDKHelper.GetNoncestr();string ticket = AccessTokenContainer.TryGetJsApiTicket(WeixinConfig.APPID, WeixinConfig.APPSECRET);//获取签名var signature = JSSDKHelper.GetSignature(ticket, nonceStr, timestamp, HttpUtility.UrlDecode(url));return Request.CreateResponse(HttpStatusCode.OK, new{appId = WeixinConfig.APPID,timestamp = timestamp,nonceStr = nonceStr,signature = signature});}catch (Exception e){Log.Logger.Error("获取JSSDK信息出错:", e);return Request.CreateErrorResponse(HttpStatusCode.InternalServerError, "获取JSSDK信息出错");}}#endregion/// <summary>/// 微信菜单导航/// </summary>/// <param name="code"></param>/// <param name="state"></param>/// <returns></returns>
        [HttpGet][Route("index")]public HttpResponseMessage Index(string code, string state){var response = Request.CreateResponse(HttpStatusCode.Redirect);try{var result = OAuthApi.GetAccessToken(WeixinConfig.APPID, WeixinConfig.APPSECRET, code);                response.Headers.Location = new Uri(string.Format("{0}?openId={1}", WebConfigurationManager.AppSettings["mainPage"], result.openid), UriKind.Relative);}catch (WeixinException e){Log.Logger.Error("OAuth2授权失败:", e);response.Headers.Location = new Uri(WebConfigurationManager.AppSettings["mainPage"], UriKind.Relative);}return response;}}

 

转载于:https://www.cnblogs.com/guokun/p/5843735.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/254510.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

1.SoapUI接口测试--创建项目

1、点击File-->New soapUI Project 2、填写项目名称&#xff0c;接口服务地址后单击【OK】按钮后就成功创建了一个项目 3、模拟发送请求 4、创建请求 或者直接Copy一个请求 5、保存项目 6、项目是以xml的格式保存的&#xff0c;下次用的时候可以直接导入&#xff0c;点击Fil…

Misc混合halcon算子,持续更新

目录convol_imageexpand_domain_graygray_insidegray_skeletonlut_transsymmetrytopographic_sketchdeviation_nconvol_image 功能&#xff1a;用一个任意滤波掩码对一个图像卷积。 expand_domain_gray 功能&#xff1a;扩大图像区域并且在扩大的区域中设置灰度值。 gray_i…

C/C++ 函数指针调用函数

01//C/C 函数指针调用函数 02#include<iostream> 03using namespace std; 04 05void site1() 06{ 07 cout<<"www.ok2002.com"<<endl; 08} 09 10void site2() 11{ 12 cout<<"www.ok1700.com"<<endl; 13} 14 15void…

汉字编码

汉字编码 一、汉字所占的字节数 对于一个字符串sizeof("请放手")&#xff0c;结果值是4。测试操作系统&#xff1a;Centos 6.4&#xff0c;硬件平台&#xff1a;Windows 7 32位 VirtualBox 4.3.12。看来用sizeof()来计算汉字所占用的字节或空间是不准确的。strlen(&…

Noise噪音halcon算子,持续更新

目录add_noise_distributionadd_noise_whitegauss_distributionnoise_distribution_meansp_distributionadd_noise_distribution 功能&#xff1a;向一个图像添加噪声。 add_noise_white 功能&#xff1a;向一个图像添加噪声。 gauss_distribution 功能&#xff1a;产生一…

sublime text3 package control 报错

安装sublime text3之后&#xff0c;安装package control 报错&#xff0c;错误信息&#xff1a;There are no packages available for installation 根据提示&#xff0c;找到错误解决办法&#xff1a;https://packagecontrol.io/doc... 其实意思就是你的电脑代理出了问题&…

HTML图片元素(标记)

<html> <head> <title>第一个网页</title> </head> <body> ***************图片元素******************</br> <img srcmm.jpg /> </body> </html> 新建一个文件夹“text”,在text文件夹内新建index.html并放入一张…

Optical-Flow光流halcon算子,持续更新

目录optical_flow_mgunwarp_image_vector_fieldvector_field_lengthderivate_vector_fieldoptical_flow_mg 功能&#xff1a;计算两个图像之间的光流。 unwarp_image_vector_field 功能&#xff1a;使用一个矢量场来展开一个图像。 vector_field_length 功能&#xff1a;计…

Oracle中procedure和function创建举例

Procedure创建与执行&#xff1a;Case1&#xff1a; create or replace procedure procedure_name(id user.table_name.columne_name%type)is begin delete from user.table_name where columne_nameid;exception when others then dbms_output.put_line(errors);end&#xff1…

Liunx 中tr的用法

1、将/etc/issue文件中的内容转换为大写后保存至/tmp/issue.out文件中cat /etc/issue |tr a-z A-Z > /tmp/issue.out2、将当前系统登录用户的信息转换为大写后保存至/tmp/who.out文件中who | tr a-z A-Z >> who.out3、一个linux用户给root发邮件&#xff0c;要who求邮…

ASP.NET Aries 3.0发布(附带通用API设计及基本教程介绍)

主要更新&#xff1a; 1&#xff1a;升级处理机制&#xff08;js请求由同步变更为异步&#xff09; 2&#xff1a;优化前端JS&#xff1a;包括API和配置方式。 3&#xff1a;增加InputDialog功能。 4&#xff1a;增远远程验证功能。 5&#xff1a;优化权限安全机制。 6&#xf…

多线程并发之原子性(六)

最近在网上找到好多的多线程关于原子性的例子&#xff0c;说的都不是非常的明确&#xff0c;对于刚学习多线程的新手而言很容误导学员&#xff0c;在这里&#xff0c;我通过多个例子对多线程的原子性加以说明。 例子一&#xff1a;传统技术自增 package face.thread.volatilep;…

Points角点halcon算子,持续更新

目录corner_responsedots_imagepoints_foerstnerpoints_harrispoints_harris_binomialpoints_lepetitpoints_sojkacorner_response 功能&#xff1a;在图像中寻找角点。 dots_image 功能&#xff1a;在一个图像中增强圆形点。 points_foerstner 功能&#xff1a;使用Frstn…

预编译头文件来自编译器的早期版本,或者预编译头为 C++ 而在 C 中使用它(或相反)

当 Visual C 项目启用了预编译头 (Precompiled header) 功能时&#xff0c;如果项目中同时混合有 .c 和 .cpp 源文件&#xff0c;则可能收到 C1853 编译器错误&#xff1a;fatal error C1853: pjtname.pch precompiled header file is from a previous version of the compiler…

甲骨文称 Java 序列化的存在是个错误,计划删除

甲骨文计划从 Java 中去除序列化功能&#xff0c;因其在安全方面一直是一个棘手的问题。 Java 序列化也称为 Java 对象序列化&#xff0c;该功能用于将对象编码为字节流...Oracle 的 Java 平台小组的首席架构师 Mark Reinhold 说&#xff1a;“删除序列化是一个长期目标&#x…

CreateProcess

Windows 进程创建完整过程&#xff08;除去细节&#xff09; 当前流程是分析WinXP x86得到的&#xff0c;在最新版本Windows上不一定正确&#xff0c;但是可以做一个参考&#xff0c; 由于我这里符号并不全&#xff0c;所以导致我这里有些东西看到的可能是错误的&#xff0c;误…

系统:Centos 7.2 内核3.10.0-327.el7.x86_64 # 内核需要高于2.6.32

系统&#xff1a;Centos 7.2 内核3.10.0-327.el7.x86_64 # 内核需要高于2.6.32 Drbd : 192.168.8.111&#xff1a;node1/dev/drdb0 /mydeta 192.168.8.112 : node2Mysql_vip: 192.168.8.200 #下章实现 # 需要的软件包&#xff1a;mariadb-5.5.53-linux-i686.tar.gzdrbd84-utils…

Smoothing滤波处理halcon算子,持续更新

目录anisotropic_diffusionbilateral_filterbinomial_filtereliminate_min_maxeliminate_spfill_interlacegauss_filterguided_filterinfo_smoothisotropic_diffusionmean_imagemean_nmean_spmedian_imagemedian_rectmedian_separate_median_weightedmidrange_imagerank_imager…

日志文件在VS中输出为乱码问题

原因&#xff1a;主要是文件文字格式问题&#xff08;使用使用 Unicode 字符集&#xff09;&#xff1a;修改项目/属性/常规/字符集/ 未设置

初学者电脑编程入门

1、首先要对编程有个比较大概的了解&#xff0c;编程的对象&#xff0c;编程的原理&#xff0c;编程的目的等等。2、在了解编程基本知识后&#xff0c;要想想自己学习编程后到底要干什么以确定学习的方向。比如说是想要开发手机app&#xff0c;网站开发&#xff0c;企业系统等。…