forked from Redth/PushSharp
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathWindowsPushChannel.cs
266 lines (211 loc) · 9.31 KB
/
WindowsPushChannel.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
using System;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Text;
using System.Threading.Tasks;
using System.Web;
using Newtonsoft.Json.Linq;
using PushSharp.Core;
namespace PushSharp.Windows
{
public class WindowsPushChannel : IPushChannel
{
public string AccessToken { get; private set; }
public string TokenType { get; private set; }
WindowsPushChannelSettings channelSettings;
public WindowsPushChannel(WindowsPushChannelSettings channelSettings)
{
this.channelSettings = channelSettings;
}
void RenewAccessToken()
{
var postData = new StringBuilder();
postData.AppendFormat("{0}={1}&", "grant_type", "client_credentials");
postData.AppendFormat("{0}={1}&", "client_id", HttpUtility.UrlEncode(this.channelSettings.PackageSecurityIdentifier));
postData.AppendFormat("{0}={1}&", "client_secret", HttpUtility.UrlEncode(this.channelSettings.ClientSecret));
postData.AppendFormat("{0}={1}", "scope", "notify.windows.com");
var wc = new WebClient();
wc.Headers.Add("Content-Type", "application/x-www-form-urlencoded");
var response = string.Empty;
response = wc.UploadString("https://login.live.com/accesstoken.srf", "POST", postData.ToString());
var json = new JObject();
try { json = JObject.Parse(response); }
catch { }
var accessToken = json.Value<string>("access_token");
var tokenType = json.Value<string>("token_type");
if (!string.IsNullOrEmpty(accessToken) && !string.IsNullOrEmpty(tokenType))
{
this.AccessToken = accessToken;
this.TokenType = tokenType;
}
else
{
throw new UnauthorizedAccessException("Could not retrieve access token for the supplied Package Security Identifier (SID) and client secret");
}
}
public void SendNotification(INotification notification, SendNotificationCallbackDelegate callback)
{
//See if we need an access token
if (string.IsNullOrEmpty(AccessToken))
RenewAccessToken();
var winNotification = notification as WindowsNotification;
//https://cloud.notify.windows.com/?token=.....
//Authorization: Bearer {AccessToken}
//
var wnsType = string.Empty;
switch (winNotification.Type)
{
case WindowsNotificationType.Tile:
wnsType = "wns/tile";
break;
case WindowsNotificationType.Badge:
wnsType = "wns/badge";
break;
case WindowsNotificationType.Toast:
wnsType = "wns/toast";
break;
default:
wnsType = "wns/raw";
break;
}
var request = (HttpWebRequest)HttpWebRequest.Create(winNotification.ChannelUri); // "https://notify.windows.com");
request.Method = "POST";
request.Headers.Add("X-WNS-Type", wnsType);
request.Headers.Add("Authorization", string.Format("Bearer {0}", this.AccessToken));
request.ContentType = "text/xml";
if (winNotification.Type == WindowsNotificationType.Raw)
request.ContentType = "application/octet-stream";
if (winNotification.Type == WindowsNotificationType.Tile)
{
var winTileNot = winNotification as WindowsTileNotification;
if (winTileNot != null && winTileNot.CachePolicy.HasValue)
request.Headers.Add("X-WNS-Cache-Policy", winTileNot.CachePolicy == WindowsNotificationCachePolicyType.Cache ? "cache" : "no-cache");
}
else if (winNotification.Type == WindowsNotificationType.Badge)
{
if (winNotification is WindowsBadgeNumericNotification)
{
var winTileBadge = winNotification as WindowsBadgeNumericNotification;
if (winTileBadge != null && winTileBadge.CachePolicy.HasValue)
request.Headers.Add("X-WNS-Cache-Policy", winTileBadge.CachePolicy == WindowsNotificationCachePolicyType.Cache ? "cache" : "no-cache");
}
else if (winNotification is WindowsBadgeGlyphNotification)
{
var winTileBadge = winNotification as WindowsBadgeGlyphNotification;
if (winTileBadge != null && winTileBadge.CachePolicy.HasValue)
request.Headers.Add("X-WNS-Cache-Policy", winTileBadge.CachePolicy == WindowsNotificationCachePolicyType.Cache ? "cache" : "no-cache");
}
}
if (winNotification.RequestForStatus.HasValue)
request.Headers.Add("X-WNS-RequestForStatus", winNotification.RequestForStatus.Value.ToString().ToLower());
if (winNotification.Type == WindowsNotificationType.Tile)
{
var winTileNot = winNotification as WindowsTileNotification;
if (winTileNot != null && !string.IsNullOrEmpty(winTileNot.NotificationTag))
request.Headers.Add("X-WNS-Tag", winTileNot.NotificationTag); // TILE only
}
if (winNotification.TimeToLive.HasValue)
request.Headers.Add("X-WNS-TTL", winNotification.TimeToLive.Value.ToString()); //Time to live in seconds
//Microsoft recommends we disable expect-100 to improve latency
request.ServicePoint.Expect100Continue = false;
var payload = winNotification.PayloadToString();
var data = Encoding.UTF8.GetBytes(payload);
request.ContentLength = data.Length;
using (var rs = request.GetRequestStream())
rs.Write(data, 0, data.Length);
try
{
request.BeginGetResponse(new AsyncCallback(getResponseCallback), new object[] { request, winNotification, callback });
}
catch (WebException wex)
{
//Handle different httpstatuses
var status = ParseStatus(wex.Response as HttpWebResponse, winNotification);
HandleStatus(status, callback);
}
}
void getResponseCallback(IAsyncResult asyncResult)
{
//Good list of statuses:
//http://msdn.microsoft.com/en-us/library/ff941100(v=vs.92).aspx
var objs = (object[])asyncResult.AsyncState;
var wr = (HttpWebRequest)objs[0];
var winNotification = (WindowsNotification)objs[1];
var callback = (SendNotificationCallbackDelegate) objs[2];
var resp = wr.EndGetResponse(asyncResult) as HttpWebResponse;
var status = ParseStatus(resp, winNotification);
HandleStatus(status, callback);
}
WindowsNotificationStatus ParseStatus(HttpWebResponse resp, WindowsNotification notification)
{
var result = new WindowsNotificationStatus();
result.Notification = notification;
result.HttpStatus = resp.StatusCode;
var wnsDebugTrace = resp.Headers["X-WNS-Debug-Trace"];
var wnsDeviceConnectionStatus = resp.Headers["X-WNS-DeviceConnectionStatus"] ?? "connected";
var wnsErrorDescription = resp.Headers["X-WNS-Error-Description"];
var wnsMsgId = resp.Headers["X-WNS-Msg-ID"];
var wnsNotificationStatus = resp.Headers["X-WNS-NotificationStatus"] ?? "";
result.DebugTrace = wnsDebugTrace;
result.ErrorDescription = wnsErrorDescription;
result.MessageID = wnsMsgId;
if (wnsNotificationStatus.Equals("received", StringComparison.InvariantCultureIgnoreCase))
result.NotificationStatus = WindowsNotificationSendStatus.Received;
else if (wnsNotificationStatus.Equals("dropped", StringComparison.InvariantCultureIgnoreCase))
result.NotificationStatus = WindowsNotificationSendStatus.Dropped;
else
result.NotificationStatus = WindowsNotificationSendStatus.ChannelThrottled;
if (wnsDeviceConnectionStatus.Equals("connected", StringComparison.InvariantCultureIgnoreCase))
result.DeviceConnectionStatus = WindowsDeviceConnectionStatus.Connected;
else if (wnsDeviceConnectionStatus.Equals("tempdisconnected", StringComparison.InvariantCultureIgnoreCase))
result.DeviceConnectionStatus = WindowsDeviceConnectionStatus.TempDisconnected;
else
result.DeviceConnectionStatus = WindowsDeviceConnectionStatus.Disconnected;
return result;
}
void HandleStatus(WindowsNotificationStatus status, SendNotificationCallbackDelegate callback)
{
if (callback == null)
return;
//RESPONSE HEADERS
// X-WNS-Debug-Trace string
// X-WNS-DeviceConnectionStatus connected | disconnected | tempdisconnected (if RequestForStatus was set to true)
// X-WNS-Error-Description string
// X-WNS-Msg-ID string (max 16 char)
// X-WNS-NotificationStatus received | dropped | channelthrottled
//
// 200 OK
// 400 One or more headers were specified incorrectly or conflict with another header.
// 401 The cloud service did not present a valid authentication ticket. The OAuth ticket may be invalid.
// 403 The cloud service is not authorized to send a notification to this URI even though they are authenticated.
// 404 The channel URI is not valid or is not recognized by WNS. - Raise Expiry
// 405 Invalid Method - never will get
// 406 The cloud service exceeded its throttle limit.
// 410 The channel expired. - Raise Expiry
// 413 The notification payload exceeds the 5000 byte size limit.
// 500 An internal failure caused notification delivery to fail.
// 503 The server is currently unavailable.
if (status.HttpStatus == HttpStatusCode.OK
&& status.NotificationStatus == WindowsNotificationSendStatus.Received)
{
callback(this, new SendNotificationResult(status.Notification));
return;
}
if (status.HttpStatus == HttpStatusCode.NotFound || status.HttpStatus == HttpStatusCode.Gone) //404 or 410
{
callback(this, new SendNotificationResult(status.Notification, false, new Exception("Device Subscription Expired"))
{
IsSubscriptionExpired = true,
OldSubscriptionId = status.Notification.ChannelUri,
SubscriptionExpiryUtc = DateTime.UtcNow
});
return;
}
callback(this, new SendNotificationResult(status.Notification, false, new WindowsNotificationSendFailureException(status)));
}
public void Dispose()
{
}
}
}