The process begins with scaffolding autonomous agents using Autogen, a tool that simplifies the creation and orchestration of these digital personas. We can install autogen pypi package using py
pip install pyautogen
Format the output (optional)— This is to ensure word wrapping for readability depending on your IDE, such as when you use Google Collab to run your laptop for this exercise.
from IPython.display import HTML, displaydef set_css():
display(HTML('''
<style>
pre {
white-space: pre-wrap;
}
</style>
'''))
get_ipython().events.register('pre_run_cell', set_css)
Now we go ahead and configure our environment by importing the packages and configuring the Autogen configuration. – along with our LLM (Large Language Model) and API keys. You can use other on-premises LLMs that use services that are backward compatible with the OpenAI REST service: Local ai is a service that can act as a gateway to your open source LLMs running locally.
I have tested this both in GPT3.5 gpt-3.5-turbo
and GPT4 gpt-4-turbo-preview
from OpenAI. You will need to consider deeper answers from GPT4, but the query time will be longer.
import json
import os
import autogen
from autogen import GroupChat, Agent
from typing import Optional# Setup LLM model and API keys
os.environ("OAI_CONFIG_LIST") = json.dumps((
{
'model': 'gpt-3.5-turbo',
'api_key': '<<Put your Open-ai Key here>>',
}
))
# Setting configurations for autogen
config_list = autogen.config_list_from_json(
"OAI_CONFIG_LIST",
filter_dict={
"model": {
"gpt-3.5-turbo"
}
}
)
Next we need to configure our LLM instance. — that we will link to each of the agents. This allows us, if necessary, to generate unique LLM configurations per agent, that is, if we wanted to use different models for different agents.
# Define the LLM configuration settings
llm_config = {
# Seed for consistent output, used for testing. Remove in production.
# "seed": 42,
"cache_seed": None,
# Setting cache_seed = None ensure's caching is disabled
"temperature": 0.5,
"config_list": config_list,
}
Defining our researcher – This is the person who will facilitate the session in this simulated user research scenario. The system message used for that person includes a few key things:
- Aim: Their role is to ask questions about products and collect information from individual customers like Emily.
- Simulation grounding: Before starting the task, break down the list of panelists and the order in which you want them to speak, avoid panelists talking over each other and creating confirmation bias.
- Finishing the simulation: Once the conversation is over and the investigation is complete, end your message with “END” to end the investigation session, this is generated from the
generate_notice
function used to align system prompts for multiple agents. You will also notice that the investigating agent has theis_termination_msg
established to honor the termination.
We also add the llm_config
which is used to link this to the language model configuration with the model version, keys and hyperparameters to use. We will use the same settings with all our agents.
# Avoid agents thanking each other and ending up in a loop
# Helper agent for the system prompts
def generate_notice(role="researcher"):
# Base notice for everyone, add your own additional prompts here
base_notice = (
'\n\n'
)# Notice for non-personas (manager or researcher)
non_persona_notice = (
'Do not show appreciation in your responses, say only what is necessary. '
'if "Thank you" or "You\'re welcome" are said in the conversation, then say TERMINATE '
'to indicate the conversation is finished and this is your last message.'
)
# Custom notice for personas
persona_notice = (
' Act as {role} when responding to queries, providing feedback, asked for your personal opinion '
'or participating in discussions.'
)
# Check if the role is "researcher"
if role.lower() in ("manager", "researcher"):
# Return the full termination notice for non-personas
return base_notice + non_persona_notice
else:
# Return the modified notice for personas
return base_notice + persona_notice.format(role=role)
# Researcher agent definition
name = "Researcher"
researcher = autogen.AssistantAgent(
name=name,
llm_config=llm_config,
system_message="""Researcher. You are a top product reasearcher with a Phd in behavioural psychology and have worked in the research and insights industry for the last 20 years with top creative, media and business consultancies. Your role is to ask questions about products and gather insights from individual customers like Emily. Frame questions to uncover customer preferences, challenges, and feedback. Before you start the task breakdown the list of panelists and the order you want them to speak, avoid the panelists speaking with each other and creating comfirmation bias. If the session is terminating at the end, please provide a summary of the outcomes of the reasearch study in clear concise notes not at the start.""" + generate_notice(),
is_termination_msg=lambda x: True if "TERMINATE" in x.get("content") else False,
)
Define our individuals — to put into the investigation, borrowing from the previous process, we can use the generated persona. I have manually adjusted the prompts in this article to remove references to the main supermarket brand used for this simulation.
I have also included a “Act like Emily when answering queries, providing feedback, or participating in discussions..” style message at the end of each system message to ensure that the synthetic person stays on the task that is generated from the generate_notice
function.
# Emily - Customer Persona
name = "Emily"
emily = autogen.AssistantAgent(
name=name,
llm_config=llm_config,
system_message="""Emily. You are a 35-year-old elementary school teacher living in Sydney, Australia. You are married with two kids aged 8 and 5, and you have an annual income of AUD 75,000. You are introverted, high in conscientiousness, low in neuroticism, and enjoy routine. When shopping at the supermarket, you prefer organic and locally sourced produce. You value convenience and use an online shopping platform. Due to your limited time from work and family commitments, you seek quick and nutritious meal planning solutions. Your goals are to buy high-quality produce within your budget and to find new recipe inspiration. You are a frequent shopper and use loyalty programs. Your preferred methods of communication are email and mobile app notifications. You have been shopping at a supermarket for over 10 years but also price-compare with others.""" + generate_notice(name),
)# John - Customer Persona
name="John"
john = autogen.AssistantAgent(
name=name,
llm_config=llm_config,
system_message="""John. You are a 28-year-old software developer based in Sydney, Australia. You are single and have an annual income of AUD 100,000. You're extroverted, tech-savvy, and have a high level of openness. When shopping at the supermarket, you primarily buy snacks and ready-made meals, and you use the mobile app for quick pickups. Your main goals are quick and convenient shopping experiences. You occasionally shop at the supermarket and are not part of any loyalty program. You also shop at Aldi for discounts. Your preferred method of communication is in-app notifications.""" + generate_notice(name),
)
# Sarah - Customer Persona
name="Sarah"
sarah = autogen.AssistantAgent(
name=name,
llm_config=llm_config,
system_message="""Sarah. You are a 45-year-old freelance journalist living in Sydney, Australia. You are divorced with no kids and earn AUD 60,000 per year. You are introverted, high in neuroticism, and very health-conscious. When shopping at the supermarket, you look for organic produce, non-GMO, and gluten-free items. You have a limited budget and specific dietary restrictions. You are a frequent shopper and use loyalty programs. Your preferred method of communication is email newsletters. You exclusively shop for groceries.""" + generate_notice(name),
)
# Tim - Customer Persona
name="Tim"
tim = autogen.AssistantAgent(
name=name,
llm_config=llm_config,
system_message="""Tim. You are a 62-year-old retired police officer residing in Sydney, Australia. You are married and a grandparent of three. Your annual income comes from a pension and is AUD 40,000. You are highly conscientious, low in openness, and prefer routine. You buy staples like bread, milk, and canned goods in bulk. Due to mobility issues, you need assistance with heavy items. You are a frequent shopper and are part of the senior citizen discount program. Your preferred method of communication is direct mail flyers. You have been shopping here for over 20 years.""" + generate_notice(name),
)
# Lisa - Customer Persona
name="Lisa"
lisa = autogen.AssistantAgent(
name=name,
llm_config=llm_config,
system_message="""Lisa. You are a 21-year-old university student living in Sydney, Australia. You are single and work part-time, earning AUD 20,000 per year. You are highly extroverted, low in conscientiousness, and value social interactions. You shop here for popular brands, snacks, and alcoholic beverages, mostly for social events. You have a limited budget and are always looking for sales and discounts. You are not a frequent shopper but are interested in joining a loyalty program. Your preferred method of communication is social media and SMS. You shop wherever there are sales or promotions.""" + generate_notice(name),
)
Define the simulated environment and the rules about who can speak. — We are allowing all the agents we have defined to sit within the same simulated environment (chat group). We can create more complex scenarios where we can set how and when the next speakers are selected and defined, so we have a simple function defined for speaker selection linked to the group chat that will make the researcher the leader and ensure that we go around the room to ask. everyone a few times to get their thoughts.
# def custom_speaker_selection(last_speaker, group_chat):
# """
# Custom function to select which agent speaks next in the group chat.
# """
# # List of agents excluding the last speaker
# next_candidates = (agent for agent in group_chat.agents if agent.name != last_speaker.name)# # Select the next agent based on your custom logic
# # For simplicity, we're just rotating through the candidates here
# next_speaker = next_candidates(0) if next_candidates else None
# return next_speaker
def custom_speaker_selection(last_speaker: Optional(Agent), group_chat: GroupChat) -> Optional(Agent):
"""
Custom function to ensure the Researcher interacts with each participant 2-3 times.
Alternates between the Researcher and participants, tracking interactions.
"""
# Define participants and initialize or update their interaction counters
if not hasattr(group_chat, 'interaction_counters'):
group_chat.interaction_counters = {agent.name: 0 for agent in group_chat.agents if agent.name != "Researcher"}
# Define a maximum number of interactions per participant
max_interactions = 6
# If the last speaker was the Researcher, find the next participant who has spoken the least
if last_speaker and last_speaker.name == "Researcher":
next_participant = min(group_chat.interaction_counters, key=group_chat.interaction_counters.get)
if group_chat.interaction_counters(next_participant) < max_interactions:
group_chat.interaction_counters(next_participant) += 1
return next((agent for agent in group_chat.agents if agent.name == next_participant), None)
else:
return None # End the conversation if all participants have reached the maximum interactions
else:
# If the last speaker was a participant, return the Researcher for the next turn
return next((agent for agent in group_chat.agents if agent.name == "Researcher"), None)
# Adding the Researcher and Customer Persona agents to the group chat
groupchat = autogen.GroupChat(
agents=(researcher, emily, john, sarah, tim, lisa),
speaker_selection_method = custom_speaker_selection,
messages=(),
max_round=30
)
Define the manager to pass instructions and manage our simulation. — When we start, we will speak only with the manager, who will speak with the researcher and the panelists. This uses something called GroupChatManager
at Autogen.
# Initialise the manager
manager = autogen.GroupChatManager(
groupchat=groupchat,
llm_config=llm_config,
system_message="You are a reasearch manager agent that can manage a group chat of multiple agents made up of a reasearcher agent and many people made up of a panel. You will limit the discussion between the panelists and help the researcher in asking the questions. Please ask the researcher first on how they want to conduct the panel." + generate_notice(),
is_termination_msg=lambda x: True if "TERMINATE" in x.get("content") else False,
)
We shape human interaction. – allowing us to pass instructions to the different agents we have started. We give you the initial message and we can begin.
# create a UserProxyAgent instance named "user_proxy"
user_proxy = autogen.UserProxyAgent(
name="user_proxy",
code_execution_config={"last_n_messages": 2, "work_dir": "groupchat"},
system_message="A human admin.",
human_input_mode="TERMINATE"
)
# start the reasearch simulation by giving instruction to the manager
# manager <-> reasearcher <-> panelists
user_proxy.initiate_chat(
manager,
message="""
Gather customer insights on a supermarket grocery delivery services. Identify pain points, preferences, and suggestions for improvement from different customer personas. Could you all please give your own personal oponions before sharing more with the group and discussing. As a reasearcher your job is to ensure that you gather unbiased information from the participants and provide a summary of the outcomes of this study back to the super market brand.
""",
)
Once we run the above, we get the output available live within your Python environment, you will see the messages being passed between the various agents.
Now that our mock research study has concluded, we would love to learn more useful information. We can create a summary agent to help us with this task and also use it in a question and answer scenario. Just be careful with very large transcripts here; you would need a language model that supports larger input (context window).
We need to capture all conversations. – in our mock discussion board from before to use as a user message (input) for our summary agent.
# Get response from the groupchat for user prompt
messages = (msg("content") for msg in groupchat.messages)
user_prompt = "Here is the transcript of the study ```{customer_insights}```".format(customer_insights="\n>>>\n".join(messages))
Let's craft the system message (instructions) for our summary agent: This agent will focus on creating a personalized report card for us from previous transcripts and provide us with clear suggestions and actions.
# Generate system prompt for the summary agent
summary_prompt = """
You are an expert reasearcher in behaviour science and are tasked with summarising a reasearch panel. Please provide a structured summary of the key findings, including pain points, preferences, and suggestions for improvement.
This should be in the format based on the following format:```
Reasearch Study: <<Title>>
Subjects:
<<Overview of the subjects and number, any other key information>>
Summary:
<<Summary of the study, include detailed analysis as an export>>
Pain Points:
- <<List of Pain Points - Be as clear and prescriptive as required. I expect detailed response that can be used by the brand directly to make changes. Give a short paragraph per pain point.>>
Suggestions/Actions:
- <<List of Adctions - Be as clear and prescriptive as required. I expect detailed response that can be used by the brand directly to make changes. Give a short paragraph per reccomendation.>>
```
"""
Define the summary agent and its environment. — Let's create a mini environment for the summary agent to run. This will need its own proxy (atmosphere) and the start command that will extract the transcripts (user_notice) as input.
summary_agent = autogen.AssistantAgent(
name="SummaryAgent",
llm_config=llm_config,
system_message=summary_prompt + generate_notice(),
)
summary_proxy = autogen.UserProxyAgent(
name="summary_proxy",
code_execution_config={"last_n_messages": 2, "work_dir": "groupchat"},
system_message="A human admin.",
human_input_mode="TERMINATE"
)
summary_proxy.initiate_chat(
summary_agent,
message=user_prompt,
)
This gives us a report card output in Markdown, along with the ability to ask more questions in a Q&A style chatbot in addition to the findings.