How to implement apple token based push notifications (using p8 file) in C#?

前端 未结 6 1789
梦如初夏
梦如初夏 2020-12-14 22:04

For an app with some kind of chat based features I want to add push notification support for receiving new messages. What I want to do is use the new token based authenticat

6条回答
  •  无人及你
    2020-12-14 22:16

    You can't really do this on raw .NET Framework at the moment. The new JWT-based APNS server uses HTTP/2 only, which .NET Framework does not yet support.

    .NET Core's version of System.Net.Http, however, does, provided you meet the following prerequisites:

    • On Windows, you must be running Windows 10 Anniversary Edition (v1607) or higher, or the equivalent build of Windows Server 2016 (I think).
    • On Linux, you must have a version of libcurl that supports HTTP/2.
    • On macOS, you have to compile libcurl with support for HTTP/2, then use the DYLD_INSERT_LIBRARIES environment variable in order to load your custom build of libcurl.

    You should be able to use .NET Core's version of System.Net.Http in the .NET Framework if you really want.

    I have no idea what happens on Mono, Xamarin or UWP.

    There are then three things you have to do:

    1. Parse the private key that you have been given. This is currently an ECDSA key, and you can load this into a System.Security.Cryptography.ECDsa object.
    • On Windows, you can use the CNG APIs. After parsing the base64-encoded DER part of the key file, you can then create a key with new ECDsaCng(CngKey.Import(data, CngKeyBlobFormat.Pkcs8PrivateBlob)).
    • On macOS or Linux there is no supported API and you have to parse the DER structure yourself, or use a third-party library.
    1. Create a JSON Web Token / Bearer Token. If you use the System.IdentityModel.Tokens.Jwt package from NuGet, this is fairly simple. You will need the Key ID and Team ID from Apple.
    public static string CreateToken(ECDsa key, string keyID, string teamID)
    {
        var securityKey = new ECDsaSecurityKey(key) { KeyId = keyID };
        var credentials = new SigningCredentials(securityKey, SecurityAlgorithms.EcdsaSha256);
    
        var descriptor = new SecurityTokenDescriptor
        {
              IssuedAt = DateTime.Now,
              Issuer = teamID,
              SigningCredentials = credentials
        };
    
        var handler = new JwtSecurityTokenHandler();
        var encodedToken = handler.CreateEncodedJwt(descriptor);
        return encodedToken;
    }
    1. Send an HTTP/2 request. This is as normal, but you need to do two extra things:
    2. Set yourRequestMessage.Version to new Version(2, 0) in order to make the request using HTTP/2.
    3. Set yourRequestMessage.Headers.Authorization to new AuthenticationHeaderValue("bearer", token) in order to provide the bearer authentication token / JWT with your request.

    Then just put your JSON into the HTTP request and POST it to the correct URL.

提交回复
热议问题