Introduction to the TaskFlow API and Airflow decorators
The TaskFlow API is a functional API for using decorators to define DAGs and tasks, which simplifies the process for passing data between tasks and defining dependencies. You can use TaskFlow decorator functions (for example, @task
) to pass data between tasks by providing the output of one task as an argument to another task. Decorators are a simpler, cleaner way to define your tasks and DAGs and can be used in combination with traditional operators.
In this guide, you'll learn about the benefits of decorators and the decorators available in Airflow. You'll also review an example DAG and learn when you should use decorators and how you can combine them with traditional operators in a DAG.
There are multiple resources for learning about this topic. See also:
- Astronomer Academy: Airflow: Taskflow API module.
- Webinar: Writing Functional DAGs with Decorators.
Assumed knowledge
To get the most out of this guide, you should have an understanding of:
- Basic Python. See the Python Documentation.
- Airflow operators. See Operators 101.
What is a decorator?
In Python, decorators are functions that take another function as an argument and extend the behavior of that function. For example, the @multiply_by_100_decorator
takes any function as the decorated_function
argument and returns the result of that function multiplied by 100.
# definition of the decorator function
def multiply_by_100_decorator(decorated_function):
def wrapper(num1, num2):
result = decorated_function(num1, num2) * 100
return result
return wrapper
# definition of the `add` function decorated with the `multiply_by_100_decorator`
@multiply_by_100_decorator
def add(num1, num2):
return num1 + num2
# definition of the `subtract` function decorated with the `multiply_by_100_decorator`
@multiply_by_100_decorator
def subtract(num1, num2):
return num1 - num2
# calling the decorated functions
print(add(1, 9)) # prints 1000
print(subtract(4, 2)) # prints 200
In the context of Airflow, decorators contain more functionality than this simple example, but the basic idea is the same: the Airflow decorator function extends the behavior of a normal Python function to turn it into an Airflow task, task group or DAG.
When to use the TaskFlow API
The purpose of the TaskFlow API in Airflow is to simplify the DAG authoring experience by eliminating the boilerplate code required by traditional operators. The result can be cleaner DAG files that are more concise and easier to read.
In general, whether you use the TaskFlow API is a matter of your own preference and style. In most cases, a TaskFlow decorator and the corresponding traditional operator will have the same functionality. You can also mix decorators and traditional operators within a single DAG.
How to use the TaskFlow API
The TaskFlow API allows you to write your Python tasks with decorators. It handles passing data between tasks using XCom and infers task dependencies automatically.
Using decorators to define your Python functions as tasks is easy. Let's take a before and after example. Under the Traditional syntax tab below, there is a basic ETL DAG with tasks to get data from an API, process the data, and store it. Click on the Decorators tab to see the same DAG written using Airflow decorators.
- Traditional syntax
- TaskFlow API
import logging
from datetime import datetime
import requests
from airflow import DAG
from airflow.operators.python import PythonOperator
API = "https://api.coingecko.com/api/v3/simple/price?ids=bitcoin&vs_currencies=usd&include_market_cap=true&include_24hr_vol=true&include_24hr_change=true&include_last_updated_at=true"
def _extract_bitcoin_price():
return requests.get(API).json()["bitcoin"]
def _process_data(ti):
response = ti.xcom_pull(task_ids="extract_bitcoin_price")
logging.info(response)
processed_data = {"usd": response["usd"], "change": response["usd_24h_change"]}
ti.xcom_push(key="processed_data", value=processed_data)
def _store_data(ti):
data = ti.xcom_pull(task_ids="process_data", key="processed_data")
logging.info(f"Store: {data['usd']} with change {data['change']}")
with DAG(
"classic_dag", schedule="@daily", start_date=datetime(2021, 12, 1), catchup=False
):
extract_bitcoin_price = PythonOperator(
task_id="extract_bitcoin_price", python_callable=_extract_bitcoin_price
)
process_data = PythonOperator(task_id="process_data", python_callable=_process_data)
store_data = PythonOperator(task_id="store_data", python_callable=_store_data)
extract_bitcoin_price >> process_data >> store_data
import logging
from datetime import datetime
from typing import Dict
import requests
from airflow.decorators import dag, task
API = "https://api.coingecko.com/api/v3/simple/price?ids=bitcoin&vs_currencies=usd&include_market_cap=true&include_24hr_vol=true&include_24hr_change=true&include_last_updated_at=true"
@dag(schedule="@daily", start_date=datetime(2021, 12, 1), catchup=False)
def taskflow():
@task(task_id="extract", retries=2)
def extract_bitcoin_price() -> Dict[str, float]:
return requests.get(API).json()["bitcoin"]
@task(multiple_outputs=True)
def process_data(response: Dict[str, float]) -> Dict[str, float]:
logging.info(response)
return {"usd": response["usd"], "change": response["usd_24h_change"]}
@task
def store_data(data: Dict[str, float]):
logging.info(f"Store: {data['usd']} with change {data['change']}")
store_data(process_data(extract_bitcoin_price()))
taskflow()
The decorated version of the DAG eliminates the need to explicitly instantiate the PythonOperator, has much less code and is easier to read. Notice that it also doesn't require using ti.xcom_pull
and ti.xcom_push
to pass data between tasks. This is all handled by the TaskFlow API when you define your task dependencies with store_data(process_data(extract_bitcoin_price()))
.
Here are some other things to keep in mind when using decorators:
-
You must call all decorated functions in your DAG file so that Airflow can register the task or DAG. For example,
taskflow()
is called at the end of the previous example to call the DAG function. -
When you define a task, the
task_id
defaults to the name of the function you decorated. If you want to change this behavior, you can pass atask_id
to the decorator as shown in theextract
task example. Similarly, other BaseOperator task-level parameters, such asretries
orpool
, can be defined within the decorator:@task(
task_id="say_hello_world"
retries=3,
pool="my_pool",
)
def taskflow_func():
retun "Hello World"
taskflow_func() # this creates a task with the task_id `say_hello_world` -
Override task-level parameters when you call the task by using the
.override()
method. The()
at the end of the line calls the task with the overridden parameters applied.# this creates a task with the task_id `greeting`
taskflow_func.override(retries=5, pool="my_other_pool", task_id="greeting")() -
If you call the same task multiple times and do not override the
task_id
, Airflow creates multiple unique task IDs by appending a number to the end of the original task ID (for example,say_hello
,say_hello__1
,say_hello__2
, etc). You can see the result of this in the following example:# task definition
@task
def say_hello(dog):
return f"Hello {dog}!"
### calling the task 4 times, creating 4 tasks in the DAG
# this task will have the id `say_hello` and print "Hello Avery!"
say_hello("Avery")
# this task will have the id `greet_dog` and print "Hello Piglet!"
say_hello.override(task_id="greet_dog")("Piglet")
# this task will have the id `say_hello__1` and print "Hello Peanut!"
say_hello("Peanut")
# this task will have the id `say_hello__2` and print "Hello Butter!"
say_hello("Butter") -
You can decorate a function that is imported from another file as shown in the following code snippet:
from include.my_file import my_function
@task
def taskflow_func():
my_function()This is recommended in cases where you have lengthy Python functions since it will make your DAG file easier to read.
-
You can assign the output of a called decorated task to a Python object to be passed as an argument into another decorated task. This is helpful when the output of one decorated task is needed in several downstream functions.
@task
def get_fruit_options():
return ["peach", "raspberry", "pineapple"]
@task
def eat_a_fruit(list):
index = random.randint(0, len(list) - 1)
print(f"I'm eating a {list[index]}!")
@task
def gift_a_fruit(list):
index = random.randint(0, len(list) - 1)
print(f"I'm giving you a {list[index]}!")
# you can assign the output of a decorated task to a Python object
my_fruits = get_fruit_options()
eat_a_fruit(my_fruits)
gift_a_fruit(my_fruits)
View more examples on how to use Airflow task decorators in the Astronomer webinars and the Apache Airflow TaskFlow API tutorial.
Mixing TaskFlow decorators with traditional operators
If you have a DAG that uses PythonOperator
and other operators that don't have decorators, you can easily combine decorated functions and traditional operators in the same DAG. For example, you can add an EmailOperator
to the previous example by updating your code to the following:
import logging
from datetime import datetime
from typing import Dict
import requests
from airflow.decorators import dag, task
from airflow.operators.email import EmailOperator
API = "https://api.coingecko.com/api/v3/simple/price?ids=bitcoin&vs_currencies=usd&include_market_cap=true&include_24hr_vol=true&include_24hr_change=true&include_last_updated_at=true"
@dag(schedule="@daily", start_date=datetime(2021, 12, 1), catchup=False)
def taskflow():
@task(task_id="extract", retries=2)
def extract_bitcoin_price() -> Dict[str, float]:
return requests.get(API).json()["bitcoin"]
@task(multiple_outputs=True)
def process_data(response: Dict[str, float]) -> Dict[str, float]:
logging.info(response)
return {"usd": response["usd"], "change": response["usd_24h_change"]}
@task
def store_data(data: Dict[str, float]):
logging.info(f"Store: {data['usd']} with change {data['change']}")
email_notification = EmailOperator(
task_id="email_notification",
to="noreply@astronomer.io",
subject="dag completed",
html_content="the dag has finished",
)
store_data(process_data(extract_bitcoin_price())) >> email_notification
taskflow()
Note that when adding traditional operators, dependencies are still defined using bit-shift operators.
You can pass information between decorated tasks and traditional operators using XCom. See the following sections for examples.
TaskFlow to TaskFlow
If both tasks are defined using the TaskFlow API, you can pass information directly between them by providing the called task function as a positional argument to the downstream task. Airflow will infer the dependency between the two tasks.
@task
def get_23_TF():
return 23
@task
def plus_10_TF(x):
return x + 10
plus_10_TF(get_23_TF()) # plus_10_TF will return 33
# or `plus_10_TF(x=get_23_TF())` if you want to use kwargs
Traditional operator to TaskFlow
Pass the .output
values of traditional Operator-based tasks to the callable of TaskFlow tasks to automatically create a relationship between the two tasks. For example:
def first_task_callable():
return "hello world"
first_task = PythonOperator(
task_id="first_task",
python_callable=first_task_callable
)
first_task_result = first_task.output
@task
def second_task(first_task_result_value):
return f"{first_task_result_value} and hello again"
# Providing first_task_result (traditional operator result) as an argument to a second_task
# (a TaskFlow function) automatically registers the dependency between the tasks.
second_task(first_task_result)
When no outputs are passed as arguments to automatically register dependencies, but you still want one task to complete before the second starts, use >>
to create the relationship between the first task and the second task:
@task
def first_task():
return "hello world"
second_task = EmptyOperator(
task_id="second_task",
)
first_task() >> second_task
The data a task returns varies based on its operator. Astronomer maintains a searchable registry of operators at the Astronomer Registry that describes what operators return and documents any operator parameters that can be used to control the return format.
TaskFlow to traditional operator
TaskFlow tasks, when called, return a reference (referred to internally as an XComArg) that can be passed into templateable fields of traditional operators to automatically create a relationship between the two tasks.
The list of templateable fields varies by operator. Astronomer maintains a searchable registry of operators at the Astronomer Registry that details which fields are templateable by default and users can control which fields are templateable.
Here's how you could pass the result of a TaskFlow function to a traditional PythonOperator's callable via an argument:
@task
def first_task():
return "hello"
first_task_result = first_task()
def second_task_callable(x):
uppercase_text = x.upper()
return f"Upper cased version of prior task result: {uppercase_text}"
# when first_task_result (an XComArg) is provided as an argument to a templated function (op_args)
# Airflow automatically registers that second_task depends on first_task
second_task = PythonOperator(
task_id="second_task",
python_callable=second_task_callable,
op_args=[ first_task_result ] # note op_args requires a LIST of XComArgs
)
# Astronomer recommends against explicitly defining this redundant-reference
# first_task_result >> second_task
When only the order of task execution is important, don't pass the return value of the first task as a parameter to the second task - instead use >>
to explicitly create the relationship. For example:
@task
def first_task():
return "hello world"
second_task = EmptyOperator(task_id="second_task")
first_task() >> second_task
Traditional operator to traditional operator
For the sake of completeness the below example shows how to use the output of one traditional operator in another traditional operator by accessing the .output
attribute of the upstream task. The dependency has to be defined explicitly using bit-shift operators.
def get_23_traditional():
return 23
def plus_10_traditional(x):
return x + 10
get_23_task = PythonOperator(
task_id="get_23_task",
python_callable=get_23_traditional
)
plus_10_task = PythonOperator(
task_id="plus_10_task",
python_callable=plus_10_traditional,
op_args=[get_23_task.output]
)
# plus_10_task will return 33
# when only using traditional operators, define dependencies explicitly
get_23_task >> plus_10_task
If you want to access any XCom that is not the returned value from an operator, you can use the xcom_pull
method inside a function, see how to access ti / task_instance in the Airflow context for an example. Traditional operators can also pull from XCom using Jinja templates in templateable parameters.
Available Airflow decorators
There are several decorators available to use with Airflow. This list provides a reference of currently available decorators:
- DAG decorator (
@dag()
), which creates a DAG. - TaskGroup decorator (
@task_group()
), which creates a TaskGroup. - Task decorator (
@task()
), which creates a Python task. - Bash decorator (
@task.bash()
) which creates a BashOperator task. - Python Virtual Env decorator (
@task.virtualenv()
), which runs your Python task in a virtual environment. - Docker decorator (
@task.docker()
), which creates a DockerOperator task. - Short circuit decorator (
@task.short_circuit()
), which evaluates a condition and skips downstream tasks if the condition is False. - Branch decorator (
@task.branch()
), which creates a branch in your DAG based on an evaluated condition. - BranchExternalPython decorator (
@task.branch_external_python
), which creates a branch in your DAG running Python code in a pre-existing virtual environment. - BranchPythonVirtualenvOperator (
@task.branch_virtualenv
), which creates a branch in your DAG running Python code in a newly created virtual environment. The environment can be cached by providing avenv_cache_path
. - Kubernetes pod decorator (
@task.kubernetes()
), which runs a KubernetesPodOperator task. - Sensor decorator (
@task.sensor()
), which turns a Python function into a sensor. - PySpark decorator (
@task.pyspark()
), which is injected with a SparkSession and SparkContext object if available.
You can also create your own custom task decorator.