Michel
Michel

Reputation: 11749

Trying to define a custom NSCharacterSet with unicode characters in Swift

I want to define in Swift an NSCharacterSet containing: [A-Z] (note the double-bytes, this is not [A-Z]).

What is the proper syntax to do that? The code below that I had working in Objectiv C doesn't seem to translate to Swift so easily.'

    NSRange alphaDoubleByteRange;
    NSMutableCharacterSet *alphaDoubleByteLetters;
    alphaDoubleByteRange.location = (unsigned int)[@"A" characterAtIndex:0];
    alphaDoubleByteRange.length = 26;
    alphaDoubleByteLetters = [[NSMutableCharacterSet alloc] init];
    [alphaDoubleByteLetters formUnionWithCharacterSet:[NSCharacterSet characterSetWithRange:alphaDoubleByteRange]];
    // Now alphaDoubleByteLetters contains what I want.

Upvotes: 1

Views: 622

Answers (1)

Martin R
Martin R

Reputation: 539835

You can create a character set from the range of the unicode scalar values:

let firstCode = Int("A".unicodeScalars.first!.value)
let lastCode =  Int("Z".unicodeScalars.first!.value)
let alphaDoubleByteRange = NSRange(location: firstCode, length: lastCode - firstCode + 1)
let alphaDoubleByteLetters = NSCharacterSet(range: alphaDoubleByteRange)

Alternatively, lookup the characters in a Unicode table and use the scalar values directly:

let firstCode = 0xFF21  // "A"
let lastCode =  0xFF3A  // "Z"
// ...

Upvotes: 1

Related Questions