Best way to serialize an NSData into a hexadeximal string
Asked Answered
H

15

103

I am looking for a nice-cocoa way to serialize an NSData object into a hexadecimal string. The idea is to serialize the deviceToken used for notification before sending it to my server.

I have the following implementation, but I am thinking there must be some shorter and nicer way to do it.

+ (NSString*) serializeDeviceToken:(NSData*) deviceToken
{
    NSMutableString *str = [NSMutableString stringWithCapacity:64];
    int length = [deviceToken length];
    char *bytes = malloc(sizeof(char) * length);

    [deviceToken getBytes:bytes length:length];

    for (int i = 0; i < length; i++)
    {
        [str appendFormat:@"%02.2hhX", bytes[i]];
    }
    free(bytes);

    return str;
}
Hyperon answered 20/8, 2009 at 10:23 Comment(0)
V
209

This is a category applied to NSData that I wrote. It returns a hexadecimal NSString representing the NSData, where the data can be any length. Returns an empty string if NSData is empty.

NSData+Conversion.h

#import <Foundation/Foundation.h>

@interface NSData (NSData_Conversion)

#pragma mark - String Conversion
- (NSString *)hexadecimalString;

@end

NSData+Conversion.m

#import "NSData+Conversion.h"

@implementation NSData (NSData_Conversion)

#pragma mark - String Conversion
- (NSString *)hexadecimalString {
    /* Returns hexadecimal string of NSData. Empty string if data is empty.   */

    const unsigned char *dataBuffer = (const unsigned char *)[self bytes];

    if (!dataBuffer)
        return [NSString string];

    NSUInteger          dataLength  = [self length];
    NSMutableString     *hexString  = [NSMutableString stringWithCapacity:(dataLength * 2)];

    for (int i = 0; i < dataLength; ++i)
        [hexString appendString:[NSString stringWithFormat:@"%02lx", (unsigned long)dataBuffer[i]]];

    return [NSString stringWithString:hexString];
}

@end

Usage:

NSData *someData = ...;
NSString *someDataHexadecimalString = [someData hexadecimalString];

This is "probably" better than calling [someData description] and then stripping the spaces, <'s, and >'s. Stripping characters just feels too "hacky". Plus you never know if Apple will change the formatting of NSData's -description in the future.

NOTE: I have had people reach out to me about licensing for the code in this answer. I hereby dedicate my copyright in the code I posted in this answer to the public domain.

Viviparous answered 31/1, 2012 at 18:18 Comment(10)
Nice, but two suggestions: (1) I think appendFormat is more efficient for large data since it avoids creating an intermediate NSString and (2) %x represents an unsigned int rather than unsigned long, although the difference is harmless.Penalty
Not to be a naysayer, since this is a good solution that is easy to use but my solution on Jan 25 is far more efficient. If you are looking for a performance optimized answer, see that answer. Upvoting this answer as a nice, easy to understand solution.Buxton
I had to remove the (unsigned long) cast and use @"%02hhx" as the format string to make this work.Peanut
I, too, had to use @"%02hhx", but otherwise, great answer.Eighteenth
Right, per developer.apple.com/library/ios/documentation/cocoa/conceptual/… the format should be "%02lx" with that cast, or cast to (unsigned int), or drop the cast and use @"%02hhx" :)Streak
Thanks guys, I altered the answer to use %02lx instead.Viviparous
[hexString appendFormat:@"%02x", (unsigned int)dataBuffer[i]]; is much better (smaller memory footprint)Inception
The @Buxton solution is about 50 times faster ( Tested ).Faggot
Just added a method that is about 170 times faster - the fastest ( for now ) on this page.Faggot
iOS newbie: can anyone tell me where to put the files NSData+Conversion.h and NSData+Conversion.m and how to get them loaded into the app so that I can call "deviceToken hexadecimalString" in my didRegisterForRemoteNotificationsWithDeviceToken block?Lieselotteliestal
N
32

