Compare commits
2 Commits
cdd9153288
...
e8343fde01
| Author | SHA1 | Date | |
|---|---|---|---|
| e8343fde01 | |||
| ee8deed320 |
@ -1,4 +1,5 @@
|
|||||||
from typing import TypedDict
|
import pathlib
|
||||||
|
from typing import TypedDict, Any
|
||||||
|
|
||||||
|
|
||||||
class OpenAIConfig(TypedDict):
|
class OpenAIConfig(TypedDict):
|
||||||
@ -14,6 +15,25 @@ class OpenAIConfig(TypedDict):
|
|||||||
presence_penalty: float
|
presence_penalty: float
|
||||||
|
|
||||||
|
|
||||||
|
def openai_config_valid(conf: dict[str, str | float | int]) -> bool:
|
||||||
|
"""
|
||||||
|
Checks if the given Open AI configuration dict is complete
|
||||||
|
and contains valid types and values.
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
str(conf['api_key'])
|
||||||
|
str(conf['model'])
|
||||||
|
int(conf['max_tokens'])
|
||||||
|
float(conf['temperature'])
|
||||||
|
float(conf['top_p'])
|
||||||
|
float(conf['frequency_penalty'])
|
||||||
|
float(conf['presence_penalty'])
|
||||||
|
return True
|
||||||
|
except Exception as e:
|
||||||
|
print(f"OpenAI configuration is invalid: {e}")
|
||||||
|
return False
|
||||||
|
|
||||||
|
|
||||||
class Config(TypedDict):
|
class Config(TypedDict):
|
||||||
"""
|
"""
|
||||||
The configuration file structure.
|
The configuration file structure.
|
||||||
@ -21,3 +41,23 @@ class Config(TypedDict):
|
|||||||
system: str
|
system: str
|
||||||
db: str
|
db: str
|
||||||
openai: OpenAIConfig
|
openai: OpenAIConfig
|
||||||
|
|
||||||
|
|
||||||
|
def config_valid(conf: dict[str, Any]) -> bool:
|
||||||
|
"""
|
||||||
|
Checks if the given configuration dict is complete
|
||||||
|
and contains valid types and values.
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
str(conf['system'])
|
||||||
|
pathlib.Path(str(conf['db']))
|
||||||
|
return True
|
||||||
|
except Exception as e:
|
||||||
|
print(f"Configuration is invalid: {e}")
|
||||||
|
return False
|
||||||
|
if 'openai' in conf:
|
||||||
|
return openai_config_valid(conf['openai'])
|
||||||
|
else:
|
||||||
|
# required as long as we only support OpenAI
|
||||||
|
print("Section 'openai' is missing in the configuration!")
|
||||||
|
return False
|
||||||
|
|||||||
@ -1,8 +1,9 @@
|
|||||||
import yaml
|
import yaml
|
||||||
|
import sys
|
||||||
import io
|
import io
|
||||||
import pathlib
|
import pathlib
|
||||||
from .utils import terminal_width, append_message, message_to_chat, ChatType
|
from .utils import terminal_width, append_message, message_to_chat, ChatType
|
||||||
from .configuration import Config
|
from .configuration import Config, config_valid
|
||||||
from typing import Any, Optional
|
from typing import Any, Optional
|
||||||
|
|
||||||
|
|
||||||
@ -26,6 +27,8 @@ def read_file(fname: pathlib.Path, tags_only: bool = False) -> dict[str, Any]:
|
|||||||
def read_config(path: str) -> Config:
|
def read_config(path: str) -> Config:
|
||||||
with open(path, 'r') as f:
|
with open(path, 'r') as f:
|
||||||
config = yaml.load(f, Loader=yaml.FullLoader)
|
config = yaml.load(f, Loader=yaml.FullLoader)
|
||||||
|
if not config_valid(config):
|
||||||
|
sys.exit(1)
|
||||||
return config
|
return config
|
||||||
|
|
||||||
|
|
||||||
|
|||||||
@ -5,25 +5,46 @@ import argparse
|
|||||||
from chatmastermind.utils import terminal_width
|
from chatmastermind.utils import terminal_width
|
||||||
from chatmastermind.main import create_parser, ask_cmd
|
from chatmastermind.main import create_parser, ask_cmd
|
||||||
from chatmastermind.api_client import ai
|
from chatmastermind.api_client import ai
|
||||||
|
from chatmastermind.configuration import Config, OpenAIConfig
|
||||||
from chatmastermind.storage import create_chat_hist, save_answers, dump_data
|
from chatmastermind.storage import create_chat_hist, save_answers, dump_data
|
||||||
from unittest import mock
|
from unittest import mock
|
||||||
from unittest.mock import patch, MagicMock, Mock, ANY
|
from unittest.mock import patch, MagicMock, Mock, ANY
|
||||||
|
|
||||||
|
|
||||||
class TestCreateChat(unittest.TestCase):
|
class CmmTestCase(unittest.TestCase):
|
||||||
|
"""
|
||||||
|
Base class for all cmm testcases.
|
||||||
|
"""
|
||||||
|
def dummy_config(self, db: str) -> Config:
|
||||||
|
"""
|
||||||
|
Creates a dummy configuration.
|
||||||
|
"""
|
||||||
|
return Config(
|
||||||
|
system='dummy_system',
|
||||||
|
db=db,
|
||||||
|
openai=OpenAIConfig(
|
||||||
|
api_key='dummy_key',
|
||||||
|
model='dummy_model',
|
||||||
|
max_tokens=4000,
|
||||||
|
temperature=1.0,
|
||||||
|
top_p=1,
|
||||||
|
frequency_penalty=0,
|
||||||
|
presence_penalty=0
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
def setUp(self):
|
|
||||||
self.config = {
|
class TestCreateChat(CmmTestCase):
|
||||||
'system': 'System text',
|
|
||||||
'db': 'test_files'
|
def setUp(self) -> None:
|
||||||
}
|
self.config = self.dummy_config(db='test_files')
|
||||||
self.question = "test question"
|
self.question = "test question"
|
||||||
self.tags = ['test_tag']
|
self.tags = ['test_tag']
|
||||||
|
|
||||||
@patch('os.listdir')
|
@patch('os.listdir')
|
||||||
@patch('pathlib.Path.iterdir')
|
@patch('pathlib.Path.iterdir')
|
||||||
@patch('builtins.open')
|
@patch('builtins.open')
|
||||||
def test_create_chat_with_tags(self, open_mock, iterdir_mock, listdir_mock):
|
def test_create_chat_with_tags(self, open_mock: MagicMock, iterdir_mock: MagicMock, listdir_mock: MagicMock) -> None:
|
||||||
listdir_mock.return_value = ['testfile.txt']
|
listdir_mock.return_value = ['testfile.txt']
|
||||||
iterdir_mock.return_value = [pathlib.Path(x) for x in listdir_mock.return_value]
|
iterdir_mock.return_value = [pathlib.Path(x) for x in listdir_mock.return_value]
|
||||||
open_mock.return_value.__enter__.return_value = io.StringIO(dump_data(
|
open_mock.return_value.__enter__.return_value = io.StringIO(dump_data(
|
||||||
@ -45,7 +66,7 @@ class TestCreateChat(unittest.TestCase):
|
|||||||
@patch('os.listdir')
|
@patch('os.listdir')
|
||||||
@patch('pathlib.Path.iterdir')
|
@patch('pathlib.Path.iterdir')
|
||||||
@patch('builtins.open')
|
@patch('builtins.open')
|
||||||
def test_create_chat_with_other_tags(self, open_mock, iterdir_mock, listdir_mock):
|
def test_create_chat_with_other_tags(self, open_mock: MagicMock, iterdir_mock: MagicMock, listdir_mock: MagicMock) -> None:
|
||||||
listdir_mock.return_value = ['testfile.txt']
|
listdir_mock.return_value = ['testfile.txt']
|
||||||
iterdir_mock.return_value = [pathlib.Path(x) for x in listdir_mock.return_value]
|
iterdir_mock.return_value = [pathlib.Path(x) for x in listdir_mock.return_value]
|
||||||
open_mock.return_value.__enter__.return_value = io.StringIO(dump_data(
|
open_mock.return_value.__enter__.return_value = io.StringIO(dump_data(
|
||||||
@ -63,7 +84,7 @@ class TestCreateChat(unittest.TestCase):
|
|||||||
@patch('os.listdir')
|
@patch('os.listdir')
|
||||||
@patch('pathlib.Path.iterdir')
|
@patch('pathlib.Path.iterdir')
|
||||||
@patch('builtins.open')
|
@patch('builtins.open')
|
||||||
def test_create_chat_without_tags(self, open_mock, iterdir_mock, listdir_mock):
|
def test_create_chat_without_tags(self, open_mock: MagicMock, iterdir_mock: MagicMock, listdir_mock: MagicMock) -> None:
|
||||||
listdir_mock.return_value = ['testfile.txt', 'testfile2.txt']
|
listdir_mock.return_value = ['testfile.txt', 'testfile2.txt']
|
||||||
iterdir_mock.return_value = [pathlib.Path(x) for x in listdir_mock.return_value]
|
iterdir_mock.return_value = [pathlib.Path(x) for x in listdir_mock.return_value]
|
||||||
open_mock.side_effect = (
|
open_mock.side_effect = (
|
||||||
@ -90,9 +111,9 @@ class TestCreateChat(unittest.TestCase):
|
|||||||
{'role': 'assistant', 'content': 'some answer2'})
|
{'role': 'assistant', 'content': 'some answer2'})
|
||||||
|
|
||||||
|
|
||||||
class TestHandleQuestion(unittest.TestCase):
|
class TestHandleQuestion(CmmTestCase):
|
||||||
|
|
||||||
def setUp(self):
|
def setUp(self) -> None:
|
||||||
self.question = "test question"
|
self.question = "test question"
|
||||||
self.args = argparse.Namespace(
|
self.args = argparse.Namespace(
|
||||||
tags=['tag1'],
|
tags=['tag1'],
|
||||||
@ -109,12 +130,7 @@ class TestHandleQuestion(unittest.TestCase):
|
|||||||
with_tags=False,
|
with_tags=False,
|
||||||
with_file=False,
|
with_file=False,
|
||||||
)
|
)
|
||||||
self.config = {
|
self.config = self.dummy_config(db='test_files')
|
||||||
'db': 'test_files',
|
|
||||||
'setting1': 'value1',
|
|
||||||
'setting2': 'value2',
|
|
||||||
'openai': {},
|
|
||||||
}
|
|
||||||
|
|
||||||
@patch("chatmastermind.main.create_chat_hist", return_value="test_chat")
|
@patch("chatmastermind.main.create_chat_hist", return_value="test_chat")
|
||||||
@patch("chatmastermind.main.print_tag_args")
|
@patch("chatmastermind.main.print_tag_args")
|
||||||
@ -122,9 +138,9 @@ class TestHandleQuestion(unittest.TestCase):
|
|||||||
@patch("chatmastermind.main.ai", return_value=(["answer1", "answer2", "answer3"], "test_usage"))
|
@patch("chatmastermind.main.ai", return_value=(["answer1", "answer2", "answer3"], "test_usage"))
|
||||||
@patch("chatmastermind.utils.pp")
|
@patch("chatmastermind.utils.pp")
|
||||||
@patch("builtins.print")
|
@patch("builtins.print")
|
||||||
def test_ask_cmd(self, mock_print, mock_pp, mock_ai,
|
def test_ask_cmd(self, mock_print: MagicMock, mock_pp: MagicMock, mock_ai: MagicMock,
|
||||||
mock_print_chat_hist, mock_print_tag_args,
|
mock_print_chat_hist: MagicMock, mock_print_tag_args: MagicMock,
|
||||||
mock_create_chat_hist):
|
mock_create_chat_hist: MagicMock) -> None:
|
||||||
open_mock = MagicMock()
|
open_mock = MagicMock()
|
||||||
with patch("chatmastermind.storage.open", open_mock):
|
with patch("chatmastermind.storage.open", open_mock):
|
||||||
ask_cmd(self.args, self.config)
|
ask_cmd(self.args, self.config)
|
||||||
@ -155,15 +171,15 @@ class TestHandleQuestion(unittest.TestCase):
|
|||||||
open_mock.assert_has_calls(open_expected_calls, any_order=True)
|
open_mock.assert_has_calls(open_expected_calls, any_order=True)
|
||||||
|
|
||||||
|
|
||||||
class TestSaveAnswers(unittest.TestCase):
|
class TestSaveAnswers(CmmTestCase):
|
||||||
@mock.patch('builtins.open')
|
@mock.patch('builtins.open')
|
||||||
@mock.patch('chatmastermind.storage.print')
|
@mock.patch('chatmastermind.storage.print')
|
||||||
def test_save_answers(self, print_mock, open_mock):
|
def test_save_answers(self, print_mock: MagicMock, open_mock: MagicMock) -> None:
|
||||||
question = "Test question?"
|
question = "Test question?"
|
||||||
answers = ["Answer 1", "Answer 2"]
|
answers = ["Answer 1", "Answer 2"]
|
||||||
tags = ["tag1", "tag2"]
|
tags = ["tag1", "tag2"]
|
||||||
otags = ["otag1", "otag2"]
|
otags = ["otag1", "otag2"]
|
||||||
config = {'db': 'test_db'}
|
config = self.dummy_config(db='test_db')
|
||||||
|
|
||||||
with mock.patch('chatmastermind.storage.pathlib.Path.exists', return_value=True), \
|
with mock.patch('chatmastermind.storage.pathlib.Path.exists', return_value=True), \
|
||||||
mock.patch('chatmastermind.storage.yaml.dump'), \
|
mock.patch('chatmastermind.storage.yaml.dump'), \
|
||||||
@ -179,10 +195,10 @@ class TestSaveAnswers(unittest.TestCase):
|
|||||||
open_mock.assert_has_calls(open_calls, any_order=True)
|
open_mock.assert_has_calls(open_calls, any_order=True)
|
||||||
|
|
||||||
|
|
||||||
class TestAI(unittest.TestCase):
|
class TestAI(CmmTestCase):
|
||||||
|
|
||||||
@patch("openai.ChatCompletion.create")
|
@patch("openai.ChatCompletion.create")
|
||||||
def test_ai(self, mock_create: MagicMock):
|
def test_ai(self, mock_create: MagicMock) -> None:
|
||||||
mock_create.return_value = {
|
mock_create.return_value = {
|
||||||
'choices': [
|
'choices': [
|
||||||
{'message': {'content': 'response_text_1'}},
|
{'message': {'content': 'response_text_1'}},
|
||||||
@ -191,28 +207,20 @@ class TestAI(unittest.TestCase):
|
|||||||
'usage': {'tokens': 10}
|
'usage': {'tokens': 10}
|
||||||
}
|
}
|
||||||
|
|
||||||
number = 2
|
|
||||||
chat = [{"role": "system", "content": "hello ai"}]
|
chat = [{"role": "system", "content": "hello ai"}]
|
||||||
config = {
|
config = self.dummy_config(db='dummy')
|
||||||
"openai": {
|
config['openai']['model'] = "text-davinci-002"
|
||||||
"model": "text-davinci-002",
|
config['openai']['max_tokens'] = 150
|
||||||
"temperature": 0.5,
|
config['openai']['temperature'] = 0.5
|
||||||
"max_tokens": 150,
|
|
||||||
"top_p": 1,
|
|
||||||
"n": number,
|
|
||||||
"frequency_penalty": 0,
|
|
||||||
"presence_penalty": 0
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
result = ai(chat, config, number)
|
result = ai(chat, config, 2)
|
||||||
expected_result = (['response_text_1', 'response_text_2'],
|
expected_result = (['response_text_1', 'response_text_2'],
|
||||||
{'tokens': 10})
|
{'tokens': 10})
|
||||||
self.assertEqual(result, expected_result)
|
self.assertEqual(result, expected_result)
|
||||||
|
|
||||||
|
|
||||||
class TestCreateParser(unittest.TestCase):
|
class TestCreateParser(CmmTestCase):
|
||||||
def test_create_parser(self):
|
def test_create_parser(self) -> None:
|
||||||
with patch('argparse.ArgumentParser.add_subparsers') as mock_add_subparsers:
|
with patch('argparse.ArgumentParser.add_subparsers') as mock_add_subparsers:
|
||||||
mock_cmdparser = Mock()
|
mock_cmdparser = Mock()
|
||||||
mock_add_subparsers.return_value = mock_cmdparser
|
mock_add_subparsers.return_value = mock_cmdparser
|
||||||
|
|||||||
Loading…
x
Reference in New Issue
Block a user