Skip to content
Snippets Groups Projects
Unverified Commit 3baa60bf authored by James Briggs's avatar James Briggs
Browse files

move pinecone demo

parent 3b94e1c2
No related branches found
No related tags found
No related merge requests found
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
[![Open In Colab](https://colab.research.google.com/assets/colab-badge.svg)](https://colab.research.google.com/github/aurelio-labs/semantic-router/blob/main/docs/07-scaling-and-pinecone.ipynb) [![Open nbviewer](https://raw.githubusercontent.com/pinecone-io/examples/master/assets/nbviewer-shield.svg)](https://nbviewer.org/github/aurelio-labs/semantic-router/blob/main/docs/07-scaling-and-pinecone.ipynb) [![Open In Colab](https://colab.research.google.com/assets/colab-badge.svg)](https://colab.research.google.com/github/aurelio-labs/semantic-router/blob/main/docs/examples/pinecone-and-scaling.ipynb) [![Open nbviewer](https://raw.githubusercontent.com/pinecone-io/examples/master/assets/nbviewer-shield.svg)](https://nbviewer.org/github/aurelio-labs/semantic-router/blob/main/docs/examples/pinecone-and-scaling.ipynb)
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
# Scaling to Many Routes and Using Pinecone # Scaling to Many Routes and Using Pinecone
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Semantic router can be used with many hundreds, thousands, or even more routes. At very large scales it can be useful to use a vector database to store and search though your route vector space. Although we do not demonstrate _very large_ scale in this notebook, we will demonstrate more routes than usual and we will also see how to use the `PineconeIndex` for potential scalability and route persistence beyond our local machines. Semantic router can be used with many hundreds, thousands, or even more routes. At very large scales it can be useful to use a vector database to store and search though your route vector space. Although we do not demonstrate _very large_ scale in this notebook, we will demonstrate more routes than usual and we will also see how to use the `PineconeIndex` for potential scalability and route persistence beyond our local machines.
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
## Installing the Library ## Installing the Library
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
!pip install -qU \ !pip install -qU \
"semantic-router[local, pinecone]==0.0.22" \ "semantic-router[local, pinecone]==0.0.22" \
datasets==2.17.0 datasets==2.17.0
``` ```
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
## Downloading Routes ## Downloading Routes
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
from datasets import load_dataset from datasets import load_dataset
data = load_dataset("aurelio-ai/generic-routes", split="train") data = load_dataset("aurelio-ai/generic-routes", split="train")
data data
``` ```
%% Output %% Output
/Users/jamesbriggs/opt/anaconda3/envs/decision-layer/lib/python3.11/site-packages/tqdm/auto.py:21: TqdmWarning: IProgress not found. Please update jupyter and ipywidgets. See https://ipywidgets.readthedocs.io/en/stable/user_install.html /Users/jamesbriggs/opt/anaconda3/envs/decision-layer/lib/python3.11/site-packages/tqdm/auto.py:21: TqdmWarning: IProgress not found. Please update jupyter and ipywidgets. See https://ipywidgets.readthedocs.io/en/stable/user_install.html
from .autonotebook import tqdm as notebook_tqdm from .autonotebook import tqdm as notebook_tqdm
Using the latest cached version of the dataset since aurelio-ai/generic-routes couldn't be found on the Hugging Face Hub Using the latest cached version of the dataset since aurelio-ai/generic-routes couldn't be found on the Hugging Face Hub
Found the latest cached dataset configuration 'default' at /Users/jamesbriggs/.cache/huggingface/datasets/aurelio-ai___generic-routes/default/0.0.0/5ed6ce316bb803dc716232e6c5f0eb1c7400e24d (last modified on Sun Feb 18 15:49:32 2024). Found the latest cached dataset configuration 'default' at /Users/jamesbriggs/.cache/huggingface/datasets/aurelio-ai___generic-routes/default/0.0.0/5ed6ce316bb803dc716232e6c5f0eb1c7400e24d (last modified on Sun Feb 18 15:49:32 2024).
Dataset({ Dataset({
features: ['name', 'utterances', 'description', 'function_schema', 'llm', 'score_threshold'], features: ['name', 'utterances', 'description', 'function_schema', 'llm', 'score_threshold'],
num_rows: 50 num_rows: 50
}) })
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Each row in this dataset is a single route: Each row in this dataset is a single route:
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
data[0] data[0]
``` ```
%% Output %% Output
{'name': 'politics', {'name': 'politics',
'utterances': ["isn't politics the best thing ever", 'utterances': ["isn't politics the best thing ever",
"why don't you tell me about your political opinions", "why don't you tell me about your political opinions",
"don't you just love the presidentdon't you just hate the president", "don't you just love the presidentdon't you just hate the president",
"they're going to destroy this country!", "they're going to destroy this country!",
'they will save the country!'], 'they will save the country!'],
'description': None, 'description': None,
'function_schema': None, 'function_schema': None,
'llm': None, 'llm': None,
'score_threshold': 0.82} 'score_threshold': 0.82}
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
We transform these into `Route` objects like so: We transform these into `Route` objects like so:
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
from semantic_router import Route from semantic_router import Route
routes = [Route(**data[i]) for i in range(len(data))] routes = [Route(**data[i]) for i in range(len(data))]
routes[0] routes[0]
``` ```
%% Output %% Output
Route(name='politics', utterances=["isn't politics the best thing ever", "why don't you tell me about your political opinions", "don't you just love the presidentdon't you just hate the president", "they're going to destroy this country!", 'they will save the country!'], description=None, function_schema=None, llm=None, score_threshold=0.82) Route(name='politics', utterances=["isn't politics the best thing ever", "why don't you tell me about your political opinions", "don't you just love the presidentdon't you just hate the president", "they're going to destroy this country!", 'they will save the country!'], description=None, function_schema=None, llm=None, score_threshold=0.82)
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Next we initialize an `encoder`. We will use a simple `HuggingFaceEncoder`, we can also use popular encoder APIs like `CohereEncoder` and `OpenAIEncoder`. Next we initialize an `encoder`. We will use a simple `HuggingFaceEncoder`, we can also use popular encoder APIs like `CohereEncoder` and `OpenAIEncoder`.
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
from semantic_router.encoders import HuggingFaceEncoder from semantic_router.encoders import HuggingFaceEncoder
encoder = HuggingFaceEncoder() encoder = HuggingFaceEncoder()
``` ```
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Now we initialize our `PineconeIndex`, all it requires is a [Pinecone API key](https://app.pinecone.io) (you do need to be using Pinecone Serverless). Now we initialize our `PineconeIndex`, all it requires is a [Pinecone API key](https://app.pinecone.io) (you do need to be using Pinecone Serverless).
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
import os import os
from getpass import getpass from getpass import getpass
from semantic_router.index import PineconeIndex from semantic_router.index import PineconeIndex
os.environ["PINECONE_API_KEY"] = os.environ.get("PINECONE_API_KEY") or getpass("Enter Pinecone API key: ") os.environ["PINECONE_API_KEY"] = os.environ.get("PINECONE_API_KEY") or getpass("Enter Pinecone API key: ")
index = PineconeIndex() index = PineconeIndex()
``` ```
%% Output %% Output
2024-02-18 17:11:50 WARNING semantic_router.utils.logger Index could not be initialized. 2024-02-18 17:11:50 WARNING semantic_router.utils.logger Index could not be initialized.
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
from semantic_router import RouteLayer from semantic_router import RouteLayer
rl = RouteLayer(encoder=encoder, routes=routes, index=index) rl = RouteLayer(encoder=encoder, routes=routes, index=index)
``` ```
%% Output %% Output
2024-02-18 17:12:21 INFO semantic_router.utils.logger local 2024-02-18 17:12:21 INFO semantic_router.utils.logger local
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
We run the solely static routes layer: We run the solely static routes layer:
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
rl("how's the weather today?").name rl("how's the weather today?").name
``` ```
%% Output %% Output
'chitchat' 'chitchat'
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
_If you see a warning about no classification being found, wait a moment and run the above cell again._ _If you see a warning about no classification being found, wait a moment and run the above cell again._
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
## Loading Index From Previous Initialization ## Loading Index From Previous Initialization
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Because we're using Pinecone our route index can now persist / be access from different locations by simply connecting to the pre-existing index, by default this index uses the identifier `"semantic-router--index"` — this is the index we'll be loading here, but we can change the name via the `index_name` parameter if preferred. Because we're using Pinecone our route index can now persist / be access from different locations by simply connecting to the pre-existing index, by default this index uses the identifier `"semantic-router--index"` — this is the index we'll be loading here, but we can change the name via the `index_name` parameter if preferred.
First, let's delete our old route layer, `index`, and `routes`. First, let's delete our old route layer, `index`, and `routes`.
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
del rl, index, routes del rl, index, routes
``` ```
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Let's load our index first. As mentioned, `"index"` is the default index name, so we don't need to specify this parameter — but we do so below for demonstrative purposes. Let's load our index first. As mentioned, `"index"` is the default index name, so we don't need to specify this parameter — but we do so below for demonstrative purposes.
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
index = PineconeIndex(index_name="index") index = PineconeIndex(index_name="index")
``` ```
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
We load the pre-existing routes from this index like so: We load the pre-existing routes from this index like so:
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
index.get_routes() index.get_routes()
``` ```
%% Output %% Output
[('fitness_tips', 'suggest a workout routine'), [('fitness_tips', 'suggest a workout routine'),
('daily_inspiration', 'give me an inspirational quote'), ('daily_inspiration', 'give me an inspirational quote'),
('creative_writing_and_literature', 'how can I improve my writing skills?'), ('creative_writing_and_literature', 'how can I improve my writing skills?'),
('chitchat', "let's go to the chippy"), ('chitchat', "let's go to the chippy"),
('astronomy_and_space_exploration', ('astronomy_and_space_exploration',
'what are some interesting facts about the universe?'), 'what are some interesting facts about the universe?'),
('chitchat', 'the weather is horrendous'), ('chitchat', 'the weather is horrendous'),
('cloud_computing', 'AWS vs Azure vs Google Cloud'), ('cloud_computing', 'AWS vs Azure vs Google Cloud'),
('chitchat', 'how are things going?'), ('chitchat', 'how are things going?'),
('educational_facts', 'tell me an interesting fact'), ('educational_facts', 'tell me an interesting fact'),
('chitchat', "how's the weather today?"), ('chitchat', "how's the weather today?"),
('ethical_considerations_in_tech', 'ethical hacking and its importance'), ('ethical_considerations_in_tech', 'ethical hacking and its importance'),
('compliments', 'say something nice about me'), ('compliments', 'say something nice about me'),
('food_and_recipes', "what's your favorite food?"), ('food_and_recipes', "what's your favorite food?"),
('interview_preparation', 'common programming interview questions'), ('interview_preparation', 'common programming interview questions'),
('gaming_and_esports', 'what are the popular games right now?'), ('gaming_and_esports', 'what are the popular games right now?'),
('frameworks_and_libraries', ('frameworks_and_libraries',
"what's the difference between React and Angular?"), "what's the difference between React and Angular?"),
('environmental_awareness', 'how can I be more eco-friendly?'), ('environmental_awareness', 'how can I be more eco-friendly?'),
('career_advice_in_tech', ('career_advice_in_tech',
'how to build a portfolio for software development'), 'how to build a portfolio for software development'),
('educational_facts', 'do you know any historical trivia?'), ('educational_facts', 'do you know any historical trivia?'),
('interview_preparation', 'tips for technical interviews'), ('interview_preparation', 'tips for technical interviews'),
('data_structures_and_algorithms', 'algorithms every developer should know'), ('data_structures_and_algorithms', 'algorithms every developer should know'),
('cybersecurity_best_practices', 'securing your web applications'), ('cybersecurity_best_practices', 'securing your web applications'),
('jokes', 'know any good jokes?'), ('jokes', 'know any good jokes?'),
('interview_preparation', 'how to prepare for a coding interview'), ('interview_preparation', 'how to prepare for a coding interview'),
('coding_standards_and_conventions', 'maintaining consistency in codebase'), ('coding_standards_and_conventions', 'maintaining consistency in codebase'),
('cloud_computing', 'best practices for cloud security'), ('cloud_computing', 'best practices for cloud security'),
('historical_events', 'tell me about a significant historical event'), ('historical_events', 'tell me about a significant historical event'),
('coding_standards_and_conventions', 'JavaScript coding conventions'), ('coding_standards_and_conventions', 'JavaScript coding conventions'),
('career_advice_in_tech', 'navigating career growth in tech'), ('career_advice_in_tech', 'navigating career growth in tech'),
('development_tools', 'best Git clients for macOS'), ('development_tools', 'best Git clients for macOS'),
('environmental_awareness', 'what are some ways to save the planet?'), ('environmental_awareness', 'what are some ways to save the planet?'),
('historical_events', 'who was a notable figure in ancient history?'), ('historical_events', 'who was a notable figure in ancient history?'),
('career_advice', 'suggest some career development tips'), ('career_advice', 'suggest some career development tips'),
('compliments', 'I need some positive vibes'), ('compliments', 'I need some positive vibes'),
('frameworks_and_libraries', 'best Python libraries for data analysis'), ('frameworks_and_libraries', 'best Python libraries for data analysis'),
('book_recommendations', "what's your favorite book?"), ('book_recommendations', "what's your favorite book?"),
('gardening_and_horticulture', 'suggest some easy-care indoor plants'), ('gardening_and_horticulture', 'suggest some easy-care indoor plants'),
('mental_health_support', 'what are ways to improve mental health?'), ('mental_health_support', 'what are ways to improve mental health?'),
('data_structures_and_algorithms', 'basic data structures for beginners'), ('data_structures_and_algorithms', 'basic data structures for beginners'),
('hobbies_and_interests', 'suggest me a hobby'), ('hobbies_and_interests', 'suggest me a hobby'),
('career_advice_in_tech', 'tips for landing your first tech job'), ('career_advice_in_tech', 'tips for landing your first tech job'),
('art_and_culture', "what's an interesting cultural tradition?"), ('art_and_culture', "what's an interesting cultural tradition?"),
('language_learning', 'suggest ways to learn a new language'), ('language_learning', 'suggest ways to learn a new language'),
('cybersecurity_best_practices', ('cybersecurity_best_practices',
'introduction to ethical hacking for developers'), 'introduction to ethical hacking for developers'),
('debugging_tips', 'tips for debugging asynchronous code'), ('debugging_tips', 'tips for debugging asynchronous code'),
('coding_standards_and_conventions', 'why coding standards matter'), ('coding_standards_and_conventions', 'why coding standards matter'),
('daily_inspiration', 'share something uplifting'), ('daily_inspiration', 'share something uplifting'),
('environmental_awareness', 'tell me about sustainability practices'), ('environmental_awareness', 'tell me about sustainability practices'),
('career_advice', 'how can I improve my resume?'), ('career_advice', 'how can I improve my resume?'),
('daily_inspiration', 'I need some inspiration for today'), ('daily_inspiration', 'I need some inspiration for today'),
('debugging_tips', 'best tools for JavaScript debugging'), ('debugging_tips', 'best tools for JavaScript debugging'),
('food_and_recipes', 'tell me about a dish from your country'), ('food_and_recipes', 'tell me about a dish from your country'),
('jokes', 'make me laugh'), ('jokes', 'make me laugh'),
('best_practices', 'best practices for error handling in JavaScript'), ('best_practices', 'best practices for error handling in JavaScript'),
('gaming_and_esports', 'suggest a good game for beginners'), ('gaming_and_esports', 'suggest a good game for beginners'),
('hobbies_and_interests', 'what are your interests?'), ('hobbies_and_interests', 'what are your interests?'),
('machine_learning_in_development', 'using TensorFlow for beginners'), ('machine_learning_in_development', 'using TensorFlow for beginners'),
('language_syntax', 'how do closures work in JavaScript?'), ('language_syntax', 'how do closures work in JavaScript?'),
('machine_learning_in_development', ('machine_learning_in_development',
'machine learning model deployment best practices'), 'machine learning model deployment best practices'),
('gaming_and_esports', 'tell me about upcoming esports events'), ('gaming_and_esports', 'tell me about upcoming esports events'),
('art_and_culture', 'suggest some must-visit museums'), ('art_and_culture', 'suggest some must-visit museums'),
('language_learning', 'how can I improve my Spanish?'), ('language_learning', 'how can I improve my Spanish?'),
('mindfulness_and_wellness', 'how can I relax?'), ('mindfulness_and_wellness', 'how can I relax?'),
('astronomy_and_space_exploration', 'tell me about the latest space mission'), ('astronomy_and_space_exploration', 'tell me about the latest space mission'),
('machine_learning_in_development', ('machine_learning_in_development',
'how to start with machine learning in Python'), 'how to start with machine learning in Python'),
('frameworks_and_libraries', 'introduction to Django for web development'), ('frameworks_and_libraries', 'introduction to Django for web development'),
('data_structures_and_algorithms', 'complexity analysis of algorithms'), ('data_structures_and_algorithms', 'complexity analysis of algorithms'),
('debugging_tips', 'how do I debug segmentation faults in C++?'), ('debugging_tips', 'how do I debug segmentation faults in C++?'),
('career_advice', 'what are the emerging career fields?'), ('career_advice', 'what are the emerging career fields?'),
('creative_writing_and_literature', 'suggest some classic literature'), ('creative_writing_and_literature', 'suggest some classic literature'),
('hobbies_and_interests', "I'm looking for a new pastime"), ('hobbies_and_interests', "I'm looking for a new pastime"),
('best_practices', 'how to write clean code in Python'), ('best_practices', 'how to write clean code in Python'),
('fitness_tips', 'how can I stay active at home?'), ('fitness_tips', 'how can I stay active at home?'),
('ethical_considerations_in_tech', ('ethical_considerations_in_tech',
'the role of ethics in artificial intelligence'), 'the role of ethics in artificial intelligence'),
('cloud_computing', 'introduction to cloud storage options'), ('cloud_computing', 'introduction to cloud storage options'),
('ethical_considerations_in_tech', 'privacy concerns in app development'), ('ethical_considerations_in_tech', 'privacy concerns in app development'),
('language_syntax', 'explain the syntax of Python functions'), ('language_syntax', 'explain the syntax of Python functions'),
('creative_writing_and_literature', 'what are some tips for storytelling?'), ('creative_writing_and_literature', 'what are some tips for storytelling?'),
('cybersecurity_best_practices', 'common security vulnerabilities to avoid'), ('cybersecurity_best_practices', 'common security vulnerabilities to avoid'),
('book_recommendations', 'I need a book recommendation'), ('book_recommendations', 'I need a book recommendation'),
('mental_health_support', 'how can I manage stress?'), ('mental_health_support', 'how can I manage stress?'),
('chitchat', 'lovely weather today'), ('chitchat', 'lovely weather today'),
('mental_health_support', 'share some self-care practices'), ('mental_health_support', 'share some self-care practices'),
('best_practices', 'what are the best practices for REST API design?'), ('best_practices', 'what are the best practices for REST API design?'),
('food_and_recipes', 'suggest a recipe for dinner'), ('food_and_recipes', 'suggest a recipe for dinner'),
('language_syntax', 'what are the new features in Java 15?'), ('language_syntax', 'what are the new features in Java 15?'),
('gardening_and_horticulture', 'how do I start a vegetable garden?'), ('gardening_and_horticulture', 'how do I start a vegetable garden?'),
('language_learning', ('language_learning',
'what are some effective language learning techniques?'), 'what are some effective language learning techniques?'),
('historical_events', 'share an interesting piece of medieval history'), ('historical_events', 'share an interesting piece of medieval history'),
('mindfulness_and_wellness', 'tell me about mindfulness'), ('mindfulness_and_wellness', 'tell me about mindfulness'),
('development_tools', 'using Docker in development'), ('development_tools', 'using Docker in development'),
('book_recommendations', 'suggest a good book to read'), ('book_recommendations', 'suggest a good book to read'),
('gardening_and_horticulture', ('gardening_and_horticulture',
'what are some tips for sustainable gardening?'), 'what are some tips for sustainable gardening?'),
('art_and_culture', 'tell me about your favorite artist'), ('art_and_culture', 'tell me about your favorite artist'),
('educational_facts', 'share a science fact'), ('educational_facts', 'share a science fact'),
('astronomy_and_space_exploration', 'how can I stargaze effectively?'), ('astronomy_and_space_exploration', 'how can I stargaze effectively?'),
('fitness_tips', 'give me a fitness tip'), ('fitness_tips', 'give me a fitness tip'),
('development_tools', 'recommendations for Python IDEs'), ('development_tools', 'recommendations for Python IDEs'),
('jokes', 'tell me a joke'), ('jokes', 'tell me a joke'),
('compliments', 'give me a compliment'), ('compliments', 'give me a compliment'),
('politics', "why don't you tell me about your political opinions"), ('politics', "why don't you tell me about your political opinions"),
('pet_care_advice', 'suggest some tips for cat care'), ('pet_care_advice', 'suggest some tips for cat care'),
('music_discovery', 'suggest some new music'), ('music_discovery', 'suggest some new music'),
('personal_questions', "what's your favorite color?"), ('personal_questions', "what's your favorite color?"),
('travel_stories', 'tell me about your favorite travel destination'), ('travel_stories', 'tell me about your favorite travel destination'),
('tech_trends', 'tell me about the latest gadgets'), ('tech_trends', 'tell me about the latest gadgets'),
('science_and_innovation', 'tell me about a recent innovation'), ('science_and_innovation', 'tell me about a recent innovation'),
('programming_challenges', 'suggest a coding challenge for beginners'), ('programming_challenges', 'suggest a coding challenge for beginners'),
('project_management_in_tech', 'agile vs waterfall project management'), ('project_management_in_tech', 'agile vs waterfall project management'),
('science_and_innovation', 'what are the latest scientific discoveries?'), ('science_and_innovation', 'what are the latest scientific discoveries?'),
('programming_challenges', 'where can I find algorithmic puzzles?'), ('programming_challenges', 'where can I find algorithmic puzzles?'),
('personal_questions', 'what do you like to do for fun?'), ('personal_questions', 'what do you like to do for fun?'),
('open_source_contributions', 'best practices for open-source contributors'), ('open_source_contributions', 'best practices for open-source contributors'),
('music_discovery', 'who are the top artists right now?'), ('music_discovery', 'who are the top artists right now?'),
('mobile_app_development', 'optimizing performance in mobile apps'), ('mobile_app_development', 'optimizing performance in mobile apps'),
('open_source_contributions', 'how to start contributing to open source'), ('open_source_contributions', 'how to start contributing to open source'),
('programming_challenges', 'programming tasks to improve problem-solving'), ('programming_challenges', 'programming tasks to improve problem-solving'),
('politics', "isn't politics the best thing ever"), ('politics', "isn't politics the best thing ever"),
('politics', ('politics',
"don't you just love the presidentdon't you just hate the president"), "don't you just love the presidentdon't you just hate the president"),
('project_management_in_tech', 'how to lead a development team'), ('project_management_in_tech', 'how to lead a development team'),
('philosophical_questions', 'what is the meaning of life?'), ('philosophical_questions', 'what is the meaning of life?'),
('version_control_systems', 'introduction to SVN for beginners'), ('version_control_systems', 'introduction to SVN for beginners'),
('software_architecture', 'explain microservices architecture'), ('software_architecture', 'explain microservices architecture'),
('version_control_systems', 'best practices for branching in Git'), ('version_control_systems', 'best practices for branching in Git'),
('pet_care_advice', 'what should I know about keeping a pet rabbit?'), ('pet_care_advice', 'what should I know about keeping a pet rabbit?'),
('politics', 'they will save the country!'), ('politics', 'they will save the country!'),
('pet_care_advice', 'how can I train my dog?'), ('pet_care_advice', 'how can I train my dog?'),
('philosophical_questions', 'what are your thoughts on free will?'), ('philosophical_questions', 'what are your thoughts on free will?'),
('mobile_app_development', ('mobile_app_development',
'best tools for cross-platform mobile development'), 'best tools for cross-platform mobile development'),
('personal_questions', 'do you have any hobbies?'), ('personal_questions', 'do you have any hobbies?'),
('travel_stories', 'share a travel story'), ('travel_stories', 'share a travel story'),
('science_and_innovation', 'how does AI impact our daily lives?'), ('science_and_innovation', 'how does AI impact our daily lives?'),
('movie_suggestions', "what's your favorite movie?"), ('movie_suggestions', "what's your favorite movie?"),
('mobile_app_development', 'Kotlin vs Swift for mobile development'), ('mobile_app_development', 'Kotlin vs Swift for mobile development'),
('mindfulness_and_wellness', 'give me a wellness tip'), ('mindfulness_and_wellness', 'give me a wellness tip'),
('motivation', 'I need some motivation'), ('motivation', 'I need some motivation'),
('music_discovery', 'recommend songs for a workout playlist'), ('music_discovery', 'recommend songs for a workout playlist'),
('software_architecture', 'introduction to domain-driven design'), ('software_architecture', 'introduction to domain-driven design'),
('software_architecture', 'differences between MVC and MVVM'), ('software_architecture', 'differences between MVC and MVVM'),
('movie_suggestions', 'suggest a good movie for tonight'), ('movie_suggestions', 'suggest a good movie for tonight'),
('web_development_trends', 'emerging back-end technologies'), ('web_development_trends', 'emerging back-end technologies'),
('philosophical_questions', 'do you believe in fate?'), ('philosophical_questions', 'do you believe in fate?'),
('web_development_trends', 'the future of web development'), ('web_development_trends', 'the future of web development'),
('web_development_trends', "what's new in front-end development?"), ('web_development_trends', "what's new in front-end development?"),
('motivation', 'give me a motivational quote'), ('motivation', 'give me a motivational quote'),
('tech_trends', "what's new in technology?"), ('tech_trends', "what's new in technology?"),
('version_control_systems', 'how to revert a commit in Git'), ('version_control_systems', 'how to revert a commit in Git'),
('project_management_in_tech', 'tools for managing tech projects'), ('project_management_in_tech', 'tools for managing tech projects'),
('movie_suggestions', 'recommend a movie'), ('movie_suggestions', 'recommend a movie'),
('motivation', 'inspire me'), ('motivation', 'inspire me'),
('travel_stories', "what's the most interesting place you've visited?"), ('travel_stories', "what's the most interesting place you've visited?"),
('tech_trends', 'what are the emerging tech trends?'), ('tech_trends', 'what are the emerging tech trends?'),
('politics', "they're going to destroy this country!"), ('politics', "they're going to destroy this country!"),
('open_source_contributions', 'finding projects that accept contributions')] ('open_source_contributions', 'finding projects that accept contributions')]
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
We will transform these into a dictionary format that we can use to initialize our `Route` objects. We will transform these into a dictionary format that we can use to initialize our `Route` objects.
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
routes_dict = {} routes_dict = {}
for route, utterance in index.get_routes(): for route, utterance in index.get_routes():
if route not in routes_dict: if route not in routes_dict:
routes_dict[route] = [] routes_dict[route] = []
routes_dict[route].append(utterance) routes_dict[route].append(utterance)
``` ```
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
routes_dict routes_dict
``` ```
%% Output %% Output
{'jokes': ['tell me a joke', 'make me laugh', 'know any good jokes?'], {'jokes': ['tell me a joke', 'make me laugh', 'know any good jokes?'],
'career_advice': ['suggest some career development tips', 'career_advice': ['suggest some career development tips',
'what are the emerging career fields?', 'what are the emerging career fields?',
'how can I improve my resume?'], 'how can I improve my resume?'],
'environmental_awareness': ['tell me about sustainability practices', 'environmental_awareness': ['tell me about sustainability practices',
'how can I be more eco-friendly?', 'how can I be more eco-friendly?',
'what are some ways to save the planet?'], 'what are some ways to save the planet?'],
'data_structures_and_algorithms': ['algorithms every developer should know', 'data_structures_and_algorithms': ['algorithms every developer should know',
'basic data structures for beginners', 'basic data structures for beginners',
'complexity analysis of algorithms'], 'complexity analysis of algorithms'],
'chitchat': ['lovely weather today', 'chitchat': ['lovely weather today',
"how's the weather today?", "how's the weather today?",
'how are things going?', 'how are things going?',
'the weather is horrendous', 'the weather is horrendous',
"let's go to the chippy"], "let's go to the chippy"],
'daily_inspiration': ['share something uplifting', 'daily_inspiration': ['share something uplifting',
'give me an inspirational quote', 'give me an inspirational quote',
'I need some inspiration for today'], 'I need some inspiration for today'],
'career_advice_in_tech': ['how to build a portfolio for software development', 'career_advice_in_tech': ['how to build a portfolio for software development',
'navigating career growth in tech', 'navigating career growth in tech',
'tips for landing your first tech job'], 'tips for landing your first tech job'],
'cloud_computing': ['best practices for cloud security', 'cloud_computing': ['best practices for cloud security',
'introduction to cloud storage options', 'introduction to cloud storage options',
'AWS vs Azure vs Google Cloud'], 'AWS vs Azure vs Google Cloud'],
'language_syntax': ['explain the syntax of Python functions', 'language_syntax': ['explain the syntax of Python functions',
'how do closures work in JavaScript?', 'how do closures work in JavaScript?',
'what are the new features in Java 15?'], 'what are the new features in Java 15?'],
'art_and_culture': ["what's an interesting cultural tradition?", 'art_and_culture': ["what's an interesting cultural tradition?",
'suggest some must-visit museums', 'suggest some must-visit museums',
'tell me about your favorite artist'], 'tell me about your favorite artist'],
'hobbies_and_interests': ["I'm looking for a new pastime", 'hobbies_and_interests': ["I'm looking for a new pastime",
'what are your interests?', 'what are your interests?',
'suggest me a hobby'], 'suggest me a hobby'],
'mental_health_support': ['what are ways to improve mental health?', 'mental_health_support': ['what are ways to improve mental health?',
'how can I manage stress?', 'how can I manage stress?',
'share some self-care practices'], 'share some self-care practices'],
'gardening_and_horticulture': ['how do I start a vegetable garden?', 'gardening_and_horticulture': ['how do I start a vegetable garden?',
'suggest some easy-care indoor plants', 'suggest some easy-care indoor plants',
'what are some tips for sustainable gardening?'], 'what are some tips for sustainable gardening?'],
'book_recommendations': ['I need a book recommendation', 'book_recommendations': ['I need a book recommendation',
"what's your favorite book?", "what's your favorite book?",
'suggest a good book to read'], 'suggest a good book to read'],
'development_tools': ['best Git clients for macOS', 'development_tools': ['best Git clients for macOS',
'using Docker in development', 'using Docker in development',
'recommendations for Python IDEs'], 'recommendations for Python IDEs'],
'debugging_tips': ['best tools for JavaScript debugging', 'debugging_tips': ['best tools for JavaScript debugging',
'how do I debug segmentation faults in C++?', 'how do I debug segmentation faults in C++?',
'tips for debugging asynchronous code'], 'tips for debugging asynchronous code'],
'cybersecurity_best_practices': ['securing your web applications', 'cybersecurity_best_practices': ['securing your web applications',
'common security vulnerabilities to avoid', 'common security vulnerabilities to avoid',
'introduction to ethical hacking for developers'], 'introduction to ethical hacking for developers'],
'interview_preparation': ['how to prepare for a coding interview', 'interview_preparation': ['how to prepare for a coding interview',
'common programming interview questions', 'common programming interview questions',
'tips for technical interviews'], 'tips for technical interviews'],
'best_practices': ['how to write clean code in Python', 'best_practices': ['how to write clean code in Python',
'best practices for error handling in JavaScript', 'best practices for error handling in JavaScript',
'what are the best practices for REST API design?'], 'what are the best practices for REST API design?'],
'educational_facts': ['do you know any historical trivia?', 'educational_facts': ['do you know any historical trivia?',
'share a science fact', 'share a science fact',
'tell me an interesting fact'], 'tell me an interesting fact'],
'language_learning': ['what are some effective language learning techniques?', 'language_learning': ['what are some effective language learning techniques?',
'suggest ways to learn a new language', 'suggest ways to learn a new language',
'how can I improve my Spanish?'], 'how can I improve my Spanish?'],
'mindfulness_and_wellness': ['tell me about mindfulness', 'mindfulness_and_wellness': ['tell me about mindfulness',
'how can I relax?', 'how can I relax?',
'give me a wellness tip'], 'give me a wellness tip'],
'gaming_and_esports': ['suggest a good game for beginners', 'gaming_and_esports': ['suggest a good game for beginners',
'what are the popular games right now?', 'what are the popular games right now?',
'tell me about upcoming esports events'], 'tell me about upcoming esports events'],
'historical_events': ['tell me about a significant historical event', 'historical_events': ['tell me about a significant historical event',
'who was a notable figure in ancient history?', 'who was a notable figure in ancient history?',
'share an interesting piece of medieval history'], 'share an interesting piece of medieval history'],
'frameworks_and_libraries': ['best Python libraries for data analysis', 'frameworks_and_libraries': ['best Python libraries for data analysis',
'introduction to Django for web development', 'introduction to Django for web development',
"what's the difference between React and Angular?"], "what's the difference between React and Angular?"],
'food_and_recipes': ['suggest a recipe for dinner', 'food_and_recipes': ['suggest a recipe for dinner',
'tell me about a dish from your country', 'tell me about a dish from your country',
"what's your favorite food?"], "what's your favorite food?"],
'fitness_tips': ['suggest a workout routine', 'fitness_tips': ['suggest a workout routine',
'give me a fitness tip', 'give me a fitness tip',
'how can I stay active at home?'], 'how can I stay active at home?'],
'ethical_considerations_in_tech': ['ethical hacking and its importance', 'ethical_considerations_in_tech': ['ethical hacking and its importance',
'privacy concerns in app development', 'privacy concerns in app development',
'the role of ethics in artificial intelligence'], 'the role of ethics in artificial intelligence'],
'astronomy_and_space_exploration': ['tell me about the latest space mission', 'astronomy_and_space_exploration': ['tell me about the latest space mission',
'what are some interesting facts about the universe?', 'what are some interesting facts about the universe?',
'how can I stargaze effectively?'], 'how can I stargaze effectively?'],
'creative_writing_and_literature': ['what are some tips for storytelling?', 'creative_writing_and_literature': ['what are some tips for storytelling?',
'suggest some classic literature', 'suggest some classic literature',
'how can I improve my writing skills?'], 'how can I improve my writing skills?'],
'machine_learning_in_development': ['using TensorFlow for beginners', 'machine_learning_in_development': ['using TensorFlow for beginners',
'machine learning model deployment best practices', 'machine learning model deployment best practices',
'how to start with machine learning in Python'], 'how to start with machine learning in Python'],
'compliments': ['give me a compliment', 'compliments': ['give me a compliment',
'say something nice about me', 'say something nice about me',
'I need some positive vibes'], 'I need some positive vibes'],
'coding_standards_and_conventions': ['maintaining consistency in codebase', 'coding_standards_and_conventions': ['maintaining consistency in codebase',
'why coding standards matter', 'why coding standards matter',
'JavaScript coding conventions'], 'JavaScript coding conventions'],
'politics': ["why don't you tell me about your political opinions", 'politics': ["why don't you tell me about your political opinions",
"they're going to destroy this country!", "they're going to destroy this country!",
'they will save the country!', 'they will save the country!',
"isn't politics the best thing ever", "isn't politics the best thing ever",
"don't you just love the presidentdon't you just hate the president"], "don't you just love the presidentdon't you just hate the president"],
'motivation': ['give me a motivational quote', 'motivation': ['give me a motivational quote',
'inspire me', 'inspire me',
'I need some motivation'], 'I need some motivation'],
'movie_suggestions': ['recommend a movie', 'movie_suggestions': ['recommend a movie',
"what's your favorite movie?", "what's your favorite movie?",
'suggest a good movie for tonight'], 'suggest a good movie for tonight'],
'music_discovery': ['suggest some new music', 'music_discovery': ['suggest some new music',
'recommend songs for a workout playlist', 'recommend songs for a workout playlist',
'who are the top artists right now?'], 'who are the top artists right now?'],
'web_development_trends': ["what's new in front-end development?", 'web_development_trends': ["what's new in front-end development?",
'emerging back-end technologies', 'emerging back-end technologies',
'the future of web development'], 'the future of web development'],
'science_and_innovation': ['tell me about a recent innovation', 'science_and_innovation': ['tell me about a recent innovation',
'how does AI impact our daily lives?', 'how does AI impact our daily lives?',
'what are the latest scientific discoveries?'], 'what are the latest scientific discoveries?'],
'open_source_contributions': ['best practices for open-source contributors', 'open_source_contributions': ['best practices for open-source contributors',
'how to start contributing to open source', 'how to start contributing to open source',
'finding projects that accept contributions'], 'finding projects that accept contributions'],
'travel_stories': ["what's the most interesting place you've visited?", 'travel_stories': ["what's the most interesting place you've visited?",
'tell me about your favorite travel destination', 'tell me about your favorite travel destination',
'share a travel story'], 'share a travel story'],
'pet_care_advice': ['how can I train my dog?', 'pet_care_advice': ['how can I train my dog?',
'suggest some tips for cat care', 'suggest some tips for cat care',
'what should I know about keeping a pet rabbit?'], 'what should I know about keeping a pet rabbit?'],
'mobile_app_development': ['Kotlin vs Swift for mobile development', 'mobile_app_development': ['Kotlin vs Swift for mobile development',
'optimizing performance in mobile apps', 'optimizing performance in mobile apps',
'best tools for cross-platform mobile development'], 'best tools for cross-platform mobile development'],
'version_control_systems': ['introduction to SVN for beginners', 'version_control_systems': ['introduction to SVN for beginners',
'how to revert a commit in Git', 'how to revert a commit in Git',
'best practices for branching in Git'], 'best practices for branching in Git'],
'project_management_in_tech': ['agile vs waterfall project management', 'project_management_in_tech': ['agile vs waterfall project management',
'tools for managing tech projects', 'tools for managing tech projects',
'how to lead a development team'], 'how to lead a development team'],
'programming_challenges': ['where can I find algorithmic puzzles?', 'programming_challenges': ['where can I find algorithmic puzzles?',
'programming tasks to improve problem-solving', 'programming tasks to improve problem-solving',
'suggest a coding challenge for beginners'], 'suggest a coding challenge for beginners'],
'tech_trends': ["what's new in technology?", 'tech_trends': ["what's new in technology?",
'tell me about the latest gadgets', 'tell me about the latest gadgets',
'what are the emerging tech trends?'], 'what are the emerging tech trends?'],
'software_architecture': ['introduction to domain-driven design', 'software_architecture': ['introduction to domain-driven design',
'differences between MVC and MVVM', 'differences between MVC and MVVM',
'explain microservices architecture'], 'explain microservices architecture'],
'philosophical_questions': ['what is the meaning of life?', 'philosophical_questions': ['what is the meaning of life?',
'do you believe in fate?', 'do you believe in fate?',
'what are your thoughts on free will?'], 'what are your thoughts on free will?'],
'personal_questions': ["what's your favorite color?", 'personal_questions': ["what's your favorite color?",
'what do you like to do for fun?', 'what do you like to do for fun?',
'do you have any hobbies?']} 'do you have any hobbies?']}
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Now we transform these into a list of `Route` objects. Now we transform these into a list of `Route` objects.
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
routes = [Route(name=route, utterances=utterances) for route, utterances in routes_dict.items()] routes = [Route(name=route, utterances=utterances) for route, utterances in routes_dict.items()]
routes[0] routes[0]
``` ```
%% Output %% Output
Route(name='jokes', utterances=['tell me a joke', 'make me laugh', 'know any good jokes?'], description=None, function_schema=None, llm=None, score_threshold=None) Route(name='jokes', utterances=['tell me a joke', 'make me laugh', 'know any good jokes?'], description=None, function_schema=None, llm=None, score_threshold=None)
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Now we reinitialize our `RouteLayer`: Now we reinitialize our `RouteLayer`:
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
from semantic_router import RouteLayer from semantic_router import RouteLayer
rl = RouteLayer(encoder=encoder, routes=routes, index=index) rl = RouteLayer(encoder=encoder, routes=routes, index=index)
``` ```
%% Output %% Output
2024-02-18 17:16:19 INFO semantic_router.utils.logger local 2024-02-18 17:16:19 INFO semantic_router.utils.logger local
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
And test it again: And test it again:
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
rl("say something to make me laugh").name rl("say something to make me laugh").name
``` ```
%% Output %% Output
'jokes' 'jokes'
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
rl("tell me something amusing").name rl("tell me something amusing").name
``` ```
%% Output %% Output
'jokes' 'jokes'
%% Cell type:code id: tags: %% Cell type:code id: tags:
``` python ``` python
rl("it's raining cats and dogs today").name rl("it's raining cats and dogs today").name
``` ```
%% Output %% Output
'chitchat' 'chitchat'
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
Perfect, our routes loaded from our `PineconeIndex` are working as expected! As mentioned, we can use the `PineconeIndex` for persistance and high scale use-cases, for example where we might have hundreds of thousands of utterances, or even millions. Perfect, our routes loaded from our `PineconeIndex` are working as expected! As mentioned, we can use the `PineconeIndex` for persistance and high scale use-cases, for example where we might have hundreds of thousands of utterances, or even millions.
%% Cell type:markdown id: tags: %% Cell type:markdown id: tags:
--- ---
......
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment