Spaces:
Sleeping
Sleeping
File size: 22,014 Bytes
ced61cd | 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 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 | import sqlite3
from typing import List, Optional, Dict, Any
from langchain.schema import Document
from langchain.document_loaders.base import BaseLoader
import logging
import re
from datetime import datetime
# Set up logging
logging.basicConfig(level=logging.INFO)
logger = logging.getLogger(__name__)
class DiaryDataLoader(BaseLoader):
"""
Custom LangChain document loader for diary entries from SQLite database.
Enhanced with detailed metadata extraction for better indexing.
"""
def __init__(
self,
db_path: str,
table_name: str = "diary_entries",
content_column: str = "content",
date_column: str = "date",
tags_column: str = "tags",
id_column: str = "id",
user_id: int = 1
):
"""
Initialize the DiaryDataLoader.
Args:
db_path (str): Path to the SQLite database file
table_name (str): Name of the table containing diary entries
content_column (str): Name of the column containing diary content
date_column (str): Name of the column containing entry dates
tags_column (str): Name of the column containing entry tags
id_column (str): Name of the column containing entry IDs
user_id (int): ID of the user for filtering diary entries
"""
self.db_path = db_path
self.table_name = table_name
self.content_column = content_column
self.date_column = date_column
self.tags_column = tags_column
self.id_column = id_column
self.user_id = user_id
def _extract_tags_from_content(self, content: str) -> List[str]:
"""
Extract #tags from content string.
Args:
content: The diary content string
Returns:
List of tags found (without # symbol)
"""
if not content:
return []
# Find all #tags in content
tag_pattern = r'#(\w+(?:[_-]\w+)*)'
matches = re.findall(tag_pattern, content, re.IGNORECASE)
# Remove duplicates and return lowercase tags
return list(set([tag.lower() for tag in matches]))
def _extract_location_from_content(self, content: str) -> Optional[str]:
"""
Extract location information from content using common patterns.
Args:
content: The diary content string
Returns:
Location string if found, None otherwise
"""
if not content:
return None
# Common location patterns
location_patterns = [
r'at\s+([A-Z][a-zA-Z\s]+(?:Park|Beach|Mall|Store|Restaurant|Cafe|Office|Home|School|University))',
r'in\s+([A-Z][a-zA-Z\s]+(?:City|District|Area|Street|Road))',
r'went\s+to\s+([A-Z][a-zA-Z\s]+)',
r'visited\s+([A-Z][a-zA-Z\s]+)',
r'location:\s*([A-Za-z\s]+)',
r'place:\s*([A-Za-z\s]+)'
]
for pattern in location_patterns:
matches = re.findall(pattern, content, re.IGNORECASE)
if matches:
return matches[0].strip()
return None
def _extract_people_from_content(self, content: str) -> List[str]:
"""
Extract people/relationships mentioned in content.
Args:
content: The diary content string
Returns:
List of people/relationships mentioned
"""
if not content:
return []
# Common relationship patterns
people_patterns = [
r'with\s+(my\s+)?(\w+(?:\s+\w+)?)',
r'(mom|dad|mother|father|sister|brother|friend|colleague|boss|teacher)',
r'(family|friends|team|colleagues)',
r'met\s+([\w\s]+)',
r'talked\s+to\s+([\w\s]+)'
]
people = set()
for pattern in people_patterns:
matches = re.findall(pattern, content, re.IGNORECASE)
for match in matches:
if isinstance(match, tuple):
for part in match:
if part.strip():
people.add(part.strip().lower())
else:
people.add(match.strip().lower())
# Filter out common words that are not people
exclude_words = {'the', 'and', 'or', 'but', 'in', 'on', 'at', 'to', 'for', 'of', 'with', 'by'}
people = [p for p in people if p not in exclude_words and len(p) > 2]
return list(people)
def _get_day_of_week(self, date_str: str) -> str:
"""
Get day of week from date string.
Args:
date_str: Date string in YYYY-MM-DD format
Returns:
Day of week (e.g., 'Monday', 'Tuesday', etc.)
"""
try:
date_obj = datetime.strptime(date_str, '%Y-%m-%d')
return date_obj.strftime('%A')
except:
return 'Unknown'
def _extract_content_from_structured_format(self, raw_content: str) -> tuple:
"""
Extract actual content from structured format like:
Title: xxxx
Type: Text
Content: actual content here
Returns:
tuple: (title, actual_content)
"""
lines = raw_content.strip().split('\n')
title = ""
content = ""
for line in lines:
if line.startswith("Title: "):
title = line.replace("Title: ", "").strip()
elif line.startswith("Content: "):
content = line.replace("Content: ", "").strip()
# If no structured format found, return original content
if not content:
content = raw_content
return title, content
def load(self) -> List[Document]:
"""
Load diary entries from the database and convert them to LangChain Documents.
Returns:
List[Document]: List of LangChain Document objects
"""
documents = []
try:
# Connect to the SQLite database
conn = sqlite3.connect(self.db_path)
conn.row_factory = sqlite3.Row # Enable accessing columns by name
cursor = conn.cursor()
# Build the SQL query with all required columns
columns = [self.id_column, self.date_column, self.content_column, self.tags_column]
query = f"SELECT {', '.join(columns)} FROM {self.table_name} WHERE user_id = ? ORDER BY {self.date_column} DESC"
# Execute the query
cursor.execute(query, (self.user_id,))
rows = cursor.fetchall()
logger.info(f"Loaded {len(rows)} diary entries from database")
# Convert each row to a LangChain Document with enhanced metadata
for row in rows:
row_dict = dict(row) if hasattr(row, 'keys') else {
self.id_column: row[0],
self.date_column: row[1],
self.content_column: row[2],
self.tags_column: row[3] if len(row) > 3 else ""
}
raw_content = row_dict[self.content_column]
date = row_dict[self.date_column]
entry_id = row_dict.get(self.id_column, "unknown")
db_tags = row_dict.get(self.tags_column, "")
# Extract structured content
title, actual_content = self._extract_content_from_structured_format(raw_content)
# Extract comprehensive metadata
content_tags = self._extract_tags_from_content(actual_content)
db_tag_list = [tag.strip() for tag in db_tags.split(',') if tag.strip()] if db_tags else []
all_tags = list(set(content_tags + db_tag_list)) # Combine and deduplicate
location = self._extract_location_from_content(actual_content)
people = self._extract_people_from_content(actual_content)
day_of_week = self._get_day_of_week(date)
# Create comprehensive metadata for the document
metadata = {
"source": self.db_path,
"entry_id": str(entry_id),
"date": date,
"day_of_week": day_of_week,
"type": "diary_entry",
"tags": all_tags,
"tag_count": len(all_tags),
"content_length": len(actual_content),
"word_count": len(actual_content.split())
}
# Add optional metadata if available
if title:
metadata["title"] = title
if location:
metadata["location"] = location
if people:
metadata["people"] = people
metadata["people_count"] = len(people)
# Add mood/sentiment tags if present
mood_tags = [tag for tag in all_tags if tag in ['happy', 'sad', 'excited', 'tired', 'angry', 'peaceful', 'stressed', 'grateful', 'frustrated', 'motivated']]
if mood_tags:
metadata["mood_tags"] = mood_tags
# Create Document object with actual content
document = Document(
page_content=actual_content,
metadata=metadata
)
documents.append(document)
conn.close()
logger.info(f"Successfully converted {len(documents)} entries to Documents")
except sqlite3.Error as e:
logger.error(f"Database error: {e}")
raise
except Exception as e:
logger.error(f"Error loading diary data: {e}")
raise
return documents
def load_by_date_range(self, start_date: str, end_date: str) -> List[Document]:
"""
Load diary entries within a specific date range.
Args:
start_date (str): Start date in YYYY-MM-DD format
end_date (str): End date in YYYY-MM-DD format
Returns:
List[Document]: Filtered list of Document objects
"""
documents = []
try:
conn = sqlite3.connect(self.db_path)
conn.row_factory = sqlite3.Row
cursor = conn.cursor()
columns = [self.content_column, self.date_column]
# if self.title_column:
# columns.append(self.title_column)
query = f"""
SELECT {', '.join(columns)}
FROM {self.table_name}
WHERE user_id = ? AND {self.date_column} BETWEEN ? AND ?
ORDER BY {self.date_column}
"""
cursor.execute(query, (self.user_id, start_date, end_date))
rows = cursor.fetchall()
logger.info(f"Loaded {len(rows)} diary entries from {start_date} to {end_date}")
for row in rows:
raw_content = row[self.content_column]
date = row[self.date_column]
# Extract structured content
title, actual_content = self._extract_content_from_structured_format(raw_content)
metadata = {
"source": self.db_path,
"date": date,
"type": "diary_entry",
"date_range": f"{start_date}_to_{end_date}"
}
# Add title to metadata if available
if title:
metadata["title"] = title
document = Document(
page_content=actual_content,
metadata=metadata
)
documents.append(document)
conn.close()
except sqlite3.Error as e:
logger.error(f"Database error: {e}")
raise
except Exception as e:
logger.error(f"Error loading diary data by date range: {e}")
raise
return documents
def get_table_info(self) -> dict:
"""
Get information about the database table structure.
Returns:
dict: Table information including columns and row count
"""
try:
conn = sqlite3.connect(self.db_path)
cursor = conn.cursor()
# Get table schema
cursor.execute(f"PRAGMA table_info({self.table_name})")
columns = cursor.fetchall()
# Get row count
cursor.execute(f"SELECT COUNT(*) FROM {self.table_name}")
row_count = cursor.fetchone()[0]
conn.close()
return {
"table_name": self.table_name,
"columns": [{"name": col[1], "type": col[2]} for col in columns],
"row_count": row_count
}
except sqlite3.Error as e:
logger.error(f"Database error: {e}")
raise
class DiaryContentPreprocessor:
"""
Preprocessor for diary content to clean and standardize text before indexing.
"""
def __init__(
self,
remove_extra_whitespace: bool = True,
normalize_line_breaks: bool = True,
min_content_length: int = 10,
max_content_length: Optional[int] = None
):
"""
Initialize the content preprocessor.
Args:
remove_extra_whitespace (bool): Remove extra spaces and tabs
normalize_line_breaks (bool): Normalize line breaks to single newlines
min_content_length (int): Minimum content length to keep
max_content_length (int, optional): Maximum content length to keep
"""
self.remove_extra_whitespace = remove_extra_whitespace
self.normalize_line_breaks = normalize_line_breaks
self.min_content_length = min_content_length
self.max_content_length = max_content_length
def preprocess_content(self, content: str) -> str:
"""
Preprocess diary content text.
Args:
content (str): Raw diary content
Returns:
str: Preprocessed content
"""
if not content or not isinstance(content, str):
return ""
processed_content = content
# Remove extra whitespace
if self.remove_extra_whitespace:
processed_content = ' '.join(processed_content.split())
# Normalize line breaks
if self.normalize_line_breaks:
processed_content = processed_content.replace('\r\n', '\n').replace('\r', '\n')
# Remove multiple consecutive newlines
processed_content = re.sub(r'\n+', '\n', processed_content)
# Strip leading/trailing whitespace
processed_content = processed_content.strip()
# Check length constraints
if len(processed_content) < self.min_content_length:
logger.warning(f"Content too short ({len(processed_content)} chars), skipping")
return ""
if self.max_content_length and len(processed_content) > self.max_content_length:
logger.warning(f"Content too long ({len(processed_content)} chars), truncating")
processed_content = processed_content[:self.max_content_length]
return processed_content
def preprocess_documents(self, documents: List[Document]) -> List[Document]:
"""
Preprocess a list of Document objects.
Args:
documents (List[Document]): List of documents to preprocess
Returns:
List[Document]: List of preprocessed documents
"""
preprocessed_docs = []
for doc in documents:
processed_content = self.preprocess_content(doc.page_content)
# Skip empty content after preprocessing
if not processed_content:
continue
# Create new document with processed content
preprocessed_doc = Document(
page_content=processed_content,
metadata=doc.metadata.copy()
)
preprocessed_docs.append(preprocessed_doc)
logger.info(f"Preprocessed {len(documents)} documents, kept {len(preprocessed_docs)}")
return preprocessed_docs
def load_all_entries(self, user_id: int = None) -> List[Dict[str, Any]]:
"""
Load all diary entries for a specific user.
Args:
user_id: User ID to filter entries
Returns:
List of diary entry dictionaries
"""
if user_id is None:
user_id = self.user_id
entries = []
try:
conn = sqlite3.connect(self.db_path)
conn.row_factory = sqlite3.Row
cursor = conn.cursor()
query = f"""
SELECT id, user_id, date, content, tags, created_at
FROM {self.table_name}
WHERE user_id = ?
ORDER BY date DESC, created_at DESC
"""
cursor.execute(query, (user_id,))
rows = cursor.fetchall()
for row in rows:
entries.append({
'id': row['id'],
'user_id': row['user_id'],
'date': row['date'],
'content': row['content'],
'tags': row['tags'] or '',
'created_at': row['created_at']
})
conn.close()
logger.info(f"Loaded {len(entries)} entries for user {user_id}")
except sqlite3.Error as e:
logger.error(f"Database error loading entries: {e}")
return entries
def load_entries_since(self, since_date, user_id: int = None) -> List[Dict[str, Any]]:
"""
Load diary entries since a specific date.
Args:
since_date: datetime object or ISO string
user_id: User ID to filter entries
Returns:
List of diary entry dictionaries
"""
if user_id is None:
user_id = self.user_id
entries = []
try:
# Convert datetime to string if needed
if hasattr(since_date, 'isoformat'):
since_str = since_date.isoformat()
else:
since_str = str(since_date)
conn = sqlite3.connect(self.db_path)
conn.row_factory = sqlite3.Row
cursor = conn.cursor()
query = f"""
SELECT id, user_id, date, content, tags, created_at
FROM {self.table_name}
WHERE user_id = ? AND created_at > ?
ORDER BY date DESC, created_at DESC
"""
cursor.execute(query, (user_id, since_str))
rows = cursor.fetchall()
for row in rows:
entries.append({
'id': row['id'],
'user_id': row['user_id'],
'date': row['date'],
'content': row['content'],
'tags': row['tags'] or '',
'created_at': row['created_at']
})
conn.close()
logger.info(f"Loaded {len(entries)} entries since {since_str} for user {user_id}")
except sqlite3.Error as e:
logger.error(f"Database error loading entries since {since_date}: {e}")
return entries
# Example usage
if __name__ == "__main__":
# Initialize the loader
loader = DiaryDataLoader(
db_path="../streamlit_app/backend/diary.db",
table_name="diary_entries",
content_column="content",
date_column="date" #,
# title_column="title"
)
# Load all documents
documents = loader.load()
print(f"Loaded {len(documents)} diary entries")
# Load documents by date range
filtered_docs = loader.load_by_date_range("2024-01-01", "2026-12-31")
print(f"Loaded {len(filtered_docs)} entries from 2024")
# Get table information
table_info = loader.get_table_info()
print(f"Table info: {table_info}")
# view document contents
for doc in documents:
print(f"Document content: {doc.page_content}")
|