public void SendNotification(INotification notification, SendNotificationCallbackDelegate callback)
        {
            var msg = notification as GcmNotification;

            var result = new GcmMessageTransportResponse();

            result.Message = msg;

            //var postData = msg.GetJson();

            var webReq = (HttpWebRequest)WebRequest.Create(gcmSettings.GcmUrl);

            //webReq.ContentLength = postData.Length;
            webReq.Method      = "POST";
            webReq.ContentType = "application/json";
            //webReq.ContentType = "application/x-www-form-urlencoded;charset=UTF-8   can be used for plaintext bodies
            webReq.UserAgent = "PushSharp (version: " + assemblyVerison.ToString() + ")";
            webReq.Headers.Add("Authorization: key=" + gcmSettings.SenderAuthToken);

            webReq.BeginGetRequestStream(new AsyncCallback(requestStreamCallback), new GcmAsyncParameters()
            {
                Callback        = callback,
                WebRequest      = webReq,
                WebResponse     = null,
                Message         = msg,
                SenderAuthToken = gcmSettings.SenderAuthToken,
                SenderId        = gcmSettings.SenderID,
                ApplicationId   = gcmSettings.ApplicationIdPackageName
            });
        }
        public static GcmNotification ForSingleResult(GcmMessageTransportResponse response, int resultIndex)
        {
            var result = new GcmNotification();

            result.Tag = response.Message.Tag;
            result.RegistrationIds.Add(response.Message.RegistrationIds[resultIndex]);
            result.CollapseKey    = response.Message.CollapseKey;
            result.JsonData       = response.Message.JsonData;
            result.DelayWhileIdle = response.Message.DelayWhileIdle;
            return(result);
        }
Beispiel #3
0
 public GcmMessageTransportException(string message, GcmMessageTransportResponse response)
     : base(message)
 {
     this.Response = response;
 }
Beispiel #4
0
 public GcmServiceUnavailableTransportException(TimeSpan retryAfter, GcmMessageTransportResponse response)
     : base("Service Temporarily Unavailable.  Please wait the retryAfter amount and implement an Exponential Backoff", response)
 {
     this.RetryAfter = retryAfter;
 }
Beispiel #5
0
 public GcmAuthenticationErrorTransportException(GcmMessageTransportResponse response)
     : base("Authentication Failed", response)
 {
 }
