如何使用Dart将字符串解析为数字?


105

我想将“ 1”或“ 32.23”之类的字符串解析为整数和双精度。如何使用Dart做到这一点?

Answers:


175

您可以使用将字符串解析为整数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。


以后如何从包含无效字符的字符串中解析整数?例如,“-01:00”,我想获得-1,或者“ 172苹果”,我希望获得172。在JavaScript中parseInt(“-01:00”)可以正常工作,但Dart给出了错误。有没有简单的方法,而无需逐个字符手动检查?谢谢。
user1596274

86

在Dart 2 中,可以使用int.tryParse

对于无效输入,它返回null而不是抛出。您可以像这样使用它:

int val = int.tryParse(text) ?? defaultValue;

4

根据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 ...
  //
}

3
 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
int.parse()并且double.parse()在无法解析String时可能引发错误。请详细说明您的答案,以便其他人可以更好地学习和理解飞镖。
josxha

1
谢谢你提到它josxha,我是Dart的初学者,我正在尽最大努力帮助他人,好吧,我认为这将是最简单的答案,谢谢!
Rajdeep12345678910

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.