Skip to content Skip to sidebar Skip to footer

Is It Possible To Create A Regex-constrained Type Hint?

I have a helper function that converts a %Y-%m-%d %H:%M:%S-formatted string to a datetime.datetime: def ymdt_to_datetime(ymdt: str) -> datetime.datetime: return datetime.dat

Solution 1:

There currently is no way for types to statically verify that your string matches a precise format, unfortunately. This is partially because checking at compile time the exact values a given variable can hold is exceedingly difficult to implement (and in fact, is NP-hard in some cases), and partially because the problem becomes impossible in the face of things like user input. As a result, it's unlikely that this feature will be added to either mypy or the Python typing ecosystem in the near future, if at all.

One potential workaround would be to leverage NewType, and carefully control when exactly you construct a string of that format. That is, you could do:

from typing import NewType
YmdString = NewType('YmdString', str)

defdatetime_to_ymd(d: datetime) -> YmdString:# Do conversion herereturn YmdStr(s)

defverify_is_ymd(s: str) -> YmdString:# Runtime validation checks herereturn YmdString(s)

If you use only functions like these to introduce values of type YmdString and do testing to confirm that your 'constructor functions' are working perfectly, you can more or less safely distinguish between strings and YmdString at compile time. You'd then want to design your program to minimize how frequently you call these functions to avoid incurring unnecessary overhead, but hopefully, that won't be too onerous to do.

Solution 2:

Using type-hints does nothing in Python and acts as an indication of the type in static checkers. It is not meant to perform any actions, merely annotate a type.

You can't do any validation, all you can do, with type-hints and a checker, is make sure the argument passed in is actually of type str.

Post a Comment for "Is It Possible To Create A Regex-constrained Type Hint?"