Build an Automated AI Sales Offer System with CrewAI and n8n

Build an AI sales system that works while you sleep with this CrewAI n8n tutorial. Create personalized offers that boost conversions using multi-agent AI automation.

Last updated: Mar 30, 2025

24 mins read

📝 Audio Version

Listen to this AI-generated podcast summarizing the article content for easier digestion

Introduction: The Evolution of Sales and the Rise of AI Automation

Tired of sending the same sales pitches to all of your customers? Want to increase your conversion rates and revenue without spending hours crafting personalized offers?

Today we’ll be building a multi-agent AI sales system that sends personalized sales offers to customers automatically. The system works while you sleep, increasing conversion and revenue through tailored messaging.

This CrewAI n8n tutorial will show you how to build an automated sales system that can analyze customer data, create detailed profiles, generate custom offers, and deliver them directly to customers – all without human intervention.

We’ll be using the CrewAI framework combined with an n8n workflow to create this powerful AI sales automation system. Our approach uses multiple specialized AI agents working together to create truly personalized sales experiences.

AI agent sales system showing the 4 agents, 4 tasks and 2 tools

The system consists of:

  • Four specialized AI agents:
    • Customer Data Analyst
    • Customer Profiling Specialist
    • Sales Offer Strategist
    • Technical Offer Formatter
  • Four key tasks:
    • Fetch customer data
    • Create customer profiles
    • Generate personalized offers
    • Format offers for delivery
  • Two essential tools:
    • Brave Search Tool (for real-time information gathering)
    • Custom Airtable Tool (for accessing customer data)

This tutorial is perfect for developers, tech entrepreneurs, and business owners looking to leverage AI for personalized sales outreach. The finished system will be fully automated, allowing you to scale your sales efforts without increasing your workload.

Welcome to the future of sales – let’s get started!

Understanding the Core Technologies: CrewAI and n8n

Deep Dive into CrewAI

CrewAI is a powerful framework for building multi-agent AI systems. Unlike single-agent approaches, CrewAI lets you create specialized AI agents that work together, each with specific roles, goals, and backstories.

In our AI sales agent tutorial, we’ll be using CrewAI to create a team of four specialized agents:

  1. Customer Data Analyst: This agent extracts and analyzes customer data from our Airtable database. It identifies patterns and key information that will be useful for creating personalized offers.
  2. Customer Profiling Specialist: Taking the raw data from the analyst, this agent creates comprehensive customer profiles. It considers demographics, purchase history, browsing behavior, and preferences to build a complete picture of each customer.
  3. Sales Offer Strategist: Using the customer profiles, this agent develops personalized sales offers. It determines the most appealing products, appropriate discount levels, and compelling messaging for each customer.
  4. Technical Offer Formatter: This agent takes the personalized offers and formats them for delivery. It structures the data in a way that can be easily processed by our automation workflow.

Each agent in the CrewAI framework has three key components:

  • Role: What the agent does (e.g., “Customer Data Analyst”)
  • Goal: What the agent is trying to achieve (e.g., “Extract valuable customer insights from raw data”)
  • Backstory: Context that guides the agent’s behavior (e.g., “You are an experienced data analyst with expertise in identifying customer patterns”)

These components help the agents understand their responsibilities and how they should interact with each other.

The agents work through a series of tasks:

  • Fetch Customer Data Task: Retrieves customer information from our Airtable database
  • Create Customer Profiles Task: Analyzes the data to build detailed customer profiles
  • Generate Personalized Offers Task: Creates tailored offers based on customer profiles
  • Format Offers Task: Structures the offers for delivery via email

To accomplish these tasks, our agents need access to tools. In this CrewAI tutorial, we’ll implement:

  1. Brave Search Tool: This allows our agents to search the web for up-to-date information that might be relevant to creating personalized offers. For example, the Sales Offer Strategist might look up current trends related to a customer’s interests.
  2. Custom Airtable Tool: We’ll create a custom tool that allows our agents to fetch customer data stored in Airtable. This gives the system access to customer information like names, email addresses, age, gender, location, and preferences.

