Given some nullable type T?
, how do I get the corresponding non-nullable one T
?
For example:
T? x<T extends int?>(T? value) => value;
Type g<T>(T Function(T) t) => T;
Type type = g(x);
print(type); // Prints "int?"
Now I want to get the non-nullable type. How do I create the function convert
so that:
Type nonNullableType = convert(type);
print(nonNullableType); // Prints "int"
In general, you do not. There is no simple way to strip the
?
of a type, or destructure types in other ways. (You also can't find theT
of type you know is aList<T>
at run--time)If you have the type as a
Type
object, you can do nothing with it. UsingType
object is almost never what you need.If you have the type as a type parameter, then the type system don't actually know whether it's nullable. Example:
Even if you test
null is T
to check that the type is actually nullable, the type system doesn't get any smarter, that's not one of the tests that it can derive type information from.The only types you can improve on are variable types (or rather, the type of a single value currently stored in a variable). So, if you have
T x = ...;
and you doif (x != null) { ... x is not null here }
, you can promote the variable toT&Object
, but that's only an intermediate type to allow you to call members on the variable, it's not a real type that you can capture as a type variable or a variable type. It won't help you.All in all, it can't be done. When you have the nullable type, it's too late, you need to capture it before adding the
?
.What problem are you actually trying to solve?