21

我正在使用 NSNumberFormatter 从字符串中获取货币值,并且效果很好。

我使用此代码这样做:

NSNumberFormatter *nf = [[NSNumberFormatter alloc] init];
    [nf setNumberStyle:NSNumberFormatterCurrencyStyle];
    NSString *price = [nf stringFromNumber:[NSNumber numberWithFloat:[textField.text floatValue]]];

但是,它总是在字符串的开头给我一个货币符号。而不是手动形成我给定的字符串,我可以不让格式化程序不给字符串任何货币符号吗?

4

4 回答 4

65

是的,设置样式后,您可以调整特定方面:

NSNumberFormatter *nf = [[NSNumberFormatter alloc] init];
[nf setNumberStyle:NSNumberFormatterCurrencyStyle];
[nf setCurrencySymbol:@""]; // <-- this
NSDecimalNumber* number = [NSDecimalNumber decimalNumberWithString:[textField text]];
NSString *price = [nf stringFromNumber:number];

就像一些建议一样,您可能应该使用数字格式化程序来读取字符串值,尤其是当用户正在输入它时(如您的代码所建议的那样)。在这种情况下,如果用户输入特定于区域设置的格式文本,通用-floatValue-doubleValue类型方法不会给您截断数字。此外,您可能应该使用-doubleValue从用户输入的货币文本转换为浮点数。有关国际化的 WWDC'12 开发者会议视频中有更多信息。

编辑:NSDecimalNumber在示例代码中使用 an 来表示用户输入的数字。它仍然没有进行正确的验证,但比原始代码更好。谢谢@马克

于 2012-09-20T23:47:40.867 回答
7

在 Swift 5 中,NumberFormatter有一个名为currencySymbol. currencySymbol有以下声明:

var currencySymbol: String! { get set }

接收方用作本地货币符号的字符串。

因此,如果您的格式样式需要,您可以将此属性设置为空String


以下 Playground 示例代码显示了如何使用空符号设置货币格式样式:

import Foundation

let amount = 12000

let formatter = NumberFormatter()
formatter.numberStyle = NumberFormatter.Style.currency
formatter.currencySymbol = ""
formatter.locale = Locale(identifier: "en_US") // set only if necessary

let result = formatter.string(for: amount)
print(String(describing: result)) // prints: Optional("12,000.00")
于 2017-03-29T16:21:09.987 回答
2

至于 Swift 语言

let mymoney = 12000

let formatter = NSNumberFormatter()
formatter.numberStyle = .CurrencyStyle
formatter.currencySymbol = ""
formatter.locale = NSLocale.currentLocale()

let resultString = formatter.stringFromNumber(mymoney)!
于 2016-04-16T23:05:17.083 回答
1

对@Imanou Petit 答案稍作调整。

let myDouble = 9999.99
let currencyFormatter = NumberFormatter()
currencyFormatter.usesGroupingSeparator = true
currencyFormatter.numberStyle = .currency
currencyFormatter.currencySymbol = ""
// localize to your grouping and decimal separator
currencyFormatter.locale = Locale.current

// We'll force unwrap with the !, if you've got defined data you may need more error checking

let priceString = currencyFormatter.string(from: NSNumber(value: myDouble))!
print(priceString) // Displays 9,999.99 without the currency & not as Optional
于 2019-10-07T19:14:36.143 回答