mirror of
https://github.com/crewAIInc/crewAI.git
synced 2026-01-08 15:48:29 +00:00
- Replace Dict, List, Set, Tuple with dict, list, set, tuple throughout codebase - Add missing type annotations to crew_events.py methods - Add proper type annotations to test_crew_cancellation.py - Use type: ignore[method-assign] comments for mock assignments - Maintain backward compatibility while modernizing type hints This resolves lint and type-checker failures in CI while preserving the cancellation functionality. Co-Authored-By: João <joao@crewai.com>
78 lines
2.4 KiB
Python
78 lines
2.4 KiB
Python
import os
|
|
from typing import Any, Optional
|
|
|
|
from pydantic import BaseModel, ConfigDict, Field
|
|
|
|
from crewai.knowledge.source.base_knowledge_source import BaseKnowledgeSource
|
|
from crewai.knowledge.storage.knowledge_storage import KnowledgeStorage
|
|
|
|
os.environ["TOKENIZERS_PARALLELISM"] = "false" # removes logging from fastembed
|
|
|
|
|
|
class Knowledge(BaseModel):
|
|
"""
|
|
Knowledge is a collection of sources and setup for the vector store to save and query relevant context.
|
|
Args:
|
|
sources: list[BaseKnowledgeSource] = Field(default_factory=list)
|
|
storage: Optional[KnowledgeStorage] = Field(default=None)
|
|
embedder: Optional[dict[str, Any]] = None
|
|
"""
|
|
|
|
sources: list[BaseKnowledgeSource] = Field(default_factory=list)
|
|
model_config = ConfigDict(arbitrary_types_allowed=True)
|
|
storage: Optional[KnowledgeStorage] = Field(default=None)
|
|
embedder: Optional[dict[str, Any]] = None
|
|
collection_name: Optional[str] = None
|
|
|
|
def __init__(
|
|
self,
|
|
collection_name: str,
|
|
sources: list[BaseKnowledgeSource],
|
|
embedder: Optional[dict[str, Any]] = None,
|
|
storage: Optional[KnowledgeStorage] = None,
|
|
**data,
|
|
):
|
|
super().__init__(**data)
|
|
if storage:
|
|
self.storage = storage
|
|
else:
|
|
self.storage = KnowledgeStorage(
|
|
embedder=embedder, collection_name=collection_name
|
|
)
|
|
self.sources = sources
|
|
self.storage.initialize_knowledge_storage()
|
|
|
|
def query(
|
|
self, query: list[str], results_limit: int = 3, score_threshold: float = 0.35
|
|
) -> list[dict[str, Any]]:
|
|
"""
|
|
Query across all knowledge sources to find the most relevant information.
|
|
Returns the top_k most relevant chunks.
|
|
|
|
Raises:
|
|
ValueError: If storage is not initialized.
|
|
"""
|
|
if self.storage is None:
|
|
raise ValueError("Storage is not initialized.")
|
|
|
|
results = self.storage.search(
|
|
query,
|
|
limit=results_limit,
|
|
score_threshold=score_threshold,
|
|
)
|
|
return results
|
|
|
|
def add_sources(self):
|
|
try:
|
|
for source in self.sources:
|
|
source.storage = self.storage
|
|
source.add()
|
|
except Exception as e:
|
|
raise e
|
|
|
|
def reset(self) -> None:
|
|
if self.storage:
|
|
self.storage.reset()
|
|
else:
|
|
raise ValueError("Storage is not initialized.")
|