在 Airflow 中创建具有 XCOM 价值的动态工作流程

Non*_* S. 2 airflow airflow-2.x

现在,我使用这样的变量创建多个任务,并且效果很好。

with DAG(....) as dag:
    body = Variable.get("config_table", deserialize_json=True)
    for i in range(len(body.keys())):
        simple_task = Operator(
            task_id = 'task_' + str(i),
            .....

Run Code Online (Sandbox Code Playgroud)

但出于某种原因我需要使用 XCOM 值而不是使用变量。是否可以动态创建带有XCOM拉值的任务?

我尝试像这样设置值但它不起作用

body = "{{ ti.xcom_pull(key='config_table', task_ids='get_config_table') }}"

Nic*_*coE 8

可以从XComs先前任务生成的任务动态创建任务,关于这个主题有更广泛的讨论,例如在这个问题中。建议的方法之一遵循这种结构,这是我制作的一个工作示例:

样本文件.json:

{
    "cities": [ "London", "Paris", "BA", "NY" ]
}
Run Code Online (Sandbox Code Playgroud)
  • 从 API、文件或任何来源获取数据。将其推为XCom.

def _process_obtained_data(ti):
    list_of_cities = ti.xcom_pull(task_ids='get_data')
    Variable.set(key='list_of_cities',
                 value=list_of_cities['cities'], serialize_json=True)

def _read_file():
    with open('dags/sample_file.json') as f:
        data = json.load(f)
        # push to XCom using return
        return data


with DAG('dynamic_tasks_example', schedule_interval='@once',
         start_date=days_ago(2),
         catchup=False) as dag:

    get_data = PythonOperator(
        task_id='get_data',
        python_callable=_read_file)
Run Code Online (Sandbox Code Playgroud)
  • 添加第二个任务,该任务将从 pull from 中提取数据,并使用稍后用于迭代的数据XCom设置 a 。Variable
    preparation_task = PythonOperator(
        task_id='preparation_task',
        python_callable=_process_obtained_data)
Run Code Online (Sandbox Code Playgroud)

*当然,如果您愿意,您可以将这两个任务合并为一个。我不喜欢这样做,因为通常我会采用所获取数据的子集来创建Variable.

  • 从中阅读Variable并稍后迭代它。定义至关重要。default_var
    end = DummyOperator(
        task_id='end',
        trigger_rule='none_failed')

    # Top-level code within DAG block
    iterable_list = Variable.get('list_of_cities',
                                 default_var=['default_city'],
                                 deserialize_json=True)
Run Code Online (Sandbox Code Playgroud)
  • 在循环中声明动态任务及其依赖关系。打造task_id独一无二。TaskGroup是可选的,可帮助您对 UI 进行排序。

    with TaskGroup('dynamic_tasks_group',
                   prefix_group_id=False,
                   ) as dynamic_tasks_group:
        if iterable_list:
            for index, city in enumerate(iterable_list):
                say_hello = PythonOperator(
                    task_id=f'say_hello_from_{city}',
                    python_callable=_print_greeting,
                    op_kwargs={'city_name': city, 'greeting': 'Hello'}
                )
                say_goodbye = PythonOperator(
                    task_id=f'say_goodbye_from_{city}',
                    python_callable=_print_greeting,
                    op_kwargs={'city_name': city, 'greeting': 'Goodbye'}
                )

                # TaskGroup level dependencies
                say_hello >> say_goodbye

# DAG level dependencies
get_data >> preparation_task >> dynamic_tasks_group >> end

Run Code Online (Sandbox Code Playgroud)

DAG图视图:

用户界面中的 DAG

进口:

import json
from airflow import DAG
from airflow.utils.dates import days_ago
from airflow.models import Variable
from airflow.operators.python_operator import PythonOperator
from airflow.operators.dummy import DummyOperator
from airflow.utils.task_group import TaskGroup
Run Code Online (Sandbox Code Playgroud)

要记住的事情:

  • 如果您同时有相同的 dag_runs DAG,它们都将使用相同的变量,因此您可能需要通过区分它们的名称来使其“唯一”。
  • 读取时必须设置默认值Variable,否则第一次执行可能无法处理到Scheduler
  • Airflow Graph View UI 可能不会立即刷新更改。尤其是在从创建动态任务生成的可迭代对象中添加或删除项目后的第一次运行中。
  • 如果您需要读取多个变量,请务必记住,建议将它们存储在一个 JSON 值中,以避免不断创建与元数据数据库的连接(本文中的示例

祝你好运!

编辑:

另一个需要考虑的重要点:

  • 使用这种方法,对方法的调用Variable.get()顶级代码,因此调度程序每 30 秒读取一次(默认min_file_process_interval设置)。这意味着每次都会发生与元数据数据库的连接。

编辑:

  • 添加了 if 子句来处理空iterable_list情况。