Beispiel #6
0
 public GcmBadRequestTransportException(GcmMessageTransportResponse response)
     : base("Bad Request or Malformed JSON", response)
 {
 }
        void processResponseError(GcmAsyncParameters asyncParam)
        {
            try
            {
                var result = new GcmMessageTransportResponse();
                result.ResponseCode = GcmMessageTransportResponseCode.Error;

                if (asyncParam == null || asyncParam.WebResponse == null)
                {
                    throw new GcmMessageTransportException("Unknown Transport Error", result);
                }

                int statusCode = (int)asyncParam.WebResponse.StatusCode;

                if (asyncParam.WebResponse.StatusCode == HttpStatusCode.Unauthorized)
                {
                    //401 bad auth token
                    result.ResponseCode = GcmMessageTransportResponseCode.InvalidAuthToken;
                    throw new GcmAuthenticationErrorTransportException(result);
                }
                else if (asyncParam.WebResponse.StatusCode == HttpStatusCode.BadRequest)
                {
                    result.ResponseCode = GcmMessageTransportResponseCode.BadRequest;
                    throw new GcmBadRequestTransportException(result);
                }
                else if (statusCode >= 500 && statusCode < 600)
                {
                    //First try grabbing the retry-after header and parsing it.
                    TimeSpan retryAfter = new TimeSpan(0, 0, 120);

                    var wrRetryAfter = asyncParam.WebResponse.GetResponseHeader("Retry-After");

                    if (!string.IsNullOrEmpty(wrRetryAfter))
                    {
                        DateTime wrRetryAfterDate = DateTime.UtcNow;

                        if (DateTime.TryParse(wrRetryAfter, out wrRetryAfterDate))
                        {
                            retryAfter = wrRetryAfterDate - DateTime.UtcNow;
                        }
                        else
                        {
                            int wrRetryAfterSeconds = 120;
                            if (int.TryParse(wrRetryAfter, out wrRetryAfterSeconds))
                            {
                                retryAfter = new TimeSpan(0, 0, wrRetryAfterSeconds);
                            }
                        }
                    }

                    //Compatability for apps written with previous versions of PushSharp.
                    if (asyncParam.WebResponse.StatusCode == HttpStatusCode.InternalServerError)
                    {
                        result.ResponseCode = GcmMessageTransportResponseCode.InternalServiceError;
                    }
                    else
                    {
                        //503 exponential backoff, get retry-after header
                        result.ResponseCode = GcmMessageTransportResponseCode.ServiceUnavailable;
                    }

                    throw new GcmServiceUnavailableTransportException(retryAfter, result);
                }

                throw new GcmMessageTransportException("Unknown Transport Error", result);
            }
            finally
            {
                if (asyncParam != null && asyncParam.WebResponse != null)
                {
                    asyncParam.WebResponse.Close();
                }
            }
        }
        void processResponseOk(GcmAsyncParameters asyncParam)
        {
            var result = new GcmMessageTransportResponse()
            {
                ResponseCode = GcmMessageTransportResponseCode.Ok,
                Message      = asyncParam.Message
            };

            //Get the response body
            var json = new JObject();

            var str = string.Empty;

            try { str = (new StreamReader(asyncParam.WebResponse.GetResponseStream())).ReadToEnd(); }
            catch { }

            try { json = JObject.Parse(str); }
            catch { }

            result.NumberOfCanonicalIds = json.Value <long>("canonical_ids");
            result.NumberOfFailures     = json.Value <long>("failure");
            result.NumberOfSuccesses    = json.Value <long>("success");

            var jsonResults = json["results"] as JArray;

            if (jsonResults == null)
            {
                jsonResults = new JArray();
            }

            foreach (var r in jsonResults)
            {
                var msgResult = new GcmMessageResult();

                msgResult.MessageId = r.Value <string>("message_id");
                msgResult.CanonicalRegistrationId = r.Value <string>("registration_id");
                msgResult.ResponseStatus          = GcmMessageTransportResponseStatus.Ok;

                if (!string.IsNullOrEmpty(msgResult.CanonicalRegistrationId))
                {
                    msgResult.ResponseStatus = GcmMessageTransportResponseStatus.CanonicalRegistrationId;
                }
                else if (r["error"] != null)
                {
                    var err = r.Value <string>("error") ?? "";

                    switch (err.ToLowerInvariant().Trim())
                    {
                    case "ok":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.Ok;
                        break;

                    case "missingregistration":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.MissingRegistrationId;
                        break;

                    case "unavailable":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.Unavailable;
                        break;

                    case "notregistered":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.NotRegistered;
                        break;

                    case "invalidregistration":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.InvalidRegistration;
                        break;

                    case "mismatchsenderid":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.MismatchSenderId;
                        break;

                    case "messagetoobig":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.MessageTooBig;
                        break;

                    case "invaliddatakey":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.InvalidDataKey;
                        break;

                    case "invalidttl":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.InvalidTtl;
                        break;

                    case "internalservererror":
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.InternalServerError;
                        break;

                    default:
                        msgResult.ResponseStatus = GcmMessageTransportResponseStatus.Error;
                        break;
                    }
                }

                result.Results.Add(msgResult);
            }

            asyncParam.WebResponse.Close();

            int index = 0;

            var response = result;

            //Loop through every result in the response
            // We will raise events for each individual result so that the consumer of the library
            // can deal with individual registrationid's for the notification
            foreach (var r in response.Results)
            {
                var singleResultNotification = GcmNotification.ForSingleResult(response, index);

                if (r.ResponseStatus == GcmMessageTransportResponseStatus.Ok)
                {
                    //It worked! Raise success
                    asyncParam.Callback(this, new SendNotificationResult(singleResultNotification));
                }
                else if (r.ResponseStatus == GcmMessageTransportResponseStatus.CanonicalRegistrationId)
                {
                    //Swap Registrations Id's
                    var newRegistrationId = r.CanonicalRegistrationId;
                    var oldRegistrationId = string.Empty;

                    if (singleResultNotification.RegistrationIds != null && singleResultNotification.RegistrationIds.Count > 0)
                    {
                        oldRegistrationId = singleResultNotification.RegistrationIds[0];
                    }

                    asyncParam.Callback(this, new SendNotificationResult(singleResultNotification, false, new DeviceSubscriptonExpiredException())
                    {
                        OldSubscriptionId = oldRegistrationId, NewSubscriptionId = newRegistrationId, IsSubscriptionExpired = true
                    });
                }
                else if (r.ResponseStatus == GcmMessageTransportResponseStatus.Unavailable)
                {
                    asyncParam.Callback(this, new SendNotificationResult(singleResultNotification, true, new Exception("Unavailable Response Status")));
                }
                else if (r.ResponseStatus == GcmMessageTransportResponseStatus.NotRegistered)
                {
                    var oldRegistrationId = string.Empty;

                    if (singleResultNotification.RegistrationIds != null && singleResultNotification.RegistrationIds.Count > 0)
                    {
                        oldRegistrationId = singleResultNotification.RegistrationIds[0];
                    }

                    //Raise failure and device expired
                    asyncParam.Callback(this, new SendNotificationResult(singleResultNotification, false, new DeviceSubscriptonExpiredException())
                    {
                        OldSubscriptionId = oldRegistrationId, IsSubscriptionExpired = true, SubscriptionExpiryUtc = DateTime.UtcNow
                    });
                }
                else
                {
                    //Raise failure, for unknown reason
                    asyncParam.Callback(this, new SendNotificationResult(singleResultNotification, false, new GcmMessageTransportException(r.ResponseStatus.ToString(), response)));
                }

                index++;
            }

            Interlocked.Decrement(ref waitCounter);
        }