.NET C#使用微信公众号登录网站

适用于:

本文适用于有一定微信开发基础的用户  

引言:

花了300大洋申请了微信公众平台后,发现不能使用微信公众号登录网站(非微信打开)获得微信帐号。仔细研究后才发现还要再花300大洋申请微信开放平台才能接入网站的登录。于是做为屌丝程序员的我想到了自己做一个登录接口。

工具和环境:

1. VS2013 .net4.0 C# MVC4.0 Razor

2.插件

  A. Microsoft.AspNet.SignalR;时时获取后台数据

  B.Gma.QrCodeNet.Encoding;文本生成二维码

实现的目标

  1. 在电脑上打开网站登录页,提示用户使用微信扫描登录确认。

  2.用户通过微信扫描确认后,电脑自动收到确认信息跳转到网站主页。

原理分析

   1.SignalR是一个神奇的工具,能从浏览器A发送信息到服务器,服务器自动推送消息到指定的浏览器B。那么我的计划是用电脑的浏览器打开登录页,生成一个二维码(内容为带有微信公众平台网页用户受权的网址),用微信的描码功能打开这个网站。将获取的微信用户OPENID通过SignalR发送到电脑浏览器,实现登录功能

实现过程

  1.微信公从平台的注册和权限(略过...)

  2.VS2013中新建MVC网站,我用的环境为.NET4.0 C# MVC4.0  Razor引擎(个人习惯)。

 

3.安装 SignalR

VS2013 点击工具 ==> 库程序包管理器 ==> 程序包管理控制台

输入以下命令:

Install-Package Microsoft.AspNet.SignalR -Version 1.1.4

.net4.0 Mvc4环境下建议安装1.1.4高版本安装不上

 安装 SingnalR成功

 

 设置SignalR

var config = new Microsoft.AspNet.SignalR.HubConfiguration();
config.EnableCrossDomain = true;
RouteTable.Routes.MapHubs(config);

新建一个类 PushHub.cs

 
 
using Microsoft.AspNet.SignalR;
using Microsoft.AspNet.SignalR.Hubs;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;

namespace WD.C.Utility
{
    /// <summary>
    /// 标注Single javascription要连接的名称
    /// </summary>
    [HubName("pushHub")]
    public class PushHub : Hub
    {
        /// <summary>
        /// 临时保存请求的用户
        /// </summary>
        static Dictionary<string, string> rlist = new Dictionary<string, string>();
      
        /// <summary>
        /// 登录请求的用户;打开Login页执行本方法,用于记录浏览器连接的ID
        /// </summary>
        public void ruserConnected()
        {
            if (!rlist.ContainsKey(Context.ConnectionId))
                rlist.Add(Context.ConnectionId, string.Empty);

            //Client方式表示对指定ID的浏览器发送GetUserId方法,浏览器通过javascrip方法GetUserId(string)得到后台发来的Context.ConnectionId
            Clients.Client(Context.ConnectionId).GetUserId(Context.ConnectionId);
        }
        /// <summary>
        /// 实际登录的用户
        /// </summary>
        /// <param name="ruser">请求的用户ID</param>
        /// <param name="logUserID">微信OPENID</param>
        public void logUserConnected(string ruser, string logUserID)
        {
            if (rlist.ContainsKey(ruser))
            {
                rlist.Remove(ruser);

                //Client方式表示对指定ID的浏览器发送GetUserId方法,浏览器通过javascrip方法userLoginSuccessful(bool,string)得到后台发来的登录成功,和微信OPENID
                Clients.Client(ruser).userLoginSuccessful(true, logUserID);
            }
        }

        
    }
}
 
 

新建一个MVC控制器"LoginController.cs",这个不会看别的教程;

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.Mvc;

namespace WD.C.Controllers
{
    public class LoginController : Controller
    {
        //
        // GET: /Login/

