java 微信公众号推送
时间: 2023-07-31 10:06:47 浏览: 113
微信公众号推送消息,纯java编写,只需要安装jdk后,配置需要发送的好友消息,即可完成消息定时推送
5星 · 资源好评率100%
要实现微信公众号的推送功能,可以使用微信公众平台提供的开发接口来实现。以下是一个简单的Java代码示例,演示如何通过微信公众平台的接口发送模板消息给关注了公众号的用户。
首先,你需要引入相关的依赖包,例如使用Apache HttpClient发送HTTP请求和JSON解析库。
```java
import org.apache.http.HttpEntity;
import org.apache.http.HttpResponse;
import org.apache.http.client.methods.HttpPost;
import org.apache.http.entity.StringEntity;
import org.apache.http.impl.client.CloseableHttpClient;
import org.apache.http.impl.client.HttpClients;
import org.json.JSONObject;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
public class WeChatPushService {
public static void main(String[] args) {
// 微信公众平台的接口地址
String apiUrl = "https://api.weixin.qq.com/cgi-bin/message/template/send?access_token=ACCESS_TOKEN";
// 替换为你自己的access_token和公众号的appid、appsecret
String accessToken = "YOUR_ACCESS_TOKEN";
String appId = "YOUR_APP_ID";
String appSecret = "YOUR_APP_SECRET";
// 推送的模板消息内容
String templateId = "YOUR_TEMPLATE_ID"; // 模板消息ID,需要在微信公众平台设置
String openId = "USER_OPENID"; // 用户的OpenID,可以通过微信网页授权或其他方式获取
String messageContent = "Hello, World!"; // 模板消息内容,根据实际需求进行修改
// 构建JSON对象
JSONObject messageJson = new JSONObject();
messageJson.put("touser", openId);
messageJson.put("template_id", templateId);
messageJson.put("data", new JSONObject()
.put("content", new JSONObject()
.put("value", messageContent)
)
);
// 发送POST请求
try (CloseableHttpClient httpClient = HttpClients.createDefault()) {
HttpPost httpPost = new HttpPost(apiUrl.replace("ACCESS_TOKEN", accessToken));
httpPost.setHeader("Content-Type", "application/json");
httpPost.setEntity(new StringEntity(messageJson.toString(), "UTF-8"));
HttpResponse response = httpClient.execute(httpPost);
HttpEntity entity = response.getEntity();
if (entity != null) {
try (BufferedReader reader = new BufferedReader(new InputStreamReader(entity.getContent()))) {
StringBuilder sb = new StringBuilder();
String line;
while ((line = reader.readLine()) != null) {
sb.append(line);
}
System.out.println(sb.toString());
}
}
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
上述代码中的`YOUR_ACCESS_TOKEN`和`YOUR_APP_ID`以及`YOUR_APP_SECRET`需要替换为你自己的access_token、公众号的AppID和AppSecret。`templateId`是模板消息的ID,需要在微信公众平台进行设置。`openId`是要发送消息的用户的OpenID,你可以通过微信网页授权或其他方式获取到用户的OpenID。`messageContent`是模板消息的内容,可以根据实际需求进行修改。
另外,以上代码仅提供了一个简单的示例,实际开发中还需要考虑异常处理、token的刷新等情况。你可以根据微信公众平台的接口文档进行更详细的开发。
阅读全文