nadaaaita commited on
Commit
43139c6
·
1 Parent(s): 0fd3c78

worked on notebook 3

Browse files
app.py CHANGED
@@ -0,0 +1,106 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import gradio as gr
2
+
3
+ # Define some pre-written templates for Tab 1
4
+ templates = {
5
+ "Friendly Chatbot": "You are a helpful, friendly chatbot that engages in light-hearted conversations.",
6
+ "Technical Assistant": "You are a technical assistant specialized in answering questions related to Python programming.",
7
+ "Nutrition Advisor": "You provide evidence-based advice on nutrition and healthy eating habits.",
8
+ }
9
+
10
+ # Define some agentic workflows for Tab 2
11
+ agentic_workflows = {
12
+ "Blog Post Generator": "This agent is designed to help generate a blog post based on user input.",
13
+ "Document Summarizer": "This agent summarizes long documents by extracting key points.",
14
+ "Task Manager": "This agent helps you organize tasks and provides step-by-step guidance."
15
+ }
16
+
17
+ # Chatbot logic for custom instructions or pre-written templates
18
+ def chatbot_response(system_instructions, user_query):
19
+ if "friendly" in system_instructions.lower():
20
+ return f"Friendly Chatbot says: Hi there! 😊 How can I assist you today?"
21
+ elif "technical" in system_instructions.lower():
22
+ return f"Technical Assistant says: Sure! Here's some information on Python: {user_query}"
23
+ elif "nutrition" in system_instructions.lower():
24
+ return f"Nutrition Advisor says: Here's some advice about healthy eating: {user_query}"
25
+ else:
26
+ return f"Custom Chatbot says: {user_query}"
27
+
28
+ # Chatbot conversation function
29
+ def chatbot_conversation(system_instructions, chat_history, user_query):
30
+ response = chatbot_response(system_instructions, user_query)
31
+ chat_history.append((user_query, response))
32
+ return chat_history, ""
33
+
34
+ # Chatbot conversation for predefined agentic workflows
35
+ def agentic_chatbot_conversation(workflow_instructions, chat_history, user_query):
36
+ response = f"Agent Workflow ({workflow_instructions}) says: {user_query}"
37
+ chat_history.append((user_query, response))
38
+ return chat_history, ""
39
+
40
+ # Function to update the interface when a selection is made from the dropdown (Tab 1)
41
+ def update_interface(template_name, custom_instructions):
42
+ if template_name == "Custom Instructions":
43
+ return gr.update(visible=True), gr.update(visible=False)
44
+ else:
45
+ template_content = templates.get(template_name, "")
46
+ return gr.update(visible=False), gr.update(visible=True, value=template_content)
47
+
48
+ # Build the Gradio interface with Tabs
49
+ with gr.Blocks(css=".gradio-container {background-color: #F0F0F0;} .gr-button {background-color: #1E3A8A; color: white;} .gr-textbox textarea {font-size: 16px;} .gr-markdown {font-size: 18px; color: #1E3A8A;}") as demo:
50
+
51
+ # Add Tabs
52
+ with gr.Tabs():
53
+
54
+ # Tab 1: Custom Instructions or Pre-Written Templates
55
+ with gr.Tab("Custom Instructions Chatbot"):
56
+ gr.Markdown("""
57
+ <div style='background-color:#E0E0E0; padding: 20px; border-radius: 10px;'>
58
+ <h1 style='text-align: center; color: #1E3A8A;'>SRF Innovation Labs - AI Chatbot Use Case Explorer</h1>
59
+ <p style='font-size: 18px; text-align: center; color: #1E3A8A;'>
60
+ This tool allows you to experiment with different system prompts,
61
+ giving you control over how the chatbot behaves. You can either use pre-defined templates
62
+ or write your own custom instructions.
63
+ </p>
64
+ </div>
65
+ """)
66
+
67
+ # Section to select system instructions from dropdown
68
+ gr.Markdown("<h2 style='color: #1E3A8A;'>Chatbot Setup</h2>")
69
+ template_name = gr.Dropdown(choices=["Custom Instructions"] + list(templates.keys()), label="Choose Instructions", value="Friendly Chatbot")
70
+ custom_instructions = gr.Textbox(label="Custom Instructions", visible=False, placeholder="Write your own instructions here...")
71
+ template_display = gr.Textbox(label="Template Content", interactive=False, visible=True)
72
+
73
+ # Chatbot interface
74
+ gr.Markdown("<h2 style='color: #1E3A8A;'>Chatbot Interaction</h2>")
75
+ chatbot = gr.Chatbot(label="Chatbot Conversation", height=300, show_label=False)
76
+ user_query = gr.Textbox(label="Your Query", placeholder="Ask a question or say something to the chatbot...")
77
+ submit_button = gr.Button("Send", elem_classes=["gr-button"])
78
+
79
+ # Update logic for Tab 1
80
+ template_name.change(fn=update_interface, inputs=[template_name, custom_instructions], outputs=[custom_instructions, template_display])
81
+ submit_button.click(fn=chatbot_conversation, inputs=[custom_instructions if template_name == "Custom Instructions" else template_display, chatbot, user_query], outputs=[chatbot, user_query])
82
+
83
+ # Tab 2: Predefined Agentic Workflows
84
+ with gr.Tab("Agentic Workflow Chatbots"):
85
+ gr.Markdown("""
86
+ <div style='background-color:#E0E0E0; padding: 20px; border-radius: 10px;'>
87
+ <h1 style='text-align: center; color: #1E3A8A;'>Agentic Workflow Explorer</h1>
88
+ <p style='font-size: 18px; text-align: center; color: #1E3A8A;'>
89
+ Explore predefined agentic workflows that execute specific tasks, such as generating blog posts,
90
+ summarizing documents, or managing tasks.
91
+ </p>
92
+ </div>
93
+ """)
94
+
95
+ # Dropdown for selecting agentic workflows
96
+ workflow_name = gr.Dropdown(choices=list(agentic_workflows.keys()), label="Choose Agent Workflow", value="Blog Post Generator")
97
+ workflow_display = gr.Textbox(label="Workflow Description", interactive=False, visible=True)
98
+ workflow_chatbot = gr.Chatbot(label="Agent Workflow Conversation", height=300, show_label=False)
99
+ workflow_user_query = gr.Textbox(label="Your Query", placeholder="Ask the agent to perform a task...")
100
+ workflow_submit_button = gr.Button("Send", elem_classes=["gr-button"])
101
+
102
+ # Chatbot interaction for agentic workflows
103
+ workflow_submit_button.click(fn=agentic_chatbot_conversation, inputs=[workflow_name, workflow_chatbot, workflow_user_query], outputs=[workflow_chatbot, workflow_user_query])
104
+
105
+ # Launch the app
106
+ demo.launch()
notebooks/03 Experimentation Chatbot.ipynb ADDED
@@ -0,0 +1,480 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ {
2
+ "cells": [
3
+ {
4
+ "cell_type": "code",
5
+ "execution_count": 65,
6
+ "metadata": {},
7
+ "outputs": [
8
+ {
9
+ "name": "stdout",
10
+ "output_type": "stream",
11
+ "text": [
12
+ "The autoreload extension is already loaded. To reload it, use:\n",
13
+ " %reload_ext autoreload\n"
14
+ ]
15
+ }
16
+ ],
17
+ "source": [
18
+ "from dotenv import load_dotenv\n",
19
+ "from typing import Annotated, List, Tuple\n",
20
+ "from typing_extensions import TypedDict\n",
21
+ "from langchain.tools import tool, BaseTool\n",
22
+ "from langchain.schema import Document\n",
23
+ "from langgraph.graph import StateGraph, START, END, MessagesState\n",
24
+ "from langgraph.graph.message import add_messages\n",
25
+ "from langgraph.prebuilt import ToolNode, tools_condition\n",
26
+ "from langgraph.checkpoint.memory import MemorySaver\n",
27
+ "from langchain_openai import ChatOpenAI\n",
28
+ "from langchain_core.prompts import ChatPromptTemplate, SystemMessagePromptTemplate, AIMessagePromptTemplate, HumanMessagePromptTemplate\n",
29
+ "from langchain.schema import SystemMessage, HumanMessage, AIMessage\n",
30
+ "from langchain.retrievers.multi_query import MultiQueryRetriever\n",
31
+ "import gradio as gr\n",
32
+ "\n",
33
+ "from IPython.display import Image, display\n",
34
+ "import sys\n",
35
+ "import os\n",
36
+ "import uuid\n",
37
+ "\n",
38
+ "\n",
39
+ "load_dotenv('/Users/nadaa/Documents/code/py_innovations/srf_chatbot_v2/.env')\n",
40
+ "\n",
41
+ "sys.path.append(os.path.abspath('..'))\n",
42
+ "%load_ext autoreload\n",
43
+ "%autoreload 2\n",
44
+ "\n",
45
+ "import src.utils.qdrant_manager as qm\n",
46
+ "import prompts.system_prompts as sp\n",
47
+ "\n",
48
+ "\n",
49
+ "\n"
50
+ ]
51
+ },
52
+ {
53
+ "cell_type": "code",
54
+ "execution_count": 64,
55
+ "metadata": {},
56
+ "outputs": [],
57
+ "source": [
58
+ "class ToolManager:\n",
59
+ " def __init__(self, collection_name=\"openai_large_chunks_1500char\"):\n",
60
+ " self.tools = []\n",
61
+ " self.qdrant = qm.QdrantManager(collection_name=collection_name)\n",
62
+ " self.vectorstore = self.qdrant.get_vectorstore()\n",
63
+ " self.add_vector_search_tool()\n",
64
+ "\n",
65
+ " def get_tools(self):\n",
66
+ " return self.tools\n",
67
+ "\n",
68
+ " def add_vector_search_tool(self):\n",
69
+ " @tool\n",
70
+ " def vector_search(query: str, k: int = 5) -> list[Document]:\n",
71
+ " \"\"\"Useful for simple queries. This tool will search a vector database for passages from the teachings of Paramhansa Yogananda and other publications from the Self Realization Fellowship (SRF).\n",
72
+ " The user has the option to specify the number of passages they want the search to return, otherwise the number of passages will be set to the default value.\"\"\"\n",
73
+ " retriever = self.vectorstore.as_retriever(search_kwargs={\"k\": k})\n",
74
+ " documents = retriever.invoke(query)\n",
75
+ " return documents\n",
76
+ " \n",
77
+ " \n",
78
+ " @tool\n",
79
+ " def multiple_query_vector_search(query: str, k: int = 5) -> list[Document]:\n",
80
+ " \"\"\"Useful when the user's query is vague, complex, or involves multiple concepts. \n",
81
+ " This tool will write multiple versions of the user's query and search the vector database for relevant passages. \n",
82
+ " Returns a list of relevant passages.\"\"\"\n",
83
+ " \n",
84
+ " llm = ChatOpenAI(model=\"gpt-4o-mini\", temperature=0.5)\n",
85
+ " retriever_from_llm = MultiQueryRetriever.from_llm(retriever=self.vectorstore.as_retriever(), llm=llm)\n",
86
+ " documents = retriever_from_llm.invoke(query)\n",
87
+ " return documents\n",
88
+ " \n",
89
+ " \n",
90
+ " self.tools.append(vector_search)\n",
91
+ " self.tools.append(multiple_query_vector_search)"
92
+ ]
93
+ },
94
+ {
95
+ "cell_type": "code",
96
+ "execution_count": 37,
97
+ "metadata": {},
98
+ "outputs": [],
99
+ "source": [
100
+ "# class ChatbotState(TypedDict):\n",
101
+ "# # Messages have the type \"list\". The `add_messages` function defines how this state key should be updated\n",
102
+ "# # (in this case, it appends messages to the list, rather than overwriting them)\n",
103
+ "# messages: Annotated[list, add_messages]\n",
104
+ "\n",
105
+ "\n",
106
+ "class SRFChatbot:\n",
107
+ " def __init__(\n",
108
+ " self,\n",
109
+ " chatbot_instructions: str,\n",
110
+ " model: str = 'gpt-4o-mini',\n",
111
+ " temperature: float = 0,\n",
112
+ " ):\n",
113
+ " # Initialize the LLM and the system message\n",
114
+ " self.llm = ChatOpenAI(model=model, temperature=temperature)\n",
115
+ " self.system_message = SystemMessage(content=chatbot_instructions)\n",
116
+ " self.tools = ToolManager().get_tools()\n",
117
+ " self.llm_with_tools = self.llm.bind_tools(self.tools)\n",
118
+ "\n",
119
+ " # Build the graph\n",
120
+ " self.graph = self.build_graph()\n",
121
+ " # Get the configurable\n",
122
+ " self.config = self.get_configurable()\n",
123
+ " \n",
124
+ "\n",
125
+ " def get_configurable(self):\n",
126
+ " self.thread_id = str(uuid.uuid4())\n",
127
+ " return {\"configurable\": {\"thread_id\": self.thread_id}}\n",
128
+ " \n",
129
+ " # Add the system message onto the llm\n",
130
+ " def chatbot(self, state: MessagesState):\n",
131
+ " messages = [self.system_message] + state[\"messages\"]\n",
132
+ " return {\"messages\": [self.llm_with_tools.invoke(messages)]}\n",
133
+ " \n",
134
+ " def build_graph(self):\n",
135
+ "\n",
136
+ " # Add chatbot state\n",
137
+ " graph_builder = StateGraph(MessagesState)\n",
138
+ "\n",
139
+ " # Add nodes\n",
140
+ " tool_node = ToolNode(self.tools)\n",
141
+ " graph_builder.add_node(\"tools\", tool_node)\n",
142
+ " graph_builder.add_node(\"chatbot\", self.chatbot)\n",
143
+ "\n",
144
+ " # Add a conditional edge wherein the chatbot can decide whether or not to go to the tools\n",
145
+ " graph_builder.add_conditional_edges(\n",
146
+ " \"chatbot\",\n",
147
+ " tools_condition,\n",
148
+ " )\n",
149
+ "\n",
150
+ " # Add fixed edges\n",
151
+ " graph_builder.add_edge(START, \"chatbot\")\n",
152
+ " graph_builder.add_edge(\"tools\", \"chatbot\")\n",
153
+ "\n",
154
+ " # Instantiate the memory saver\n",
155
+ " memory = MemorySaver()\n",
156
+ "\n",
157
+ " # Compile the graph\n",
158
+ " return graph_builder.compile(checkpointer=memory)\n",
159
+ "\n",
160
+ "\n",
161
+ "\n",
162
+ "\n"
163
+ ]
164
+ },
165
+ {
166
+ "cell_type": "code",
167
+ "execution_count": 59,
168
+ "metadata": {},
169
+ "outputs": [],
170
+ "source": [
171
+ "chatbot_instructions = sp.system_prompt_templates['Open-Ended Bot']\n",
172
+ "chatbot = SRFChatbot(chatbot_instructions=chatbot_instructions)\n"
173
+ ]
174
+ },
175
+ {
176
+ "cell_type": "code",
177
+ "execution_count": 61,
178
+ "metadata": {},
179
+ "outputs": [],
180
+ "source": [
181
+ "query = \"I am having a lot of trouble sleeping. What can I do?\"\n",
182
+ "results = chatbot.graph.invoke({\"messages\": [HumanMessage(content=query)]}, chatbot.config)"
183
+ ]
184
+ },
185
+ {
186
+ "cell_type": "code",
187
+ "execution_count": 62,
188
+ "metadata": {},
189
+ "outputs": [
190
+ {
191
+ "data": {
192
+ "text/plain": [
193
+ "[HumanMessage(content='I am having a lot of trouble sleeping. What can I do?', additional_kwargs={}, response_metadata={}, id='49aec330-967f-48ec-a14c-3e2f351281b1'),\n",
194
+ " AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_9mRC9uFfiJ3E7F1wmYuR7fSS', 'function': {'arguments': '{\"query\":\"trouble sleeping\"}', 'name': 'vector_search'}, 'type': 'function'}], 'refusal': None}, response_metadata={'token_usage': {'completion_tokens': 16, 'prompt_tokens': 249, 'total_tokens': 265, 'completion_tokens_details': {'reasoning_tokens': 0}}, 'model_name': 'gpt-4o-mini-2024-07-18', 'system_fingerprint': 'fp_e9627b5346', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-868473e1-e6e9-49be-9c87-973a9c9289dd-0', tool_calls=[{'name': 'vector_search', 'args': {'query': 'trouble sleeping'}, 'id': 'call_9mRC9uFfiJ3E7F1wmYuR7fSS', 'type': 'tool_call'}], usage_metadata={'input_tokens': 249, 'output_tokens': 16, 'total_tokens': 265}),\n",
195
+ " ToolMessage(content=\"[Document(metadata={'chapter_name': 'The Nervous System Connects You to the World and to God', 'split_id_sequential': 606, 'split_id_uuid': '21278b52-b4c0-4c0a-8355-a31448c7ce72', 'publication_name': 'Journey to Self-Realization', '_id': '0a69ff6f-1d13-451c-815a-6db330a19d6e', '_collection_name': 'openai_large_chunks_1500char'}, page_content='Sleep is an unconscious way of turning off life energy from the nerves. You therefore get some rest during slumber, but you do not have the conscious experience of bliss that the superconscious state produces. When you awaken from sleep, you are just the same as you were before sleep. But if you can cross the subconscious realm into the superconscious land of light, you will have the most wonderful experiences, and these produce lasting spiritual changes in the consciousness. The more you can remain in that interiorized state of bliss in meditation, the more you will feel that joy with you all the time, even in the midst of activities.'), Document(metadata={'chapter_number': 12, 'split_id_sequential': 215, 'split_id_uuid': 'fcfcaed4-65da-41c8-a5e7-6e68a5773829', 'chapter_name': 'Chapter 12: Years In My Master’S Hermitage', 'publication_name': 'Autobiography of a Yogi', '_id': '0a4aeeaa-eb45-4f4b-b0af-716b68ac70ed', '_collection_name': 'openai_large_chunks_1500char'}, page_content='As midnight approached, my guru might fall into a doze with the naturalness of a child. There was no fuss about bedding. He often lay down, without even a pillow, on a narrow davenport which was the background for his customary tiger-skin seat. A night-long philosophical discussion was not rare; any disciple could summon it by intensity of interest. I felt no tiredness then, no desire for sleep; Master’s living words were sufficient. “Oh, it is dawn! Let us walk by the Ganges.” So ended many of my periods of nocturnal edification. My early months with Sri Yukteswar culminated in a useful lesson: “How to Outwit a Mosquito.” At home my family always used protective curtains at night. I was dismayed to discover that in the Serampore hermitage this prudent custom was honoured in the breach. Yet the insects were in full residence; I was bitten from head to foot. My guru took pity on me. “Buy yourself a curtain, and also one for me.” He laughed and added, “If you buy only one, for yourself, all mosquitoes will concentrate on me!” I was more than thankful to comply. On every night that I spent in Serampore, my guru would ask me to arrange the bedtime curtains. One night, when a cloud of mosquitoes surrounded us, Master failed to issue his usual instructions. I listened nervously to the anticipatory hum of the insects. Getting into bed, I threw a propitiatory prayer in their general direction. A half hour later, I coughed pretentiously to attract my guru’s attention.'), Document(metadata={'publication_name': 'The Second Coming of Christ', 'split_id_uuid': 'dfffff39-bce8-4cc5-9a8a-383dc14db69a', 'chapter_number': 14, 'chapter_name': 'Discourse 14 - The Ascension Of Man—Lifting Up The Serpent In The Wilderness', 'split_id_sequential': 497, '_id': '73103f5f-8745-4eb5-8b27-7560a7395531', '_collection_name': 'openai_large_chunks_1500char'}, page_content='Why does man feel joy in sleep? Because when he is in the stage of deep, dreamless sleep, unconscious of the body, physical limitations are forgotten and the mind momentarily taps a higher consciousness. The yogi knows the scientific art of withdrawing consciously from his sensory nerves, so that no outer disturbance of sight, sound, touch, taste, or smell can gain entry into the inner sanctum of his peace-saturated meditation. Soldiers posted for days on the front lines are able to fall asleep despite the constant roar of battle, because of the body’s mechanism of unconsciously withdrawing the energy from the ears and other sensory organs. The yogi reasons that this can be done consciously. By knowledge and practice of the definite laws and scientific techniques of concentration, yogis switch off the senses at will—going beyond subconscious slumber into blissful superconscious interiorization. Though the soul is given periods of freedom from body consciousness at regular intervals in its existence—for a few hours each night, and for a longer respite between physical incarnations during the sleep of death—the unenlightened man inevitably finds that his unfulfilled earthly yearnings stir him once again to the consciousness of the body.'), Document(metadata={'split_id_sequential': 471, 'publication_name': 'The Second Coming of Christ', 'split_id_uuid': '4052d4dc-3f3d-4134-9724-1a3ce5b29178', 'chapter_number': 13, 'chapter_name': 'Discourse 13 - The Second Birth Of Man — In Spirit', '_id': 'cf225e5e-6892-41e5-984d-612275968193', '_collection_name': 'openai_large_chunks_1500char'}, page_content='Man remains firmly convinced that he is essentially a body, even though he daily receives proof to the contrary. Every night in sleep, “the little death,” he discards his identification with the physical form and is reborn as invisible consciousness. Why is it that man is compelled to sleep? Because sleep is a reminder of what is beyond the state of sleep—the state of the soul.13 Mortal existence could not be borne without at least subconscious contact with the soul, which is provided by sleep. At nighttime man dumps the body into the subconscious and becomes an angel; in the daytime he becomes once more a devil, divorced from Spirit by the desires and sensations of the body. By Kriya Yoga meditation he can be a god in the daytime, like Christ and the Great Ones. He goes beyond the subconscious to the superconscious, and dissolves the consciousness of the body in the ecstasy of God. One who can do this is born again. He knows his soul as a waft of the invisible wind of Spirit—soaring free in the unbounded heavens, entrapped no longer in a whirling dust devil traipsing heedlessly over the toilsome tracks of matter. This earth is a habitat of trouble and suffering, but the kingdom of God that is behind this material plane is an abode of freedom and bliss. The soul of the awakening man has followed a hard-earned way—many incarnations of upward evolution—in order to arrive at the human state and the possibility to reclaim his lost divinity.'), Document(metadata={'chapter_name': 'Examine Yourself to See What Makes You Nervous', 'publication_name': 'Journey to Self-Realization', 'split_id_sequential': 160, 'split_id_uuid': '0900b6ab-2a48-48db-a66b-2ca0e80f9c70', '_id': 'de7f20d2-d3ac-45b6-8588-1a0b568e2ec9', '_collection_name': 'openai_large_chunks_1500char'}, page_content='Other cars were speeding past us on the steep, winding grade. I thought they were hurrying to get to the mountaintop in time to see the sunrise. To my great amazement, when we arrived we were the only ones outside to enjoy the view. All the others were in the restaurant drinking coffee and eating doughnuts. Imagine! They rushed to the top and then rushed back, just for the thrill of being able to say when they got home that they had been there, and had coffee and doughnuts on Pikes Peak. That is what nervousness does. We should take time to enjoy things—the beauties of God’s creation, the many blessings of life—but avoid undue excitement, restlessness, and sudden emotions, which burn up the nervous system. Talking too much, including the habit of engaging in long conversations on the telephone, creates nervousness. Habitual twitching—such as drumming the fingers or moving the toes—burns energy in the nerves. Another cause of nervousness, though you may not be aware of it, is the noise of the radio or television going on for hours at a time. All sounds cause the nerves to react.1 A study conducted in the police department in Chicago showed that if human beings were not subjected to the bombardment of the sounds of modern living, which are especially harsh in cities, they could live years longer. Learn to enjoy silence; don’t listen to the radio or television for hours on end, or have them blaring mindlessly in the background all the time.')]\", name='vector_search', id='cec3278a-776b-4f4c-a7df-680bc132d50f', tool_call_id='call_9mRC9uFfiJ3E7F1wmYuR7fSS'),\n",
196
+ " AIMessage(content=\"If you're having trouble sleeping, here are some insights from the teachings of Paramhansa Yogananda that may help:\\n\\n1. **Understanding Sleep**: Sleep is described as an unconscious way of turning off life energy from the nerves. While you get some rest during sleep, it does not provide the conscious experience of bliss that meditation can offer. By practicing meditation and striving to reach a superconscious state, you can experience lasting spiritual changes and a deeper sense of joy that can accompany you even during your waking hours.\\n\\n2. **Conscious Withdrawal**: Yogananda explains that the yogi learns to consciously withdraw from sensory nerves, allowing for a peaceful state of meditation. This practice can help you manage disturbances that might affect your sleep. By training yourself to switch off the senses at will, you can go beyond mere subconscious slumber into a blissful state of interiorization.\\n\\n3. **The Nature of Sleep**: Sleep serves as a reminder of the soul's existence beyond the physical body. It allows for a temporary escape from physical limitations. Engaging in practices like Kriya Yoga meditation can help you connect with your soul and experience a sense of freedom and bliss, even during the day.\\n\\n4. **Managing Nervousness**: Nervousness can significantly impact your ability to sleep. Yogananda advises avoiding undue excitement, restlessness, and sudden emotions, as these can burn up the nervous system. Creating a peaceful environment, minimizing noise, and enjoying silence can help calm your nerves and improve your sleep quality.\\n\\n5. **Meditation Practice**: Incorporating meditation into your daily routine can help you achieve a state of calmness and bliss, which may alleviate sleep troubles. The more you can interiorize and experience that bliss during meditation, the more it can positively affect your overall well-being, including your sleep.\\n\\nConsider integrating these practices into your life to help improve your sleep quality.\", additional_kwargs={'refusal': None}, response_metadata={'token_usage': {'completion_tokens': 384, 'prompt_tokens': 2208, 'total_tokens': 2592, 'completion_tokens_details': {'reasoning_tokens': 0}}, 'model_name': 'gpt-4o-mini-2024-07-18', 'system_fingerprint': 'fp_1bb46167f9', 'finish_reason': 'stop', 'logprobs': None}, id='run-6e2e6206-fe5a-4ade-8688-d89532b26c60-0', usage_metadata={'input_tokens': 2208, 'output_tokens': 384, 'total_tokens': 2592})]"
197
+ ]
198
+ },
199
+ "execution_count": 62,
200
+ "metadata": {},
201
+ "output_type": "execute_result"
202
+ }
203
+ ],
204
+ "source": [
205
+ "chatbot.graph.get_state(chatbot.config).values['messages']"
206
+ ]
207
+ },
208
+ {
209
+ "cell_type": "code",
210
+ "execution_count": 63,
211
+ "metadata": {},
212
+ "outputs": [
213
+ {
214
+ "name": "stdout",
215
+ "output_type": "stream",
216
+ "text": [
217
+ "If you're having trouble sleeping, here are some insights from the teachings of Paramhansa Yogananda that may help:\n",
218
+ "\n",
219
+ "1. **Understanding Sleep**: Sleep is described as an unconscious way of turning off life energy from the nerves. While you get some rest during sleep, it does not provide the conscious experience of bliss that meditation can offer. By practicing meditation and striving to reach a superconscious state, you can experience lasting spiritual changes and a deeper sense of joy that can accompany you even during your waking hours.\n",
220
+ "\n",
221
+ "2. **Conscious Withdrawal**: Yogananda explains that the yogi learns to consciously withdraw from sensory nerves, allowing for a peaceful state of meditation. This practice can help you manage disturbances that might affect your sleep. By training yourself to switch off the senses at will, you can go beyond mere subconscious slumber into a blissful state of interiorization.\n",
222
+ "\n",
223
+ "3. **The Nature of Sleep**: Sleep serves as a reminder of the soul's existence beyond the physical body. It allows for a temporary escape from physical limitations. Engaging in practices like Kriya Yoga meditation can help you connect with your soul and experience a sense of freedom and bliss, even during the day.\n",
224
+ "\n",
225
+ "4. **Managing Nervousness**: Nervousness can significantly impact your ability to sleep. Yogananda advises avoiding undue excitement, restlessness, and sudden emotions, as these can burn up the nervous system. Creating a peaceful environment, minimizing noise, and enjoying silence can help calm your nerves and improve your sleep quality.\n",
226
+ "\n",
227
+ "5. **Meditation Practice**: Incorporating meditation into your daily routine can help you achieve a state of calmness and bliss, which may alleviate sleep troubles. The more you can interiorize and experience that bliss during meditation, the more it can positively affect your overall well-being, including your sleep.\n",
228
+ "\n",
229
+ "Consider integrating these practices into your life to help improve your sleep quality.\n"
230
+ ]
231
+ }
232
+ ],
233
+ "source": [
234
+ "print(results['messages'][-1].content)"
235
+ ]
236
+ },
237
+ {
238
+ "cell_type": "code",
239
+ "execution_count": null,
240
+ "metadata": {},
241
+ "outputs": [],
242
+ "source": [
243
+ "\n"
244
+ ]
245
+ },
246
+ {
247
+ "cell_type": "code",
248
+ "execution_count": 66,
249
+ "metadata": {},
250
+ "outputs": [
251
+ {
252
+ "name": "stdout",
253
+ "output_type": "stream",
254
+ "text": [
255
+ "Running on local URL: http://127.0.0.1:7866\n",
256
+ "Running on public URL: https://94b754ba708e7402d2.gradio.live\n",
257
+ "\n",
258
+ "This share link expires in 72 hours. For free permanent hosting and GPU upgrades, run `gradio deploy` from Terminal to deploy to Spaces (https://huggingface.co/spaces)\n"
259
+ ]
260
+ },
261
+ {
262
+ "data": {
263
+ "text/html": [
264
+ "<div><iframe src=\"https://94b754ba708e7402d2.gradio.live\" width=\"100%\" height=\"500\" allow=\"autoplay; camera; microphone; clipboard-read; clipboard-write;\" frameborder=\"0\" allowfullscreen></iframe></div>"
265
+ ],
266
+ "text/plain": [
267
+ "<IPython.core.display.HTML object>"
268
+ ]
269
+ },
270
+ "metadata": {},
271
+ "output_type": "display_data"
272
+ },
273
+ {
274
+ "data": {
275
+ "text/plain": []
276
+ },
277
+ "execution_count": 66,
278
+ "metadata": {},
279
+ "output_type": "execute_result"
280
+ }
281
+ ],
282
+ "source": [
283
+ "def respond(message, history):\n",
284
+ " # Format the history and new message into the expected structure\n",
285
+ " formatted_messages = []\n",
286
+ " for human, ai in history:\n",
287
+ " formatted_messages.append(HumanMessage(content=human))\n",
288
+ " if ai: # AI might not have responded yet\n",
289
+ " formatted_messages.append(AIMessage(content=ai))\n",
290
+ " \n",
291
+ " # Add the new message\n",
292
+ " formatted_messages.append(HumanMessage(content=message))\n",
293
+ " \n",
294
+ " # Invoke the graph with properly formatted input\n",
295
+ " result = chatbot.graph.invoke({\"messages\": formatted_messages}, chatbot.config)\n",
296
+ " \n",
297
+ " # Extract the assistant's response\n",
298
+ " response = result[\"messages\"][-1].content\n",
299
+ " \n",
300
+ " return response\n",
301
+ "\n",
302
+ "# Create and launch the Gradio interface\n",
303
+ "gradio = gr.ChatInterface(respond)\n",
304
+ "gradio.launch(share=True)"
305
+ ]
306
+ },
307
+ {
308
+ "cell_type": "code",
309
+ "execution_count": 74,
310
+ "metadata": {},
311
+ "outputs": [
312
+ {
313
+ "name": "stdout",
314
+ "output_type": "stream",
315
+ "text": [
316
+ "Running on local URL: http://127.0.0.1:7869\n",
317
+ "\n",
318
+ "To create a public link, set `share=True` in `launch()`.\n"
319
+ ]
320
+ },
321
+ {
322
+ "data": {
323
+ "text/html": [
324
+ "<div><iframe src=\"http://127.0.0.1:7869/\" width=\"100%\" height=\"500\" allow=\"autoplay; camera; microphone; clipboard-read; clipboard-write;\" frameborder=\"0\" allowfullscreen></iframe></div>"
325
+ ],
326
+ "text/plain": [
327
+ "<IPython.core.display.HTML object>"
328
+ ]
329
+ },
330
+ "metadata": {},
331
+ "output_type": "display_data"
332
+ },
333
+ {
334
+ "data": {
335
+ "text/plain": []
336
+ },
337
+ "execution_count": 74,
338
+ "metadata": {},
339
+ "output_type": "execute_result"
340
+ },
341
+ {
342
+ "name": "stderr",
343
+ "output_type": "stream",
344
+ "text": [
345
+ "Traceback (most recent call last):\n",
346
+ " File \"/Users/nadaa/.local/share/virtualenvs/srf_chatbot_v2-9vTIDuJW/lib/python3.11/site-packages/gradio/queueing.py\", line 536, in process_events\n",
347
+ " response = await route_utils.call_process_api(\n",
348
+ " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n",
349
+ " File \"/Users/nadaa/.local/share/virtualenvs/srf_chatbot_v2-9vTIDuJW/lib/python3.11/site-packages/gradio/route_utils.py\", line 322, in call_process_api\n",
350
+ " output = await app.get_blocks().process_api(\n",
351
+ " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n",
352
+ " File \"/Users/nadaa/.local/share/virtualenvs/srf_chatbot_v2-9vTIDuJW/lib/python3.11/site-packages/gradio/blocks.py\", line 1935, in process_api\n",
353
+ " result = await self.call_function(\n",
354
+ " ^^^^^^^^^^^^^^^^^^^^^^^^^\n",
355
+ " File \"/Users/nadaa/.local/share/virtualenvs/srf_chatbot_v2-9vTIDuJW/lib/python3.11/site-packages/gradio/blocks.py\", line 1520, in call_function\n",
356
+ " prediction = await anyio.to_thread.run_sync( # type: ignore\n",
357
+ " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n",
358
+ " File \"/Users/nadaa/.local/share/virtualenvs/srf_chatbot_v2-9vTIDuJW/lib/python3.11/site-packages/anyio/to_thread.py\", line 56, in run_sync\n",
359
+ " return await get_async_backend().run_sync_in_worker_thread(\n",
360
+ " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n",
361
+ " File \"/Users/nadaa/.local/share/virtualenvs/srf_chatbot_v2-9vTIDuJW/lib/python3.11/site-packages/anyio/_backends/_asyncio.py\", line 2405, in run_sync_in_worker_thread\n",
362
+ " return await future\n",
363
+ " ^^^^^^^^^^^^\n",
364
+ " File \"/Users/nadaa/.local/share/virtualenvs/srf_chatbot_v2-9vTIDuJW/lib/python3.11/site-packages/anyio/_backends/_asyncio.py\", line 914, in run\n",
365
+ " result = context.run(func, *args)\n",
366
+ " ^^^^^^^^^^^^^^^^^^^^^^^^\n",
367
+ " File \"/Users/nadaa/.local/share/virtualenvs/srf_chatbot_v2-9vTIDuJW/lib/python3.11/site-packages/gradio/utils.py\", line 826, in wrapper\n",
368
+ " response = f(*args, **kwargs)\n",
369
+ " ^^^^^^^^^^^^^^^^^^\n",
370
+ " File \"/var/folders/wm/nll4dzqx2_n5zxq0y2h84cs40000gn/T/ipykernel_49088/3264473872.py\", line 24, in chatbot_conversation\n",
371
+ " result = respond(user_query, history)\n",
372
+ " ^^^^^^^\n",
373
+ "NameError: name 'history' is not defined\n"
374
+ ]
375
+ }
376
+ ],
377
+ "source": [
378
+ "import gradio as gr\n",
379
+ "\n",
380
+ "# Get the prompt templates\n",
381
+ "prompt_templates = sp.system_prompt_templates\n",
382
+ "\n",
383
+ "# Global variable to hold the current SRFChatbot instance\n",
384
+ "chatbot = SRFChatbot(chatbot_instructions=prompt_templates['Open-Ended Bot'])\n",
385
+ "\n",
386
+ "def initialize_chatbot(prompt_name):\n",
387
+ " selected_prompt = prompt_templates[prompt_name]\n",
388
+ " chatbot = SRFChatbot(chatbot_instructions=selected_prompt)\n",
389
+ " return selected_prompt, [] # Return the prompt text and reset the chat history\n",
390
+ "\n",
391
+ "def chatbot_conversation(chat_history, user_query):\n",
392
+ " global chatbot\n",
393
+ " if chatbot is None:\n",
394
+ " # Initialize with default prompt if not already initialized\n",
395
+ " default_prompt = list(prompt_templates.keys())[0]\n",
396
+ " chatbot = SRFChatbot(chatbot_instructions=prompt_templates[default_prompt])\n",
397
+ " \n",
398
+ " \n",
399
+ " # Process the conversation\n",
400
+ " result = respond(user_query, history)\n",
401
+ " \n",
402
+ " # Extract the bot's response\n",
403
+ " bot_response = result[\"messages\"][-1].content\n",
404
+ " \n",
405
+ " # Update the chat history\n",
406
+ " chat_history.append((user_query, bot_response))\n",
407
+ " \n",
408
+ " return chat_history, \"\"\n",
409
+ "\n",
410
+ "# Gradio interface\n",
411
+ "with gr.Blocks() as demo:\n",
412
+ " gr.Markdown(\"# SRF Chatbot\")\n",
413
+ " \n",
414
+ " with gr.Row():\n",
415
+ " with gr.Column(scale=4):\n",
416
+ " chatbot_output = gr.Chatbot()\n",
417
+ " user_input = gr.Textbox(placeholder=\"Type your message here...\")\n",
418
+ " submit_button = gr.Button(\"Submit\")\n",
419
+ " \n",
420
+ " with gr.Column(scale=1):\n",
421
+ " system_prompt_dropdown = gr.Dropdown(\n",
422
+ " choices=list(prompt_templates.keys()),\n",
423
+ " label=\"Select System Prompt\",\n",
424
+ " value=list(prompt_templates.keys())[0]\n",
425
+ " )\n",
426
+ " system_prompt_display = gr.Textbox(\n",
427
+ " value=prompt_templates[list(prompt_templates.keys())[0]],\n",
428
+ " label=\"Current System Prompt\",\n",
429
+ " lines=5,\n",
430
+ " interactive=False\n",
431
+ " )\n",
432
+ " \n",
433
+ " system_prompt_dropdown.change(\n",
434
+ " fn=initialize_chatbot,\n",
435
+ " inputs=[system_prompt_dropdown],\n",
436
+ " outputs=[system_prompt_display]\n",
437
+ " )\n",
438
+ " \n",
439
+ " submit_button.click(\n",
440
+ " fn=chatbot_conversation,\n",
441
+ " inputs=[chatbot_output, user_input],\n",
442
+ " outputs=[chatbot_output]\n",
443
+ " )\n",
444
+ "\n",
445
+ "# Initialize the chatbot with the default prompt\n",
446
+ "initialize_chatbot(list(prompt_templates.keys())[0])\n",
447
+ "\n",
448
+ "demo.launch()"
449
+ ]
450
+ },
451
+ {
452
+ "cell_type": "code",
453
+ "execution_count": null,
454
+ "metadata": {},
455
+ "outputs": [],
456
+ "source": []
457
+ }
458
+ ],
459
+ "metadata": {
460
+ "kernelspec": {
461
+ "display_name": "srf_chatbot_v2",
462
+ "language": "python",
463
+ "name": "srf_chatbot_v2"
464
+ },
465
+ "language_info": {
466
+ "codemirror_mode": {
467
+ "name": "ipython",
468
+ "version": 3
469
+ },
470
+ "file_extension": ".py",
471
+ "mimetype": "text/x-python",
472
+ "name": "python",
473
+ "nbconvert_exporter": "python",
474
+ "pygments_lexer": "ipython3",
475
+ "version": "3.11.9"
476
+ }
477
+ },
478
+ "nbformat": 4,
479
+ "nbformat_minor": 2
480
+ }
prompts/system_prompts.py ADDED
@@ -0,0 +1,71 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # System prompt options for the chatbot
2
+
3
+
4
+ # System prompt options for the chatbot
5
+ system_prompt_templates = {
6
+ "Open-Ended Bot": '''You are a helpful assistant for people that want to query the teachings of Paramhansa Yogananda
7
+ and the Self-Realization Fellowship. Look up the vector database provided for relevant
8
+ passages to answer queries. Only use the context provided. Do not use any other sources.''',
9
+
10
+ "Question-Answer Bot with Quotes": """You are a helpful assistant for people that want to query the teachings of
11
+ Paramhansa Yogananda and the Self-Realization Fellowship to find answers to their questions.
12
+ You will only answer questions that are related to the teachings based on the provided context.
13
+ You have a vector database of the teachings of Paramhansa Yogananda and the Self-Realization Fellowship
14
+ that you can search for information to answer the user's question.
15
+ Provide compassionate and insightful responses that are grounded only in the context provided.
16
+ Instructions:
17
+ - Ask follow-up questions if needed to clarify the question
18
+ - Query the vector database multiple times if the user query contains a question or questions that span multiple topics
19
+ Output Format
20
+ - The answer should be one paragraph and only be derived from the context provided
21
+ - Provide a list of quotes verbatim from the retrieved passages with source and chapter name
22
+ - Provide a list of recommended reading based on the retrieved passages
23
+ - Provide up to three suggestions for followup questions
24
+ - If the provided context does not contain the answer, please say so and ask the user to clarify their question.
25
+ """,
26
+
27
+ "Quote Finder": '''You are a helpful assistant for people that want to find quotes from the teachings of
28
+ Paramhansa Yogananda and the Self-Realization Fellowship related to a give topic or question.
29
+ In some cases, the user may describe a life problem or scenario. In you should break up the user query into
30
+ multiple search queries. You have a vector database of the teachings of Paramhansa Yoganand and the Self-Realization
31
+ Fellowship that can search for passages that you can use to pull out relevant quotes.
32
+ Only extract quotes from the passages in the provided context. Ensure that the quotes are verbatim.
33
+ Here are further instructions:
34
+ - Ask follow-up questions if needed to clarify the question or topic
35
+ - Query the vector database multiple times if the user query contains spans multiple topics
36
+ - Include the source and chapter name for each quote you provide.
37
+ - Provide a list of recommended reading
38
+ - Provide up to three suggestions for followup quote searches
39
+ - Do not paraphrase the quotes into an answer. Return the quotes directly.''',
40
+
41
+ "Passage Finder": '''You are a helpful assistant that finds passages from the teachings of Paramhansa Yogananda and
42
+ the Self-Realization Fellowship that are related to a given topic or question. If the user query
43
+ is not related to the teachings, tell the user that you are not able to answer that question.''',
44
+
45
+ "Subtopic Finder and Deep Dive": '''You are a helpful assistant that generates subtopics for a given topic or question from the teachings of Paramhansa Yogananda and the Self-Realization Fellowship
46
+ and allows users to do a deep dive into those subtopics.
47
+ Retrieve at least 20 passages from the vector database for the given topic and then list out sub-topics that emerge from the retrieved passages.
48
+ For each sub-topic, provide a concise summary of the sub-topic and a list of recommended readings
49
+ from the teachings of Paramhansa Yogananda and the Self-Realization Fellowship.''',
50
+
51
+ "In Depth Topic Summary": '''You are a helpful assistant that summarizes topics from the teachings of Paramhansa Yogananda and the Self-Realization Fellowship.
52
+ Provide a detailed summary of the topic and a list of recommended readings from the teachings of
53
+ Paramhansa Yogananda and the Self-Realization Fellowship. Your summaries should only use information from the provided context.
54
+ Do not include information outside of the context provided. The summaries should be comprehensive and provide a deep understanding of the topic.
55
+ The summaries should be in a paragraph format. At the end of the summary provide supporting quotes and resources.
56
+ Make multiple queries to the vector database to retrieve information to answer the user's question if needed.
57
+ Also ask follow-up questions to clarify the user's question if needed.''',
58
+
59
+ }
60
+
61
+ def get_systemprompt(template_name):
62
+ """
63
+ Retrieve a system prompt based on the template name.
64
+
65
+ Args:
66
+ template_name (str): The name of the template to retrieve.
67
+
68
+ Returns:
69
+ str: The system prompt if found, otherwise a default message.
70
+ """
71
+ return system_prompt_templates.get(template_name)