ฉันต้องการแยกวิเคราะห์สตริงเช่น "1" หรือ "32.23" เป็นจำนวนเต็มและคู่ ฉันจะทำสิ่งนี้กับ Dart ได้อย่างไร?
ฉันต้องการแยกวิเคราะห์สตริงเช่น "1" หรือ "32.23" เป็นจำนวนเต็มและคู่ ฉันจะทำสิ่งนี้กับ Dart ได้อย่างไร?
คำตอบ:
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พร้อมใช้งาน
ส่งคืนค่าว่างสำหรับอินพุตที่ไม่ถูกต้องแทนที่จะโยน คุณสามารถใช้มันได้ดังนี้:
int val = int.tryParse(text) ?? defaultValue;
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()
และdouble.parse()
สามารถทำให้เกิดข้อผิดพลาดเมื่อไม่สามารถแยกวิเคราะห์ String โปรดอธิบายคำตอบของคุณอย่างละเอียดเพื่อให้ผู้อื่นสามารถเรียนรู้และเข้าใจโผได้ดีขึ้น
ตามโผ 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 ...
//
}
คุณสามารถแยกวิเคราะห์สตริงด้วยint.parse('your string value');
.
ตัวอย่าง:- int num = int.parse('110011'); print(num); // prints 110011 ;
แปลง String เป็น Int
var myInt = int.parse('12345');
assert(myInt is int);
print(myInt); // 12345
print(myInt.runtimeType);
แปลง String เป็น Double
var myDouble = double.parse('123.45');
assert(myInt is double);
print(myDouble); // 123.45
print(myDouble.runtimeType);