Science Score: 13.0%
This score indicates how likely this project is to be science-related based on various indicators:
-
○CITATION.cff file
-
✓codemeta.json file
Found codemeta.json file -
○.zenodo.json file
-
○DOI references
-
○Academic publication links
-
○Committers with academic emails
-
○Institutional organization owner
-
○JOSS paper metadata
-
○Scientific vocabulary similarity
Low similarity (12.1%) to scientific vocabulary
Keywords
Repository
Functional programming for Python
Basic Info
- Host: GitHub
- Owner: dbrattli
- License: mit
- Language: Python
- Default Branch: main
- Homepage: https://expression.readthedocs.io
- Size: 2.35 MB
Statistics
- Stars: 676
- Watchers: 34
- Forks: 35
- Open Issues: 25
- Releases: 76
Topics
Metadata Files
README.md
Expression
Pragmatic functional programming
Expression aims to be a solid, type-safe, pragmatic, and high performance library for frictionless and practical functional programming in Python 3.10+.
By pragmatic, we mean that the goal of the library is to use simple abstractions to enable you to do practical and productive functional programming in Python (instead of being a Monad tutorial).
Python is a multi-paradigm programming language that also supports functional programming constructs such as functions, higher-order functions, lambdas, and in many ways favors composition over inheritance.
Better Python with F#
Expression tries to make a better Python by providing several functional features inspired by F#. This serves several purposes:
- Enable functional programming in a Pythonic way, i.e., make sure we are not over-abstracting things. Expression will not require purely functional programming as would a language like Haskell.
- Everything you learn with Expression can also be used with F#. Learn F# by starting in a programming language they already know. Perhaps get inspired to also try out F# by itself.
- Make it easier for F# developers to use Python when needed, and re-use many of the concepts and abstractions they already know and love.
Expression will enable you to work with Python using many of the same programming concepts and abstractions. This enables concepts such as Railway oriented programming (ROP) for better and predictable error handling. Pipelining for workflows, computational expressions, etc.
Expressions evaluate to a value. Statements do something.
F# is a functional programming language for .NET that is succinct (concise, readable, and type-safe) and kind of Pythonic. F# is in many ways very similar to Python, but F# can also do a lot of things better than Python:
- Strongly typed, if it compiles it usually works making refactoring much safer. You can trust the type-system. With mypy or Pylance you often wonder who is right and who is wrong.
- Type inference, the compiler deduces types during compilation
- Expression based language
Getting Started
You can install the latest expression from PyPI by running pip (or
pip3). Note that expression only works for Python 3.10+.
```console
pip install expression ```
To add Pydantic v2 support, install the pydantic extra:
```console
pip install expression[pydantic] ```
Goals
- Industrial strength library for functional programming in Python.
- The resulting code should look and feel like Python (PEP-8). We want to make a better Python, not some obscure DSL or academic Monad tutorial.
- Provide pipelining and pipe friendly methods. Compose all the things!
- Dot-chaining on objects as an alternative syntax to pipes.
- Lower the cognitive load on the programmer by:
- Avoid currying, not supported in Python by default and not a well known concept by Python programmers.
- Avoid operator (
|,>>, etc) overloading, this usually confuses more than it helps. - Avoid recursion. Recursion is not normally used in Python and any use of it should be hidden within the SDK.
- Provide type-hints for all functions and methods.
- Support PEP 634 and structural pattern matching.
- Code must pass strict static type checking by Pylance. Pylance is awesome, use it!
- Pydantic friendly data types. Use Expression types as part of your Pydantic data model and (de)serialize to/from JSON.
Supported features
Expression will never provide you with all the features of F# and .NET. We are providing a few of the features we think are useful, and will add more on-demand as we go along.
- Pipelining - for creating workflows.
- Composition - for composing and creating new operators.
- Fluent or Functional syntax, i.e., dot chain or pipeline operators.
- Pattern Matching - an alternative flow control to
if-elif-else. - Error Handling - Several error handling types.
- Option - for optional stuff and better
Nonehandling. - Result - for better error handling and enables railway-oriented programming in Python.
- Try - a simpler result type that pins the error to an Exception.
- Option - for optional stuff and better
- Collections - immutable collections.
- TypedArray - a generic array type that abstracts the details of
bytearray,array.arrayandlistmodules. - Sequence - a better itertools and fully compatible with Python iterables.
- Block - a frozen and immutable list type.
- Map - a frozen and immutable dictionary type.
- AsyncSeq - Asynchronous iterables.
- AsyncObservable - Asynchronous observables. Provided separately by aioreactive.
- TypedArray - a generic array type that abstracts the details of
- Data Modeling - sum and product types
- @tagged_union - A tagged (discriminated) union type decorator.
- Parser Combinators - A recursive decent string parser combinator library.
- Effects: - lightweight computational expressions for Python. This
is amazing stuff.
- option - an optional world for working with optional values.
- result - an error handling world for working with result values.
- seq - a world for working with sequences.
- async_result - an asynchronous error handling world for working with asynchronous result values.
- async_option - an asynchronous optional world for working with asynchronous optional values.
- Mailbox Processor: for lock free programming using the Actor model.
- Cancellation Token: for cancellation of asynchronous (and synchronous) workflows.
- Disposable: For resource management.
Pipelining
Expression provides a pipe function similar to |> in F#. We don't want to overload
any Python operators, e.g., | so pipe is a plain old function taking N-arguments,
and will let you pipe a value through any number of functions.
```python from collections.abc import Callable
from expression import pipe
v = 1 fn1: Callable[[int], int] = lambda x: x + 1 gn1: Callable[[int], int] = lambda x: x * 2
assert pipe(v, fn1, gn1) == gn1(fn1(v)) ```
Expression objects (e.g., Some, Seq, Result) also have a pipe method, so you can
dot chain pipelines directly on the object:
```python from expression import Option, Some
v = Some(1) fn2: Callable[[Option[int]], Option[int]] = lambda x: x.map(lambda y: y + 1) gn2: Callable[[Option[int]], Option[int]] = lambda x: x.map(lambda y: y * 2)
assert v.pipe(fn2, gn2) == gn2(fn2(v)) ```
So for example with sequences you may create sequence transforming pipelines:
```python from collections.abc import Callable
from expression.collections import Seq, seq
Since static type checkes aren't good good at inferring lambda types
mapper: Callable[[int], int] = lambda x: x * 10 predicate: Callable[[int], bool] = lambda x: x > 100 folder: Callable[[int, int], int] = lambda s, x: s + x
xs = Seq.of(9, 10, 11) ys = xs.pipe( seq.map(mapper), seq.filter(predicate), seq.fold(folder, 0), )
assert ys == 110 ```
Composition
Functions may even be composed directly into custom operators:
```python from expression import compose from expression.collections import Seq, seq
mapper: Callable[[int], int] = lambda x: x * 10 predicate: Callable[[int], bool] = lambda x: x > 100 folder: Callable[[int, int], int] = lambda s, x: s + x
xs = Seq.of(9, 10, 11) custom = compose( seq.map(mapper), seq.filter(predicate), seq.fold(folder, 0), ) ys = custom(xs)
assert ys == 110 ```
Fluent and Functional
Expression can be used both with a fluent or functional syntax (or both.)
Fluent syntax
The fluent syntax uses methods and is very compact. But it might get you into trouble for large pipelines since it's not a natural way of adding line breaks.
```python from expression.collections import Seq
xs = Seq.of(1, 2, 3) ys = xs.map(lambda x: x * 100).filter(lambda x: x > 100).fold(lambda s, x: s + x, 0) ```
Note that fluent syntax is probably the better choice if you use mypy for type checking since mypy may have problems inferring types through larger pipelines.
Functional syntax
The functional syntax is a bit more verbose but you can easily add new operations on new lines. The functional syntax is great to use together with pylance/pyright.
```python from expression import pipe from expression.collections import Seq, seq
mapper: Callable[[int], int] = lambda x: x * 100
xs = Seq.of(1, 2, 3) ys = pipe( xs, seq.map(mapper), seq.filter(lambda x: x > 100), seq.fold(lambda s, x: s + x, 0), ) ```
Both fluent and functional syntax may be mixed and even pipe can be used fluently.
```python from expression.collections import Seq, seq
xs = Seq.of(1, 2, 3).pipe(seq.map(mapper)) ```
Option
The Option type is used when a function or method cannot produce a meaningful
output for a given input.
An option value may have a value of a given type, i.e., Some(value), or it might
not have any meaningful value, i.e., Nothing.
```python from expression import Nothing, Option, Some
def keep_positive(a: int) -> Option[int]: if a > 0: return Some(a)
return Nothing
```
```python from typing import Literal
from expression import Ok, Option
def exists(x: Option[int]) -> bool: match x: case Option(tag="some"): return True case _: return False ```
Option as an effect
Effects in Expression is implemented as specially decorated coroutines
(enhanced generators) using
yield, yield from and return to consume or generate optional values:
```python from collections.abc import Generator
from expression import Some, effect
@effect.optionint def fn3() -> Generator[int, int, int]: x = yield 42 y = yield from Some(43)
return x + y
xs = fn3() ```
This enables "railway oriented programming",
e.g., if one part of the function yields from Nothing then the function is
side-tracked (short-circuit) and the following statements will never be executed. The
end result of the expression will be Nothing. Thus results from such an option
decorated function can either be Ok(value) or Error(error_value).
```python from collections.abc import Generator
from expression import Nothing, Some, effect
@effect.optionint def fn4() -> Generator[int, int, int]: x = yield from Nothing # or a function returning Nothing
# -- The rest of the function will never be executed --
y = yield from Some(43)
return x + y
xs = fn4() assert xs is Nothing ```
Option as an applicative
In functional programming, we sometimes want to combine two Option values into a new Option. However, this combination should only happen if both Options are Some. If either Option is None, the resulting value should also be None.
The map2 function allows us to achieve this behavior. It takes two Option values and a function as arguments. The function is applied only if both Options are Some, and the result becomes the new Some value. Otherwise, map2 returns None.
This approach ensures that our combined value reflects the presence or absence of data in the original Options.
```python from operator import add
from expression import Nothing, Option, Some
def keep_positive(a: int) -> Option[int]: if a > 0: return Some(a) else: return Nothing
def add_options(a: Option[int], b: Option[int]): return a.map2(add, b)
assert addoptions(keeppositive(4), keep_positive(-2)) is Nothing
assert addoptions(keeppositive(3), keep_positive(2)) == Some(5) ```
For more information about options:
Result
The Result[T, TError] type lets you write error-tolerant code that can be composed. A
Result works similar to Option, but lets you define the value used for errors, e.g.,
an exception type or similar. This is great when you want to know why some operation
failed (not just Nothing). This type serves the same purpose of an Either type where
Left is used for the error condition and Right for a success value.
```python from expression import Ok, Result, effect
@effect.resultint, Exception def fn5() -> Generator[int, int, int]: x = yield from Ok(42) y = yield from Ok(10) return x + y
xs = fn5() assert isinstance(xs, Result) ```
A simplified type called Try is also available. It's a result type that is
pinned to Exception i.e., Result[TSource, Exception].
AsyncResult
The AsyncResult[T, TError] type is the asynchronous version of Result. It allows you
to compose asynchronous operations that may fail, using the Result type. This is
particularly useful for handling errors in asynchronous code, such as API calls,
database operations, or any other I/O-bound tasks.
Similar to the Result effect, AsyncResult enables "railway oriented programming" but
for asynchronous operations. If any part of the function yields an Error, the function
is short-circuited and the following statements will never be executed.
```python from collections.abc import AsyncGenerator
from expression import Error, Ok, effect
@effect.async_resultint, str async def fn() -> AsyncGenerator[int, int]: x: int = yield 42 # Regular value y: int = yield await Ok(43) # Awaitable Ok value
# Short-circuit if condition is met
if x + y > 80:
z: int = yield await Error("Value too large") # This will short-circuit
else:
z: int = yield 44
yield x + y + z # Final value
This would be run in an async context
result = await fn()
assert result == Error("Value too large")
```
AsyncResult works well with other async functions and can be nested:
```python @effect.async_resultint, str async def inner(x: int) -> AsyncGenerator[int, int]: y: int = yield x + 1 yield y + 1 # Final value is y + 1
@effect.async_resultint, str async def outer() -> AsyncGenerator[int, int]: x: int = yield 40
# Call inner and await its result
inner_result = await inner(x)
y: int = yield await inner_result
yield y # Final value is y
This would be run in an async context
result = await outer()
assert result == Ok(42) # 40 -> 41 -> 42
```
A simplified type called AsyncTry is also available. It's an async result type that is
pinned to Exception i.e., AsyncResult[TSource, Exception].
AsyncOption
The AsyncOption[T] type is the asynchronous version of Option. It allows you to
compose asynchronous operations that may return an optional value, using the Option type.
This is particularly useful for handling optional values in asynchronous code, such as
API calls that might not return a value, database queries that might not find a record,
or any other I/O-bound tasks that might not produce a meaningful result. The AsyncOption
builder was added in version 0.25.0.
Similar to the Option effect, AsyncOption enables short-circuiting but for asynchronous
operations. If any part of the function yields Nothing, the function is short-circuited
and the following statements will never be executed.
```python from collections.abc import AsyncGenerator
from expression import Nothing, Some, effect
@effect.asyncoptionint async def fnoption() -> AsyncGenerator[int, int]: x: int = yield 42 # Regular value y: int = yield await Some(43) # Awaitable Some value
# Short-circuit if condition is met
if x + y > 80:
z: int = yield await Nothing # This will short-circuit
else:
z: int = yield 44
yield x + y + z # Final value
This would be run in an async context
result = await fn_option()
assert result is Nothing
```
AsyncOption works well with other async functions and can be nested:
```python @effect.asyncoptionint async def inneroption(x: int) -> AsyncGenerator[int, int]: y: int = yield x + 1 yield y + 1 # Final value is y + 1
@effect.asyncoptionint async def outeroption() -> AsyncGenerator[int, int]: x: int = yield 40
# Call inner and await its result
inner_result = await inner_option(x)
y: int = yield await inner_result
yield y # Final value is y
This would be run in an async context
result = await outer_option()
assert result == Some(42) # 40 -> 41 -> 42
```
Sequence
Sequences is a thin wrapper on top of iterables and contains operations for working with Python iterables. Iterables are immutable by design, and perfectly suited for functional programming.
```python import functools from collections.abc import Iterable
from expression import pipe from expression.collections import seq
Normal python way. Nested functions are hard to read since you need to
start reading from the end of the expression.
xs: Iterable[int] xs = range(100) ys = functools.reduce(lambda s, x: s + x, filter(lambda x: x > 100, map(lambda x: x * 10, xs)), 0)
mapper: Callable[[int], int] = lambda x: x * 10 predicate: Callable[[int], bool] = lambda x: x > 100 folder: Callable[[int, int], int] = lambda s, x: s + x
With Expression, you pipe the result, so it flows from one operator to the next:
zs: int = pipe( xs, seq.map(mapper), seq.filter(predicate), seq.fold(folder, 0), ) assert ys == zs ```
Tagged Unions
Tagged Unions (aka discriminated unions) may look similar to normal Python Unions. But
they are different in that the operands in a
type union (A | B) are both types, while the cases in a tagged union type U = A | B
are both constructors for the type U and are not types themselves. One consequence is
that tagged unions can be nested in a way union types might not.
In Expression you make a tagged union by defining your type similar to a dataclass and
decorate it with @tagged_union and add the appropriate generic types that this union
represent for each case. Then you optionally define static or class-method constructors
for creating each of the tagged union cases.
```python from dataclasses import dataclass from typing import Literal
from expression import case, tag, tagged_union
@dataclass class Rectangle: width: float length: float
@dataclass class Circle: radius: float
@tagged_union class Shape: tag: Literal["rectangle", "circle"] = tag()
rectangle: Rectangle = case()
circle: Circle = case()
@staticmethod
def Rectangle(width: float, length: float) -> "Shape":
"""Optional static method for creating a tagged union case"""
return Shape(rectangle=Rectangle(width, length))
@staticmethod
def Circle(radius: float) -> "Shape":
"""Optional static method for creating a tagged union case"""
return Shape(circle=Circle(radius))
```
Note that the tag field is optional, but recommended. If you don't specify a tag field
then then it will be created for you, but static type checkers will not be able to type
check correctly when pattern matching. The tag field if specified should be a literal
type with all the possible values for the tag. This is used by static type checkers to
check exhaustiveness of pattern matching.
Each case is given the case() field initializer. This is optional, but recommended for
static type checkers to work correctly. It's not required for the code to work properly,
Now you may pattern match the shape to get back the actual value:
```python shape = Shape.Rectangle(2.3, 3.3)
match shape: case Shape(tag="rectangle", rectangle=Rectangle(width=2.3)): assert shape.rectangle.width == 2.3 case _: assert False ```
Note that when matching keyword arguments, then the tag keyword argument must be
specified for static type checkers to check exhaustiveness correctly. It's not required
for the code to work properly, but it's recommended to avoid typing errors.
Notable differences between Expression and F\
In F# modules are capitalized, in Python they are lowercase
(PEP-8). E.g in F#
Option is both a module (OptionModule internally) and a type. In Python the module
is option and the type is capitalized i.e Option.
Thus in Expression you use option as the module to access module functions such as
option.map and the name Option for the type itself.
```python
from expression import Option, option Option
option ``` <!-- #endregion -->
Common Gotchas and Pitfalls
A list of common problems and how you may solve it:
Expression is missing the function/operator I need
Remember that everything is just a function, so you can easily implement a custom function yourself and use it with Expression. If you think the function is also usable for others, then please open a PR to include it with Expression.
Resources and References
A collection of resources that were used as reference and inspiration for creating this library.
- F# (http://fsharp.org)
- Get Started with F# (https://aka.ms/fsharphome)
- F# as a Better Python - Phillip Carter - NDC Oslo 2020 (https://www.youtube.com/watch?v=_QnbV6CAWXc)
- OSlash (https://github.com/dbrattli/OSlash)
- RxPY (https://github.com/ReactiveX/RxPY)
- PEP 8 -- Style Guide for Python Code (https://www.python.org/dev/peps/pep-0008/)
- PEP 342 -- Coroutines via Enhanced Generators (https://www.python.org/dev/peps/pep-0342/)
- PEP 380 -- Syntax for Delegating to a Subgenerator (https://www.python.org/dev/peps/pep-0380)
- PEP 479 -- Change StopIteration handling inside generators (https://www.python.org/dev/peps/pep-0479/)
- PEP 634 -- Structural Pattern Matching (https://www.python.org/dev/peps/pep-0634/)
- Thunks, Trampolines and Continuation Passing (https://jtauber.com/blog/2008/03/30/thunks,_trampolines_and_continuation_passing/)
- Tail Recursion Elimination (http://neopythonic.blogspot.com/2009/04/tail-recursion-elimination.html)
- Final Words on Tail Calls (http://neopythonic.blogspot.com/2009/04/final-words-on-tail-calls.html)
- Python is the Haskell You Never Knew You Had: Tail Call Optimization (https://sagnibak.github.io/blog/python-is-haskell-tail-recursion/)
How-to Contribute
You are very welcome to contribute with suggestions or PRs :heart_eyes: It is nice if you can try to align the code and naming with F# modules, functions, and documentation if possible. But submit a PR even if you should feel unsure.
Code, doc-strings, and comments should also follow the Google Python Style Guide.
Code checks are done using
To run code checks on changed files every time you commit, install the pre-commit hooks by running:
```bash
pre-commit install ``` <!-- #endregion -->
Code of Conduct
This project follows https://www.contributor-covenant.org, see our Code of Conduct.
License
MIT, see LICENSE.
Owner
- Name: Dag Brattli
- Login: dbrattli
- Kind: user
- Location: Tromsø, Norway
- Company: @cognitedata
- Website: http://no.linkedin.com/pub/dag-brattli/0/47b/148/
- Twitter: dbrattli
- Repositories: 14
- Profile: https://github.com/dbrattli
Creator of RxPY, Expression, Fable Python, Oryx, AsyncRx, aioreactive, OSlash, ... ✨
GitHub Events
Total
- Create event: 21
- Release event: 2
- Issues event: 13
- Watch event: 166
- Delete event: 14
- Issue comment event: 15
- Push event: 31
- Pull request event: 29
- Fork event: 6
Last Year
- Create event: 21
- Release event: 2
- Issues event: 13
- Watch event: 166
- Delete event: 14
- Issue comment event: 15
- Push event: 31
- Pull request event: 29
- Fork event: 6
Committers
Last synced: 9 months ago
Top Committers
| Name | Commits | |
|---|---|---|
| Dag Brattli | d****g@b****t | 345 |
| renovate[bot] | 2****] | 35 |
| phi | p****y@g****m | 13 |
| Fida Waseque Choudhury | f****e@g****m | 13 |
| Brendan Maguire | 1****e | 5 |
| erlendvollset | e****t@g****m | 4 |
| Yudai Kiyofuji | 5****8 | 3 |
| dhz | 3****z | 3 |
| ShalokShalom | s****m@p****h | 2 |
| Miller Wilt | m****t@g****m | 1 |
| Gary Robinson | g****b@m****m | 1 |
| Ghislain Antony Vaillant | g****l | 1 |
| Jacob Bruggemann | s****5@g****m | 1 |
| Phil Varner | p****r@g****m | 1 |
| Stanislav Lukeš | g****b@e****z | 1 |
| Tomas Brixi | t****i@g****m | 1 |
| Vince | v****r@g****m | 1 |
| yuuuxt | y****t | 1 |
Committer Domains (Top 20 + Academic)
Issues and Pull Requests
Last synced: 6 months ago
All Time
- Total issues: 24
- Total pull requests: 92
- Average time to close issues: 3 months
- Average time to close pull requests: 15 days
- Total issue authors: 16
- Total pull request authors: 10
- Average comments per issue: 2.04
- Average comments per pull request: 0.28
- Merged pull requests: 83
- Bot issues: 0
- Bot pull requests: 17
Past Year
- Issues: 7
- Pull requests: 28
- Average time to close issues: about 2 months
- Average time to close pull requests: 1 day
- Issue authors: 6
- Pull request authors: 3
- Average comments per issue: 1.29
- Average comments per pull request: 0.04
- Merged pull requests: 23
- Bot issues: 0
- Bot pull requests: 0
Top Authors
Issue Authors
- vreuter (4)
- ShravanSunder (4)
- denghz (3)
- Hugovdberg (2)
- jim108dev (1)
- dbrattli (1)
- mardukbp (1)
- brendanmaguire (1)
- renovate[bot] (1)
- vinicius-tersi (1)
- jpgoldberg (1)
- jaycunningham-8451 (1)
- filwaline (1)
- phi-friday (1)
- aiq-kgielow (1)
Pull Request Authors
- dbrattli (76)
- renovate[bot] (16)
- phi-friday (10)
- brendanmaguire (9)
- u3kkasha (4)
- edmundmills (4)
- denghz (2)
- vreuter (2)
- Krizhnikov (1)
- garyrob (1)
Top Labels
Issue Labels
Pull Request Labels
Dependencies
- actions/checkout v2 composite
- actions/setup-python v2 composite
- actions/checkout v3 composite
- actions/setup-python v3 composite
- expression >=2.0.1
- jupyter-book *
- sphinx-autodoc-typehints >=1.17.0
- 164 dependencies
- autoflake ^1.4 develop
- black ^22.3.0 develop
- coverage ^6.4.3 develop
- coveralls ^3.3.1 develop
- dunamai ^1.12.0 develop
- flake8 ^5.0.4 develop
- hypothesis ^6.54.2 develop
- isort ^5.10.1 develop
- jupyter-book ^0.12.0 develop
- pre-commit ^2.20.0 develop
- pydantic ^1.9.0 develop
- pytest ^7.2.0 develop
- pytest-asyncio ^0.19.0 develop
- sphinx-autodoc-typehints ^1.17.0 develop
- python >= 3.9, < 4
- typing-extensions ^4.1.1