[dart] Dart를 사용하여 문자열을 숫자로 어떻게 구문 분석합니까?

“1”또는 “32.23”과 같은 문자열을 정수와 두 배로 구문 분석하고 싶습니다. Dart로 어떻게 할 수 있습니까?



답변

를 사용하여 문자열을 정수로 구문 분석 할 수 있습니다 int.parse(). 예를 들면 :

var myInt = int.parse('12345');
assert(myInt is int);
print(myInt); // 12345

접두사가 붙은 문자열 을 int.parse()허용 0x합니다. 그렇지 않으면 입력이 10 진수로 처리됩니다.

를 사용하여 문자열을 double로 구문 분석 할 수 있습니다 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;


답변

다트 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('your string value');.

예:- int num = int.parse('110011'); print(num); \\ prints 110011 ;


답변