---
title: "How to use xcom_pull to get a variable from another DAG"
description: "Get an XCOM variable from another DAG"
author: "Bartosz Mikulski"
author_bio: "Principal AI Engineer & MLOps Architect. I bridge the gap between \"it works in a notebook\" and \"it works for 200 million users.\""
author_url: https://mikulskibartosz.name
author_linkedin: https://www.linkedin.com/in/mikulskibartosz/
author_github: https://github.com/mikulskibartosz
canonical_url: https://mikulskibartosz.name/use-xcom-pull-to-get-variable-from-another-dag
---

In this article, I will show you how to get an XCOM variable from another Airflow DAG.

Please remember that it is not the recommended way of writing Airflow DAGs because DAGs should be independent of each other.

Airflow, however, does not stop us from using XCOM to communicate between DAGs. Here is a description of how we can do that:

1. First, we need a reference to the task instance. We can get that, for example, in the PythonOperator when we set the `provide_context` parameter to `True`:

```python
some_task = PythonOperator(
    task_id='the_task_id',
    python_callable=function_name,
    provide_context=True,
    dag=dag
)
```

When we do that, the function gets the DAG context as the parameter, and we can extract the task instance from the context:

```python
def function_name(**kwargs):
    task_instance = kwargs['task_instance']
```

2. Now, we can use the `xcom_pull` function to get the variable. Note that I have to specify both the name of the task that published the variable and the DAG identifier:

```python
task_instance.xcom_pull(dag_id='dag_id', task_ids='task_id', key="variable_name")
```

There is one caveat that makes this approach almost useless. Both DAGs must have the same execution date. It is caused by the implementation of `xcom_pull` in the TaskInstance class. The code in [the Airflow repository](https://github.com/apache/airflow/blob/4e362c134702dca30d1bd2e3da38bc2ee39825bf/airflow/models/taskinstance.py#L1843) looks like this:

```python
query = XCom.get_many(
    execution_date=self.execution_date,
    key=key,
    dag_ids=dag_id,
    task_ids=task_ids,
    include_prior_dates=include_prior_dates,
    session=session,
).with_entities(XCom.value)
```

