我想将“ 1”或“ 32.23”之类的字符串解析为整数和双精度。如何使用Dart做到这一点?
我想将“ 1”或“ 32.23”之类的字符串解析为整数和双精度。如何使用Dart做到这一点?
Answers:
您可以使用将字符串解析为整数int.parse()
。例如:
var myInt = int.parse('12345');
assert(myInt is int);
print(myInt); // 12345
请注意,它int.parse()
接受带0x
前缀的字符串。否则,输入将被视为以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;
根据dart 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 ...
//
}
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()在无法解析字符串时会引发错误
int.parse()
并且double.parse()
在无法解析String时可能引发错误。请详细说明您的答案,以便其他人可以更好地学习和理解飞镖。
您可以使用解析字符串int.parse('your string value');
。
例:- int num = int.parse('110011'); print(num); \\ prints 110011 ;