Leveraging n8n for Automation

While CrewAI handles the intelligence behind our system, we need a way to trigger the process and deliver the results. That’s where n8n comes in.

n8n is a workflow automation platform that lets you connect different applications and services without writing code. In our case, we’ll use n8n to:

  1. Trigger our CrewAI system to generate personalized offers
  2. Check when the process is complete
  3. Process the results
  4. Send personalized emails to customers

When we deploy our CrewAI system (which we’ll do later using CrewAI Enterprise), it creates API endpoints that n8n can interact with. These endpoints allow n8n to:

  • Start the CrewAI process
  • Check the status of the process
  • Retrieve the results once the process is complete

This integration creates a fully automated pipeline: n8n triggers CrewAI, CrewAI generates personalized offers, and then n8n delivers those offers to customers via email.

Building the AI Sales System: A High-Level Walkthrough

Setting Up the CrewAI Environment

Before we build our AI sales system, we need to set up our CrewAI environment. The process is straightforward but requires attention to a few important details.

First, CrewAI has specific Python version requirements. You need Python version between 3.10 and above and below 3.13. This is crucial – if you’re using Python 3.13 or higher (like I was initially), you’ll need to downgrade.

To check your Python version, run this command in your terminal:

python --version

Next, we need to install UV, a package manager for Python:

For MacOS users:

curl -LsSf https://astral.sh/uv/install.sh | sh

For Windows users:

powershell -ExecutionPolicy ByPass -c "irm https://astral.sh/uv/install.ps1 | iex"

Once UV is installed, we can install the CrewAI CLI:

uv tool install crewai

With the CLI installed, we can create a new CrewAI project:

crewai create crew sales-offer-crew

This command creates a new folder with the basic structure for our CrewAI project. The CLI will ask a few questions to configure your project:

  • Which LLM provider you want to use (we’ll select OpenAI)
  • Which model to use (we’ll select GPT-4o mini, though you can change this later)
  • Your API key (you can hit enter for now and add it later)

After the project is created, you’ll have a folder structure that includes:

  • source directory
  • config folder with agent and task definitions
  • tools folder for custom tools
  • crew.py file for constructing your crew
  • main.py file with the run function that starts your system

This structure gives us a solid foundation to build our AI sales system.

Defining Agents, Tasks, and Tools for Personalized Sales

Now that we have our basic project structure, we need to define our agents, tasks, and tools. For this tutorial, I’ll be using Claude 3.7 Sonnet with agent mode prompted to help us create the code. This AI assistant will help us generate the boilerplate code we need.

Let’s start by defining our data model. We’ll create a Pydantic model to structure the sales offers our system will generate:

# models/sales_offer.py
from pydantic import BaseModel, Field
from typing import List, Dict, Any
from datetime import datetime
class SalesOffer(BaseModel):
"""Individual sales offer for a customer"""
customer_id: str = Field(..., description="Customer ID from Airtable")
customer_name: str = Field(..., description="Customer name")
customer_email: str = Field(..., description="Customer email address")
offer_title: str = Field(..., description="Title of the personalized offer")
offer_description: str = Field(..., description="Detailed description of the offer")
discount_percentage: float = Field(..., description="Discount percentage (0-100)")
recommended_products: List[str] = Field(
..., description="List of recommended product names"
)
valid_until: datetime = Field(..., description="Offer expiration date")
personal_message: str = Field(
..., description="Personalized message for the customer"
)
offer_code: str = Field(..., description="Unique code for this offer")
reason: str = Field(..., description="Reasoning behind this offer selection")
class SalesOfferCollection(BaseModel):
"""Collection of sales offers for multiple customers"""
offers: List[SalesOffer] = Field(
..., description="List of personalized sales offers"
)
generated_at: datetime = Field(
default_factory=datetime.now, description="When these offers were generated"
)
total_customers: int = Field(..., description="Total number of customers processed")
metadata: Dict[str, Any] = Field(
default_factory=dict,
description="Additional metadata about this batch of offers",
)

This model captures all the information we need for a personalized sales offer: customer details, offer specifics, recommended products, and personalization elements.