        /// <summary>
        /// 登录主页,电脑端打开
        /// </summary>
        /// <returns></returns>
        public ActionResult Index()
        {
            /*参考 https://mp.weixin.qq.com/wiki?t=resource/res_main&id=mp1421140842&token=&lang=zh_CN
             *1.URL用于生成二维码给微信扫描
             *2.格式参考微信公从平台帮助
             * https://open.weixin.qq.com/connect/oauth2/authorize?appid=APPID&redirect_uri=REDIRECT_URI&response_type=code&scope=SCOPE&state=STATE#wechat_redirect 若提示“该链接无法访问”,请检查参数是否填写错误,是否拥有scope参数对应的授权作用域权限。 
             *3.REDIRECT_URI内容为返回地址,需要开发者需要先到公众平台官网中的“开发 - 接口权限 - 网页服务 - 网页帐号 - 网页授权获取用户基本信息”的配置选项中,修改授权回调域名
             *4.REDIRECT_URI应回调到WxLog页并进行URLEncode编码,如: redirect_uri=GetURLEncode("http://你的网站/Login/WxLog?ruser=");  ruser为PushHub中的Context.ConnectionId到View中配置 
             *
             */
            ViewBag.Url = string.Format("https://open.weixin.qq.com/connect/oauth2/authorize?appid={0}&redirect_uri={1}&response_type=code&scope=snsapi_base&state={2}#wechat_redirect", B.Helper.AppID, GetURLEncode("http://你的网站/Login/WxLog?ruser="), Guid.NewGuid());
            return View();
        }

        /// <summary>
        /// 登录确认页,微信端打开
        /// </summary>
        /// <param name="ruser"></param>
        /// <returns></returns>
        public ActionResult WxLog(string ruser)
        {

//使用微信登录
if (!string.IsNullOrEmpty(code))
{
string loguser= B.Helper.GetOpenIDByCode(code);
Session["LogUserID"] =loguser;
ViewBag.LogUserID = loguser;
}

ViewBag.ruser = ruser;
return View();


        }



        

    }
}

控制器 "QRController.cs"用于文本生成二维码

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.Mvc;

namespace WD.C.Controllers
{
    public class QRController : Controller
    {
        //
        // GET: /QR/

        public ActionResult Index()
        {
            return View();
        }
        /// <summary>
        /// 获得2维码图片
        /// </summary>
        /// <param name="str"></param>
        /// <returns></returns>
        public ActionResult GetQRCodeImg(string str)
        {
            using (var ms = new System.IO.MemoryStream())
            {

                string stringtest = str;
                GetQRCode(stringtest, ms);
                Response.ContentType = "image/Png";
                Response.OutputStream.Write(ms.GetBuffer(), 0, (int)ms.Length);
                System.Drawing.Bitmap img = new System.Drawing.Bitmap(100, 100);
                img.Save(ms, System.Drawing.Imaging.ImageFormat.Jpeg);
                Response.End();
                return File(ms.ToArray(), @"image/jpeg");
            }
        }
        private static bool GetQRCode(string strContent, System.IO.MemoryStream ms)
        {

            Gma.QrCodeNet.Encoding.ErrorCorrectionLevel Ecl = Gma.QrCodeNet.Encoding.ErrorCorrectionLevel.M; //误差校正水平 
            string Content = strContent;//待编码内容
            Gma.QrCodeNet.Encoding.Windows.Render.QuietZoneModules QuietZones = Gma.QrCodeNet.Encoding.Windows.Render.QuietZoneModules.Two;  //空白区域 
            int ModuleSize = 12;//大小
            var encoder = new Gma.QrCodeNet.Encoding.QrEncoder(Ecl);
            Gma.QrCodeNet.Encoding.QrCode qr;
            if (encoder.TryEncode(Content, out qr))//对内容进行编码,并保存生成的矩阵
            {
                var render = new Gma.QrCodeNet.Encoding.Windows.Render.GraphicsRenderer(new Gma.QrCodeNet.Encoding.Windows.Render.FixedModuleSize(ModuleSize, QuietZones));
                render.WriteToStream(qr.Matrix, System.Drawing.Imaging.ImageFormat.Png, ms);
            }
            else
            {
                return false;
            }
            return true;
        }
    }
}

视图 开启SignalR

 var chat = $.connection.pushHub;
        $.connection.hub.start().done(function () {
             chat.server.ruserConnected(); 
        });
$.connection.pushHub对应

 chat.server.ruserConnected();对应


