Browse Source

added persistance

trying_something_awesome
Jonathan Dunn 1 year ago
parent
commit
3869afd7cd
  1. 5
      installer/client/cli/fabric.py
  2. 129
      installer/client/cli/utils.py

5
installer/client/cli/fabric.py

@ -118,7 +118,10 @@ def main():
print("No patterns found") print("No patterns found")
sys.exit() sys.exit()
if args.listmodels: if args.listmodels:
standalone.fetch_available_models() setup = Setup()
allmodels = setup.fetch_available_models()
for model in allmodels:
print(model)
sys.exit() sys.exit()
if args.text is not None: if args.text is not None:
text = args.text text = args.text

129
installer/client/cli/utils.py

@ -8,6 +8,7 @@ import platform
from dotenv import load_dotenv from dotenv import load_dotenv
import zipfile import zipfile
import tempfile import tempfile
import re
import shutil import shutil
current_directory = os.path.dirname(os.path.realpath(__file__)) current_directory = os.path.dirname(os.path.realpath(__file__))
@ -424,17 +425,24 @@ class Setup:
self.gptlist = [] self.gptlist = []
self.fullOllamaList = [] self.fullOllamaList = []
self.claudeList = ['claude-3-opus-20240229'] self.claudeList = ['claude-3-opus-20240229']
load_dotenv(self.env_file)
try:
openaiapikey = os.environ["OPENAI_API_KEY"]
self.openaiapi_key = openaiapikey
except KeyError:
print("OPENAI_API_KEY not found in environment variables.")
sys.exit()
self.fetch_available_models()
def fetch_available_models(self): def fetch_available_models(self):
headers = { headers = {
"Authorization": f"Bearer {self.client.api_key}" "Authorization": f"Bearer {self.openaiapi_key}"
} }
response = requests.get( response = requests.get(
"https://api.openai.com/v1/models", headers=headers) "https://api.openai.com/v1/models", headers=headers)
if response.status_code == 200: if response.status_code == 200:
print("OpenAI GPT models:\n")
models = response.json().get("data", []) models = response.json().get("data", [])
# Filter only gpt models # Filter only gpt models
gpt_models = [model for model in models if model.get( gpt_models = [model for model in models if model.get(
@ -444,18 +452,19 @@ class Setup:
gpt_models, key=lambda x: x.get("id")) gpt_models, key=lambda x: x.get("id"))
for model in sorted_gpt_models: for model in sorted_gpt_models:
print(model.get("id"))
self.gptlist.append(model.get("id")) self.gptlist.append(model.get("id"))
print("\nLocal Ollama models:")
import ollama
default_modelollamaList = ollama.list()['models']
for model in ollamaList:
print(model['name'].rstrip(":latest"))
self.fullOllamaList.append(model['name'].rstrip(":latest"))
print("\nClaude models:")
print("claude-3-opus-20240229")
else: else:
print(f"Failed to fetch models: HTTP {response.status_code}") print(f"Failed to fetch models: HTTP {response.status_code}")
sys.exit()
import ollama
try:
default_modelollamaList = ollama.list()['models']
for model in default_modelollamaList:
self.fullOllamaList.append(model['name'].rstrip(":latest"))
except:
self.fullOllamaList = []
allmodels = self.gptlist + self.fullOllamaList + self.claudeList
return allmodels
def api_key(self, api_key): def api_key(self, api_key):
""" Set the OpenAI API key in the environment file. """ Set the OpenAI API key in the environment file.
@ -509,36 +518,69 @@ class Setup:
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}")
def update_fabric_command(self, line, model):
fabric_command_regex = re.compile(
r"(fabric --pattern\s+\S+.*?)( --claude| --local)?'")
match = fabric_command_regex.search(line)
if match:
base_command = match.group(1)
# Provide a default value for current_flag
current_flag = match.group(2) if match.group(2) else ""
new_flag = ""
if model in self.claudeList:
new_flag = " --claude"
elif model in self.fullOllamaList:
new_flag = " --local"
# Update the command if the new flag is different or to remove an existing flag.
# Ensure to add the closing quote that was part of the original regex
return f"{base_command}{new_flag}'\n"
else:
return line # Return the line unmodified if no match is found.
def update_fabric_alias(self, line, model):
fabric_alias_regex = re.compile(
r"(alias fabric='[^']+?)( --claude| --local)?'")
match = fabric_alias_regex.search(line)
if match:
base_command, current_flag = match.groups()
new_flag = ""
if model in self.claudeList:
new_flag = " --claude"
elif model in self.fullOllamaList:
new_flag = " --local"
# Update the alias if the new flag is different or to remove an existing flag.
return f"{base_command}{new_flag}'\n"
else:
return line # Return the line unmodified if no match is found.
def default_model(self, model): def default_model(self, model):
""" Set the default model in the environment file. """Set the default model in the environment file.
Args: Args:
model (str): The model to be set. model (str): The model to be set.
""" """
model = model.strip() model = model.strip()
if os.path.exists(self.env_file) and model: if model:
with open(self.env_file, "r") as f: # Write or update the DEFAULT_MODEL in env_file
lines = f.readlines() if os.path.exists(self.env_file):
with open(self.env_file, "w") as f: with open(self.env_file, "r") as f:
for line in lines: lines = f.readlines()
if "DEFAULT_MODEL" not in line: with open(self.env_file, "w") as f:
f.write(line) found = False
f.write(f"DEFAULT_MODEL={model}") for line in lines:
elif model: if line.startswith("DEFAULT_MODEL"):
with open(self.env_file, "w") as f: f.write(f"DEFAULT_MODEL={model}\n")
f.write(f"DEFAULT_MODEL={model}") found = True
else: else:
with open(self.env_file, "r") as f: f.write(line)
lines = f.readlines() if not found:
with open(self.env_file, "w") as f: f.write(f"DEFAULT_MODEL={model}\n")
for line in lines: else:
if "DEFAULT_MODEL" not in line: with open(self.env_file, "w") as f:
f.write(line) f.write(f"DEFAULT_MODEL={model}\n")
import re
plain_fabric_regex = re.compile( # Compile regular expressions outside of the loop for efficiency
r"(fabric='.*fabric)( --claude| --local)?'"
fabric_regex = re.compile(r"(fabric --pattern.*)( --claude|--local)'")
user_home = os.path.expanduser("~") user_home = os.path.expanduser("~")
sh_config = None sh_config = None
# Check for shell configuration files # Check for shell configuration files
@ -552,17 +594,14 @@ class Setup:
lines = f.readlines() lines = f.readlines()
with open(sh_config, "w") as f: with open(sh_config, "w") as f:
for line in lines: for line in lines:
# Remove existing --claude or --local modified_line = line
modified_line = re.sub(fabric_regex, r"\1'", line) # Update existing fabric commands
if "fabric --pattern" in line: if "fabric --pattern" in line:
if model in self.claudeList: modified_line = self.update_fabric_command(
whole_thing = plain_fabric_regex.search(line)[0] modified_line, model)
beginning_match = plain_fabric_regex.search(line)[1] elif "fabric=" in line:
modified_line = re.sub( modified_line = self.update_fabric_alias(
fabric_regex, r"\1 --claude'", line) modified_line, model)
elif model in self.fullOllamaList:
modified_line = re.sub(
fabric_regex, r"\1 --local'", line)
f.write(modified_line) f.write(modified_line)
print(f"""Default model changed to { print(f"""Default model changed to {
model}. Please restart your terminal to use it.""") model}. Please restart your terminal to use it.""")

Loading…
Cancel
Save