Next, let’s define our four agents in the agents.yaml file:

data_analyst:
role: >
Customer Data Analyst
goal: >
Extract and organize customer data to identify valuable insights and patterns
backstory: >
You're a meticulous data analyst with a keen eye for patterns in customer behavior.
You can spot trends in purchasing habits and customer preferences that others might miss.
Your insights drive business decisions and help create personalized customer experiences.
customer_profiler:
role: >
Customer Profiling Specialist
goal: >
Create detailed customer profiles based on their data and identify personalization opportunities
backstory: >
You're an expert in customer segmentation and personalization. Your specialty is
transforming raw customer data into actionable profiles that highlight individual
preferences, needs, and buying patterns. Your profiles are known for capturing the
essence of what makes each customer unique.
offer_creator:
role: >
Sales Offer Strategist
goal: >
Design highly personalized offers that maximize conversion rates and customer satisfaction
backstory: >
You're a creative strategist with years of experience in sales and marketing. You understand
what motivates customers to make purchases and how to craft irresistible offers tailored
to individual preferences. Your offers consistently achieve high conversion rates and customer satisfaction.
offer_formatter:
role: >
Technical Offer Formatter
goal: >
Format sales offers into structured data objects ready for API integration
backstory: >
You excel at transforming business content into structured technical formats. With a background
in both business and technology, you bridge the gap between marketing content and technical requirements.
You ensure that all sales offers are properly formatted as valid JSON data with all required fields
properly filled out and validated.

Each agent has a clear role, goal, and backstory.

Now, let’s define the tasks for our agents in the tasks.yaml file:

fetch_customer_data:
description: >
Use the Airtable tool to fetch all customer data from the database.
Organize the data in a clear format and provide a summary of the customer base.
expected_output: >
A structured dataset of all customers with their attributes, along with a brief
summary of key statistics about the customer base (number of customers, average
spend, demographics breakdown, etc.).
agent: data_analyst
create_customer_profiles:
description: >
Analyze the customer data provided and create detailed customer profiles.
For each customer, identify their preferences, buying patterns, and opportunities
for personalization. Group similar customers into segments if appropriate.
expected_output: >
Detailed profiles for each customer that highlight their unique characteristics,
preferences, and potential opportunities for personalized offers.
agent: customer_profiler
generate_personalized_offers:
description: >
For each customer profile, create a highly personalized sales offer that
addresses their specific needs, preferences, and purchase history. Each offer
should include a compelling title, description, discount percentage, recommended
products, expiration date, and a personal message.
expected_output: >
A collection of personalized sales offers, with one detailed offer per customer.
Each offer should be tailored to the customer's profile and include all required elements.
agent: offer_creator
format_offers_for_api:
description: >
Take the collection of personalized sales offers and format them according to the
SalesOfferCollection Pydantic model specification. Ensure all required fields are
present and properly formatted. Generate appropriate offer codes for each customer.
The output must be valid JSON that conforms to the SalesOfferCollection schema.
expected_output: >
A valid JSON object conforming to the SalesOfferCollection schema, containing all
personalized offers properly formatted for API integration.
agent: offer_formatter

Each task has a clear description, an assigned agent, and an expected output.

Connecting to Customer Data: The Airtable Integration

For our AI sales system to work, it needs access to customer data. We’ll use Airtable as our database because it’s easy to set up and integrate.

First, create an Airtable base with a table named “Customers” that includes these fields:

  • ID (text)
  • Customer Name (text)
  • Email (text)
  • Age (number)
  • Gender (single select)
  • Location (text)
  • Purchase History (text)
  • Preferred Category (single select)
  • Recently Viewed Items (multiple select)

Add some sample customer data to test the system. Include a variety of demographics, interests, and behaviors to see how the system creates different personalized offers.

Example customer data in an airtable

Next, we need to create a custom Airtable tool for our CrewAI agents. Here’s the code for our airtable_tool.py:

# tools/airtable_tool.py
import os
import requests
from typing import Dict, List
from crewai import Tool
from dotenv import load_dotenv
load_dotenv()
class AirtableTool(Tool):
name = "Airtable Customer Data Tool"
description = "Fetches customer data from Airtable"
def __init__(self):
self.base_id = os.getenv("AIRTABLE_BASE_ID")
self.table_name = os.getenv("AIRTABLE_TABLE_NAME")
self.api_key = os.getenv("AIRTABLE_API_KEY")
if not all([self.base_id, self.table_name, self.api_key]):
raise ValueError("Missing required Airtable environment variables")
def _execute(self) -> List[Dict]:
"""Fetch all customer records from Airtable"""
url = f"<https://api.airtable.com/v0/{self.base_id}/{self.table_name}>"
headers = {
"Authorization": f"Bearer {self.api_key}",
"Content-Type": "application/json"
}
response = requests.get(url, headers=headers)
if response.status_code != 200:
return f"Error fetching data: {response.status_code} - {response.text}"
records = response.json().get("records", [])
customers = []
for record in records:
fields = record.get("fields", {})
customers.append(fields)
return customers

This tool connects to our Airtable database using the API key, base ID, and table name we’ll specify in our environment variables.

We need to create a .env file to store these variables:

OPENAI_API_KEY=your_openai_api_key
AIRTABLE_BASE_ID=your_airtable_base_id
AIRTABLE_TABLE_NAME=Customers
AIRTABLE_API_KEY=your_airtable_api_key
BRAVE_API_KEY=your_brave_search_api_key

You’ll need to get these API keys from:

For the Airtable Base ID, look at the URL of your Airtable base. It’s the part that starts with “app” after “airtable.com/” – copy that and paste it in your .env file.

Building the Crew and Run Function

Lastly, let’s update our crew.py and main.py files:

# crew.py
from crewai import Agent, Crew, Process, Task
from crewai.project import CrewBase, agent, crew, task
from crewai_tools import BraveSearchTool
from sales_offer_crew.tools.airtable_tool import AirtableTool
from sales_offer_crew.models.sales_offer import SalesOfferCollection
@CrewBase
class SalesOfferCrew:
agents_config = "config/agents.yaml"
tasks_config = "config/tasks.yaml"
@agent
def data_analyst(self) -> Agent:
return Agent(
config=self.agents_config["data_analyst"],
tools=[AirtableTool()],
verbose=True,
)
@agent
def customer_profiler(self) -> Agent:
return Agent(
config=self.agents_config["customer_profiler"],
verbose=True,
)
@agent
def offer_creator(self) -> Agent:
return Agent(
config=self.agents_config["offer_creator"],
tools=[BraveSearchTool()],
verbose=True,
)
@agent
def offer_formatter(self) -> Agent:
return Agent(config=self.agents_config["offer_formatter"], verbose=True)
@task
def fetch_customer_data(self) -> Task:
return Task(
config=self.tasks_config["fetch_customer_data"],
)
@task
def create_customer_profiles(self) -> Task:
return Task(
config=self.tasks_config["create_customer_profiles"],
context=[self.fetch_customer_data()],
)
@task
def generate_personalized_offers(self) -> Task:
return Task(
config=self.tasks_config["generate_personalized_offers"],
context=[self.create_customer_profiles()],
)
@task
def format_offers_for_api(self) -> Task:
return Task(
config=self.tasks_config["format_offers_for_api"],
context=[self.generate_personalized_offers()],
output_pydantic=SalesOfferCollection,
)
@crew
def crew(self) -> Crew:
return Crew(
agents=self.agents,
tasks=self.tasks,
process=Process.sequential,
verbose=True,
)
# main.py
#!/usr/bin/env python
import sys
import warnings
from datetime import datetime
from sales_offer_crew.crew import SalesOfferCrew
warnings.filterwarnings("ignore", category=SyntaxWarning, module="pysbd")
def run():
inputs = {
"current_year": str(datetime.now().year),
"offer_expiration_days": 30,
"default_discount": 15,
}
try:
result = SalesOfferCrew().crew().kickoff(inputs=inputs)
print(f"\nSales offers generated successfully!")
return result
except Exception as e:
raise Exception(f"An error occurred while running the crew: {e}")