Here's a highly optimized NSData category method for generating a hex string. While @Dave Gallagher's answer is sufficient for a relatively small size, memory and cpu performance deteriorate for large amounts of data. I profiled this with a 2MB file on my iPhone 5. Time comparison was 0.05 vs 12 seconds. Memory footprint is negligible with this method while the other method grew the heap to 70MBs!

- (NSString *) hexString
{
    NSUInteger bytesCount = self.length;
    if (bytesCount) {
        const char *hexChars = "0123456789ABCDEF";
        const unsigned char *dataBuffer = self.bytes;
        char *chars = malloc(sizeof(char) * (bytesCount * 2 + 1));       
        if (chars == NULL) {
            // malloc returns null if attempting to allocate more memory than the system can provide. Thanks Cœur
            [NSException raise:NSInternalInconsistencyException format:@"Failed to allocate more memory" arguments:nil];
            return nil;
        }
        char *s = chars;
        for (unsigned i = 0; i < bytesCount; ++i) {
            *s++ = hexChars[((*dataBuffer & 0xF0) >> 4)];
            *s++ = hexChars[(*dataBuffer & 0x0F)];
            dataBuffer++;
        }
        *s = '\0';
        NSString *hexString = [NSString stringWithUTF8String:chars];
        free(chars);
        return hexString;
    }
    return @"";
}
Neocene answered 19/8, 2014 at 8:5 Comment(3)
Nice one @Neocene - There is however an even faster ( not much than your's ) solution - just below ;)Faggot
@Moose, please reference more precisely which answer you are talking about: votes and new answers may affect positioning of answers. [edit: oh, let me guess, you mean your own answer...]Cottony
Added malloc null check. Thanks @Cœur.Neocene
B
17

Using the description property of NSData should not be considered an acceptable mechanism for HEX encoding the string. That property is for description only and can change at any time. As a note, pre-iOS, the NSData description property didn't even return it's data in hex form.

Sorry for harping on the solution but it's important to take the energy to serialize it without piggy-backing off an API that is meant for something else other than data serialization.

@implementation NSData (Hex)

- (NSString*)hexString
{
    NSUInteger length = self.length;
    unichar* hexChars = (unichar*)malloc(sizeof(unichar) * (length*2));
    unsigned char* bytes = (unsigned char*)self.bytes;
    for (NSUInteger i = 0; i < length; i++) {
        unichar c = bytes[i] / 16;
        if (c < 10) {
            c += '0';
        } else {
            c += 'A' - 10;
        }
        hexChars[i*2] = c;

        c = bytes[i] % 16;
        if (c < 10) {
            c += '0';
        } else {
            c += 'A' - 10;
        }
        hexChars[i*2+1] = c;
    }
    NSString* retVal = [[NSString alloc] initWithCharactersNoCopy:hexChars length:length*2 freeWhenDone:YES];
    return [retVal autorelease];
}

@end
Buxton answered 25/1, 2012 at 19:53 Comment(5)
however, you have to free(hexChars) before the return.Socage
@karim, that is incorrect. By using initWithCharactersNoCopy:length:freeWhenDone: and having freeWhenDone be YES, the NSString will take control of that byte buffer. Calling free(hexChars) will result in a crash. The benefit here is substantial since NSString won't have to make an expensive memcpy call.Buxton
@Buxton thanks. I did not notice the NSSting initializer.Socage
The documentation states that description returns a hex encoded string, so that seems reasonable to me.Sporophyte
shouldn't we check for malloc returned value being potentially null?Cottony
F
11

Here is a faster way to do the conversion:

BenchMark (mean time for a 1024 bytes data conversion repeated 100 times):

Dave Gallagher : ~8.070 ms
NSProgrammer : ~0.077 ms
Peter : ~0.031 ms
This One : ~0.017 ms

@implementation NSData (BytesExtras)

static char _NSData_BytesConversionString_[512] = "000102030405060708090a0b0c0d0e0f101112131415161718191a1b1c1d1e1f202122232425262728292a2b2c2d2e2f303132333435363738393a3b3c3d3e3f404142434445464748494a4b4c4d4e4f505152535455565758595a5b5c5d5e5f606162636465666768696a6b6c6d6e6f707172737475767778797a7b7c7d7e7f808182838485868788898a8b8c8d8e8f909192939495969798999a9b9c9d9e9fa0a1a2a3a4a5a6a7a8a9aaabacadaeafb0b1b2b3b4b5b6b7b8b9babbbcbdbebfc0c1c2c3c4c5c6c7c8c9cacbcccdcecfd0d1d2d3d4d5d6d7d8d9dadbdcdddedfe0e1e2e3e4e5e6e7e8e9eaebecedeeeff0f1f2f3f4f5f6f7f8f9fafbfcfdfeff";

-(NSString*)bytesString
{
    UInt16*  mapping = (UInt16*)_NSData_BytesConversionString_;
    register UInt16 len = self.length;
    char*    hexChars = (char*)malloc( sizeof(char) * (len*2) );

    // --- Coeur's contribution - a safe way to check the allocation
    if (hexChars == NULL) {
    // we directly raise an exception instead of using NSAssert to make sure assertion is not disabled as this is irrecoverable
        [NSException raise:@"NSInternalInconsistencyException" format:@"failed malloc" arguments:nil];
        return nil;
    }
    // ---

    register UInt16* dst = ((UInt16*)hexChars) + len-1;
    register unsigned char* src = (unsigned char*)self.bytes + len-1;

    while (len--) *dst-- = mapping[*src--];

    NSString* retVal = [[NSString alloc] initWithBytesNoCopy:hexChars length:self.length*2 encoding:NSASCIIStringEncoding freeWhenDone:YES];
#if (!__has_feature(objc_arc))
   return [retVal autorelease];
#else
    return retVal;
#endif
}

@end
Faggot answered 3/11, 2015 at 14:6 Comment(2)
You can see how I implemented the malloc check here (_hexString method): github.com/ZipArchive/ZipArchive/blob/master/SSZipArchive/…Cottony
Thanks for the reference - BTW I like the 'too lengthy' - That's true, but now I've typed it, anyone can copy/paste - I'm joking - I have generated it - You knew already :) You are right on the lengthy, I was just trying to hit everywhere I can win microseconds! It divide the loop iterations by 2. But I admit it lacks elegance. ByeFaggot
J
9

Functional Swift version

One liner:

let hexString = UnsafeBufferPointer<UInt8>(start: UnsafePointer(data.bytes),
count: data.length).map { String(format: "%02x", $0) }.joinWithSeparator("")

Here's in a reusable and self documenting extension form:

extension NSData {
    func base16EncodedString(uppercase uppercase: Bool = false) -> String {
        let buffer = UnsafeBufferPointer<UInt8>(start: UnsafePointer(self.bytes),
                                                count: self.length)
        let hexFormat = uppercase ? "X" : "x"
        let formatString = "%02\(hexFormat)"
        let bytesAsHexStrings = buffer.map {
            String(format: formatString, $0)
        }
        return bytesAsHexStrings.joinWithSeparator("")
    }
}

Alternatively, use reduce("", combine: +) instead of joinWithSeparator("") to be seen as a functional master by your peers.


Edit: I changed String($0, radix: 16) to String(format: "%02x", $0), because one digit numbers needed to having a padding zero

Jakejakes answered 1/3, 2016 at 18:2 Comment(0)
C
7

Peter's answer ported to Swift

func hexString(data:NSData)->String{
    if data.length > 0 {
        let  hexChars = Array("0123456789abcdef".utf8) as [UInt8];
        let buf = UnsafeBufferPointer<UInt8>(start: UnsafePointer(data.bytes), count: data.length);
        var output = [UInt8](count: data.length*2 + 1, repeatedValue: 0);
        var ix:Int = 0;
        for b in buf {
            let hi  = Int((b & 0xf0) >> 4);
            let low = Int(b & 0x0f);
            output[ix++] = hexChars[ hi];
            output[ix++] = hexChars[low];
        }
        let result = String.fromCString(UnsafePointer(output))!;
        return result;
    }
    return "";
}

swift3

func hexString()->String{
    if count > 0 {
        let hexChars = Array("0123456789abcdef".utf8) as [UInt8];
        return withUnsafeBytes({ (bytes:UnsafePointer<UInt8>) -> String in
            let buf = UnsafeBufferPointer<UInt8>(start: bytes, count: self.count);
            var output = [UInt8](repeating: 0, count: self.count*2 + 1);
            var ix:Int = 0;
            for b in buf {
                let hi  = Int((b & 0xf0) >> 4);
                let low = Int(b & 0x0f);
                output[ix] = hexChars[ hi];
                ix += 1;
                output[ix] = hexChars[low];
                ix += 1;
            }
            return String(cString: UnsafePointer(output));
        })
    }
    return "";
}

Swift 5

func hexString()->String{
    if count > 0 {
        let hexChars = Array("0123456789abcdef".utf8) as [UInt8];
        return withUnsafeBytes{ bytes->String in
            var output = [UInt8](repeating: 0, count: bytes.count*2 + 1);
            var ix:Int = 0;
            for b in bytes {
                let hi  = Int((b & 0xf0) >> 4);
                let low = Int(b & 0x0f);
                output[ix] = hexChars[ hi];
                ix += 1;
                output[ix] = hexChars[low];
                ix += 1;
            }
            return String(cString: UnsafePointer(output));
        }
    }
    return "";
}
Cockaigne answered 23/5, 2015 at 17:17 Comment(0)
M
4

I needed to solve this problem and found the answers here very useful, but I worry about performance. Most of these answers involve copying the data in bulk out of NSData so I wrote the following to do the conversion with low overhead:

@interface NSData (HexString)
@end

@implementation NSData (HexString)

- (NSString *)hexString {
    NSMutableString *string = [NSMutableString stringWithCapacity:self.length * 3];
    [self enumerateByteRangesUsingBlock:^(const void *bytes, NSRange byteRange, BOOL *stop){
        for (NSUInteger offset = 0; offset < byteRange.length; ++offset) {
            uint8_t byte = ((const uint8_t *)bytes)[offset];
            if (string.length == 0)
                [string appendFormat:@"%02X", byte];
            else
                [string appendFormat:@" %02X", byte];
        }
    }];
    return string;
}

This pre-allocates space in the string for the entire result and avoids ever copying the NSData contents out by using enumerateByteRangesUsingBlock. Changing the X to an x in the format string will use lowercase hex digits. If you don't want a separator between the bytes you can reduce the statement

if (string.length == 0)
    [string appendFormat:@"%02X", byte];
else
    [string appendFormat:@" %02X", byte];

down to just

[string appendFormat:@"%02X", byte];
Mortal answered 31/1, 2014 at 20:52 Comment(3)
I believe the index to retrieve the byte value needs adjustment, because the NSRange indicates the range within the larger NSData representation, not within the smaller bytes buffer (that first parameter of the block supplied to enumerateByteRangesUsingBlock) that represents a single contiguous portion of the larger NSData. Thus, byteRange.length reflects the size of the bytes buffer, but the byteRange.location is the location within the larger NSData. Thus, you want to use simply offset, not byteRange.location + offset, to retrieve the byte.Capitulation
@Capitulation Thanks, I see what you mean and have adjusted the codeMortal
If you modify the statement down to just use the single appendFormat you should probably also change the self.length * 3 to self.length * 2Submiss
E
1

I needed an answer that would work for variable length strings, so here's what I did:

+ (NSString *)stringWithHexFromData:(NSData *)data
{
    NSString *result = [[data description] stringByReplacingOccurrencesOfString:@" " withString:@""];
    result = [result substringWithRange:NSMakeRange(1, [result length] - 2)];
    return result;
}

Works great as an extension for the NSString class.

Expellee answered 2/12, 2010 at 19:51 Comment(2)
what if Apple changes the way they represent description?Greisen
in iOS13 description method returns a different format.Confiteor
A
1

You can always use [yourString uppercaseString] to capitalize letters in data description

Acheron answered 29/4, 2011 at 9:52 Comment(0)
W
1

A better way to serialize/deserialize NSData into NSString is to use the Google Toolbox for Mac Base64 encoder/decoder. Just drag into your App Project the files GTMBase64.m, GTMBase64.h e GTMDefines.h from the package Foundation and the do something like

/**
 * Serialize NSData to Base64 encoded NSString
 */
-(void) serialize:(NSData*)data {

    self.encodedData = [GTMBase64 stringByEncodingData:data];

}

/**
 * Deserialize Base64 NSString to NSData
 */
-(NSData*) deserialize {

    return [GTMBase64 decodeString:self.encodedData];

}
Wiese answered 9/6, 2011 at 10:31 Comment(3)
Looking at the source code it seems that the class providing that is now GTMStringEncoding. I have not tried it but it looks like a great new solution to this question.Hyperon
As of Mac OS X 10.6 / iOS 4.0, NSData does Base-64 encoding. string = [data base64EncodedStringWithOptions:(NSDataBase64EncodingOptions)0]Omnivorous
@Omnivorous that is true, but consider to encode real work strings in Base-64. You have to deal than with "web safe" encoding, that you do not have in iOS/MacOS, like in GTMBase64#webSafeEncodeData. Also you may need to add/remove Base64 "padding", so you have this option as well: GTMBase64#stringByWebSafeEncodingData:(NSData *)data padded:(BOOL)padded;Wiese
S
1

Here is a solution using Swift 3

extension Data {

    public var hexadecimalString : String {
        var str = ""
        enumerateBytes { buffer, index, stop in
            for byte in buffer {
                str.append(String(format:"%02x",byte))
            }
        }
        return str
    }

}

extension NSData {

    public var hexadecimalString : String {
        return (self as Data).hexadecimalString
    }

}
Sympathy answered 31/8, 2016 at 11:2 Comment(0)
A
0

Change %08x to %08X to get capital characters.

Antelope answered 8/7, 2010 at 15:45 Comment(1)
this would be better as a comment since you didn't include any context. Just sayin'Greisen
L
0
@implementation NSData (Extn)

- (NSString *)description
{
    NSMutableString *str = [[NSMutableString alloc] init];
    const char *bytes = self.bytes;
    for (int i = 0; i < [self length]; i++) {
        [str appendFormat:@"%02hhX ", bytes[i]];
    }
    return [str autorelease];
}

@end

Now you can call NSLog(@"hex value: %@", data)
Lyra answered 2/11, 2013 at 1:41 Comment(0)
P
0

Swift + Property.

I prefer to have hex representation as property (the same as bytes and description properties):

extension NSData {

    var hexString: String {

        let buffer = UnsafeBufferPointer<UInt8>(start: UnsafePointer(self.bytes), count: self.length)
        return buffer.map { String(format: "%02x", $0) }.joinWithSeparator("")
    }

    var heXString: String {

        let buffer = UnsafeBufferPointer<UInt8>(start: UnsafePointer(self.bytes), count: self.length)
        return buffer.map { String(format: "%02X", $0) }.joinWithSeparator("")
    }
}

Idea is borrowed from this answer

Pummel answered 30/6, 2016 at 13:38 Comment(0)
C
-4
[deviceToken description]

You'll need to remove the spaces.

Personally I base64 encode the deviceToken, but it's a matter of taste.

Camisado answered 20/8, 2009 at 12:10 Comment(1)
This does not get the same result. description returns : <2cf56d5d 2fab0a47 ... 7738ce77 7e791759> While I am looking for: 2CF56D5D2FAB0A47....7738CE777E791759Hyperon

© 2022 - 2024 — McMap. All rights reserved.