2

我目前在使用此代码片段时遇到了一些问题:

- (NSString *) md5:( NSString *) str 
{
    const char *cStr = [str UTF8String];
    unsigned char result[16];
    CC_MD5( cStr, strlen(cStr), result ); // This is the md5 call
    return [NSString stringWithFormat:
            @"%02x%02x%02x%02x%02x%02x%02x%02x%02x%02x%02x%02x%02x%02x%02x%02x",
            result[0], result[1], result[2], result[3], 
            result[4], result[5], result[6], result[7],
            result[8], result[9], result[10], result[11],
            result[12], result[13], result[14], result[15]
            ];  
}

此方法生成下载的 XML 文件的哈希,与 PHP 函数 md5() 完全不同。

那么如何获得与 PHP 相同的哈希值,反之亦然。

4

2 回答 2

2

如果您echo md5('hello')在 PHP 中执行此操作,您将收到一个 32 字符长的字符串,但是当您在 ObjC 中使用您的代码片段时,您会将字符串字符转换为 HEX 格式(通过使用格式化程序 %02x) - 请参见此处https://developer。 apple.com/library/mac/#documentation/Cocoa/Conceptual/Strings/Articles/formatSpecifiers.html#//apple_ref/doc/uid/TP40004265和这里:Unsigned Char Array to Hex Representation NSString

并且您只使用一半的 MD5 字符串字符来创建这个 HEX 格式的字符串...要么result立即返回,要么在 PHP 中执行相同的 HEX 转换 :-)

于 2012-05-11T11:26:09.937 回答
0

这个答案中找到的功能在我的测试中完美地完成了这项工作:

#import <CommonCrypto/CommonDigest.h>

...
+ (NSString*)md5HexDigest:(NSString*)input {
    const char* str = [input UTF8String];
    unsigned char result[CC_MD5_DIGEST_LENGTH];
    CC_MD5(str, strlen(str), result);

    NSMutableString *ret = [NSMutableString stringWithCapacity:CC_MD5_DIGEST_LENGTH*2];
    for(int i = 0; i<CC_MD5_DIGEST_LENGTH; i++) {
        [ret appendFormat:@"%02x",result[i]];
    }
    return ret;
}
...

与 PHP 的实现完全匹配。它最初来自 Facebook Connect 源代码。

于 2015-02-23T04:45:13.167 回答