Deployment (Using CrewAI Enterprise as an Example)

Now let’s deploy our CrewAI system so n8n can interact with it. We’ll use CrewAI Enterprise for this, as it provides a simple way to deploy our system and create API endpoints.

First, make sure your code is in a GitHub repository. CrewAI Enterprise can connect directly to GitHub to deploy your code.

  1. Create a new repository on GitHub
  2. Push your code to the repository
  3. Log in to CrewAI Enterprise
  4. Create a new project
  5. Connect to your GitHub repository
  6. Configure your deployment settings
    • Select the repository
    • Select the branch (usually main)
    • Enable automatic deployment for new commits
  7. Add your environment variables
    • OPENAI_API_KEY
    • AIRTABLE_BASE_ID
    • AIRTABLE_TABLE_NAME
    • AIRTABLE_API_KEY
    • BRAVE_API_KEY
  8. Deploy your project

CrewAI Enterprise will automatically deploy your code and create API endpoints for you. It typically takes about 10 minutes for the deployment to complete.

Once the deployment is complete, you’ll have three endpoints:

  1. /inputs – Get information about the inputs your crew expects
  2. /kickoff – Start the CrewAI process
  3. /status/{kickoff_id} – Check the status of a running process

You can test these endpoints directly in the CrewAI Enterprise interface before connecting them to n8n.

To test the /kickoff endpoint, send a POST request with an empty JSON object {}. This will return a kickoff ID.

To test the /status endpoint, send a GET request with the kickoff ID in the URL. This will return the status of the process and the result if it’s complete.

Once you’ve verified that everything is working, you can update your n8n workflow with the actual endpoint URLs provided by CrewAI Enterprise.

Automating the Workflow with n8n

Now that we have our CrewAI system set up, we need to create an n8n workflow to automate the process and deliver our personalized offers to customers via email. In this section, I’ll walk you through building a complete n8n workflow step by step.

With our backend ready, let’s build the n8n workflow. You can access n8n by either:

  • Self-hosting it on your own server
  • Using n8n.io, their hosted service (offers a free trial)
The n8n workflow for our AI agent sales system

Step 1: Setting Up the Initial HTTP Request

Start with an HTTP Request node to trigger our CrewAI system:

  1. Create a new workflow in n8n
  2. Add an HTTP Request node
  3. Configure it:
    • Method: POST
    • URL: Your CrewAI Enterprise kickoff endpoint
    • Authentication: Bearer Token (paste your CrewAI Enterprise API key)
    • Request Body: {"inputs": {}}
    • Content Type: application/json
  4. Name this node “Kickoff Crew”
  5. Test it by clicking “Test step”

If successful, you’ll get a response like:

{
"kickoff_id": "abc123def456"
}

This kickoff ID is what we’ll use to check the status of our CrewAI process.

Step 2: Creating a Status-Checking Loop

