我想把1或32.23这样的字符串解析为整数和双精度数。我怎么能和达特在一起?


当前回答

每支镖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 ...
  //
}

其他回答

 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()在无法解析String时抛出错误

可以使用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。

如果你不知道你的类型是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来解析字符串。解析('你的字符串值');

示例:- int num = int.parse('110011');打印(num);//打印110011;

在Dart 2 int。tryParse可用。

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

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