Compare commits
9 Commits
5c287ce3a1
...
59782f54ca
| Author | SHA1 | Date | |
|---|---|---|---|
| 59782f54ca | |||
| 039d3fe3dc | |||
| 30a62fcced | |||
| a571307d77 | |||
| 19c2b16301 | |||
| ce4d45a434 | |||
| 829bfa31cd | |||
| 454ce84d71 | |||
| bbcff17558 |
@ -6,7 +6,7 @@ from pathlib import Path
|
|||||||
from pprint import PrettyPrinter
|
from pprint import PrettyPrinter
|
||||||
from pydoc import pager
|
from pydoc import pager
|
||||||
from dataclasses import dataclass
|
from dataclasses import dataclass
|
||||||
from typing import TypeVar, Type, Optional, ClassVar, Any, Callable, Literal
|
from typing import TypeVar, Type, Optional, ClassVar, Any, Callable, Literal, Union
|
||||||
from .configuration import default_config_file
|
from .configuration import default_config_file
|
||||||
from .message import Message, MessageFilter, MessageError, message_in
|
from .message import Message, MessageFilter, MessageError, message_in
|
||||||
from .tags import Tag
|
from .tags import Tag
|
||||||
@ -16,6 +16,7 @@ ChatDBInst = TypeVar('ChatDBInst', bound='ChatDB')
|
|||||||
|
|
||||||
db_next_file = '.next'
|
db_next_file = '.next'
|
||||||
ignored_files = [db_next_file, default_config_file]
|
ignored_files = [db_next_file, default_config_file]
|
||||||
|
msg_location = Literal['mem', 'disk', 'cache', 'db', 'all']
|
||||||
|
|
||||||
|
|
||||||
class ChatError(Exception):
|
class ChatError(Exception):
|
||||||
@ -106,7 +107,9 @@ def clear_dir(dir_path: Path,
|
|||||||
"""
|
"""
|
||||||
file_iter = dir_path.glob(glob) if glob else dir_path.iterdir()
|
file_iter = dir_path.glob(glob) if glob else dir_path.iterdir()
|
||||||
for file_path in file_iter:
|
for file_path in file_iter:
|
||||||
if file_path.is_file() and file_path.suffix in Message.file_suffixes:
|
if (file_path.is_file()
|
||||||
|
and file_path.name not in ignored_files # noqa: W503
|
||||||
|
and file_path.suffix in Message.file_suffixes): # noqa: W503
|
||||||
file_path.unlink(missing_ok=True)
|
file_path.unlink(missing_ok=True)
|
||||||
|
|
||||||
|
|
||||||
@ -118,14 +121,43 @@ class Chat:
|
|||||||
|
|
||||||
messages: list[Message]
|
messages: list[Message]
|
||||||
|
|
||||||
def filter(self, mfilter: MessageFilter) -> None:
|
def __post_init__(self) -> None:
|
||||||
|
self.validate()
|
||||||
|
|
||||||
|
def validate(self) -> None:
|
||||||
|
"""
|
||||||
|
Validate this Chat instance.
|
||||||
|
"""
|
||||||
|
def msg_paths(stem: str) -> list[str]:
|
||||||
|
return [str(fp) for fp in file_paths if fp.stem == stem]
|
||||||
|
file_paths: set[Path] = {m.file_path for m in self.messages if m.file_path is not None}
|
||||||
|
file_stems = [m.file_path.stem for m in self.messages if m.file_path is not None]
|
||||||
|
error = False
|
||||||
|
for fp in file_paths:
|
||||||
|
if file_stems.count(fp.stem) > 1:
|
||||||
|
print(f"ERROR: Found multiple copies of message '{fp.stem}': {msg_paths(fp.stem)}")
|
||||||
|
error = True
|
||||||
|
if error:
|
||||||
|
raise ChatError("Validation failed")
|
||||||
|
|
||||||
|
def msg_name_matches(self, file_path: Path, name: str) -> bool:
|
||||||
|
"""
|
||||||
|
Return True if the given name matches the given file_path.
|
||||||
|
Matching is True if:
|
||||||
|
* 'name' matches the full 'file_path'
|
||||||
|
* 'name' matches 'file_path.name' (i. e. including the suffix)
|
||||||
|
* 'name' matches 'file_path.stem' (i. e. without a suffix)
|
||||||
|
"""
|
||||||
|
return Path(name) == file_path or name == file_path.name or name == file_path.stem
|
||||||
|
|
||||||
|
def msg_filter(self, mfilter: MessageFilter) -> None:
|
||||||
"""
|
"""
|
||||||
Use 'Message.match(mfilter) to remove all messages that
|
Use 'Message.match(mfilter) to remove all messages that
|
||||||
don't fulfill the filter requirements.
|
don't fulfill the filter requirements.
|
||||||
"""
|
"""
|
||||||
self.messages = [m for m in self.messages if m.match(mfilter)]
|
self.messages = [m for m in self.messages if m.match(mfilter)]
|
||||||
|
|
||||||
def sort(self, reverse: bool = False) -> None:
|
def msg_sort(self, reverse: bool = False) -> None:
|
||||||
"""
|
"""
|
||||||
Sort the messages according to 'Message.msg_id()'.
|
Sort the messages according to 'Message.msg_id()'.
|
||||||
"""
|
"""
|
||||||
@ -135,51 +167,71 @@ class Chat:
|
|||||||
except MessageError:
|
except MessageError:
|
||||||
pass
|
pass
|
||||||
|
|
||||||
def clear(self) -> None:
|
def msg_unique_id(self) -> None:
|
||||||
|
"""
|
||||||
|
Remove duplicates from the internal messages, based on the msg_id (i. e. file_path).
|
||||||
|
Messages without a file_path are kept.
|
||||||
|
"""
|
||||||
|
old_msgs = self.messages.copy()
|
||||||
|
self.messages = []
|
||||||
|
for m in old_msgs:
|
||||||
|
if not message_in(m, self.messages):
|
||||||
|
self.messages.append(m)
|
||||||
|
self.msg_sort()
|
||||||
|
|
||||||
|
def msg_unique_content(self) -> None:
|
||||||
|
"""
|
||||||
|
Remove duplicates from the internal messages, based on the content (i. e. question + answer).
|
||||||
|
"""
|
||||||
|
self.messages = list(set(self.messages))
|
||||||
|
self.msg_sort()
|
||||||
|
|
||||||
|
def msg_clear(self) -> None:
|
||||||
"""
|
"""
|
||||||
Delete all messages.
|
Delete all messages.
|
||||||
"""
|
"""
|
||||||
self.messages = []
|
self.messages = []
|
||||||
|
|
||||||
def add_messages(self, messages: list[Message]) -> None:
|
def msg_add(self, messages: list[Message]) -> None:
|
||||||
"""
|
"""
|
||||||
Add new messages and sort them if possible.
|
Add new messages and sort them if possible.
|
||||||
"""
|
"""
|
||||||
self.messages += messages
|
self.messages += messages
|
||||||
self.sort()
|
self.msg_sort()
|
||||||
|
|
||||||
def latest_message(self, mfilter: Optional[MessageFilter] = None) -> Optional[Message]:
|
def msg_latest(self, mfilter: Optional[MessageFilter] = None) -> Optional[Message]:
|
||||||
"""
|
"""
|
||||||
Return the last added message (according to the file ID) that matches the given filter.
|
Return the last added message (according to the file ID) that matches the given filter.
|
||||||
When containing messages without a valid file_path, it returns the latest message in
|
When containing messages without a valid file_path, it returns the latest message in
|
||||||
the internal list.
|
the internal list.
|
||||||
"""
|
"""
|
||||||
if len(self.messages) > 0:
|
if len(self.messages) > 0:
|
||||||
self.sort()
|
self.msg_sort()
|
||||||
for m in reversed(self.messages):
|
for m in reversed(self.messages):
|
||||||
if mfilter is None or m.match(mfilter):
|
if mfilter is None or m.match(mfilter):
|
||||||
return m
|
return m
|
||||||
return None
|
return None
|
||||||
|
|
||||||
def find_messages(self, msg_names: list[str]) -> list[Message]:
|
def msg_find(self, msg_names: list[str]) -> list[Message]:
|
||||||
"""
|
"""
|
||||||
Search and return the messages with the given names. Names can either be filenames
|
Search and return the messages with the given names. Names can either be filenames
|
||||||
(incl. suffixes) or full paths. Messages that can't be found are ignored (i. e. the
|
(with or without suffix), full paths or Message.msg_id(). Messages that can't be
|
||||||
caller should check the result if he requires all messages).
|
found are ignored (i. e. the caller should check the result if they require all
|
||||||
|
messages).
|
||||||
"""
|
"""
|
||||||
return [m for m in self.messages
|
return [m for m in self.messages
|
||||||
if any((m.file_path and (m.file_path == Path(mn) or m.file_path.name == mn)) for mn in msg_names)]
|
if any((m.file_path and self.msg_name_matches(m.file_path, mn)) for mn in msg_names)]
|
||||||
|
|
||||||
def remove_messages(self, msg_names: list[str]) -> None:
|
def msg_remove(self, msg_names: list[str]) -> None:
|
||||||
"""
|
"""
|
||||||
Remove the messages with the given names. Names can either be filenames
|
Remove the messages with the given names. Names can either be filenames
|
||||||
(incl. the suffix) or full paths.
|
(with or without suffix), full paths or Message.msg_id().
|
||||||
"""
|
"""
|
||||||
self.messages = [m for m in self.messages
|
self.messages = [m for m in self.messages
|
||||||
if not any((m.file_path and (m.file_path == Path(mn) or m.file_path.name == mn)) for mn in msg_names)]
|
if not any((m.file_path and self.msg_name_matches(m.file_path, mn)) for mn in msg_names)]
|
||||||
self.sort()
|
self.msg_sort()
|
||||||
|
|
||||||
def tags(self, prefix: Optional[str] = None, contain: Optional[str] = None) -> set[Tag]:
|
def msg_tags(self, prefix: Optional[str] = None, contain: Optional[str] = None) -> set[Tag]:
|
||||||
"""
|
"""
|
||||||
Get the tags of all messages, optionally filtered by prefix or substring.
|
Get the tags of all messages, optionally filtered by prefix or substring.
|
||||||
"""
|
"""
|
||||||
@ -188,7 +240,7 @@ class Chat:
|
|||||||
tags |= m.filter_tags(prefix, contain)
|
tags |= m.filter_tags(prefix, contain)
|
||||||
return set(sorted(tags))
|
return set(sorted(tags))
|
||||||
|
|
||||||
def tags_frequency(self, prefix: Optional[str] = None, contain: Optional[str] = None) -> dict[Tag, int]:
|
def msg_tags_frequency(self, prefix: Optional[str] = None, contain: Optional[str] = None) -> dict[Tag, int]:
|
||||||
"""
|
"""
|
||||||
Get the frequency of all tags of all messages, optionally filtered by prefix or substring.
|
Get the frequency of all tags of all messages, optionally filtered by prefix or substring.
|
||||||
"""
|
"""
|
||||||
@ -245,6 +297,7 @@ class ChatDB(Chat):
|
|||||||
# make all paths absolute
|
# make all paths absolute
|
||||||
self.cache_path = self.cache_path.absolute()
|
self.cache_path = self.cache_path.absolute()
|
||||||
self.db_path = self.db_path.absolute()
|
self.db_path = self.db_path.absolute()
|
||||||
|
self.validate()
|
||||||
|
|
||||||
@classmethod
|
@classmethod
|
||||||
def from_dir(cls: Type[ChatDBInst],
|
def from_dir(cls: Type[ChatDBInst],
|
||||||
@ -292,84 +345,185 @@ class ChatDB(Chat):
|
|||||||
with open(self.next_path, 'w') as f:
|
with open(self.next_path, 'w') as f:
|
||||||
f.write(f'{fid}')
|
f.write(f'{fid}')
|
||||||
|
|
||||||
def read_db(self) -> None:
|
def msg_write(self, messages: Optional[list[Message]] = None) -> None:
|
||||||
"""
|
"""
|
||||||
Reads new messages from the DB directory. New ones are added to the internal list,
|
Write either the given messages or the internal ones to their CURRENT file_path.
|
||||||
existing ones are replaced. A message is determined as 'existing' if a message with
|
If messages are given, they all must have a valid file_path. When writing the
|
||||||
|
internal messages, the ones with a valid file_path are written, the others
|
||||||
|
are ignored.
|
||||||
|
"""
|
||||||
|
if messages and any(m.file_path is None for m in messages):
|
||||||
|
raise ChatError("Can't write files without a valid file_path")
|
||||||
|
msgs = iter(messages if messages else self.messages)
|
||||||
|
while (m := next(msgs, None)):
|
||||||
|
m.to_file()
|
||||||
|
|
||||||
|
def msg_update(self, messages: list[Message], write: bool = True) -> None:
|
||||||
|
"""
|
||||||
|
Update EXISTING messages. A message is determined as 'existing' if a message with
|
||||||
the same base filename (i. e. 'file_path.name') is already in the list.
|
the same base filename (i. e. 'file_path.name') is already in the list.
|
||||||
|
Only accepts existing messages.
|
||||||
"""
|
"""
|
||||||
new_messages = read_dir(self.db_path, self.glob, self.mfilter)
|
if any(not message_in(m, self.messages) for m in messages):
|
||||||
|
raise ChatError("Can't update messages that are not in the internal list")
|
||||||
|
# remove old versions and add new ones
|
||||||
|
self.messages = [m for m in self.messages if not message_in(m, messages)]
|
||||||
|
self.messages += messages
|
||||||
|
self.msg_sort()
|
||||||
|
# write the UPDATED messages if requested
|
||||||
|
if write:
|
||||||
|
self.msg_write(messages)
|
||||||
|
|
||||||
|
def msg_gather(self,
|
||||||
|
loc: msg_location,
|
||||||
|
require_file_path: bool = False,
|
||||||
|
mfilter: Optional[MessageFilter] = None) -> list[Message]:
|
||||||
|
"""
|
||||||
|
Gather and return messages from the given locations:
|
||||||
|
* 'mem' : messages currently in memory
|
||||||
|
* 'disk' : messages on disk (cache + DB directory), but not in memory
|
||||||
|
* 'cache': messages in the cache directory
|
||||||
|
* 'db' : messages in the DB directory
|
||||||
|
* 'all' : all messages ('mem' + 'disk')
|
||||||
|
|
||||||
|
If 'require_file_path' is True, return only files with a valid file_path.
|
||||||
|
"""
|
||||||
|
loc_messages: list[Message] = []
|
||||||
|
if loc in ['mem', 'all']:
|
||||||
|
if require_file_path:
|
||||||
|
loc_messages += [m for m in self.messages if (m.file_path is not None and (mfilter is None or m.match(mfilter)))]
|
||||||
|
else:
|
||||||
|
loc_messages += [m for m in self.messages if (mfilter is None or m.match(mfilter))]
|
||||||
|
if loc in ['cache', 'disk', 'all']:
|
||||||
|
loc_messages += read_dir(self.cache_path, mfilter=mfilter)
|
||||||
|
if loc in ['db', 'disk', 'all']:
|
||||||
|
loc_messages += read_dir(self.db_path, mfilter=mfilter)
|
||||||
|
# remove_duplicates and sort the list
|
||||||
|
unique_messages: list[Message] = []
|
||||||
|
for m in loc_messages:
|
||||||
|
if not message_in(m, unique_messages):
|
||||||
|
unique_messages.append(m)
|
||||||
|
try:
|
||||||
|
unique_messages.sort(key=lambda m: m.msg_id())
|
||||||
|
# messages in 'mem' can have an empty file_path
|
||||||
|
except MessageError:
|
||||||
|
pass
|
||||||
|
return unique_messages
|
||||||
|
|
||||||
|
def msg_find(self,
|
||||||
|
msg_names: list[str],
|
||||||
|
loc: msg_location = 'mem',
|
||||||
|
) -> list[Message]:
|
||||||
|
"""
|
||||||
|
Search and return the messages with the given names. Names can either be filenames
|
||||||
|
(with or without suffix), full paths or Message.msg_id(). Messages that can't be
|
||||||
|
found are ignored (i. e. the caller should check the result if they require all
|
||||||
|
messages).
|
||||||
|
Searches one of the following locations:
|
||||||
|
* 'mem' : messages currently in memory
|
||||||
|
* 'disk' : messages on disk (cache + DB directory), but not in memory
|
||||||
|
* 'cache': messages in the cache directory
|
||||||
|
* 'db' : messages in the DB directory
|
||||||
|
* 'all' : all messages ('mem' + 'disk')
|
||||||
|
"""
|
||||||
|
loc_messages = self.msg_gather(loc, require_file_path=True)
|
||||||
|
return [m for m in loc_messages
|
||||||
|
if any((m.file_path and self.msg_name_matches(m.file_path, mn)) for mn in msg_names)]
|
||||||
|
|
||||||
|
def msg_remove(self, msg_names: list[str], loc: msg_location = 'mem') -> None:
|
||||||
|
"""
|
||||||
|
Remove the messages with the given names. Names can either be filenames
|
||||||
|
(with or without suffix), full paths or Message.msg_id(). Also deletes the
|
||||||
|
files of all given messages with a valid file_path.
|
||||||
|
Delete files from one of the following locations:
|
||||||
|
* 'mem' : messages currently in memory
|
||||||
|
* 'disk' : messages on disk (cache + DB directory), but not in memory
|
||||||
|
* 'cache': messages in the cache directory
|
||||||
|
* 'db' : messages in the DB directory
|
||||||
|
* 'all' : all messages ('mem' + 'disk')
|
||||||
|
"""
|
||||||
|
if loc != 'mem':
|
||||||
|
# delete the message files first
|
||||||
|
rm_messages = self.msg_find(msg_names, loc=loc)
|
||||||
|
for m in rm_messages:
|
||||||
|
if (m.file_path):
|
||||||
|
m.file_path.unlink()
|
||||||
|
# then remove them from the internal list
|
||||||
|
super().msg_remove(msg_names)
|
||||||
|
|
||||||
|
def msg_latest(self,
|
||||||
|
mfilter: Optional[MessageFilter] = None,
|
||||||
|
loc: msg_location = 'mem') -> Optional[Message]:
|
||||||
|
"""
|
||||||
|
Return the last added message (according to the file ID) that matches the given filter.
|
||||||
|
Only consider messages with a valid file_path (except if loc is 'mem').
|
||||||
|
Searches one of the following locations:
|
||||||
|
* 'mem' : messages currently in memory
|
||||||
|
* 'disk' : messages on disk (cache + DB directory), but not in memory
|
||||||
|
* 'cache': messages in the cache directory
|
||||||
|
* 'db' : messages in the DB directory
|
||||||
|
* 'all' : all messages ('mem' + 'disk')
|
||||||
|
"""
|
||||||
|
# only consider messages with a valid file_path so they can be sorted
|
||||||
|
loc_messages = self.msg_gather(loc, require_file_path=True)
|
||||||
|
loc_messages.sort(key=lambda m: m.msg_id(), reverse=True)
|
||||||
|
for m in loc_messages:
|
||||||
|
if mfilter is None or m.match(mfilter):
|
||||||
|
return m
|
||||||
|
return None
|
||||||
|
|
||||||
|
def msg_in_cache(self, message: Union[Message, str]) -> bool:
|
||||||
|
"""
|
||||||
|
Return true if the given Message (or filename or Message.msg_id())
|
||||||
|
is located in the cache directory. False otherwise.
|
||||||
|
"""
|
||||||
|
if isinstance(message, Message):
|
||||||
|
return (message.file_path is not None
|
||||||
|
and message.file_path.parent.samefile(self.cache_path) # noqa: W503
|
||||||
|
and message.file_path.exists()) # noqa: W503
|
||||||
|
else:
|
||||||
|
return len(self.msg_find([message], loc='cache')) > 0
|
||||||
|
|
||||||
|
def msg_in_db(self, message: Union[Message, str]) -> bool:
|
||||||
|
"""
|
||||||
|
Return true if the given Message (or filename or Message.msg_id())
|
||||||
|
is located in the DB directory. False otherwise.
|
||||||
|
"""
|
||||||
|
if isinstance(message, Message):
|
||||||
|
return (message.file_path is not None
|
||||||
|
and message.file_path.parent.samefile(self.db_path) # noqa: W503
|
||||||
|
and message.file_path.exists()) # noqa: W503
|
||||||
|
else:
|
||||||
|
return len(self.msg_find([message], loc='db')) > 0
|
||||||
|
|
||||||
|
def cache_read(self, glob: Optional[str] = None, mfilter: Optional[MessageFilter] = None) -> None:
|
||||||
|
"""
|
||||||
|
Read messages from the cache directory. New ones are added to the internal list,
|
||||||
|
existing ones are replaced. A message is determined as 'existing' if a message
|
||||||
|
with the same base filename (i. e. 'file_path.name') is already in the list.
|
||||||
|
"""
|
||||||
|
new_messages = read_dir(self.cache_path, glob, mfilter)
|
||||||
# remove all messages from self.messages that are in the new list
|
# remove all messages from self.messages that are in the new list
|
||||||
self.messages = [m for m in self.messages if not message_in(m, new_messages)]
|
self.messages = [m for m in self.messages if not message_in(m, new_messages)]
|
||||||
# copy the messages from the temporary list to self.messages and sort them
|
# copy the messages from the temporary list to self.messages and sort them
|
||||||
self.messages += new_messages
|
self.messages += new_messages
|
||||||
self.sort()
|
self.msg_sort()
|
||||||
|
|
||||||
def read_cache(self) -> None:
|
def cache_write(self, messages: Optional[list[Message]] = None) -> None:
|
||||||
"""
|
|
||||||
Reads new messages from the cache directory. New ones are added to the internal list,
|
|
||||||
existing ones are replaced. A message is determined as 'existing' if a message with
|
|
||||||
the same base filename (i. e. 'file_path.name') is already in the list.
|
|
||||||
"""
|
|
||||||
new_messages = read_dir(self.cache_path, self.glob, self.mfilter)
|
|
||||||
# remove all messages from self.messages that are in the new list
|
|
||||||
self.messages = [m for m in self.messages if not message_in(m, new_messages)]
|
|
||||||
# copy the messages from the temporary list to self.messages and sort them
|
|
||||||
self.messages += new_messages
|
|
||||||
self.sort()
|
|
||||||
|
|
||||||
def write_db(self, messages: Optional[list[Message]] = None) -> None:
|
|
||||||
"""
|
|
||||||
Write messages to the DB directory. If a message has no file_path, a new one
|
|
||||||
will be created. If message.file_path exists, it will be modified to point
|
|
||||||
to the DB directory.
|
|
||||||
"""
|
|
||||||
write_dir(self.db_path,
|
|
||||||
messages if messages else self.messages,
|
|
||||||
self.file_suffix,
|
|
||||||
self.get_next_fid)
|
|
||||||
|
|
||||||
def write_cache(self, messages: Optional[list[Message]] = None) -> None:
|
|
||||||
"""
|
"""
|
||||||
Write messages to the cache directory. If a message has no file_path, a new one
|
Write messages to the cache directory. If a message has no file_path, a new one
|
||||||
will be created. If message.file_path exists, it will be modified to point to
|
will be created. If message.file_path exists, it will be modified to point to
|
||||||
the cache directory.
|
the cache directory.
|
||||||
|
Does NOT add the messages to the internal list (use 'cache_add()' for that)!
|
||||||
"""
|
"""
|
||||||
write_dir(self.cache_path,
|
write_dir(self.cache_path,
|
||||||
messages if messages else self.messages,
|
messages if messages else self.messages,
|
||||||
self.file_suffix,
|
self.file_suffix,
|
||||||
self.get_next_fid)
|
self.get_next_fid)
|
||||||
|
|
||||||
def clear_cache(self) -> None:
|
def cache_add(self, messages: list[Message], write: bool = True) -> None:
|
||||||
"""
|
"""
|
||||||
Deletes all Message files from the cache dir and removes those messages from
|
Add NEW messages and set the file_path to the cache directory.
|
||||||
the internal list.
|
|
||||||
"""
|
|
||||||
clear_dir(self.cache_path, self.glob)
|
|
||||||
# only keep messages from DB dir (or those that have not yet been written)
|
|
||||||
self.messages = [m for m in self.messages if not m.file_path or m.file_path.parent.samefile(self.db_path)]
|
|
||||||
|
|
||||||
def add_to_db(self, messages: list[Message], write: bool = True) -> None:
|
|
||||||
"""
|
|
||||||
Add the given new messages and set the file_path to the DB directory.
|
|
||||||
Only accepts messages without a file_path.
|
|
||||||
"""
|
|
||||||
if any(m.file_path is not None for m in messages):
|
|
||||||
raise ChatError("Can't add new messages with existing file_path")
|
|
||||||
if write:
|
|
||||||
write_dir(self.db_path,
|
|
||||||
messages,
|
|
||||||
self.file_suffix,
|
|
||||||
self.get_next_fid)
|
|
||||||
else:
|
|
||||||
for m in messages:
|
|
||||||
m.file_path = make_file_path(self.db_path, self.default_file_suffix, self.get_next_fid)
|
|
||||||
self.messages += messages
|
|
||||||
self.sort()
|
|
||||||
|
|
||||||
def add_to_cache(self, messages: list[Message], write: bool = True) -> None:
|
|
||||||
"""
|
|
||||||
Add the given new messages and set the file_path to the cache directory.
|
|
||||||
Only accepts messages without a file_path.
|
Only accepts messages without a file_path.
|
||||||
"""
|
"""
|
||||||
if any(m.file_path is not None for m in messages):
|
if any(m.file_path is not None for m in messages):
|
||||||
@ -383,62 +537,87 @@ class ChatDB(Chat):
|
|||||||
for m in messages:
|
for m in messages:
|
||||||
m.file_path = make_file_path(self.cache_path, self.default_file_suffix, self.get_next_fid)
|
m.file_path = make_file_path(self.cache_path, self.default_file_suffix, self.get_next_fid)
|
||||||
self.messages += messages
|
self.messages += messages
|
||||||
self.sort()
|
self.msg_sort()
|
||||||
|
|
||||||
def write_messages(self, messages: Optional[list[Message]] = None) -> None:
|
def cache_clear(self, glob: Optional[str] = None) -> None:
|
||||||
"""
|
"""
|
||||||
Write either the given messages or the internal ones to their current file_path.
|
Delete all message files from the cache dir and remove them from the internal list.
|
||||||
If messages are given, they all must have a valid file_path. When writing the
|
|
||||||
internal messages, the ones with a valid file_path are written, the others
|
|
||||||
are ignored.
|
|
||||||
"""
|
"""
|
||||||
if messages and any(m.file_path is None for m in messages):
|
clear_dir(self.cache_path, glob)
|
||||||
raise ChatError("Can't write files without a valid file_path")
|
# only keep messages from DB dir (or those that have not yet been written)
|
||||||
msgs = iter(messages if messages else self.messages)
|
self.messages = [m for m in self.messages if not m.file_path or m.file_path.parent.samefile(self.db_path)]
|
||||||
while (m := next(msgs, None)):
|
|
||||||
m.to_file()
|
|
||||||
|
|
||||||
def update_messages(self, messages: list[Message], write: bool = True) -> None:
|
def cache_move(self, message: Message) -> None:
|
||||||
"""
|
"""
|
||||||
Update existing messages. A message is determined as 'existing' if a message with
|
Moves the given messages to the cache directory.
|
||||||
the same base filename (i. e. 'file_path.name') is already in the list. Only accepts
|
|
||||||
existing messages.
|
|
||||||
"""
|
"""
|
||||||
if any(not message_in(m, self.messages) for m in messages):
|
# remember the old path (if any)
|
||||||
raise ChatError("Can't update messages that are not in the internal list")
|
old_path: Optional[Path] = None
|
||||||
# remove old versions and add new ones
|
if message.file_path:
|
||||||
self.messages = [m for m in self.messages if not message_in(m, messages)]
|
old_path = message.file_path
|
||||||
self.messages += messages
|
# write message to the new destination
|
||||||
self.sort()
|
self.cache_write([message])
|
||||||
# write the UPDATED messages if requested
|
# remove the old one (if any)
|
||||||
|
if old_path:
|
||||||
|
self.msg_remove([str(old_path)], loc='db')
|
||||||
|
# (re)add it to the internal list
|
||||||
|
self.msg_add([message])
|
||||||
|
|
||||||
|
def db_read(self, glob: Optional[str] = None, mfilter: Optional[MessageFilter] = None) -> None:
|
||||||
|
"""
|
||||||
|
Read messages from the DB directory. New ones are added to the internal list,
|
||||||
|
existing ones are replaced. A message is determined as 'existing' if a message
|
||||||
|
with the same base filename (i. e. 'file_path.name') is already in the list.
|
||||||
|
"""
|
||||||
|
new_messages = read_dir(self.db_path, self.glob, self.mfilter)
|
||||||
|
# remove all messages from self.messages that are in the new list
|
||||||
|
self.messages = [m for m in self.messages if not message_in(m, new_messages)]
|
||||||
|
# copy the messages from the temporary list to self.messages and sort them
|
||||||
|
self.messages += new_messages
|
||||||
|
self.msg_sort()
|
||||||
|
|
||||||
|
def db_write(self, messages: Optional[list[Message]] = None) -> None:
|
||||||
|
"""
|
||||||
|
Write messages to the DB directory. If a message has no file_path, a new one
|
||||||
|
will be created. If message.file_path exists, it will be modified to point
|
||||||
|
to the DB directory.
|
||||||
|
Does NOT add the messages to the internal list (use 'db_add()' for that)!
|
||||||
|
"""
|
||||||
|
write_dir(self.db_path,
|
||||||
|
messages if messages else self.messages,
|
||||||
|
self.file_suffix,
|
||||||
|
self.get_next_fid)
|
||||||
|
|
||||||
|
def db_add(self, messages: list[Message], write: bool = True) -> None:
|
||||||
|
"""
|
||||||
|
Add NEW messages and set the file_path to the DB directory.
|
||||||
|
Only accepts messages without a file_path.
|
||||||
|
"""
|
||||||
|
if any(m.file_path is not None for m in messages):
|
||||||
|
raise ChatError("Can't add new messages with existing file_path")
|
||||||
if write:
|
if write:
|
||||||
self.write_messages(messages)
|
write_dir(self.db_path,
|
||||||
|
messages,
|
||||||
|
self.file_suffix,
|
||||||
|
self.get_next_fid)
|
||||||
|
else:
|
||||||
|
for m in messages:
|
||||||
|
m.file_path = make_file_path(self.db_path, self.default_file_suffix, self.get_next_fid)
|
||||||
|
self.messages += messages
|
||||||
|
self.msg_sort()
|
||||||
|
|
||||||
def latest_message(self,
|
def db_move(self, message: Message) -> None:
|
||||||
mfilter: Optional[MessageFilter] = None,
|
|
||||||
source: Literal['mem', 'disk', 'cache', 'db', 'all'] = 'mem') -> Optional[Message]:
|
|
||||||
"""
|
"""
|
||||||
Return the last added message (according to the file ID) that matches the given filter.
|
Moves the given messages to the db directory.
|
||||||
Only consider messages with a valid file_path (except if source is 'mem').
|
|
||||||
Searches one of the following sources:
|
|
||||||
* 'mem' : only search messages currently in memory
|
|
||||||
* 'disk' : search messages on disk (cache + DB directory), but not in memory
|
|
||||||
* 'cache': only search messages in the cache directory
|
|
||||||
* 'db' : only search messages in the DB directory
|
|
||||||
* 'all' : search all messages ('mem' + 'disk')
|
|
||||||
"""
|
"""
|
||||||
source_messages: list[Message] = []
|
# remember the old path (if any)
|
||||||
if source == 'mem':
|
old_path: Optional[Path] = None
|
||||||
return super().latest_message(mfilter)
|
if message.file_path:
|
||||||
if source in ['cache', 'disk', 'all']:
|
old_path = message.file_path
|
||||||
source_messages += read_dir(self.cache_path, mfilter=mfilter)
|
# write message to the new destination
|
||||||
if source in ['db', 'disk', 'all']:
|
self.db_write([message])
|
||||||
source_messages += read_dir(self.db_path, mfilter=mfilter)
|
# remove the old one (if any)
|
||||||
if source in ['all']:
|
if old_path:
|
||||||
# only consider messages with a valid file_path so they can be sorted
|
self.msg_remove([str(old_path)], loc='cache')
|
||||||
source_messages += [m for m in self.messages if (m.file_path is not None and (mfilter is None or m.match(mfilter)))]
|
# (re)add it to the internal list
|
||||||
source_messages.sort(key=lambda m: m.msg_id(), reverse=True)
|
self.msg_add([message])
|
||||||
for m in source_messages:
|
|
||||||
if mfilter is None or m.match(mfilter):
|
|
||||||
return m
|
|
||||||
return None
|
|
||||||
|
|||||||
@ -51,7 +51,8 @@ def add_file_as_code(question_parts: list[str], file: str) -> None:
|
|||||||
|
|
||||||
def create_message(chat: ChatDB, args: argparse.Namespace) -> Message:
|
def create_message(chat: ChatDB, args: argparse.Namespace) -> Message:
|
||||||
"""
|
"""
|
||||||
Creates (and writes) a new message from the given arguments.
|
Creates a new message from the given arguments and writes it
|
||||||
|
to the cache directory.
|
||||||
"""
|
"""
|
||||||
question_parts = []
|
question_parts = []
|
||||||
question_list = args.ask if args.ask is not None else []
|
question_list = args.ask if args.ask is not None else []
|
||||||
@ -72,7 +73,7 @@ def create_message(chat: ChatDB, args: argparse.Namespace) -> Message:
|
|||||||
tags=args.output_tags, # FIXME
|
tags=args.output_tags, # FIXME
|
||||||
ai=args.AI,
|
ai=args.AI,
|
||||||
model=args.model)
|
model=args.model)
|
||||||
chat.add_to_cache([message])
|
chat.cache_add([message])
|
||||||
return message
|
return message
|
||||||
|
|
||||||
|
|
||||||
@ -101,8 +102,8 @@ def question_cmd(args: argparse.Namespace, config: Config) -> None:
|
|||||||
chat,
|
chat,
|
||||||
args.num_answers, # FIXME
|
args.num_answers, # FIXME
|
||||||
args.output_tags) # FIXME
|
args.output_tags) # FIXME
|
||||||
chat.update_messages([response.messages[0]])
|
chat.msg_update([response.messages[0]])
|
||||||
chat.add_to_cache(response.messages[1:])
|
chat.cache_add(response.messages[1:])
|
||||||
for idx, msg in enumerate(response.messages):
|
for idx, msg in enumerate(response.messages):
|
||||||
print(f"=== ANSWER {idx+1} ===")
|
print(f"=== ANSWER {idx+1} ===")
|
||||||
print(msg.answer)
|
print(msg.answer)
|
||||||
@ -110,7 +111,7 @@ def question_cmd(args: argparse.Namespace, config: Config) -> None:
|
|||||||
print("===============")
|
print("===============")
|
||||||
print(response.tokens)
|
print(response.tokens)
|
||||||
elif args.repeat is not None:
|
elif args.repeat is not None:
|
||||||
lmessage = chat.latest_message()
|
lmessage = chat.msg_latest()
|
||||||
assert lmessage
|
assert lmessage
|
||||||
# TODO: repeat either the last question or the
|
# TODO: repeat either the last question or the
|
||||||
# one(s) given in 'args.repeat' (overwrite
|
# one(s) given in 'args.repeat' (overwrite
|
||||||
|
|||||||
@ -11,7 +11,7 @@ def tags_cmd(args: argparse.Namespace, config: Config) -> None:
|
|||||||
chat = ChatDB.from_dir(cache_path=Path('.'),
|
chat = ChatDB.from_dir(cache_path=Path('.'),
|
||||||
db_path=Path(config.db))
|
db_path=Path(config.db))
|
||||||
if args.list:
|
if args.list:
|
||||||
tags_freq = chat.tags_frequency(args.prefix, args.contain)
|
tags_freq = chat.msg_tags_frequency(args.prefix, args.contain)
|
||||||
for tag, freq in tags_freq.items():
|
for tag, freq in tags_freq.items():
|
||||||
print(f"- {tag}: {freq}")
|
print(f"- {tag}: {freq}")
|
||||||
# TODO: add renaming
|
# TODO: add renaming
|
||||||
|
|||||||
@ -543,10 +543,11 @@ class Message():
|
|||||||
def msg_id(self) -> str:
|
def msg_id(self) -> str:
|
||||||
"""
|
"""
|
||||||
Returns an ID that is unique throughout all messages in the same (DB) directory.
|
Returns an ID that is unique throughout all messages in the same (DB) directory.
|
||||||
Currently this is the file name. The ID is also used for sorting messages.
|
Currently this is the file name without suffix. The ID is also used for sorting
|
||||||
|
messages.
|
||||||
"""
|
"""
|
||||||
if self.file_path:
|
if self.file_path:
|
||||||
return self.file_path.name
|
return self.file_path.stem
|
||||||
else:
|
else:
|
||||||
raise MessageError("Can't create file ID without a file path")
|
raise MessageError("Can't create file ID without a file path")
|
||||||
|
|
||||||
|
|||||||
@ -20,80 +20,103 @@ class TestChat(unittest.TestCase):
|
|||||||
Answer('Answer 2'),
|
Answer('Answer 2'),
|
||||||
{Tag('btag2')},
|
{Tag('btag2')},
|
||||||
file_path=pathlib.Path('0002.txt'))
|
file_path=pathlib.Path('0002.txt'))
|
||||||
|
self.maxDiff = None
|
||||||
|
|
||||||
|
def test_unique_id(self) -> None:
|
||||||
|
# test with two identical messages
|
||||||
|
self.chat.msg_add([self.message1, self.message1])
|
||||||
|
self.assertSequenceEqual(self.chat.messages, [self.message1, self.message1])
|
||||||
|
self.chat.msg_unique_id()
|
||||||
|
self.assertSequenceEqual(self.chat.messages, [self.message1])
|
||||||
|
# test with two different messages
|
||||||
|
self.chat.msg_add([self.message2])
|
||||||
|
self.chat.msg_unique_id()
|
||||||
|
self.assertSequenceEqual(self.chat.messages, [self.message1, self.message2])
|
||||||
|
|
||||||
|
def test_unique_content(self) -> None:
|
||||||
|
# test with two identical messages
|
||||||
|
self.chat.msg_add([self.message1, self.message1])
|
||||||
|
self.assertSequenceEqual(self.chat.messages, [self.message1, self.message1])
|
||||||
|
self.chat.msg_unique_content()
|
||||||
|
self.assertSequenceEqual(self.chat.messages, [self.message1])
|
||||||
|
# test with two different messages
|
||||||
|
self.chat.msg_add([self.message2])
|
||||||
|
self.chat.msg_unique_content()
|
||||||
|
self.assertSequenceEqual(self.chat.messages, [self.message1, self.message2])
|
||||||
|
|
||||||
def test_filter(self) -> None:
|
def test_filter(self) -> None:
|
||||||
self.chat.add_messages([self.message1, self.message2])
|
self.chat.msg_add([self.message1, self.message2])
|
||||||
self.chat.filter(MessageFilter(answer_contains='Answer 1'))
|
self.chat.msg_filter(MessageFilter(answer_contains='Answer 1'))
|
||||||
|
|
||||||
self.assertEqual(len(self.chat.messages), 1)
|
self.assertEqual(len(self.chat.messages), 1)
|
||||||
self.assertEqual(self.chat.messages[0].question, 'Question 1')
|
self.assertEqual(self.chat.messages[0].question, 'Question 1')
|
||||||
|
|
||||||
def test_sort(self) -> None:
|
def test_sort(self) -> None:
|
||||||
self.chat.add_messages([self.message2, self.message1])
|
self.chat.msg_add([self.message2, self.message1])
|
||||||
self.chat.sort()
|
self.chat.msg_sort()
|
||||||
self.assertEqual(self.chat.messages[0].question, 'Question 1')
|
self.assertEqual(self.chat.messages[0].question, 'Question 1')
|
||||||
self.assertEqual(self.chat.messages[1].question, 'Question 2')
|
self.assertEqual(self.chat.messages[1].question, 'Question 2')
|
||||||
self.chat.sort(reverse=True)
|
self.chat.msg_sort(reverse=True)
|
||||||
self.assertEqual(self.chat.messages[0].question, 'Question 2')
|
self.assertEqual(self.chat.messages[0].question, 'Question 2')
|
||||||
self.assertEqual(self.chat.messages[1].question, 'Question 1')
|
self.assertEqual(self.chat.messages[1].question, 'Question 1')
|
||||||
|
|
||||||
def test_clear(self) -> None:
|
def test_clear(self) -> None:
|
||||||
self.chat.add_messages([self.message1])
|
self.chat.msg_add([self.message1])
|
||||||
self.chat.clear()
|
self.chat.msg_clear()
|
||||||
self.assertEqual(len(self.chat.messages), 0)
|
self.assertEqual(len(self.chat.messages), 0)
|
||||||
|
|
||||||
def test_add_messages(self) -> None:
|
def test_add_messages(self) -> None:
|
||||||
self.chat.add_messages([self.message1, self.message2])
|
self.chat.msg_add([self.message1, self.message2])
|
||||||
self.assertEqual(len(self.chat.messages), 2)
|
self.assertEqual(len(self.chat.messages), 2)
|
||||||
self.assertEqual(self.chat.messages[0].question, 'Question 1')
|
self.assertEqual(self.chat.messages[0].question, 'Question 1')
|
||||||
self.assertEqual(self.chat.messages[1].question, 'Question 2')
|
self.assertEqual(self.chat.messages[1].question, 'Question 2')
|
||||||
|
|
||||||
def test_tags(self) -> None:
|
def test_tags(self) -> None:
|
||||||
self.chat.add_messages([self.message1, self.message2])
|
self.chat.msg_add([self.message1, self.message2])
|
||||||
tags_all = self.chat.tags()
|
tags_all = self.chat.msg_tags()
|
||||||
self.assertSetEqual(tags_all, {Tag('atag1'), Tag('btag2')})
|
self.assertSetEqual(tags_all, {Tag('atag1'), Tag('btag2')})
|
||||||
tags_pref = self.chat.tags(prefix='a')
|
tags_pref = self.chat.msg_tags(prefix='a')
|
||||||
self.assertSetEqual(tags_pref, {Tag('atag1')})
|
self.assertSetEqual(tags_pref, {Tag('atag1')})
|
||||||
tags_cont = self.chat.tags(contain='2')
|
tags_cont = self.chat.msg_tags(contain='2')
|
||||||
self.assertSetEqual(tags_cont, {Tag('btag2')})
|
self.assertSetEqual(tags_cont, {Tag('btag2')})
|
||||||
|
|
||||||
def test_tags_frequency(self) -> None:
|
def test_tags_frequency(self) -> None:
|
||||||
self.chat.add_messages([self.message1, self.message2])
|
self.chat.msg_add([self.message1, self.message2])
|
||||||
tags_freq = self.chat.tags_frequency()
|
tags_freq = self.chat.msg_tags_frequency()
|
||||||
self.assertDictEqual(tags_freq, {'atag1': 1, 'btag2': 2})
|
self.assertDictEqual(tags_freq, {'atag1': 1, 'btag2': 2})
|
||||||
|
|
||||||
def test_find_remove_messages(self) -> None:
|
def test_find_remove_messages(self) -> None:
|
||||||
self.chat.add_messages([self.message1, self.message2])
|
self.chat.msg_add([self.message1, self.message2])
|
||||||
msgs = self.chat.find_messages(['0001.txt'])
|
msgs = self.chat.msg_find(['0001.txt'])
|
||||||
self.assertListEqual(msgs, [self.message1])
|
self.assertListEqual(msgs, [self.message1])
|
||||||
msgs = self.chat.find_messages(['0001.txt', '0002.txt'])
|
msgs = self.chat.msg_find(['0001.txt', '0002.txt'])
|
||||||
self.assertListEqual(msgs, [self.message1, self.message2])
|
self.assertListEqual(msgs, [self.message1, self.message2])
|
||||||
# add new Message with full path
|
# add new Message with full path
|
||||||
message3 = Message(Question('Question 2'),
|
message3 = Message(Question('Question 2'),
|
||||||
Answer('Answer 2'),
|
Answer('Answer 2'),
|
||||||
{Tag('btag2')},
|
{Tag('btag2')},
|
||||||
file_path=pathlib.Path('/foo/bla/0003.txt'))
|
file_path=pathlib.Path('/foo/bla/0003.txt'))
|
||||||
self.chat.add_messages([message3])
|
self.chat.msg_add([message3])
|
||||||
# find new Message by full path
|
# find new Message by full path
|
||||||
msgs = self.chat.find_messages(['/foo/bla/0003.txt'])
|
msgs = self.chat.msg_find(['/foo/bla/0003.txt'])
|
||||||
self.assertListEqual(msgs, [message3])
|
self.assertListEqual(msgs, [message3])
|
||||||
# find Message with full path only by filename
|
# find Message with full path only by filename
|
||||||
msgs = self.chat.find_messages(['0003.txt'])
|
msgs = self.chat.msg_find(['0003.txt'])
|
||||||
self.assertListEqual(msgs, [message3])
|
self.assertListEqual(msgs, [message3])
|
||||||
# remove last message
|
# remove last message
|
||||||
self.chat.remove_messages(['0003.txt'])
|
self.chat.msg_remove(['0003.txt'])
|
||||||
self.assertListEqual(self.chat.messages, [self.message1, self.message2])
|
self.assertListEqual(self.chat.messages, [self.message1, self.message2])
|
||||||
|
|
||||||
def test_latest_message(self) -> None:
|
def test_latest_message(self) -> None:
|
||||||
self.assertIsNone(self.chat.latest_message())
|
self.assertIsNone(self.chat.msg_latest())
|
||||||
self.chat.add_messages([self.message1])
|
self.chat.msg_add([self.message1])
|
||||||
self.assertEqual(self.chat.latest_message(), self.message1)
|
self.assertEqual(self.chat.msg_latest(), self.message1)
|
||||||
self.chat.add_messages([self.message2])
|
self.chat.msg_add([self.message2])
|
||||||
self.assertEqual(self.chat.latest_message(), self.message2)
|
self.assertEqual(self.chat.msg_latest(), self.message2)
|
||||||
|
|
||||||
@patch('sys.stdout', new_callable=StringIO)
|
@patch('sys.stdout', new_callable=StringIO)
|
||||||
def test_print(self, mock_stdout: StringIO) -> None:
|
def test_print(self, mock_stdout: StringIO) -> None:
|
||||||
self.chat.add_messages([self.message1, self.message2])
|
self.chat.msg_add([self.message1, self.message2])
|
||||||
self.chat.print(paged=False)
|
self.chat.print(paged=False)
|
||||||
expected_output = f"""{Question.txt_header}
|
expected_output = f"""{Question.txt_header}
|
||||||
Question 1
|
Question 1
|
||||||
@ -108,7 +131,7 @@ Answer 2
|
|||||||
|
|
||||||
@patch('sys.stdout', new_callable=StringIO)
|
@patch('sys.stdout', new_callable=StringIO)
|
||||||
def test_print_with_tags_and_file(self, mock_stdout: StringIO) -> None:
|
def test_print_with_tags_and_file(self, mock_stdout: StringIO) -> None:
|
||||||
self.chat.add_messages([self.message1, self.message2])
|
self.chat.msg_add([self.message1, self.message2])
|
||||||
self.chat.print(paged=False, with_tags=True, with_files=True)
|
self.chat.print(paged=False, with_tags=True, with_files=True)
|
||||||
expected_output = f"""{TagLine.prefix} atag1 btag2
|
expected_output = f"""{TagLine.prefix} atag1 btag2
|
||||||
FILE: 0001.txt
|
FILE: 0001.txt
|
||||||
@ -161,6 +184,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
for file in self.trash_files:
|
for file in self.trash_files:
|
||||||
with open(pathlib.Path(self.db_path.name) / file, 'w') as f:
|
with open(pathlib.Path(self.db_path.name) / file, 'w') as f:
|
||||||
f.write('test trash')
|
f.write('test trash')
|
||||||
|
self.maxDiff = None
|
||||||
|
|
||||||
def message_list(self, tmp_dir: tempfile.TemporaryDirectory) -> list[pathlib.Path]:
|
def message_list(self, tmp_dir: tempfile.TemporaryDirectory) -> list[pathlib.Path]:
|
||||||
"""
|
"""
|
||||||
@ -174,7 +198,18 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.cache_path.cleanup()
|
self.cache_path.cleanup()
|
||||||
pass
|
pass
|
||||||
|
|
||||||
def test_chat_db_from_dir(self) -> None:
|
def test_validate(self) -> None:
|
||||||
|
duplicate_message = Message(Question('Question 4'),
|
||||||
|
Answer('Answer 4'),
|
||||||
|
{Tag('tag4')},
|
||||||
|
file_path=pathlib.Path('0004.txt'))
|
||||||
|
duplicate_message.to_file(pathlib.Path(self.db_path.name, '0004.txt'))
|
||||||
|
with self.assertRaises(ChatError) as cm:
|
||||||
|
ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
|
pathlib.Path(self.db_path.name))
|
||||||
|
self.assertEqual(str(cm.exception), "Validation failed")
|
||||||
|
|
||||||
|
def test_from_dir(self) -> None:
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
self.assertEqual(len(chat_db.messages), 4)
|
self.assertEqual(len(chat_db.messages), 4)
|
||||||
@ -190,7 +225,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.assertEqual(chat_db.messages[3].file_path,
|
self.assertEqual(chat_db.messages[3].file_path,
|
||||||
pathlib.Path(self.db_path.name, '0004.yaml'))
|
pathlib.Path(self.db_path.name, '0004.yaml'))
|
||||||
|
|
||||||
def test_chat_db_from_dir_glob(self) -> None:
|
def test_from_dir_glob(self) -> None:
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name),
|
pathlib.Path(self.db_path.name),
|
||||||
glob='*.txt')
|
glob='*.txt')
|
||||||
@ -202,7 +237,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.assertEqual(chat_db.messages[1].file_path,
|
self.assertEqual(chat_db.messages[1].file_path,
|
||||||
pathlib.Path(self.db_path.name, '0003.txt'))
|
pathlib.Path(self.db_path.name, '0003.txt'))
|
||||||
|
|
||||||
def test_chat_db_from_dir_filter_tags(self) -> None:
|
def test_from_dir_filter_tags(self) -> None:
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name),
|
pathlib.Path(self.db_path.name),
|
||||||
mfilter=MessageFilter(tags_or={Tag('tag1')}))
|
mfilter=MessageFilter(tags_or={Tag('tag1')}))
|
||||||
@ -212,7 +247,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.assertEqual(chat_db.messages[0].file_path,
|
self.assertEqual(chat_db.messages[0].file_path,
|
||||||
pathlib.Path(self.db_path.name, '0001.txt'))
|
pathlib.Path(self.db_path.name, '0001.txt'))
|
||||||
|
|
||||||
def test_chat_db_from_dir_filter_tags_empty(self) -> None:
|
def test_from_dir_filter_tags_empty(self) -> None:
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name),
|
pathlib.Path(self.db_path.name),
|
||||||
mfilter=MessageFilter(tags_or=set(),
|
mfilter=MessageFilter(tags_or=set(),
|
||||||
@ -220,7 +255,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
tags_not=set()))
|
tags_not=set()))
|
||||||
self.assertEqual(len(chat_db.messages), 0)
|
self.assertEqual(len(chat_db.messages), 0)
|
||||||
|
|
||||||
def test_chat_db_from_dir_filter_answer(self) -> None:
|
def test_from_dir_filter_answer(self) -> None:
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name),
|
pathlib.Path(self.db_path.name),
|
||||||
mfilter=MessageFilter(answer_contains='Answer 2'))
|
mfilter=MessageFilter(answer_contains='Answer 2'))
|
||||||
@ -231,7 +266,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
pathlib.Path(self.db_path.name, '0002.yaml'))
|
pathlib.Path(self.db_path.name, '0002.yaml'))
|
||||||
self.assertEqual(chat_db.messages[0].answer, 'Answer 2')
|
self.assertEqual(chat_db.messages[0].answer, 'Answer 2')
|
||||||
|
|
||||||
def test_chat_db_from_messages(self) -> None:
|
def test_from_messages(self) -> None:
|
||||||
chat_db = ChatDB.from_messages(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_messages(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name),
|
pathlib.Path(self.db_path.name),
|
||||||
messages=[self.message1, self.message2,
|
messages=[self.message1, self.message2,
|
||||||
@ -240,7 +275,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.assertEqual(chat_db.cache_path, pathlib.Path(self.cache_path.name))
|
self.assertEqual(chat_db.cache_path, pathlib.Path(self.cache_path.name))
|
||||||
self.assertEqual(chat_db.db_path, pathlib.Path(self.db_path.name))
|
self.assertEqual(chat_db.db_path, pathlib.Path(self.db_path.name))
|
||||||
|
|
||||||
def test_chat_db_fids(self) -> None:
|
def test_fids(self) -> None:
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
self.assertEqual(chat_db.get_next_fid(), 5)
|
self.assertEqual(chat_db.get_next_fid(), 5)
|
||||||
@ -249,7 +284,26 @@ class TestChatDB(unittest.TestCase):
|
|||||||
with open(chat_db.next_path, 'r') as f:
|
with open(chat_db.next_path, 'r') as f:
|
||||||
self.assertEqual(f.read(), '7')
|
self.assertEqual(f.read(), '7')
|
||||||
|
|
||||||
def test_chat_db_write(self) -> None:
|
def test_msg_in_db_or_cache(self) -> None:
|
||||||
|
# create a new ChatDB instance
|
||||||
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
|
pathlib.Path(self.db_path.name))
|
||||||
|
self.assertTrue(chat_db.msg_in_db(self.message1))
|
||||||
|
self.assertTrue(chat_db.msg_in_db(str(self.message1.file_path)))
|
||||||
|
self.assertTrue(chat_db.msg_in_db(self.message1.msg_id()))
|
||||||
|
self.assertFalse(chat_db.msg_in_cache(self.message1))
|
||||||
|
self.assertFalse(chat_db.msg_in_cache(str(self.message1.file_path)))
|
||||||
|
self.assertFalse(chat_db.msg_in_cache(self.message1.msg_id()))
|
||||||
|
# add new message to the cache dir
|
||||||
|
cache_message = Message(question=Question("Question 1"),
|
||||||
|
answer=Answer("Answer 1"))
|
||||||
|
chat_db.cache_add([cache_message])
|
||||||
|
self.assertTrue(chat_db.msg_in_cache(cache_message))
|
||||||
|
self.assertTrue(chat_db.msg_in_cache(cache_message.msg_id()))
|
||||||
|
self.assertFalse(chat_db.msg_in_db(cache_message))
|
||||||
|
self.assertFalse(chat_db.msg_in_db(str(cache_message.file_path)))
|
||||||
|
|
||||||
|
def test_db_write(self) -> None:
|
||||||
# create a new ChatDB instance
|
# create a new ChatDB instance
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
@ -260,7 +314,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.assertEqual(chat_db.messages[3].file_path, pathlib.Path(self.db_path.name, '0004.yaml'))
|
self.assertEqual(chat_db.messages[3].file_path, pathlib.Path(self.db_path.name, '0004.yaml'))
|
||||||
|
|
||||||
# write the messages to the cache directory
|
# write the messages to the cache directory
|
||||||
chat_db.write_cache()
|
chat_db.cache_write()
|
||||||
# check if the written files are in the cache directory
|
# check if the written files are in the cache directory
|
||||||
cache_dir_files = self.message_list(self.cache_path)
|
cache_dir_files = self.message_list(self.cache_path)
|
||||||
self.assertEqual(len(cache_dir_files), 4)
|
self.assertEqual(len(cache_dir_files), 4)
|
||||||
@ -280,7 +334,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
old_timestamps = {file: file.stat().st_mtime for file in db_dir_files}
|
old_timestamps = {file: file.stat().st_mtime for file in db_dir_files}
|
||||||
# overwrite the messages in the db directory
|
# overwrite the messages in the db directory
|
||||||
time.sleep(0.05)
|
time.sleep(0.05)
|
||||||
chat_db.write_db()
|
chat_db.db_write()
|
||||||
# check if the written files are in the DB directory
|
# check if the written files are in the DB directory
|
||||||
db_dir_files = self.message_list(self.db_path)
|
db_dir_files = self.message_list(self.db_path)
|
||||||
self.assertEqual(len(db_dir_files), 4)
|
self.assertEqual(len(db_dir_files), 4)
|
||||||
@ -297,7 +351,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.assertEqual(chat_db.messages[2].file_path, pathlib.Path(self.db_path.name, '0003.txt'))
|
self.assertEqual(chat_db.messages[2].file_path, pathlib.Path(self.db_path.name, '0003.txt'))
|
||||||
self.assertEqual(chat_db.messages[3].file_path, pathlib.Path(self.db_path.name, '0004.yaml'))
|
self.assertEqual(chat_db.messages[3].file_path, pathlib.Path(self.db_path.name, '0004.yaml'))
|
||||||
|
|
||||||
def test_chat_db_read(self) -> None:
|
def test_db_read(self) -> None:
|
||||||
# create a new ChatDB instance
|
# create a new ChatDB instance
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
@ -313,7 +367,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
new_message1.to_file(pathlib.Path(self.db_path.name, '0005.txt'))
|
new_message1.to_file(pathlib.Path(self.db_path.name, '0005.txt'))
|
||||||
new_message2.to_file(pathlib.Path(self.db_path.name, '0006.yaml'))
|
new_message2.to_file(pathlib.Path(self.db_path.name, '0006.yaml'))
|
||||||
# read and check them
|
# read and check them
|
||||||
chat_db.read_db()
|
chat_db.db_read()
|
||||||
self.assertEqual(len(chat_db.messages), 6)
|
self.assertEqual(len(chat_db.messages), 6)
|
||||||
self.assertEqual(chat_db.messages[4].file_path, pathlib.Path(self.db_path.name, '0005.txt'))
|
self.assertEqual(chat_db.messages[4].file_path, pathlib.Path(self.db_path.name, '0005.txt'))
|
||||||
self.assertEqual(chat_db.messages[5].file_path, pathlib.Path(self.db_path.name, '0006.yaml'))
|
self.assertEqual(chat_db.messages[5].file_path, pathlib.Path(self.db_path.name, '0006.yaml'))
|
||||||
@ -328,7 +382,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
new_message3.to_file(pathlib.Path(self.cache_path.name, '0007.txt'))
|
new_message3.to_file(pathlib.Path(self.cache_path.name, '0007.txt'))
|
||||||
new_message4.to_file(pathlib.Path(self.cache_path.name, '0008.yaml'))
|
new_message4.to_file(pathlib.Path(self.cache_path.name, '0008.yaml'))
|
||||||
# read and check them
|
# read and check them
|
||||||
chat_db.read_cache()
|
chat_db.cache_read()
|
||||||
self.assertEqual(len(chat_db.messages), 8)
|
self.assertEqual(len(chat_db.messages), 8)
|
||||||
# check that the new message have the cache dir path
|
# check that the new message have the cache dir path
|
||||||
self.assertEqual(chat_db.messages[6].file_path, pathlib.Path(self.cache_path.name, '0007.txt'))
|
self.assertEqual(chat_db.messages[6].file_path, pathlib.Path(self.cache_path.name, '0007.txt'))
|
||||||
@ -343,7 +397,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
new_message1.to_file(pathlib.Path(self.db_path.name, '0005.txt'))
|
new_message1.to_file(pathlib.Path(self.db_path.name, '0005.txt'))
|
||||||
new_message2.to_file(pathlib.Path(self.db_path.name, '0006.yaml'))
|
new_message2.to_file(pathlib.Path(self.db_path.name, '0006.yaml'))
|
||||||
# read from the DB dir and check if the modified messages have been updated
|
# read from the DB dir and check if the modified messages have been updated
|
||||||
chat_db.read_db()
|
chat_db.db_read()
|
||||||
self.assertEqual(len(chat_db.messages), 8)
|
self.assertEqual(len(chat_db.messages), 8)
|
||||||
self.assertEqual(chat_db.messages[4].question, 'New Question 1')
|
self.assertEqual(chat_db.messages[4].question, 'New Question 1')
|
||||||
self.assertEqual(chat_db.messages[5].question, 'New Question 2')
|
self.assertEqual(chat_db.messages[5].question, 'New Question 2')
|
||||||
@ -354,13 +408,13 @@ class TestChatDB(unittest.TestCase):
|
|||||||
new_message3.to_file(pathlib.Path(self.db_path.name, '0007.txt'))
|
new_message3.to_file(pathlib.Path(self.db_path.name, '0007.txt'))
|
||||||
new_message4.to_file(pathlib.Path(self.db_path.name, '0008.yaml'))
|
new_message4.to_file(pathlib.Path(self.db_path.name, '0008.yaml'))
|
||||||
# read and check them
|
# read and check them
|
||||||
chat_db.read_db()
|
chat_db.db_read()
|
||||||
self.assertEqual(len(chat_db.messages), 8)
|
self.assertEqual(len(chat_db.messages), 8)
|
||||||
# check that they now have the DB path
|
# check that they now have the DB path
|
||||||
self.assertEqual(chat_db.messages[6].file_path, pathlib.Path(self.db_path.name, '0007.txt'))
|
self.assertEqual(chat_db.messages[6].file_path, pathlib.Path(self.db_path.name, '0007.txt'))
|
||||||
self.assertEqual(chat_db.messages[7].file_path, pathlib.Path(self.db_path.name, '0008.yaml'))
|
self.assertEqual(chat_db.messages[7].file_path, pathlib.Path(self.db_path.name, '0008.yaml'))
|
||||||
|
|
||||||
def test_chat_db_clear(self) -> None:
|
def test_cache_clear(self) -> None:
|
||||||
# create a new ChatDB instance
|
# create a new ChatDB instance
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
@ -371,13 +425,13 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.assertEqual(chat_db.messages[3].file_path, pathlib.Path(self.db_path.name, '0004.yaml'))
|
self.assertEqual(chat_db.messages[3].file_path, pathlib.Path(self.db_path.name, '0004.yaml'))
|
||||||
|
|
||||||
# write the messages to the cache directory
|
# write the messages to the cache directory
|
||||||
chat_db.write_cache()
|
chat_db.cache_write()
|
||||||
# check if the written files are in the cache directory
|
# check if the written files are in the cache directory
|
||||||
cache_dir_files = self.message_list(self.cache_path)
|
cache_dir_files = self.message_list(self.cache_path)
|
||||||
self.assertEqual(len(cache_dir_files), 4)
|
self.assertEqual(len(cache_dir_files), 4)
|
||||||
|
|
||||||
# now rewrite them to the DB dir and check for modified paths
|
# now rewrite them to the DB dir and check for modified paths
|
||||||
chat_db.write_db()
|
chat_db.db_write()
|
||||||
db_dir_files = self.message_list(self.db_path)
|
db_dir_files = self.message_list(self.db_path)
|
||||||
self.assertEqual(len(db_dir_files), 4)
|
self.assertEqual(len(db_dir_files), 4)
|
||||||
self.assertIn(pathlib.Path(self.db_path.name, '0001.txt'), db_dir_files)
|
self.assertIn(pathlib.Path(self.db_path.name, '0001.txt'), db_dir_files)
|
||||||
@ -392,10 +446,10 @@ class TestChatDB(unittest.TestCase):
|
|||||||
message_cache = Message(question=Question("What the hell am I doing here?"),
|
message_cache = Message(question=Question("What the hell am I doing here?"),
|
||||||
answer=Answer("You're a creep!"),
|
answer=Answer("You're a creep!"),
|
||||||
file_path=pathlib.Path(self.cache_path.name, '0005.txt'))
|
file_path=pathlib.Path(self.cache_path.name, '0005.txt'))
|
||||||
chat_db.add_messages([message_empty, message_cache])
|
chat_db.msg_add([message_empty, message_cache])
|
||||||
|
|
||||||
# clear the cache and check the cache dir
|
# clear the cache and check the cache dir
|
||||||
chat_db.clear_cache()
|
chat_db.cache_clear()
|
||||||
cache_dir_files = self.message_list(self.cache_path)
|
cache_dir_files = self.message_list(self.cache_path)
|
||||||
self.assertEqual(len(cache_dir_files), 0)
|
self.assertEqual(len(cache_dir_files), 0)
|
||||||
# make sure that the DB messages (and the new message) are still there
|
# make sure that the DB messages (and the new message) are still there
|
||||||
@ -405,7 +459,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
# but not the message with the cache dir path
|
# but not the message with the cache dir path
|
||||||
self.assertFalse(any(m.file_path == message_cache.file_path for m in chat_db.messages))
|
self.assertFalse(any(m.file_path == message_cache.file_path for m in chat_db.messages))
|
||||||
|
|
||||||
def test_chat_db_add(self) -> None:
|
def test_add(self) -> None:
|
||||||
# create a new ChatDB instance
|
# create a new ChatDB instance
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
@ -416,7 +470,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
# add new messages to the cache dir
|
# add new messages to the cache dir
|
||||||
message1 = Message(question=Question("Question 1"),
|
message1 = Message(question=Question("Question 1"),
|
||||||
answer=Answer("Answer 1"))
|
answer=Answer("Answer 1"))
|
||||||
chat_db.add_to_cache([message1])
|
chat_db.cache_add([message1])
|
||||||
# check if the file_path has been correctly set
|
# check if the file_path has been correctly set
|
||||||
self.assertIsNotNone(message1.file_path)
|
self.assertIsNotNone(message1.file_path)
|
||||||
self.assertEqual(message1.file_path.parent, pathlib.Path(self.cache_path.name)) # type: ignore [union-attr]
|
self.assertEqual(message1.file_path.parent, pathlib.Path(self.cache_path.name)) # type: ignore [union-attr]
|
||||||
@ -426,7 +480,7 @@ class TestChatDB(unittest.TestCase):
|
|||||||
# add new messages to the DB dir
|
# add new messages to the DB dir
|
||||||
message2 = Message(question=Question("Question 2"),
|
message2 = Message(question=Question("Question 2"),
|
||||||
answer=Answer("Answer 2"))
|
answer=Answer("Answer 2"))
|
||||||
chat_db.add_to_db([message2])
|
chat_db.db_add([message2])
|
||||||
# check if the file_path has been correctly set
|
# check if the file_path has been correctly set
|
||||||
self.assertIsNotNone(message2.file_path)
|
self.assertIsNotNone(message2.file_path)
|
||||||
self.assertEqual(message2.file_path.parent, pathlib.Path(self.db_path.name)) # type: ignore [union-attr]
|
self.assertEqual(message2.file_path.parent, pathlib.Path(self.db_path.name)) # type: ignore [union-attr]
|
||||||
@ -434,9 +488,9 @@ class TestChatDB(unittest.TestCase):
|
|||||||
self.assertEqual(len(db_dir_files), 5)
|
self.assertEqual(len(db_dir_files), 5)
|
||||||
|
|
||||||
with self.assertRaises(ChatError):
|
with self.assertRaises(ChatError):
|
||||||
chat_db.add_to_cache([Message(Question("?"), file_path=pathlib.Path("foo"))])
|
chat_db.cache_add([Message(Question("?"), file_path=pathlib.Path("foo"))])
|
||||||
|
|
||||||
def test_chat_db_write_messages(self) -> None:
|
def test_msg_write(self) -> None:
|
||||||
# create a new ChatDB instance
|
# create a new ChatDB instance
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
@ -450,16 +504,16 @@ class TestChatDB(unittest.TestCase):
|
|||||||
message = Message(question=Question("Question 1"),
|
message = Message(question=Question("Question 1"),
|
||||||
answer=Answer("Answer 1"))
|
answer=Answer("Answer 1"))
|
||||||
with self.assertRaises(ChatError):
|
with self.assertRaises(ChatError):
|
||||||
chat_db.write_messages([message])
|
chat_db.msg_write([message])
|
||||||
|
|
||||||
# write a message with a valid file_path
|
# write a message with a valid file_path
|
||||||
message.file_path = pathlib.Path(self.cache_path.name) / '123456.txt'
|
message.file_path = pathlib.Path(self.cache_path.name) / '123456.txt'
|
||||||
chat_db.write_messages([message])
|
chat_db.msg_write([message])
|
||||||
cache_dir_files = self.message_list(self.cache_path)
|
cache_dir_files = self.message_list(self.cache_path)
|
||||||
self.assertEqual(len(cache_dir_files), 1)
|
self.assertEqual(len(cache_dir_files), 1)
|
||||||
self.assertIn(pathlib.Path(self.cache_path.name, '123456.txt'), cache_dir_files)
|
self.assertIn(pathlib.Path(self.cache_path.name, '123456.txt'), cache_dir_files)
|
||||||
|
|
||||||
def test_chat_db_update_messages(self) -> None:
|
def test_msg_update(self) -> None:
|
||||||
# create a new ChatDB instance
|
# create a new ChatDB instance
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
@ -472,37 +526,111 @@ class TestChatDB(unittest.TestCase):
|
|||||||
message = chat_db.messages[0]
|
message = chat_db.messages[0]
|
||||||
message.answer = Answer("New answer")
|
message.answer = Answer("New answer")
|
||||||
# update message without writing
|
# update message without writing
|
||||||
chat_db.update_messages([message], write=False)
|
chat_db.msg_update([message], write=False)
|
||||||
self.assertEqual(chat_db.messages[0].answer, Answer("New answer"))
|
self.assertEqual(chat_db.messages[0].answer, Answer("New answer"))
|
||||||
# re-read the message and check for old content
|
# re-read the message and check for old content
|
||||||
chat_db.read_db()
|
chat_db.db_read()
|
||||||
self.assertEqual(chat_db.messages[0].answer, Answer("Answer 1"))
|
self.assertEqual(chat_db.messages[0].answer, Answer("Answer 1"))
|
||||||
# now check with writing (message should be overwritten)
|
# now check with writing (message should be overwritten)
|
||||||
chat_db.update_messages([message], write=True)
|
chat_db.msg_update([message], write=True)
|
||||||
chat_db.read_db()
|
chat_db.db_read()
|
||||||
self.assertEqual(chat_db.messages[0].answer, Answer("New answer"))
|
self.assertEqual(chat_db.messages[0].answer, Answer("New answer"))
|
||||||
# test without file_path -> expect error
|
# test without file_path -> expect error
|
||||||
message1 = Message(question=Question("Question 1"),
|
message1 = Message(question=Question("Question 1"),
|
||||||
answer=Answer("Answer 1"))
|
answer=Answer("Answer 1"))
|
||||||
with self.assertRaises(ChatError):
|
with self.assertRaises(ChatError):
|
||||||
chat_db.update_messages([message1])
|
chat_db.msg_update([message1])
|
||||||
|
|
||||||
def test_chat_db_latest_message(self) -> None:
|
def test_msg_find(self) -> None:
|
||||||
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
pathlib.Path(self.db_path.name))
|
pathlib.Path(self.db_path.name))
|
||||||
self.assertEqual(chat_db.latest_message(source='mem'), self.message4)
|
# search for a DB file in memory
|
||||||
self.assertEqual(chat_db.latest_message(source='db'), self.message4)
|
self.assertEqual(chat_db.msg_find([str(self.message1.file_path)], loc='mem'), [self.message1])
|
||||||
self.assertEqual(chat_db.latest_message(source='disk'), self.message4)
|
self.assertEqual(chat_db.msg_find([self.message1.msg_id()], loc='mem'), [self.message1])
|
||||||
self.assertEqual(chat_db.latest_message(source='all'), self.message4)
|
self.assertEqual(chat_db.msg_find(['0001.txt'], loc='mem'), [self.message1])
|
||||||
|
self.assertEqual(chat_db.msg_find(['0001'], loc='mem'), [self.message1])
|
||||||
|
# and on disk
|
||||||
|
self.assertEqual(chat_db.msg_find([str(self.message2.file_path)], loc='db'), [self.message2])
|
||||||
|
self.assertEqual(chat_db.msg_find([self.message2.msg_id()], loc='db'), [self.message2])
|
||||||
|
self.assertEqual(chat_db.msg_find(['0002.yaml'], loc='db'), [self.message2])
|
||||||
|
self.assertEqual(chat_db.msg_find(['0002'], loc='db'), [self.message2])
|
||||||
|
# now search the cache -> expect empty result
|
||||||
|
self.assertEqual(chat_db.msg_find([str(self.message3.file_path)], loc='cache'), [])
|
||||||
|
self.assertEqual(chat_db.msg_find([self.message3.msg_id()], loc='cache'), [])
|
||||||
|
self.assertEqual(chat_db.msg_find(['0003.txt'], loc='cache'), [])
|
||||||
|
self.assertEqual(chat_db.msg_find(['0003'], loc='cache'), [])
|
||||||
|
# search for multiple messages
|
||||||
|
# -> search one twice, expect result to be unique
|
||||||
|
search_names = ['0001', '0002.yaml', self.message3.msg_id(), str(self.message3.file_path)]
|
||||||
|
expected_result = [self.message1, self.message2, self.message3]
|
||||||
|
result = chat_db.msg_find(search_names, loc='all')
|
||||||
|
self.assertSequenceEqual(result, expected_result)
|
||||||
|
|
||||||
|
def test_msg_latest(self) -> None:
|
||||||
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
|
pathlib.Path(self.db_path.name))
|
||||||
|
self.assertEqual(chat_db.msg_latest(loc='mem'), self.message4)
|
||||||
|
self.assertEqual(chat_db.msg_latest(loc='db'), self.message4)
|
||||||
|
self.assertEqual(chat_db.msg_latest(loc='disk'), self.message4)
|
||||||
|
self.assertEqual(chat_db.msg_latest(loc='all'), self.message4)
|
||||||
# the cache is currently empty:
|
# the cache is currently empty:
|
||||||
self.assertIsNone(chat_db.latest_message(source='cache'))
|
self.assertIsNone(chat_db.msg_latest(loc='cache'))
|
||||||
# add new messages to the cache dir
|
# add new messages to the cache dir
|
||||||
new_message = Message(question=Question("New Question"),
|
new_message = Message(question=Question("New Question"),
|
||||||
answer=Answer("New Answer"))
|
answer=Answer("New Answer"))
|
||||||
chat_db.add_to_cache([new_message])
|
chat_db.cache_add([new_message])
|
||||||
self.assertEqual(chat_db.latest_message(source='cache'), new_message)
|
self.assertEqual(chat_db.msg_latest(loc='cache'), new_message)
|
||||||
self.assertEqual(chat_db.latest_message(source='mem'), new_message)
|
self.assertEqual(chat_db.msg_latest(loc='mem'), new_message)
|
||||||
self.assertEqual(chat_db.latest_message(source='disk'), new_message)
|
self.assertEqual(chat_db.msg_latest(loc='disk'), new_message)
|
||||||
self.assertEqual(chat_db.latest_message(source='all'), new_message)
|
self.assertEqual(chat_db.msg_latest(loc='all'), new_message)
|
||||||
# the DB does not contain the new message
|
# the DB does not contain the new message
|
||||||
self.assertEqual(chat_db.latest_message(source='db'), self.message4)
|
self.assertEqual(chat_db.msg_latest(loc='db'), self.message4)
|
||||||
|
|
||||||
|
def test_msg_gather(self) -> None:
|
||||||
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
|
pathlib.Path(self.db_path.name))
|
||||||
|
all_messages = [self.message1, self.message2, self.message3, self.message4]
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='all'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='db'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='mem'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='disk'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='cache'), [])
|
||||||
|
# add a new message, but only to the internal list
|
||||||
|
new_message = Message(Question("What?"))
|
||||||
|
all_messages_mem = all_messages + [new_message]
|
||||||
|
chat_db.msg_add([new_message])
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='mem'), all_messages_mem)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='all'), all_messages_mem)
|
||||||
|
# the nr. of messages on disk did not change -> expect old result
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='db'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='disk'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='cache'), [])
|
||||||
|
# test with MessageFilter
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='all', mfilter=MessageFilter(tags_or={Tag('tag1')})),
|
||||||
|
[self.message1])
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='disk', mfilter=MessageFilter(tags_or={Tag('tag2')})),
|
||||||
|
[self.message2])
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='cache', mfilter=MessageFilter(tags_or={Tag('tag3')})),
|
||||||
|
[])
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='mem', mfilter=MessageFilter(question_contains="What")),
|
||||||
|
[new_message])
|
||||||
|
|
||||||
|
def test_msg_move_and_gather(self) -> None:
|
||||||
|
chat_db = ChatDB.from_dir(pathlib.Path(self.cache_path.name),
|
||||||
|
pathlib.Path(self.db_path.name))
|
||||||
|
all_messages = [self.message1, self.message2, self.message3, self.message4]
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='db'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='cache'), [])
|
||||||
|
# move first message to the cache
|
||||||
|
chat_db.cache_move(self.message1)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='cache'), [self.message1])
|
||||||
|
self.assertEqual(self.message1.file_path.parent, pathlib.Path(self.cache_path.name)) # type: ignore [union-attr]
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='db'), [self.message2, self.message3, self.message4])
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='all'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='disk'), all_messages)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='mem'), all_messages)
|
||||||
|
# now move first message back to the DB
|
||||||
|
chat_db.db_move(self.message1)
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='cache'), [])
|
||||||
|
self.assertEqual(self.message1.file_path.parent, pathlib.Path(self.db_path.name)) # type: ignore [union-attr]
|
||||||
|
self.assertSequenceEqual(chat_db.msg_gather(loc='db'), all_messages)
|
||||||
|
|||||||
@ -730,7 +730,7 @@ class MessageIDTestCase(unittest.TestCase):
|
|||||||
self.file_path.unlink()
|
self.file_path.unlink()
|
||||||
|
|
||||||
def test_msg_id_txt(self) -> None:
|
def test_msg_id_txt(self) -> None:
|
||||||
self.assertEqual(self.message.msg_id(), self.file_path.name)
|
self.assertEqual(self.message.msg_id(), self.file_path.stem)
|
||||||
|
|
||||||
def test_msg_id_txt_exception(self) -> None:
|
def test_msg_id_txt_exception(self) -> None:
|
||||||
with self.assertRaises(MessageError):
|
with self.assertRaises(MessageError):
|
||||||
|
|||||||
@ -25,7 +25,7 @@ class TestMessageCreate(unittest.TestCase):
|
|||||||
Answer("It is pure text"))
|
Answer("It is pure text"))
|
||||||
self.message_code = Message(Question("What is this?"),
|
self.message_code = Message(Question("What is this?"),
|
||||||
Answer("Text\n```\nIt is embedded code\n```\ntext"))
|
Answer("Text\n```\nIt is embedded code\n```\ntext"))
|
||||||
self.chat.add_to_db([self.message_text, self.message_code])
|
self.chat.db_add([self.message_text, self.message_code])
|
||||||
# create arguments mock
|
# create arguments mock
|
||||||
self.args = MagicMock(spec=argparse.Namespace)
|
self.args = MagicMock(spec=argparse.Namespace)
|
||||||
self.args.source_text = None
|
self.args.source_text = None
|
||||||
|
|||||||
Loading…
x
Reference in New Issue
Block a user