Dart 规范指出:
具体类型信息反映了运行时对象的类型,并且总是可以通过动态类型检查构造(其他语言中的 instanceOf、casts、typecase 等的类似物)来查询。
听起来不错,但没有instanceof
-like 运算符。那么我们如何在 Dart 中执行运行时类型检查呢?有可能吗?
Dart 规范指出:
具体类型信息反映了运行时对象的类型,并且总是可以通过动态类型检查构造(其他语言中的 instanceOf、casts、typecase 等的类似物)来查询。
听起来不错,但没有instanceof
-like 运算符。那么我们如何在 Dart 中执行运行时类型检查呢?有可能吗?
is
在 Dart中调用 instanceof-operator 。该规范对普通读者并不完全友好,因此目前最好的描述似乎是http://www.dartlang.org/articles/optional-types/。
这是一个例子:
class Foo { }
main() {
var foo = new Foo();
if (foo is Foo) {
print("it's a foo!");
}
}
DartObject
类型有一个runtimeType
实例成员(来源来自dart-sdk
v1.14,不知道之前是否可用)
class Object {
//...
external Type get runtimeType;
}
用法:
Object o = 'foo';
assert(o.runtimeType == String);
正如其他人所提到的,Dart 的is
运算符相当于 Javascript 的instanceof
运算符。但是,我还没有找到typeof
Dart 中运算符的直接类似物。
值得庆幸的是,dart:mirrors 反射 API最近已添加到 SDK 中,现在可以在最新的 Editor+SDK 包中下载。这是一个简短的演示:
import 'dart:mirrors';
getTypeName(dynamic obj) {
return reflect(obj).type.reflectedType.toString();
}
void main() {
var val = "\"Dart is dynamically typed (with optional type annotations.)\"";
if (val is String) {
print("The value is a String, but I needed "
"to check with an explicit condition.");
}
var typeName = getTypeName(val);
print("\nThe mirrored type of the value is $typeName.");
}
类型测试有两个运算符:E is T
测试 E 是类型 T 的实例,而E is! T
测试 E不是类型 T 的实例。
请注意,E is Object
它始终为真,null is T
除非 ,否则始终为假T===Object
。
精确的类型匹配是通过runtimeType
属性完成的。检查实例或其任何父类型(在继承链中)是否属于给定类型是通过is
运算符完成的:
class xxx {}
class yyy extends xxx {}
void main() {
var y = yyy();
print(y is xxx);
print(y.runtimeType == xxx);
}
回报:
true
false
is
只是为了澄清和之间的区别runtimeType
。正如有人已经说过的(并且这是使用 Dart V2+ 测试的)以下代码:
class Foo {
@override
Type get runtimeType => String;
}
main() {
var foo = Foo();
if (foo is Foo) {
print("it's a foo!");
}
print("type is ${foo.runtimeType}");
}
将输出:
it's a foo!
type is String
这是错误的。现在,我看不出一个人应该做这种事情的原因......
只需调用
print(unknownDataType.runtimeType)
在数据上。
print("请输入您的电话号码:\n"); var 电话号码 = stdin.readLineSync();
if(phone number.runtimeType is int == true) // checks if the values input are integers
{
print('you have successfully input your phone number!');
}
else{
print('only numbers are allowed');
}