Skip to main content
CrewAI AMP triggers connect your automations to real-time events across the tools your teams already use. Instead of polling systems or relying on manual kickoffs, triggers listen for changes—new emails, calendar updates, CRM status changes—and immediately launch the crew or flow you specify.
Automation Triggers Overview

Integration Playbooks

Deep-dive guides walk through setup and sample workflows for each integration:

Trigger Capabilities

With triggers, you can:
  • Respond to real-time events - Automatically execute workflows when specific conditions are met
  • Integrate with external systems - Connect with platforms like Gmail, Outlook, OneDrive, JIRA, Slack, Stripe and more
  • Scale your automation - Handle high-volume events without manual intervention
  • Maintain context - Access trigger data within your crews and flows

Managing Triggers

Viewing Available Triggers

To access and manage your automation triggers:
  1. Navigate to your deployment in the CrewAI dashboard
  2. Click on the Triggers tab to view all available trigger integrations
List of available automation triggers

Example of available automation triggers for a Gmail deployment

This view shows all the trigger integrations available for your deployment, along with their current connection status.

Enabling and Disabling Triggers

Each trigger can be easily enabled or disabled using the toggle switch:
Enable or disable triggers with toggle

Enable or disable triggers with toggle

  • Enabled (blue toggle): The trigger is active and will automatically execute your deployment when the specified events occur
  • Disabled (gray toggle): The trigger is inactive and will not respond to events
Simply click the toggle to change the trigger state. Changes take effect immediately.

Monitoring Trigger Executions

Track the performance and history of your triggered executions:
List of executions triggered by automation

List of executions triggered by automation

Building Trigger-Driven Automations

Before building your automation, it’s helpful to understand the structure of trigger payloads that your crews and flows will receive.

Trigger Setup Checklist

Before wiring a trigger into production, make sure you:
  • Connect the integration under Tools & Integrations and complete any OAuth or API key steps
  • Enable the trigger toggle on the deployment that should respond to events
  • Provide any required environment variables (API tokens, tenant IDs, shared secrets)
  • Create or update tasks that can parse the incoming payload within the first crew task or flow step
  • Decide whether to pass trigger context automatically using allow_crewai_trigger_context
  • Set up monitoring—webhook logs, CrewAI execution history, and optional external alerting

Payload & Crew Examples Repository

We maintain a comprehensive repository with end-to-end trigger examples to help you build and test your automations: This repository contains:
  • Realistic payload samples for every supported trigger integration
  • Ready-to-run crew implementations that parse each payload and turn it into a business workflow
  • Multiple scenarios per integration (e.g., new events, updates, deletions) so you can match the shape of your data
IntegrationWhen it firesPayload SamplesCrew Examples
GmailNew messages, thread updatesNew alerts, thread updatesnew-email-crew.py, gmail-alert-crew.py
Google CalendarEvent created / updated / started / ended / cancelledEvent lifecycle payloadscalendar-event-crew.py, calendar-meeting-crew.py, calendar-working-location-crew.py
Google DriveFile created / updated / deletedFile lifecycle payloadsdrive-file-crew.py, drive-file-deletion-crew.py
OutlookNew email, calendar event removedOutlook payloadsoutlook-message-crew.py, outlook-event-removal-crew.py
OneDriveFile operations (create, update, share, delete)OneDrive payloadsonedrive-file-crew.py
HubSpotRecord created / updated (contacts, companies, deals)HubSpot payloadshubspot-company-crew.py, hubspot-contact-crew.py, hubspot-record-crew.py
Microsoft TeamsChat thread createdTeams chat payloadteams-chat-created-crew.py
Use these samples to understand payload shape, copy the matching crew, and then replace the test payload with your live trigger data.

Triggers with Crew

Your existing crew definitions work seamlessly with triggers, you just need to have a task to parse the received payload:
@CrewBase
class MyAutomatedCrew:
    @agent
    def researcher(self) -> Agent:
        return Agent(
            config=self.agents_config['researcher'],
        )

    @task
    def parse_trigger_payload(self) -> Task:
        return Task(
            config=self.tasks_config['parse_trigger_payload'],
            agent=self.researcher(),
        )

    @task
    def analyze_trigger_content(self) -> Task:
        return Task(
            config=self.tasks_config['analyze_trigger_data'],
            agent=self.researcher(),
        )
The crew will automatically receive and can access the trigger payload through the standard CrewAI context mechanisms.
Crew and Flow inputs can include crewai_trigger_payload. CrewAI automatically injects this payload:
  • Tasks: appended to the first task’s description by default (“Trigger Payload: ”)
  • Control via allow_crewai_trigger_context: set True to always inject, False to never inject
  • Flows: any @start() method that accepts a crewai_trigger_payload parameter will receive it

Integration with Flows

For flows, you have more control over how trigger data is handled:

Accessing Trigger Payload

All @start() methods in your flows will accept an additional parameter called crewai_trigger_payload:
from crewai.flow import Flow, start, listen

class MyAutomatedFlow(Flow):
    @start()
    def handle_trigger(self, crewai_trigger_payload: dict = None):
        """
        This start method can receive trigger data
        """
        if crewai_trigger_payload:
            # Process the trigger data
            trigger_id = crewai_trigger_payload.get('id')
            event_data = crewai_trigger_payload.get('payload', {})

            # Store in flow state for use by other methods
            self.state.trigger_id = trigger_id
            self.state.trigger_type = event_data

            return event_data

        # Handle manual execution
        return None

    @listen(handle_trigger)
    def process_data(self, trigger_data):
        """
        Process the data from the trigger
        """
        # ... process the trigger

Triggering Crews from Flows

When kicking off a crew within a flow that was triggered, pass the trigger payload as it:
@start()
def delegate_to_crew(self, crewai_trigger_payload: dict = None):
    """
    Delegate processing to a specialized crew
    """
    crew = MySpecializedCrew()

    # Pass the trigger payload to the crew
    result = crew.crew().kickoff(
        inputs={
            'a_custom_parameter': "custom_value",
            'crewai_trigger_payload': crewai_trigger_payload
        },
    )

    return result

Troubleshooting

Trigger not firing:
  • Verify the trigger is enabled
  • Check integration connection status
Execution failures:
  • Check the execution logs for error details
  • If you are developing, make sure the inputs include the crewai_trigger_payload parameter with the correct payload
Automation triggers transform your CrewAI deployments into responsive, event-driven systems that can seamlessly integrate with your existing business processes and tools.

CrewAI AMP Trigger Examples

Check them out on GitHub!
I