Browse Source

added youtube api key to --setup

pull/199/head
Jonathan Dunn 1 year ago
parent
commit
73c505cad1
  1. 134
      installer/client/cli/utils.py

134
installer/client/cli/utils.py

@ -1,6 +1,6 @@
import requests import requests
import os import os
from openai import OpenAI, APIConnectionError from openai import OpenAI
import asyncio import asyncio
import pyperclip import pyperclip
import sys import sys
@ -36,10 +36,12 @@ class Standalone:
# Expand the tilde to the full path # Expand the tilde to the full path
env_file = os.path.expanduser(env_file) env_file = os.path.expanduser(env_file)
load_dotenv(env_file) load_dotenv(env_file)
assert 'OPENAI_API_KEY' in os.environ, "Error: OPENAI_API_KEY not found in environment variables. Please run fabric --setup and add the key." try:
api_key = os.environ['OPENAI_API_KEY'] apikey = os.environ["OPENAI_API_KEY"]
base_url = os.environ.get('OPENAI_BASE_URL', 'https://api.openai.com/v1/') self.client = OpenAI()
self.client = OpenAI(api_key=api_key, base_url=base_url) self.client.api_key = apikey
except:
print("No API key found. Use the --apikey option to set the key")
self.local = False self.local = False
self.config_pattern_directory = config_directory self.config_pattern_directory = config_directory
self.pattern = pattern self.pattern = pattern
@ -54,7 +56,7 @@ class Standalone:
from ollama import AsyncClient from ollama import AsyncClient
response = None response = None
if host: if host:
response = await AsyncClient(host=host).chat(model=self.model, messages=messages) response = await AsyncClient(host=host).chat(model=self.model, messages=messages, host=host)
else: else:
response = await AsyncClient().chat(model=self.model, messages=messages) response = await AsyncClient().chat(model=self.model, messages=messages)
print(response['message']['content']) print(response['message']['content'])
@ -62,7 +64,7 @@ class Standalone:
async def localStream(self, messages, host=''): async def localStream(self, messages, host=''):
from ollama import AsyncClient from ollama import AsyncClient
if host: if host:
async for part in await AsyncClient(host=host).chat(model=self.model, messages=messages, stream=True): async for part in await AsyncClient(host=host).chat(model=self.model, messages=messages, stream=True, host=host):
print(part['message']['content'], end='', flush=True) print(part['message']['content'], end='', flush=True)
else: else:
async for part in await AsyncClient().chat(model=self.model, messages=messages, stream=True): async for part in await AsyncClient().chat(model=self.model, messages=messages, stream=True):
@ -265,23 +267,28 @@ class Standalone:
fullOllamaList = [] fullOllamaList = []
claudeList = ['claude-3-opus-20240229'] claudeList = ['claude-3-opus-20240229']
try: try:
models = [model.id for model in self.client.models.list().data] headers = {
except APIConnectionError as e: "Authorization": f"Bearer {self.client.api_key}"
if getattr(e.__cause__, 'args', [''])[0] == "Illegal header value b'Bearer '": }
print("Error: Cannot connect to the OpenAI API Server because the API key is not set. Please run fabric --setup and add a key.") response = requests.get(
"https://api.openai.com/v1/models", headers=headers)
if response.status_code == 200:
models = response.json().get("data", [])
# Filter only gpt models
gpt_models = [model for model in models if model.get(
"id", "").startswith(("gpt"))]
# Sort the models alphabetically by their ID
sorted_gpt_models = sorted(
gpt_models, key=lambda x: x.get("id"))
for model in sorted_gpt_models:
gptlist.append(model.get("id"))
else: else:
print(f'{e.message} trying to access {e.request.url}: {getattr(e.__cause__, 'args', [''])}') print(f"Failed to fetch models: HTTP {response.status_code}")
sys.exit() sys.exit()
except Exception as e: except:
print(f"Error: {getattr(e.__context__, 'args', [''])[0]}") print('No OpenAI API key found. Please run fabric --setup and add the key if you wish to interact with openai')
sys.exit()
if "/" in models[0] or "\\" in models[0]:
# lmstudio returns full paths to models. Iterate and truncate everything before and including the last slash
gptlist = [item[item.rfind("/") + 1:] if "/" in item else item[item.rfind("\\") + 1:] for item in models]
else:
# Keep items that start with "gpt"
gptlist = [item for item in models if item.startswith("gpt")]
gptlist.sort()
import ollama import ollama
try: try:
default_modelollamaList = ollama.list()['models'] default_modelollamaList = ollama.list()['models']
@ -429,24 +436,27 @@ class Setup:
pass pass
def fetch_available_models(self): def fetch_available_models(self):
try: headers = {
models = [model.id for model in self.client.models.list().data] "Authorization": f"Bearer {self.openaiapi_key}"
except APIConnectionError as e: }
if getattr(e.__cause__, 'args', [''])[0] == "Illegal header value b'Bearer '":
print("Error: Cannot connect to the OpenAI API Server because the API key is not set. Please run fabric --setup and add a key.") response = requests.get(
else: "https://api.openai.com/v1/models", headers=headers)
print(f'{e.message} trying to access {e.request.url}: {getattr(e.__cause__, 'args', [''])}')
sys.exit() if response.status_code == 200:
except Exception as e: models = response.json().get("data", [])
print(f"Error: {getattr(e.__context__, 'args', [''])[0]}") # Filter only gpt models
sys.exit() gpt_models = [model for model in models if model.get(
if "/" in models[0] or "\\" in models[0]: "id", "").startswith(("gpt"))]
# lmstudio returns full paths to models. Iterate and truncate everything before and including the last slash # Sort the models alphabetically by their ID
self.gptlist = [item[item.rfind("/") + 1:] if "/" in item else item[item.rfind("\\") + 1:] for item in models] sorted_gpt_models = sorted(
gpt_models, key=lambda x: x.get("id"))
for model in sorted_gpt_models:
self.gptlist.append(model.get("id"))
else: else:
# Keep items that start with "gpt" print(f"Failed to fetch models: HTTP {response.status_code}")
self.gptlist = [item for item in models if item.startswith("gpt")] sys.exit()
self.gptlist.sort()
import ollama import ollama
try: try:
default_modelollamaList = ollama.list()['models'] default_modelollamaList = ollama.list()['models']
@ -472,7 +482,7 @@ class Setup:
api_key = api_key.strip() api_key = api_key.strip()
if not os.path.exists(self.env_file) and api_key: if not os.path.exists(self.env_file) and api_key:
with open(self.env_file, "w") as f: with open(self.env_file, "w") as f:
f.write(f"OPENAI_API_KEY={api_key}") f.write(f"OPENAI_API_KEY={api_key}\n")
print(f"OpenAI API key set to {api_key}") print(f"OpenAI API key set to {api_key}")
elif api_key: elif api_key:
# erase the line OPENAI_API_KEY=key and write the new key # erase the line OPENAI_API_KEY=key and write the new key
@ -482,7 +492,7 @@ class Setup:
for line in lines: for line in lines:
if "OPENAI_API_KEY" not in line: if "OPENAI_API_KEY" not in line:
f.write(line) f.write(line)
f.write(f"OPENAI_API_KEY={api_key}") f.write(f"OPENAI_API_KEY={api_key}\n")
def claude_key(self, claude_key): def claude_key(self, claude_key):
""" Set the Claude API key in the environment file. """ Set the Claude API key in the environment file.
@ -504,10 +514,35 @@ class Setup:
for line in lines: for line in lines:
if "CLAUDE_API_KEY" not in line: if "CLAUDE_API_KEY" not in line:
f.write(line) f.write(line)
f.write(f"CLAUDE_API_KEY={claude_key}") f.write(f"CLAUDE_API_KEY={claude_key}\n")
elif claude_key: elif claude_key:
with open(self.env_file, "w") as f: with open(self.env_file, "w") as f:
f.write(f"CLAUDE_API_KEY={claude_key}") f.write(f"CLAUDE_API_KEY={claude_key}\n")
def youtube_key(self, youtube_key):
""" Set the YouTube API key in the environment file.
Args:
youtube_key (str): The API key to be set.
Returns:
None
Raises:
OSError: If the environment file does not exist or cannot be accessed.
"""
youtube_key = youtube_key.strip()
if os.path.exists(self.env_file) and youtube_key:
with open(self.env_file, "r") as f:
lines = f.readlines()
with open(self.env_file, "w") as f:
for line in lines:
if "YOUTUBE_API_KEY" not in line:
f.write(line)
f.write(f"YOUTUBE_API_KEY={youtube_key}\n")
elif youtube_key:
with open(self.env_file, "w") as f:
f.write(f"YOUTUBE_API_KEY={youtube_key}\n")
def update_fabric_command(self, line, model): def update_fabric_command(self, line, model):
fabric_command_regex = re.compile( fabric_command_regex = re.compile(
@ -674,10 +709,13 @@ class Setup:
print("Welcome to Fabric. Let's get started.") print("Welcome to Fabric. Let's get started.")
apikey = input( apikey = input(
"Please enter your OpenAI API key. If you do not have one or if you have already entered it, press enter.\n") "Please enter your OpenAI API key. If you do not have one or if you have already entered it, press enter.\n")
self.api_key(apikey.strip()) self.api_key(apikey)
print("Please enter your claude API key. If you do not have one, or if you have already entered it, press enter.\n") print("Please enter your claude API key. If you do not have one, or if you have already entered it, press enter.\n")
claudekey = input() claudekey = input()
self.claude_key(claudekey.strip()) self.claude_key(claudekey)
print("Please enter your YouTube API key. If you do not have one, or if you have already entered it, press enter.\n")
youtubekey = input()
self.youtube_key(youtubekey)
self.patterns() self.patterns()
@ -720,8 +758,8 @@ class AgentSetup:
""" """
print("Welcome to Fabric. Let's get started.") print("Welcome to Fabric. Let's get started.")
browserless = input("Please enter your Browserless API key\n") browserless = input("Please enter your Browserless API key\n").strip()
serper = input("Please enter your Serper API key\n") serper = input("Please enter your Serper API key\n").strip()
# Entries to be added # Entries to be added
browserless_entry = f"BROWSERLESS_API_KEY={browserless}" browserless_entry = f"BROWSERLESS_API_KEY={browserless}"

Loading…
Cancel
Save