search
HomeWeChat AppletWeChat DevelopmentDetailed explanation of the WeChat public platform SDK process

Service account description: Provide enterprises and organizations with more powerful business services and user management capabilities, and help enterprises quickly implement a new public account service platform.

.NETSDK: Loogn.WeiXinSDK (net2.0 source code, the following code is only approximate, not very accurate, please download the source code yourself)

Since I still use NOKIA-C5, I have never used it. WeChat, I definitely don’t know as much about WeChat as you do, but the company has needs, so I have to bite the bullet and read the interface documentation directly.

After reading it, I found that it is quite interesting. A very useful function is that when a user sends a message to a public account, the program can automatically reply to the user based on the content sent by the user, such as sending a message to the public account of a logistics company. A waybill number,

The other party will automatically reply to you with the logistics details of this waybill number, which feels very cool! For the convenience of explanation, the applied public account information is first given:

The following figure shows the detailed message process of viewing the logistics above (the numbers in the dotted lines indicate the order of the process):

WeChat will send two major types of messages to your URL:

The first is the user’s general message, such as the waybill number sent by the user above;

The second is the user's behavior (that is, the events mentioned in the document), such as the user following your public account, scanning the QR code of the public account, clicking on your customized menu, etc.

Your URL can respond based on the message type and content received to achieve powerful business services, such as the logistics details returned above. All messages are delivered in XML format, and what the SDK does is convert XML into .NET objects to facilitate you writing business logic. The framework class diagram of the message is represented as (click to view the full diagram including subclasses):

First there is a message base class, then the received message (RecEventBaseMsg) and Reply message (ReplyBaseMsg), as mentioned above, received messages are divided into two categories, namely general messages (RecBaseMsg) and event messages (EventBaseMsg). The received message type can be represented by an enumeration:

Not to mention other types, when MsgType is Event, the message is a subclass of EventBaseMsg. The MsgType of all subclasses of EventBaseMsg is Event, so the EventBaseMsg type also has an EventType. To distinguish different events, if you have read the interface document, you should know that its event type is not very friendly for us to determine which event it is. The scanning QR code event is divided into two situations: the user has paid attention and the user has not paid attention. When paying attention, the EventType is scan, when not paying attention, the EventType is subscribe, and the EventType of the event that the user pays attention to is also subscribe, so another MyEventType is added to the SDK:

Now the message process It’s basically clear. The reply message when calling the SDK is as follows:

using System.Web;using Loogn.WeiXinSDK;using Loogn.WeiXinSDK.Message;namespace WebTest
{    /// <summary>
    /// 微信->服务器配置URL    /// </summary>
    public class WeiXinAPI : IHttpHandler
    {        static string Token = "Token";//这里是Token不是Access_Token
        public void ProcessRequest(HttpContext context)
        {
            context.Response.ContentType = "text/plain";            var signature = context.Request["signature"];            var timestamp = context.Request["timestamp"];            var nonce = context.Request["nonce"];            if (WeiXin.CheckSignature(signature, timestamp, nonce, Token))//验证是微信给你发的消息            {                //根据注册的消息、事件处理程序回复,                //如果得到没用注册的消息或事件,会返回ReplyEmptyMsg.Instance,即GetXML()为string.Empty,符合微信的要求
                var replyMsg = WeiXin.ReplyMsg();                var xml = replyMsg.GetXML();                //WriteLog(xml); //这里可以查看回复的XML消息                context.Response.Write(xml);
            }            else
            {
                context.Response.Write("fuck you!");
            }
        }        static WeiXinAPI()
        {
            WeiXin.ConfigGlobalCredential("appid", "appSecret");            //注册一个消息处理程序,当用户发"ABC",你回复“你说:ABC”;
            WeiXin.RegisterMsgHandler<rectextmsg>((msg) =>
            {                return new ReplyTextMsg
                {
                    Content = "你说:" + msg.Content                    //FromUserName = msg.ToUserName,  默认就是这样,不用设置!                    //ToUserName = msg.FromUserName,  默认就是这样,不用设置!                    //CreateTime = DateTime.Now.Ticks     默认就是这样,不用设置!                };
            });            //注册一个用户关注的事件处理程序,当用户关注你的公众账号时,你回复“Hello!”
            WeiXin.RegisterEventHandler<eventattendmsg>((msg) =>
            {                return new ReplyTextMsg
                {
                    Content = "Hello !"
                };
            });            //还可以继续注册你感兴趣的消息、事件处理程序        }        public bool IsReusable
        {            get
            {                return false;
            }
        }
    }
}</eventattendmsg></rectextmsg>

The SDK contains the encapsulation of all interfaces except (OAuth2.0 web authorization). The class names and method names are very obvious, so I will not demonstrate them one by one here. Interested friends can download the dll and test it by themselves. This is a paid and certified interface diagram:

Let’s talk about a few details of the implementation:

1. Credential (access_token) expiration

"Access_token is the globally unique ticket of the public account. The public account needs to use access_token when calling each interface. Under normal circumstances, access_token is valid for 7200 seconds , repeated acquisition will cause the last access_token to be invalid. The public account can use AppID and AppSecret to call this interface to obtain access_token. AppID and AppSecret can be obtained in development mode (you need to be a developer, and the account has no abnormal status).

According to what the document says, we can think of using cache (it’s impossible to use it every time!). The cache code is very simple, mainly in this situation. Use cache, the following is Incomplete code:

 
       access_token { ;  
         
          expires_in { ;  Dictionary creds =  Dictionary  TokenUrl =   Credential GetCredential( appId, =  (creds.TryGetValue(appId,  (cred.add_time.AddSeconds(cred.expires_in - ) 

2. Error code information

It is mentioned above that the code to obtain the credentials is incomplete because there is no processing possibility Returned error code, WeChat error code is returned in json format, such as:

{"errcode":40013,"errmsg":"invalid appid"}

Most of the interfaces actively called by us may return error codes. The error code format is completely different from the normally returned data format. In the SDK, I handle it like this. First define the model class of the error code. I call it ReturnCode because the error code also contains an {"errcode":0,"errmsg":"ok"} request success. Situation:

       errcode { ;   errmsg { ;     + errcode +  + errmsg +

When defining a return message class with an error code, we can include an attribute of the ReturnCode type, such as creating a QR code interface:

    public class QRCodeTicket
    {        public string ticket { get; set; }        public int expire_seconds { get; set; }        public ReturnCode error { get; set; }
    }

From the returned json to QRCodeTicket The code of the object is probably like this (others are similar):

            var json = Util.HttpPost2(url, data);            if (json.IndexOf("ticket") > 0)
            {                return Util.JsonTo<qrcodeticket>(json);
            }            else
            {
                QRCodeTicket tk = new QRCodeTicket();
                tk.error = Util.JsonTo<returncode>(json);                return tk;
            }</returncode></qrcodeticket>

So after calling the interface with the SDK, the obtained object can be easily judged:

            var qrcode = WeiXin.CreateQRCode(true, 23);            if (qrcode.error == null)
            {                //返回错误,可以用qrcode.error查看错误消息            }            else
            { 
                //返回正确,可以操作qrcode.ticket
            }

三、反序列化

微信接口返回的json有时候对我们映射到对象并不太直接(json格式太灵活了!),比如创建分组成功后返回的json:

{    "group": {        "id": 107, 
        "name": "test"
    }
}

如果想直接用json通过反序列化得到对象,那么这个对象的类的定义有可能会是这样:

    public class GroupInfo
    {        public Group group { get; set; }        public class Group
        {            public int id { get; set; }            public string name { get; set; }
        }
    }

访问的时候也会是gp.group.name,所以我说不太直接,我们想要的类的定义肯定是只有上面那个子类的样子:

    public class GroupInfo
    {            public int id { get; set; }            public string name { get; set; }
    }

如果微信接口返回的是这样:

    {        "id": 107, 
        "name": "test"
    }

就再好不过了,但人家的代码,我们修改不了,我们只有自己想办法.

1,要简单类,2不手动分析json(如正则),3,不想多定义一个类,你有想到很好的方法吗?如果有可以回复给我,而我选择用字典来做中间转换。

因为基本所有的json格式都可以反序列化为字典(嵌套字典,嵌套字典集合等),比如上面微信返回的json就可以用以下的类型来表示:

Dictionary<string>></string>

json--->dict--->GroupInfo

var dict = Util.JsonTo<dictionary>>>(json);var gi = new GroupInfo();var gpdict = dict["group"];
gi.id = Convert.ToInt32(gpdict["id"]);
gi.name = gpdict["name"].ToString();</dictionary>

四、消息处理的优化

"万物简单为美",我就是一个非常非常喜欢简单的程序员。还记得最开始的那个消息(事件属于消息,这里统称为消息)处理吧,我感觉是很简单的,需要处理哪个消息就注册哪个消息的处理程序。但一开始的时候不是这样的,开始的时候要手动判断消息类型,就像:

using System.Web;using Loogn.WeiXinSDK;using Loogn.WeiXinSDK.Message;namespace WebTest
{    /// <summary>
    /// 微信->服务器配置URL    /// </summary>
    public class WeiXinAPI : IHttpHandler
    {        static string Token = "Token";//这里是Token不是Access_Token
        public void ProcessRequest(HttpContext context)
        {
            context.Response.ContentType = "text/plain";            var signature = context.Request["signature"];            var timestamp = context.Request["timestamp"];            var nonce = context.Request["nonce"];            if (WeiXin.CheckSignature(signature, timestamp, nonce, Token))//验证是微信给你发的消息            {                var replyMsg = WeiXin.ReplyMsg((recEvtMsg) =>
                {                    switch (recEvtMsg.MsgType)
                    {                        case MsgType.text:
                            {                                var msg = recEvtMsg as RecTextMsg; //这里要转型,麻烦
                                return new ReplyTextMsg
                                {
                                    Content = "你说:" + msg.Content
                                };
                            }                        case MsgType.Event:
                            {                                var evtMsg = recEvtMsg as EventBaseMsg;//这里要转型到事件消息的基本,麻烦
                                switch (evtMsg.MyEventType)
                                {                                    case MyEventType.Attend:                                        var msg = evtMsg as EventAttendMsg;//这个例子不需要这行代码,但其他要用消息内容还是要转型,麻烦
                                        return new ReplyTextMsg
                                        {
                                            Content = "Hello !"
                                        };                                        
                                    default:                                        break;
                                }                                break;
                            }                        default:                            break;
                    }                    return ReplyEmptyMsg.Instance;                    //嵌套switch,而且每个case都有好几个,这也不优雅                });                var xml = replyMsg.GetXML();                //WriteLog(xml); //这里可以查看回复的XML消息                context.Response.Write(xml);
            }            else
            {
                context.Response.Write("fuck you!");
            }
        }        public bool IsReusable
        {            get
            {                return false;
            }
        }
    }
}

做优化的时候,先是试着看能不能在MsgType和MyEventType上做文章,比如注册时传入MsgType和处理程序(lamba)两个参数:

public static void RegisterMsgHandler(MsgType type, Func<receventbasemsg> handler)
{    //add handler}</receventbasemsg>

 这样的确是可以行的通的,但是在调用SDK注册的时候还是要手动转换类型:

 WeiXin.RegisterMsgHandler(MsgType.text, (recEvtMsg) => msg = recEvtMsg   ReplyTextMsg { Content =  +

 那么能不能每个子类型写一个呢?

    public static void RegisterMsgHandler(MsgType type, Func<rectextmsg> handler)
    {        //add handler    }    public static void RegisterMsgHandler(MsgType type, Func<recimagemsg> handler)
    {        //add handler    }    //.............</recimagemsg></rectextmsg>

 定义是可以的,来看看调用:

//可以RegisterMsgHandler(MsgType.text, new Func<rectextmsg>((msg) =>{    return new ReplyTextMsg { Content = "你说:" + msg.Content };
}));//可以RegisterMsgHandler(MsgType.text, new Func<recimagemsg>((msg) =>{    return new ReplyTextMsg { Content = "你发的图片:" + msg.PicUrl };
}));//可以,注意这里msg的智能提示是RecTextMsg类型RegisterMsgHandler(MsgType.text, (msg) =>{    return new ReplyTextMsg { Content = "你说:" +msg.Content};
});//可以,注意这里msg的智能提示还是RecTextMsg类型,但用了类型推断,运行时可以确定是RecImageMsg,所以可以RegisterMsgHandler(MsgType.text, (msg) =>{    return new ReplyTextMsg { Content = "你发的图片:" + msg.PicUrl };
});//不可以,注意这里msg的智能提示还是RecTextMsg类型,但lamba body里没有用msg的特定子类的属性,类型推断不了,所以调用不明RegisterMsgHandler(MsgType.text, (msg) =>{    return new ReplyTextMsg { Content = "你发了个消息" };
});</recimagemsg></rectextmsg>

 从上面调用可知,想用这种方法调用,就不能随意的用lamba表达式,我所不欲也!最后,终于用泛型搞定了

public static void RegisterMsgHandler<tmsg>(Func<tmsg> handler) where TMsg : RecBaseMsg
        {            var type = typeof(TMsg);            var key = string.Empty;            if (type == typeof(RecTextMsg))
            {
                key = MsgType.text.ToString();
            }            else if (type == typeof(RecImageMsg))
            {
                key = MsgType.image.ToString();
            }            else if (type == typeof(RecLinkMsg))
            {
                key = MsgType.link.ToString();
            }            else if (type == typeof(RecLocationMsg))
            {
                key = MsgType.location.ToString();
            }            else if (type == typeof(RecVideoMsg))
            {
                key = MsgType.video.ToString();
            }            else if (type == typeof(RecVoiceMsg))
            {
                key = MsgType.voice.ToString();
            }            else
            {                return;
            }
            m_msgHandlers[key] = (Func<receventbasemsg>)handler;
        }</receventbasemsg></tmsg></tmsg>

经过这样的变换,我们才可以像开始那样用简洁的lamba表达式注册。

The above is the detailed content of Detailed explanation of the WeChat public platform SDK process. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
微软正在为 Windows 11 开发新的模糊效果微软正在为 Windows 11 开发新的模糊效果May 13, 2023 am 09:04 AM

用于build22523的新Windows11SDK透露,微软正在为Windows11开发新的模糊效果。该效果称为Tabbed,并且是对Acrylic和Mica的补充。22523SDK中的新DWMWA_SYSTEMBACKDROP_TYPE、云母、亚克力的公共Win32API及其奇怪的新“选项卡”混合:pic.twitter.com/dbsu7ZFiIi-一切都回来了(@StartIsBack)2021年12月15日可以在以下SDK的示例应用程序

sdk是什么sdk是什么Jan 06, 2023 pm 03:26 PM

sdk全称“Software Development Kit”,中文意思为“软件开发工具包”,是由硬件平台、操作系统(OS)或编程语言的制造商提供的一套工具。SDK可协助软件开发人员面向特定的平台、系统或编程语言创建应用。一个基本的SDK通常由编译器、调试器和应用编程接口(API)组成,但也可能包含其他内容,比如:文档、库、运行时/开发环境、测试/分析工具、网络协议等。

Windows App SDK 1.2 现已上线,这是新功能Windows App SDK 1.2 现已上线,这是新功能May 12, 2023 pm 06:07 PM

WindowsAppSDK是一组工具和API,开发人员可以在其Windows应用程序中使用这些工具和API,以便在使用Windows10(版本1809及更高版本)和Windows11的各种设备上提供“一致”的功能。了解它确实很重要它不会取代现有的应用程序类型,例如.NET或WindowsSDK,它只是提供一个统一的API工具集,可以用来补充您现有的应用程序。今天,微软发布了具有许多新功能的WindowsAppSDK1.2版本。此版本的亮点可能是第三方开发人

微信小程序PHP SDK的安装及使用微信小程序PHP SDK的安装及使用Mar 27, 2024 am 09:33 AM

微信小程序PHPSDK的安装及使用随着移动互联网的快速发展,微信小程序成为了越来越多企业开展业务、推广产品的新方式。微信小程序PHPSDK则为开发者提供了方便快捷的开发工具,可以大大提高开发效率。本文将介绍微信小程序PHPSDK的安装及使用。一、安装SDK1.在GitHub上下载项目文件微信小程序PHPSDK是一个开源项目,开发者可以在GitHub上

PHP微信开发:如何实现消息加密解密PHP微信开发:如何实现消息加密解密May 13, 2023 am 11:40 AM

PHP是一种开源的脚本语言,广泛应用于Web开发和服务器端编程,尤其在微信开发中得到了广泛的应用。如今,越来越多的企业和开发者开始使用PHP进行微信开发,因为它成为了一款真正的易学易用的开发语言。在微信开发中,消息的加密和解密是一个非常重要的问题,因为它们涉及到数据的安全性。对于没有加密和解密方式的消息,黑客可以轻松获取到其中的数据,对用户造成威胁

掌握Java海康SDK二次开发的必备技巧掌握Java海康SDK二次开发的必备技巧Sep 06, 2023 am 08:10 AM

掌握Java海康SDK二次开发的必备技巧引言:随着信息技术的迅猛发展,视频监控系统在各个领域得到了广泛的应用。而作为国内领先的视频监控解决方案提供商,海康威视的产品和技术一直在市场中占据着重要的地位。为了满足不同项目的需求,海康威视提供了SDK供开发者进行二次开发。本文将介绍一些掌握Java海康SDK二次开发的必备技巧,并附上相应的代码示例。一、了解海康威视

linux中的sdk是什么文件夹linux中的sdk是什么文件夹Jul 11, 2023 pm 01:38 PM

linux中的sdk是一个包含了编译器、调试器、库文件、头文件等工具和资源的文件夹。sdk是“software development kit”的缩写,是软件开发工具包的意思,是为开发人员提供的一个集成环境,用于开发和构建应用程序,特别是那些运行在Linux操作系统上的应用程序。

PHP实现开源Kafka SDKPHP实现开源Kafka SDKJun 18, 2023 am 09:18 AM

随着互联网的快速发展,大量的数据需要被传输和处理,因此消息系统作为数据传输和处理的经典应用之一成为了互联网架构中不可或缺的一部分。Kafka作为高性能、分布式、可伸缩、支持实时数据处理的消息系统被广泛地应用于企业数据架构中。在使用Kafka时,一个重要的问题是如何调用Kafka的API。开发团队为此提供了多种语言的开源客户端,而PHP实现的开源KafkaS

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Hot Tools

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

PhpStorm Mac version

PhpStorm Mac version

The latest (2018.2.1) professional PHP integrated development tool

DVWA

DVWA

Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

EditPlus Chinese cracked version

EditPlus Chinese cracked version

Small size, syntax highlighting, does not support code prompt function