我想把1或32.23这样的字符串解析为整数和双精度数。我怎么能和达特在一起?
当前回答
将字符串转换为Int
var myInt = int.parse('12345');
assert(myInt is int);
print(myInt); // 12345
print(myInt.runtimeType);
将字符串转换为Double
var myDouble = double.parse('123.45');
assert(myInt is double);
print(myDouble); // 123.45
print(myDouble.runtimeType);
在DartPad中的例子
其他回答
如果你不知道你的类型是string还是int,你可以这样做:
int parseInt(dynamic s){
if(s.runtimeType==String) return int.parse(s);
return s as int;
}
双:
double parseDouble(dynamic s){
if(s.runtimeType==String) return double.parse(s);
return s as double;
}
因此你可以使用parseInt('1')或parseInt(1)
可以使用int.parse()将字符串解析为整数。例如:
var myInt = int.parse('12345');
assert(myInt is int);
print(myInt); // 12345
注意int.parse()接受0x前缀字符串。否则,输入将被视为以10为基数。
可以使用double.parse()将字符串解析为double类型。例如:
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;
每支镖2.6支
int的可选参数onError。不建议使用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
var myInt = int.parse('12345');
assert(myInt is int);
print(myInt); // 12345
print(myInt.runtimeType);
将字符串转换为Double
var myDouble = double.parse('123.45');
assert(myInt is double);
print(myDouble); // 123.45
print(myDouble.runtimeType);
在DartPad中的例子
推荐文章
- 使用Pandas为字符串列中的每个值添加字符串前缀
- 我如何能匹配一个字符串与正则表达式在Bash?
- 如何测试一个字符串是否包含列表中的一个子字符串,在熊猫?
- 如何转换/解析从字符串到字符在java?
- 在c#中验证字符串只包含字母
- 不区分大小写的替换
- 好的Python模块模糊字符串比较?
- 如何将一个颜色整数转换为十六进制字符串在Android?
- 我如何得到一个字符串的最后一个字符?
- Flutter and google_sign_in plugin: PlatformException(sign_in_failed, com.google.android.gms.common.api.ApiException: 10:, null)
- “文本”和新字符串(“文本”)之间的区别是什么?
- Java中字符串的不可变性
- 为什么Oracle 9i将空字符串视为NULL?
- 如何在扑动中格式化日期时间
- 为什么在Java 8中String.chars()是整数流?