I have the following documentation from the ONVIF's Programmer Guide
I'm currently trying to reproduce the Resulting Digest using the same entries given in the guide...
Here's my code:
private string GenerateHashedPassword(string nonce, string created, string password)
{
byte[] nonceBytes = Encoding.UTF8.GetBytes(nonce);
byte[] createdBytes = Encoding.UTF8.GetBytes(created);
byte[] passwordBytes = Encoding.UTF8.GetBytes(password);
byte[] combined = new byte[createdBytes.Length + nonce.Length + passwordBytes.Length];
//N-C-P
Buffer.BlockCopy(nonceBytes, 0, combined, 0, nonceBytes.Length);
Buffer.BlockCopy(createdBytes, 0, combined, nonceBytes.Length, createdBytes.Length);
Buffer.BlockCopy(passwordBytes, 0, combined, nonceBytes.Length + createdBytes.Length, passwordBytes.Length);
return Convert.ToBase64String(SHA1.Create().ComputeHash(combined));
}
When I use my function:
string digestPassword = GenerateHashedPassword("LKqI6G/AikKCQrN0zqZFlg==","2010-09-16T07:50:45Z","userpassword");//Values from guide
My function doesn't return the same result as in the guide...
What's wrong with my function?? Why can't I get the same output??
Thanks to @Ottavio 's help, I've figured that I didn't decode the nonce before hashing it with the rest of my entries... The code I used to get to the good result is:
private string GenerateHashedPassword(string nonce, string created, string password)
{
byte[] nonceBytes = Convert.FromBase64String(nonce);
byte[] createdAndPasswordBytes = Encoding.UTF8.GetBytes(created + password);
byte[] combined = new byte[nonceBytes.Length + createdAndPasswordBytes.Length];
Buffer.BlockCopy(nonceBytes, 0, combined, 0, nonceBytes.Length);
Buffer.BlockCopy(createdAndPasswordBytes, 0, combined, nonceBytes.Length, createdAndPasswordBytes.Length);
return Convert.ToBase64String(SHA1.Create().ComputeHash(combined));
}