表示调用"pushHub"运行后执行 runserConnected方法,在临时表中增加当前浏览器的ConnectionID
chat.client.getUserId = function (ruserid)
{

  //二维码生成的文本
$("#loga").attr("src", "@ViewBag.Url" + ruserid);
}

 

表示台后数据 

收到数据后返回到游览器

chat.client.userLoginSuccessful = function (r, userid) {
            if (r) {
                $.post("/Login/AddSession/", { userid: userid }, function (r2) {
                    if (r2) {
                        location.href = "/Home/";
                    }
                })
            }
        }; 

 

用户通过微信登录后

 

接收微信OpenID  

$.post("/Login/AddSession/", { userid: userid }, function (r2) {
if (r2) {
location.href = "/Home/";
}
})

执行 Post到后台增加登录信息,成功后转到/Home/主页

 /// <summary>
        /// 保存微信确认登录后返回的OPENID,做为网站的Session["LogUserID"]
        /// </summary>
        /// <param name="userid"></param>
        /// <returns></returns>
        public JsonResult AddSession(string userid)
        {
            Session["LogUserID"] = userid;
            return Json(true);
        }

 

Login/WxLog.cshtml 本页在微信上打开

@{
    ViewBag.Title = "WxLog";
}
<script src="~/Scripts/jquery.signalR-1.1.4.min.js"></script>
<script src="~/signalr/hubs"></script>
<script>
    $(function () {
        //连接SignalR pushHab
        var chat = $.connection.pushHub;
        //启动
        $.connection.hub.start().done();

        $("#btnLog").click(function () {
            //登录,发送信息到服务器
            chat.server.logUserConnected("@ViewBag.ruser","@ViewBag.LogUserID");
        });
    });
</script>
<h2>WxLog</h2>

<a href="#" id="btnLog">登录</a>
@{
    ViewBag.Title = "Index";
}
   @Scripts.Render("~/bundles/jquery")
<script src="~/Scripts/jquery.signalR-1.1.4.min.js"></script>
<script src="~/signalr/hubs"></script>

<script type='text/javascript'>
    $(function () {
        var chat = $.connection.pushHub;
        $.connection.hub.start().done(function () {
             chat.server.ruserConnected();
        });
        chat.client.getUserId = function (ruserid)
        {
            $("#loga").attr("src", "@ViewBag.Url" + ruserid);
        }
        chat.client.userLoginSuccessful = function (r, userid) {
            if (r) {
                        location.href = "/Home/";
                })
            }
        };
    });

</script>
<header>
    <a href="~/Home/" class="iconfont backIcon">&#60;</a>
    <h1>用户登录</h1>
</header>
<div style="height:1rem;"></div>
请使用微信登录扫描以下二维码生产图片
<div>
    <img id="loga" src="#" width="90%" />
</div>

 

GetOpenIDByCode(code)方法

参考 https://mp.weixin.qq.com/wiki?t=resource/res_main&id=mp1421140842&token=&lang=zh_CN

对于已关注公众号的用户,如果用户从公众号的会话或者自定义菜单进入本公众号的网页授权页,即使是scope为snsapi_userinfo,也是静默授权,用户无感知。 

具体而言,网页授权流程分为四步:

1、引导用户进入授权页面同意授权,获取code 

2、通过code换取网页授权access_token(与基础支持中的access_token不同) 

3、如果需要,开发者可以刷新网页授权access_token,避免过期 

4、通过网页授权access_token和openid获取用户基本信息(支持UnionID机制) 

 public static string GetOpenIDByCode(string code)
        {
            string url =string.Format( "https://api.weixin.qq.com/sns/oauth2/access_token?appid={0}&secret={1}&code={2}&grant_type=authorization_code",AppID,AppSecret, code);
            using (System.Net.WebClient client = new System.Net.WebClient())
            {
               string tempstr= client.DownloadString( url);
              var regex= new Regex(@"\""openid\"":\""[^\""]+?\"",", RegexOptions.IgnoreCase);
            string tempstr2=  regex.Match(tempstr).Value;
            return tempstr2.Substring(10, tempstr2.Length - 12);
            }
        }

 

转载于:https://www.cnblogs.com/yin2099/p/5732178.html

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值