Last active
March 20, 2024 07:41
-
-
Save dorchard/6d5d8ba6392228376a9a8b70abd8a716 to your computer and use it in GitHub Desktop.
Code from NERC 2024 workshop live demos on 'Using types to rule out bugs: Python perspective'
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
from typing import TYPE_CHECKING | |
flag : bool = True | |
def greet(name: str) -> None: | |
"""Say hello to everyone""" | |
print("Hi " + name) | |
return None | |
greet("Manchester") | |
def myAbs(x : float) -> float: | |
"""Take the absolute of the floating-point input""" | |
if x < 0: | |
return (-x) | |
else: | |
return x | |
from typing import Iterable | |
def greetAll(names : Iterable[str]) -> None: | |
for name in names: | |
greet(name) | |
greetAll(["Alice", "Baiba", "Cornelius"]) | |
greetAll({"hi":42,"test":55}) | |
greetAll(("A", "B", "C", "D")) | |
def myDiv(x : float, y : float) -> (float | None): | |
if y != 0: return x / y | |
else: return None | |
myDict : dict[str, float | str] = {"temp" : 273.0, "units": "Kelvin"} | |
if TYPE_CHECKING: | |
reveal_type(len) | |
from typing import Any | |
# def first(xs : list[Any]) -> Any: | |
# return xs[0] | |
# not much information | |
def notfirst(xs : list[Any]) -> Any: | |
return 422934809234 | |
from typing import Any, TypeVar | |
T = TypeVar("T") | |
# or in python 3.10 and below: | |
# def first(xs : list[type(T)]) -> type(T): | |
def first(xs : list[T]) -> T: | |
return xs[0] | |
example0 = first([1,2,3,4]) | |
#reveal_type(example0) | |
example1 = first(["hi","hola"]) | |
#reveal_type(example1) | |
from typing import Callable | |
S = TypeVar('S') | |
def memo(f : Callable[[S], T], x : S) -> tuple[S,T]: | |
return (x, f(x)) | |
# what about functions that return multiple outputs? | |
# It's really just at tuple: | |
def foo(x : T) -> tuple[T,T]: | |
return x, x | |
a, b = foo(42) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment