summaryrefslogtreecommitdiff
path: root/rag/cli.py
blob: 070427d495b360fd504dda8f7bf59156a3a97ef2 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
from pathlib import Path

import click
from dotenv import load_dotenv
from loguru import logger as log
from tqdm import tqdm

from rag.generator import get_generator
from rag.generator.prompt import Prompt
from rag.model import Rag
from rag.retriever.rerank import get_reranker
from rag.retriever.retriever import Retriever


def configure_logging(verbose: int):
    match verbose:
        case 1:
            level = "INFO"
        case 2:
            level = "DEBUG"
        case 3:
            level = "TRACE"
        case _:
            level = "ERROR"
    log.remove()
    log.add(lambda msg: tqdm.write(msg, end=""), colorize=True, level=level)


@click.group()
def cli():
    pass


@click.command()
@click.option(
    "-d",
    "--directory",
    help="The full path to the root directory containing pdfs to upload",
    type=click.Path(exists=True),
    default=None,
)
@click.option("-v", "--verbose", count=True)
def upload(directory: str, verbose: int):
    configure_logging(verbose)
    log.info(f"Uploading pfs found in directory {directory}...")
    retriever = Retriever()
    pdfs = Path(directory).glob("**/*.pdf")
    for path in tqdm(list(pdfs)):
        retriever.add_pdf(path=path)


@click.command()
@click.option(
    "-q",
    "--query",
    prompt_required=False,
    help="The query for rag",
    prompt="Enter your query",
)
@click.option(
    "-c",
    "--client",
    type=click.Choice(["local", "cohere"], case_sensitive=False),
    default="local",
    help="Generator and rerank model",
)
@click.option("-v", "--verbose", count=True)
def rag(query: str, client: str, verbose: int):
    configure_logging(verbose)
    rag = Rag(client)
    documents = rag.retrieve(query)
    prompt = Prompt(query, documents, client)
    print("Answer: ")
    for chunk in rag.generate(prompt):
        print(chunk, end="", flush=True)

    print("\n\n")
    for i, doc in enumerate(prompt.documents):
        print(f"### Document {i}")
        print(f"**Title: {doc.title}**")
        print(doc.text)
        print("---")


@click.command()
@click.confirmation_option(prompt="Are you sure you want to drop the db?")
def drop():
    log.debug("Deleting all data...")
    retriever = Retriever()
    doc_db = retriever.doc_db
    doc_db.delete_all()
    vec_db = retriever.vec_db
    vec_db.delete_collection()


cli.add_command(rag)
cli.add_command(upload)
cli.add_command(drop)

if __name__ == "__main__":
    load_dotenv()
    cli()