How can I instantiate OWIN IDataProtectionProvider in Azure Web Jobs?

后端 未结 1 2002
北恋
北恋 2021-02-01 22:54

I need an instance of IDataProtectionProvider to generate email confirmation tokens using the Identity Framework UserManager in an Azure Web Jobs worke

相关标签:
1条回答
  • 2021-02-01 23:36

    Taking a look at the Katana source code for the OWIN startup context you can see the default implementation of the DataProtectionProvider is a MachineKeyDataProtectionProvider. Unfortunately this class is not exposed to us, only the DpapiDataProtectionProvider which will not work when hosted in azure.

    You can find the implementation of the MachineKeyDataProtectionProvider here. You will need to also implement your own MachineKeyDataProtector as seen here. These are not difficult implmentations and are essentially wrappers around MachineKey.Protect() and MachineKey.Unprotect().

    The implementation for MachineKeyDataProtectionProvider and MachineKeyDataProtector from the Katana project source (apache 2.0 license):

    internal class MachineKeyProtectionProvider : IDataProtectionProvider
    {
        public IDataProtector Create(params string[] purposes)
        {
            return new MachineKeyDataProtector(purposes);
        }
    }
    
    internal class MachineKeyDataProtector : IDataProtector
    {
        private readonly string[] _purposes;
    
        public MachineKeyDataProtector(string[] purposes)
        {
            _purposes = purposes;
        }
    
        public byte[] Protect(byte[] userData)
        {
            return MachineKey.Protect(userData, _purposes);
        }
    
        public byte[] Unprotect(byte[] protectedData)
        {
            return MachineKey.Unprotect(protectedData, _purposes);
        }
    }
    

    Once you have that implemented it is easy to plug into the UserManager:

    var usermanager = new UserManager<ApplicationUser>(new UserStore<ApplicationUser>());
    var machineKeyProtectionProvider = new MachineKeyProtectionProvider();
    usermanager.UserTokenProvider = new DataProtectorTokenProvider<ApplicationUser>(machineKeyProtectionProvider.Create("ASP.NET Identity"));
    

    Hope that helps get you in the right direction.

    0 讨论(0)
提交回复
热议问题