Next, we need to check if our CrewAI process has completed. Since this can take 30-60 seconds, we’ll create a loop:

  1. Add another HTTP Request node
  2. Configure it:
    • Method: GET
    • URL: Your CrewAI Enterprise status endpoint + the kickoff ID from the previous step (For example: https://sales-offer-crew-123.crewai.com/status/{{ $('Kickoff Crew').item.json.kickoff_id }})
    • Authentication: Bearer Token (same as before)
  3. Name this node “Get Status”
  4. Connect it to the “Kickoff Crew” node

Now we need to create a conditional loop that checks if the process is complete:

  1. Add an IF node
  2. Connect it to the “Get Status” node
  3. Configure the condition:
    • Value 1: {{$json.state}}
    • Operation: is equal to
    • Value 2: SUCCESS
  4. Name this node “Check If Complete”

This node has two paths:

  • The “true” path (when status = “SUCCESS”)
  • The “false” path (when status = “RUNNING” or “FAILED”)

Let’s handle the “false” path first:

  1. Add a Wait node
  2. Connect it to the “false” output of the “Check If Complete” node
  3. Configure it to wait for 15 seconds
  4. Name this node “Wait 15 Seconds”
  5. Connect this node back to the “Get Status” node to create a loop

This creates a polling loop that checks the status every 15 seconds until it succeeds.

Step 3: Processing the Results

Once the status is “SUCCESS”, we need to extract and process the offers:

  1. Add a Set node
  2. Connect it to the “true” output of the “Check If Complete” node
  3. Configure it to extract the offers array:
    • Name: offers
    • Data type: Array
    • Value: {{ $('Get Status').item.json.result.parseJson().offers }}
  4. Name this node “Extract Offers”

Now we need to split the offers array so we can send an email for each offer:

  1. Add a Split In Batches node
  2. Connect it to the “Extract Offers” node
  3. Configure it:
    • Input Field: offers
    • Batch Size: 1
  4. Name this node “Split Offers”

This will output each offer individually, allowing us to send personalized emails to each customer.

Step 4: Sending Personalized Emails

Finally, we’ll send personalized emails to each customer:

  1. Add an Email node
  2. Connect it to the “Split Offers” node
  3. Configure your SMTP settings (server, port, username, password)
  4. Configure the email content:
    • From: Your email address
    • To: {{ $json.customer_email}}
    • Subject: {{ $json.offer_title }}
    • Content Type: HTML
    • HTML: Generate a template (see example template below)
  5. Name this node “Send Personalized Email”

Here’s an HTML email template you can use:

<!DOCTYPE html>
<html>
<head>
<style>
body {
font-family: Arial, sans-serif;
line-height: 1.6;
color: #333;
}
.container {
width: 80%;
margin: 0 auto;
padding: 20px;
}
.header {
background-color: #4CAF50;
color: white;
padding: 10px;
text-align: center;
}
.content {
padding: 20px;
background-color: #f9f9f9;
}
.footer {
text-align: center;
padding: 10px;
font-size: 0.8em;
color: #666;
}
.promo-code {
background-color: #f1f1f1;
padding: 10px;
text-align: center;
font-weight: bold;
letter-spacing: 2px;
margin: 20px 0;
}
.button {
display: inline-block;
background-color: #4CAF50;
color: white;
padding: 10px 20px;
text-decoration: none;
border-radius: 5px;
margin-top: 20px;
}
</style>
</head>
<body>
<div class="container">
<div class="header">
<h1>Special Offer Just for You, {{ <span style="background-color: rgba(99, 99, 99, 0.2); font-family: inherit; color: var(--wp--preset--color--contrast-2); font-size: var(--wp--preset--font-size--medium);">$json</span>.customer_name }}!</h1>
</div>
<div class="content">
<p>Hi {{ $json.customer_name }},</p>
<h2>{{ $json.offer_title }}</h2>
<p>{{ $json.offer_description }}</p>
<p>We're offering you a special <strong>{{ $json.discount_percentage }}% discount</strong> on these recommended products:</p>
<ul>
{{ $json.recommended_products.map(item => `
<li>${item}</li>
`).join('') }}
</ul>
<div class="promo-code">
Your Promo Code: {{ $json.promo_code }}
</div>
<p>{{ $json.personalized_message }}</p>
<p><strong>Why we think you'll love this:</strong> {{ $json.reason_for_recommendation }}</p>
<p>This offer expires on: {{ $json.expiration_date format="MM,DD,YYYY" }}</p>
<a href="<https://example.com/shop>" class="button">Shop Now</a>
</div>
<div class="footer">
<p>This email was sent to {{ $json.customer_email }}. If you no longer wish to receive these emails, you can unsubscribe <a href="#">here</a>.</p>
</div>
</div>
</body>
</html>

Step 5: Testing the Workflow

Now that our workflow is complete, it’s time to test it:

  1. Click “Test workflow” at the bottom of the n8n interface
  2. Watch the execution progress through each node
  3. The workflow will:
    • Kick off the CrewAI process
    • Check the status repeatedly until it’s complete
    • Extract the offers
    • Split them into individual items
    • Send personalized emails to each customer

The first time you run this workflow, it might take several minutes for the CrewAI process to complete. Be patient and watch the execution progress.

Step 6: Automating the Workflow

To make this system truly automated, you can add a trigger node at the beginning of your workflow:

  1. Add a Schedule Trigger node at the start of your workflow
  2. Configure it to run on your desired schedule (e.g., once a week)
  3. Connect it to the “Kickoff Crew” node

Now your workflow will run automatically according to your schedule, generating and sending personalized offers without any manual intervention.

Let’s check one of the emails the system sent in our test. For example, here’s the email Isabella Kim received:

Example of a sent email with a personalized sales offer

Notice how the system recommended beauty products specifically for Isabella, based on her preferences and browsing history from the Airtable data. The system recognized that her preferred category is beauty and that she recently viewed Korean skin care and hair products, so it tailored the recommendations accordingly.

This is the power of our AI sales system – each customer receives highly personalized offers based on their unique profile, all generated and delivered automatically.

Key Benefits and Takeaways

Building an AI-powered sales automation system with CrewAI and n8n offers several key benefits:

  1. Personalization at Scale: The system can analyze customer data and create highly personalized sales offers for each customer. This level of personalization would be impossible to achieve manually for a large customer base.
  2. 24/7 Operation: Once set up, the system works continuously, generating and sending offers even when you’re not actively working.
  3. Improved Conversion Rates: Personalized offers are more likely to resonate with customers, leading to higher conversion rates and increased revenue.
  4. Reduced Workload: Automating the sales offer process frees up your time to focus on other aspects of your business.
  5. Scalability: As your customer base grows, the system can easily scale to handle more customers without requiring additional manual work.
  6. Data-Driven Insights: The Customer Data Analyst agent can identify patterns and trends in your customer data, providing valuable insights for your marketing strategy.
  7. Real-Time Information: The Brave Search tool allows the system to incorporate current trends and information into the offers, making them more relevant and timely.
  8. Professional Presentation: The HTML email template ensures that the offers are presented in a professional and visually appealing way.

Getting Started with Your Own AI-Powered Sales Automation

If you want to build your own AI-powered sales automation system, here’s a checklist to get started:

  1. Set Up Your Environment:
    • Install Python (version between 3.10 and 3.13)
    • Install the UV package manager
    • Install the CrewAI CLI
    • Create a new CrewAI project
  2. Gather Your API Keys:
    • OpenAI API key
    • Airtable API key
    • Brave Search API key
  3. Set Up or Connect Your Customer and Product Database:
    • Use your existing database or create an Airtable base with customer and product data
    • Note your Airtable Base IDs and table names
  4. Implement the Code:
    • Define your agents with roles, goals, and backstories
    • Create tasks for each step of the process
    • Implement custom tools to fetch customer and product data (e.g., Airtable tool)
    • Set up the crew to orchestrate the agents and tasks
  5. Deploy Your System:
    • Push your code to GitHub
    • Deploy using CrewAI Enterprise
    • Note the API endpoints
  6. Create Your n8n Workflow:
    • Set up the HTTP Request nodes to interact with your CrewAI system
    • Implement the looping logic to check when the process completes
    • Create the email template for delivering offers
    • Configure the email sending settings
  7. Test and Refine:
    • Start with a small batch of customers
    • Review the offers generated by the system
    • Adjust the agent prompts and tasks as needed
    • Monitor conversion rates and make further refinements

Conclusion: The Future of Sales is Intelligent and Automated

The AI sales system we’ve built in this tutorial represents the future of sales automation – intelligent, personalized, and always working. By combining the power of CrewAI’s multi-agent framework with n8n’s workflow automation, we’ve created a system that can:

  1. Analyze customer data to identify patterns and trends
  2. Create detailed customer profiles
  3. Generate highly personalized sales offers
  4. Deliver those offers through professional, branded emails

As AI technology continues to evolve, we can expect these systems to become even more sophisticated, with deeper personalization and better targeting.

Resources:

GitHub repo with code example: sales-offer-crew

Leave a comment

Your email address won't be published.