My iPhone app formats an NSDecimalNumber as a currency using setCurrencyCode, however another screen displays just the currency symbol. Rather than storing both the currency cod
You can get number with currency symbol from number with currency code.
This is the way I do:
NSString *currencyCode = @"HKD";
NSNumberFormatter *numberFormatter = [[NSNumberFormatter alloc] init];
[numberFormatter setCurrencyCode:currencyCode];
[numberFormatter setNumberStyle:NSNumberFormatterCurrencyStyle];
cell.amountLabel.text = [numberFormatter stringFromNumber: expense.exAmount];
The following code will return only the currencySymbol for a given currencyCode
- (NSString*)getCurrencySymbolFromCurrencyCode:(NSString*)currencyCode {
NSNumberFormatter *formatter = [[NSNumberFormatter alloc] init];
[formatter setNumberStyle:NSNumberFormatterCurrencyStyle];
[formatter setCurrencyCode:currencyCode];
[formatter setMaximumFractionDigits:0];
NSString *string = [formatter stringFromNumber:[NSNumber numberWithInt:0]];
[formatter release];
return [string substringFromIndex:1];
}
NSNumberFormatter * formatter = [NSNumberFormatter new];
formatter.numberStyle = NSNumberFormatterCurrencyStyle;
NSString * localeIde = [NSLocale localeIdentifierFromComponents:@{NSLocaleCurrencyCode: currencyCode}];
formatter.locale = [NSLocale localeWithLocaleIdentifier:localeIde];
NSString * symbol = formatter.currencySymbol;
You want to be setting the locale, not the currency code. Then you will get the expected results from the formatters properties (or tweak them). You can also get things like the currency symbol from the locale object itself. So, for example, if you were displaying a number formatted for Japan in JPY:
NSLocale* japanese_japan = [[[NSLocale alloc] initWithLocaleIdentifier:@"ja_JP"] autorelease];
NSNumberFormatter *fmtr = [[[NSNumberFormatter alloc] init] autorelease];
[fmtr setNumberStyle:NSNumberFormatterCurrencyStyle];
[fmtr setLocale:japanese_japan];
Now your number formatter should give you the correct symbols for currency symbol and format according to the rules in the specified locale.
I would actually do it this way. If you decide to do it as SveinnV said it may be that the symbol is place before the 0
amount and then you are just getting @"0"
as the symbol:
- (NSString *) currencySymbolForCurrencyCode:(NSString *) currencyCode
{
NSNumberFormatter *formatter = [[NSNumberFormatter alloc] init];
[formatter setNumberStyle:NSNumberFormatterCurrencyStyle];
[formatter setMaximumFractionDigits:0];
[formatter setCurrencyCode:currencyCode];
NSString *string = [formatter stringFromNumber:[NSNumber numberWithInt:0]];
NSArray *components = [string componentsSeparatedByCharactersInSet:[NSCharacterSet decimalDigitCharacterSet]];
return [components firstObject];
}