Objective-C의 MD5 알고리즘


답변:


219

md5는 iPhone에서 사용할 수 있으며 ie NSStringNSData 다음 같이 .

MyAdditions.h

@interface NSString (MyAdditions)
- (NSString *)md5;
@end

@interface NSData (MyAdditions)
- (NSString*)md5;
@end

MyAdditions.m

#import "MyAdditions.h"
#import <CommonCrypto/CommonDigest.h> // Need to import for CC_MD5 access

@implementation NSString (MyAdditions)
- (NSString *)md5
{
    const char *cStr = [self UTF8String];
    unsigned char result[CC_MD5_DIGEST_LENGTH];
    CC_MD5( cStr, (int)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]
        ];  
}
@end

@implementation NSData (MyAdditions)
- (NSString*)md5
{
    unsigned char result[CC_MD5_DIGEST_LENGTH];
    CC_MD5( self.bytes, (int)self.length, 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]
        ];  
}
@end

편집하다

NSData md5가 추가되어 직접 필요 하고이 작은 발췌문을 저장하기에 좋은 곳이라고 생각했기 때문에 ...

이러한 방법은 http://www.nsrl.nist.gov/testdata/ 의 NIST MD5 테스트 벡터를 사용하여 확인됩니다 .


전체 파일을 메모리로 가져 옵니까?
openfrog

이것은 파일에 관한 것이 아닙니다. 이러한 방법으로 파일에서 MD5를 작성하려면 NSData * fileContents = [NSData dataWithContentsOfFile : @ "<yourPath>"]; NSString * myHash = [fileContents md5]; 그리고 예, 이것은 전체 파일을 메모리로 가져옵니다. 파일 스트림과 호환되는 솔루션을 찾으면 답변으로 게시하십시오.
Klaas

1
파일을 해시해야하는 경우 CC_MD5_Init를 사용하고 모든 파일 데이터에 대해 CC_MD5_Update를 사용한 후 CC_MD5_Finish를 사용해야합니다.
Nickolay

7
64 비트 아키텍처를 컴파일 할 때 strlen다음과 같은 경고가 나타납니다. "암시 적 변환은 정수 정밀도를 잃습니다 : 'unsigned long'to 'CC_LONG'(일명 'unsigned int') '
MaxGabriel

55

내장 된 Common Crypto 라이브러리를 사용하여 그렇게 할 수 있습니다. 가져와야합니다.

#import <CommonCrypto/CommonDigest.h>

그리고:

- (NSString *) md5:(NSString *) input
{
    const char *cStr = [input UTF8String];
    unsigned char digest[CC_MD5_DIGEST_LENGTH];
    CC_MD5( cStr, strlen(cStr), digest ); // This is the md5 call

    NSMutableString *output = [NSMutableString stringWithCapacity:CC_MD5_DIGEST_LENGTH * 2];

    for(int i = 0; i < CC_MD5_DIGEST_LENGTH; i++)
    [output appendFormat:@"%02x", digest[i]];

    return  output;
}

나는 (---->이 라인은 예외라고 EXC_BAD_ACCESS을 던지고있다) 나 strlen CC_MD5 (CSTR (CSTR)를 소화) 위의 코드를 구현하지만이 충돌하는 것 응용 프로그램을 실행하는 동안
Nilesh 쿠마을

self실행하기 전에 @wimcNilesh 확인 ; self가 nil이면 충돌합니다.
brandonscript

4
이 답변은 다른 것보다 훨씬 더 깨끗합니다. 가 필요한 한 가지에 캐스트입니다 (int)전에 strlen(int)strlen...
brandonscript

Hay 이것은 좋은 +1 공감이며, 귀하의 암호화와 동일한 md5 암호 해독 방법을 제공 할 수 있습니다.
Ayaz

@Ayaz MD5는 해독 할 수 없습니다 (적어도 단순히 방법으로).
albanx

9

성능이 중요한 경우이 최적화 된 버전을 사용할 수 있습니다. 그것은 약 5 배 빠른 속도를 가진 사람보다 stringWithFormatNSMutableString .

NSString의 범주입니다.

- (NSString *)md5
{
    const char* cStr = [self UTF8String];
    unsigned char result[CC_MD5_DIGEST_LENGTH];
    CC_MD5(cStr, strlen(cStr), result);

    static const char HexEncodeChars[] = { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'a', 'b', 'c', 'd', 'e', 'f' };
    char *resultData = malloc(CC_MD5_DIGEST_LENGTH * 2 + 1);

    for (uint index = 0; index < CC_MD5_DIGEST_LENGTH; index++) {
        resultData[index * 2] = HexEncodeChars[(result[index] >> 4)];
        resultData[index * 2 + 1] = HexEncodeChars[(result[index] % 0x10)];
    }
    resultData[CC_MD5_DIGEST_LENGTH * 2] = 0;

    NSString *resultString = [NSString stringWithCString:resultData encoding:NSASCIIStringEncoding];
    free(resultData);

    return resultString;
}

0

사람들이 파일 스트림 버전을 요청한 이후로. Joel Lopes Da Silva가 MD5, SHA1 및 SHA512와 함께 작동하는 멋진 작은 스 니펫을 수정했으며 스트림을 사용하고 있습니다. 그것은 iOS 용이지만 OSX에서도 최소한의 변경으로 작동합니다 (ALAssetRepresentation 메소드 제거). ALAssetRepresentation을 사용하여 파일 경로 또는 ALAssets가 지정된 파일에 대한 체크섬을 만들 수 있습니다. 파일 크기 / 자산 크기에 관계없이 메모리에 미치는 영향을 최소화하는 작은 패키지로 데이터를 청킹합니다.

현재 github에 있습니다 : https://github.com/leetal/FileHash


Joel이 게시 한 코드에는 경쟁 조건이 있으며 코드가 상속 된 것처럼 보입니다. Joel의 게시물에 게시 한 의견을 참조하십시오. joel.lopes-da-silva.com/2010/09/07/…
xyzzycoder

감사! 지금 패치했습니다. 원래 구현에서 항상 전용 스레드에서 실행했기 때문에 이것은 결코 문제가되지 않았습니다.)
Alexander W

0

Apple 구현을 사용하지 않는 이유 : https://developer.apple.com/library/mac/documentation/Security/Conceptual/cryptoservices/GeneralPurposeCrypto/GeneralPurposeCrypto.html#//apple_ref/doc/uid/TP40011172-CH9-SW1

Apple 개발자 사이트에서 암호화 서비스 안내서를 검색하십시오.


이 링크는 대부분의 답변이 사용하는 Common Crypto를 다룹니다.
zaph

1
물론 Algo는 동일합니다. 그러나 자체 암호화 알고리즘을 구현하면 결함이 발생할 수 있습니다. 모든 시나리오 에서 올바른 결과를 얻으려면 많은 강화 작업이 필요합니다 . 따라서 일반적인 경우 라이브러리 버전을 사용하는 것이 좋습니다.
vpathak
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.