我即将用PHP重写我的推送服务以使用新的APNs Provider API。 我的问题是,如果在向多个设备发送一个通知时有任何最佳做法......
我已经找到了使用PHP发送推送通知的解决方案:
$ch = curl_init("https://api.development.push.apple.com/3/device/$device_token");
curl_setopt($ch, CURLOPT_POSTFIELDS, '{"aps":{"alert":"Here I am","sound":"default"}}');
curl_setopt($ch, CURLOPT_HTTP_VERSION, CURL_HTTP_VERSION_2_0);
curl_setopt($ch, CURLOPT_HTTPHEADER, array("apns-topic: $apns_topic"));
curl_setopt($ch, CURLOPT_SSLCERT, $pem_file);
curl_setopt($ch, CURLOPT_SSLCERTPASSWD, $pem_secret);
$response = curl_exec($ch);
$httpcode = curl_getinfo($ch, CURLINFO_HTTP_CODE);
但是使用此代码我可以将消息发送到一个设备,因为我必须将设备令牌放在URL中。但我想将消息发送到未知数量的设备。不幸的是,我找不到用于向多个设备发送消息的端点。
Apple文档(https://developer.apple.com/library/ios/documentation/NetworkingInternet/Conceptual/RemoteNotificationsPG/Chapters/APNsProviderAPI.html)说明了这一点:
通过多个通知保持与APN的连接;不要反复打开和关闭连接。 APN将快速连接和断开视为拒绝服务攻击。
所以我认为将CURL request
放入for-loop
并循环遍历所有设备令牌是不好的做法。
有人对如何解决这个案子提出任何建议吗?
提前致谢。
答案 0 :(得分:1)
不确定卷曲,但一般来说,Apns提供商必须保持与Apns Cloud的持久连接。无法使用单个消息向多个设备广播。 Apns提供者应该利用http / 2(每个连接多个流),并且还可以跨多个连接发送消息,但不能在循环中进行连接和断开,这将被视为DoS攻击。
避免连接循环,你应该在循环中发布消息,连接/断开连接部分不能是循环的一部分。
我希望它有所帮助。
此致 _Ayush
答案 1 :(得分:1)
libcurl会尽可能自动尝试保持连接打开。要遵循的模式是:
1)创建卷曲手柄:$ch = curl_init();
2)在句柄上设置适当的选项:
curl_setopt($ch, CURLOPT_POSTFIELDS, '{"aps":{"alert":"Here I am","sound":"default"}}');
curl_setopt($ch, CURLOPT_HTTP_VERSION, CURL_HTTP_VERSION_2_0);
curl_setopt($ch, CURLOPT_HTTPHEADER, array("apns-topic: $apns_topic"));
curl_setopt($ch, CURLOPT_SSLCERT, $pem_file);
curl_setopt($ch, CURLOPT_SSLCERTPASSWD, $pem_secret);
3)开始for循环,为每个收件人设置url并执行请求:
for ($tokens as $token) { //Iterate push tokens
$url = "https://api.development.push.apple.com/3/device/{$token}";
curl_setopt($ch, CURLOPT_URL, $url);
$result = curl_exec($ch);
// Check result, handle errors etc...
}
curl_close($ch); // Close connection outside the loop
按照上述方法,应保持连接打开并符合Apple的要求。