我正在使用 Monotouch for mac 并完成了检索配置文件证书的步骤,以便在此过程中启用推送通知。我有一个工作应用程序,现在正在试验 apns-sharp 和 moon-apns 但无法弄清楚如何检索我的设备令牌。我希望有人可以为我提供详细而直接的步骤来实现这一目标。
问问题
4058 次
3 回答
5
在您的FinishedLaunching
方法中,通过UIApplication
您在其中获得的对象为应用程序注册远程通知:
// Pass the UIRemoteNotificationType combinations you want
app.RegisterForRemoteNotificationTypes(UIRemoteNotificationType.Alert |
UIRemoteNotificationType.Sound);
然后,在您的AppDelegate
类中,覆盖该RegisteredForRemoteNotifications
方法:
public override void RegisteredForRemoteNotifications (UIApplication application, NSData deviceToken)
{
// The device token
byte[] token = deviceToken.ToArray();
}
您还必须重写该FailedToRegisterForRemoteNotifications
方法以处理错误(如果有):
public override void FailedToRegisterForRemoteNotifications (UIApplication application, NSError error)
{
// Do something with the error
}
于 2012-03-13T09:58:56.653 回答
2
从 iOS 开始, deviceToken 已更改。以下代码对我有用,可以将 deviceToken as NSData 转换为字符串。
string deviceTokenString;
if (UIDevice.CurrentDevice.CheckSystemVersion(13, 0))
{
deviceTokenString = BitConverter.ToString(deviceToken.ToArray()).Replace("-", string.Empty);
}
else
{
deviceTokenString = Regex.Replace(deviceToken.ToString(), "[^0-9a-zA-Z]+", string.Empty);
}
于 2019-11-26T21:44:14.370 回答
0
对我来说,这只是决议的一半。要使用来自网络服务器的 DeviceToken(在我的例子中是 PHP),DeviceToken 需要是 PHP 代码中用于触发推送通知的十六进制字符串(例如,如下所示:[ Using PHP to send iOS Push Notifications via APNs
但是,NSdata 对象没有提供提供该十六进制字符串的简单方法。
所以我的“RegisteredForRemoteNotifications”成功处理程序现在是:
public override void RegisteredForRemoteNotifications(UIApplication application, NSData deviceToken)
{
// Get current device token
var DeviceToken = Tools.ByteToHex(deviceToken.ToArray());
string DeviceID = UIDevice.CurrentDevice.IdentifierForVendor.AsString();
System.Console.WriteLine("### UserNotification Device Token = " + DeviceToken + ", DeviceID = " + DeviceID);
// Get previous device token
var oldDeviceToken = NSUserDefaults.StandardUserDefaults.StringForKey("PushDeviceToken");
// Has the token changed?
if (string.IsNullOrEmpty(oldDeviceToken) || !oldDeviceToken.Equals(DeviceToken))
{
//### todo: Populate POSTdata set
//### todo: Send POSTdata to URL
// Save new device token
NSUserDefaults.StandardUserDefaults.SetString(DeviceToken, "PushDeviceToken");
}
}
对于字节到十六进制的转换:
public static string ByteToHex(byte[] data)
{
StringBuilder sb = new StringBuilder(data.Length * 2);
foreach (byte b in data)
{
sb.AppendFormat("{0:x2}", b);
}
return sb.ToString();
}
现在您可以使用 PHP 中的 DeviceToken 来创建 PushNotification 提交。
于 2019-10-22T18:15:14.410 回答