我想将字符串解析为整数和双精度数1
。32.23
我怎样才能用 Dart 做到这一点?
8 回答
您可以使用 将字符串解析为整数int.parse()
。例如:
var myInt = int.parse('12345');
assert(myInt is int);
print(myInt); // 12345
请注意,int.parse()
接受0x
带前缀的字符串。否则,输入被视为 base-10。
您可以使用 将字符串解析为双精度double.parse()
。例如:
var myDouble = double.parse('123.45');
assert(myDouble is double);
print(myDouble); // 123.45
parse()
如果无法解析输入,将抛出 FormatException。
在 Dart 2中 int.tryParse可用。
它为无效输入返回 null 而不是抛出。你可以像这样使用它:
int val = int.tryParse(text) ?? defaultValue;
将字符串转换为整数
var myInt = int.parse('12345');
assert(myInt is int);
print(myInt); // 12345
print(myInt.runtimeType);
将字符串转换为双精度
var myDouble = double.parse('123.45');
assert(myInt is double);
print(myDouble); // 123.45
print(myDouble.runtimeType);
DartPad 中的示例
void main(){
var x = "4";
int number = int.parse(x);//STRING to INT
var y = "4.6";
double doubleNum = double.parse(y);//STRING to DOUBLE
var z = 55;
String myStr = z.toString();//INT to STRING
}
int.parse() 和 double.parse() 在无法解析字符串时会抛出错误
根据飞镖 2.6
的可选onError
参数int.parse
已弃用。因此,您应该int.tryParse
改用。
注:同样适用于double.parse
。因此,请double.tryParse
改用。
/**
* ...
*
* The [onError] parameter is deprecated and will be removed.
* Instead of `int.parse(string, onError: (string) => ...)`,
* you should use `int.tryParse(string) ?? (...)`.
*
* ...
*/
external static int parse(String source, {int radix, @deprecated int onError(String source)});
不同之处在于如果源字符串无效则int.tryParse
返回。null
/**
* Parse [source] as a, possibly signed, integer literal and return its value.
*
* Like [parse] except that this function returns `null` where a
* similar call to [parse] would throw a [FormatException],
* and the [source] must still not be `null`.
*/
external static int tryParse(String source, {int radix});
因此,在您的情况下,它应该如下所示:
// Valid source value
int parsedValue1 = int.tryParse('12345');
print(parsedValue1); // 12345
// Error handling
int parsedValue2 = int.tryParse('');
if (parsedValue2 == null) {
print(parsedValue2); // null
//
// handle the error here ...
//
}
你可以用 . 解析字符串int.parse('your string value');
。
例子:-int num = int.parse('110011'); print(num); // prints 110011 ;
以上解决方案不适用于String
:
String str = '123 km';
因此,对我来说适用于任何情况的单行答案将是:
int r = int.tryParse(str.replaceAll(RegExp(r'[^0-9]'), '')) ?? defaultValue;
or
int? r = int.tryParse(str.replaceAll(RegExp(r'[^0-9]'), ''));
但请注意,它不适用于以下类型的字符串
String problemString = 'I am a fraction 123.45';
String moreProblem = '20 and 30 is friend';
如果您想提取适用于各种类型的双精度,请使用:
double d = double.tryParse(str.replaceAll(RegExp(r'[^0-9\.]'), '')) ?? defaultValue;
or
double? d = double.tryParse(str.replaceAll(RegExp(r'[^0-9\.]'), ''));
这将适用于problemString
但不适用于moreProblem
.
String age = stdin.readLineSync()!; // first take the input from user in string form
int.parse(age); // then parse it to integer that's it