Spaces:
Sleeping
Sleeping
File size: 15,123 Bytes
5d9aa5e f011b22 5d9aa5e f011b22 5d9aa5e f011b22 5d9aa5e f011b22 5d9aa5e f011b22 5d9aa5e f011b22 5d9aa5e f011b22 5d9aa5e f011b22 5d9aa5e 40264e9 5d9aa5e 7ab72dd |
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 |
"""
Utilities for analyzing and understanding questions.
"""
import re
import json
import os
from typing import Dict, Any, List, Optional, Tuple, Set
class QuestionAnalyzer:
"""
Class for analyzing and understanding questions.
"""
def __init__(self, resource_dir: str, metadata_path: Optional[str] = None):
"""
Initialize the question analyzer.
Args:
resource_dir: Directory containing resource files
metadata_path: Path to the metadata file (optional)
"""
self.resource_dir = resource_dir
self.metadata_path = metadata_path or os.path.join(resource_dir, 'metadata.jsonl')
self.metadata = self._load_metadata()
def _load_metadata(self) -> Dict[str, Dict[str, Any]]:
"""
Load metadata from the metadata file.
Returns:
Dictionary mapping task IDs to metadata
"""
metadata = {}
if os.path.exists(self.metadata_path):
try:
with open(self.metadata_path, 'r', encoding='utf-8') as f:
for line in f:
entry = json.loads(line.strip())
task_id = entry.get('task_id')
if task_id:
metadata[task_id] = entry
except Exception as e:
print(f"Error loading metadata: {e}")
return metadata
def extract_file_mention(self, question: str) -> Optional[str]:
"""
Extract mentioned file name from the question.
Args:
question: The question to analyze
Returns:
Mentioned file name, or None if no file is mentioned
"""
# Look for "attached file" or "attached spreadsheet" patterns
attached_pattern = r'attached (?:file|spreadsheet|document|image|picture|pdf|excel|csv|text file|zip|archive) (?:named |called |")?([\w\.-]+)'
match = re.search(attached_pattern, question, re.IGNORECASE)
if match:
return match.group(1)
# Look for file extensions
extensions = [
'.xlsx', '.xls', '.csv', '.txt', '.pdf', '.jpg', '.jpeg',
'.png', '.docx', '.pptx', '.json', '.jsonld', '.zip', '.pdb', '.py'
]
for ext in extensions:
pattern = r'(\w+(?:-\w+)*' + re.escape(ext) + r')'
match = re.search(pattern, question, re.IGNORECASE)
if match:
return match.group(1)
return None
def find_relevant_file(self, question: str, task_id: Optional[str] = None) -> Optional[str]:
"""
Find the relevant file for a question.
Args:
question: The question to analyze
task_id: The task ID (optional)
Returns:
Path to the relevant file, or None if no file is found
"""
# Check if task_id is in metadata and has a file_name
if task_id and task_id in self.metadata:
file_name = self.metadata[task_id].get('file_name')
if file_name and file_name.strip(): # Make sure file_name is not empty
file_path = os.path.join(self.resource_dir, file_name)
if os.path.exists(file_path):
print(f"Found file in metadata for task_id {task_id}: {file_path}")
return file_path
# Try to find task_id in all metadata entries by matching the question
if not task_id:
for entry_id, entry in self.metadata.items():
if entry.get('Question') and entry.get('Question') == question:
file_name = entry.get('file_name')
if file_name and file_name.strip():
file_path = os.path.join(self.resource_dir, file_name)
if os.path.exists(file_path):
print(f"Found file in metadata by matching question: {file_path}")
return file_path
# Extract file mention from question
file_mention = self.extract_file_mention(question)
if file_mention:
# Check if the mentioned file exists
file_path = os.path.join(self.resource_dir, file_mention)
if os.path.exists(file_path):
print(f"Found file by direct mention: {file_path}")
return file_path
# Check if there's a file with a similar name
for file_name in os.listdir(self.resource_dir):
if file_mention.lower() in file_name.lower():
file_path = os.path.join(self.resource_dir, file_name)
print(f"Found file by partial name match: {file_path}")
return file_path
# Look for UUID pattern in the question which might be a file name without extension
uuid_pattern = r'([0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12})'
uuid_match = re.search(uuid_pattern, question, re.IGNORECASE)
if uuid_match:
uuid = uuid_match.group(1)
for file_name in os.listdir(self.resource_dir):
if uuid in file_name:
file_path = os.path.join(self.resource_dir, file_name)
print(f"Found file by UUID match: {file_path}")
return file_path
# If no file is found, try to find a file mentioned in the metadata
if task_id and task_id in self.metadata:
# Extract keywords from the question
keywords = self._extract_keywords(question)
# Check all files in the resource directory
best_match = None
best_score = 0
for file_name in os.listdir(self.resource_dir):
# Skip metadata file
if file_name == 'metadata.jsonl':
continue
# Calculate score based on keyword matches
score = 0
for keyword in keywords:
if keyword.lower() in file_name.lower():
score += 1
if score > best_score:
best_score = score
best_match = file_name
if best_match:
file_path = os.path.join(self.resource_dir, best_match)
print(f"Found file by keyword matching: {file_path}")
return file_path
# If still no match, check the content of metadata.jsonl for clues
try:
with open(self.metadata_path, 'r', encoding='utf-8') as f:
for line in f:
entry = json.loads(line.strip())
if 'Question' in entry and entry['Question'] and 'file_name' in entry and entry['file_name']:
# Compare with current question
if self._questions_are_similar(question, entry['Question']):
file_name = entry['file_name']
file_path = os.path.join(self.resource_dir, file_name)
if os.path.exists(file_path):
print(f"Found file by similar question in metadata: {file_path}")
return file_path
except Exception as e:
print(f"Error searching metadata for similar questions: {e}")
return None
def _questions_are_similar(self, q1: str, q2: str) -> bool:
"""
Check if two questions are similar.
Args:
q1: First question
q2: Second question
Returns:
True if the questions are similar, False otherwise
"""
# Convert to lowercase and remove punctuation
q1 = re.sub(r'[^\w\s]', '', q1.lower())
q2 = re.sub(r'[^\w\s]', '', q2.lower())
# Split into words
words1 = set(q1.split())
words2 = set(q2.split())
# Calculate Jaccard similarity
intersection = len(words1.intersection(words2))
union = len(words1.union(words2))
if union == 0:
return False
similarity = intersection / union
# Return True if similarity is above threshold
return similarity > 0.5
def _extract_keywords(self, text: str) -> Set[str]:
"""
Extract keywords from text.
Args:
text: The text to analyze
Returns:
Set of keywords
"""
# Remove common stop words
stop_words = {
'a', 'an', 'the', 'and', 'or', 'but', 'if', 'then', 'else', 'when',
'at', 'from', 'by', 'for', 'with', 'about', 'against', 'between',
'into', 'through', 'during', 'before', 'after', 'above', 'below',
'to', 'of', 'in', 'on', 'is', 'are', 'was', 'were', 'be', 'been',
'being', 'have', 'has', 'had', 'having', 'do', 'does', 'did',
'doing', 'would', 'should', 'could', 'might', 'will', 'shall',
'can', 'may', 'must', 'ought'
}
# Extract words
words = re.findall(r'\b\w+\b', text.lower())
# Filter out stop words and short words
keywords = {word for word in words if word not in stop_words and len(word) > 2}
return keywords
def analyze_question(self, question: str, task_id: Optional[str] = None) -> Dict[str, Any]:
"""
Analyze a question to understand what it's asking.
Args:
question: The question to analyze
task_id: The task ID (optional)
Returns:
Dictionary containing analysis results
"""
result = {
'question': question,
'task_id': task_id,
'file_path': None,
'keywords': list(self._extract_keywords(question)),
'expected_answer': None,
}
# Try to extract task_id from the question if not provided
if not task_id:
task_id_match = re.search(r'task_id[: ]+([\w\-]+)', question, re.IGNORECASE)
if task_id_match:
result['task_id'] = task_id_match.group(1)
task_id = result['task_id']
# Find relevant file
file_path = self.find_relevant_file(question, task_id)
if file_path:
result['file_path'] = file_path
# Get expected answer if available
if task_id and task_id in self.metadata:
# Check multiple possible fields for the answer
for answer_field in ['answer', 'Final answer', 'expected_answer']:
if answer_field in self.metadata[task_id]:
result['expected_answer'] = self.metadata[task_id].get(answer_field)
break
# If we still don't have an expected answer, search the metadata file again
if not result['expected_answer'] and os.path.exists(self.metadata_path):
try:
with open(self.metadata_path, 'r', encoding='utf-8') as f:
for line in f:
try:
entry = json.loads(line.strip())
if entry.get('task_id') == task_id:
for answer_field in ['answer', 'Final answer', 'expected_answer']:
if answer_field in entry:
result['expected_answer'] = entry[answer_field]
break
if result['expected_answer']:
break
# Also check if the task_id is in the question field
if task_id and 'question' in entry and task_id in entry['question']:
for answer_field in ['answer', 'Final answer', 'expected_answer']:
if answer_field in entry:
result['expected_answer'] = entry[answer_field]
break
if result['expected_answer']:
break
except json.JSONDecodeError:
continue
except Exception as e:
print(f"Error searching metadata for expected answer: {e}")
return result
def find_file_by_task_id(self, task_id: str) -> Optional[str]:
"""
Find a file path by task_id in metadata.
Args:
task_id: The task ID
Returns:
File path if found, None otherwise
"""
if not task_id:
return None
# Check if we have this task_id in our metadata
if task_id in self.metadata:
file_name = self.metadata[task_id].get('file_name')
if file_name:
file_path = os.path.join(self.resource_dir, file_name)
if os.path.exists(file_path):
print(f"Found file in metadata for task_id {task_id}: {file_path}")
return file_path
# Search through metadata file again to find the task_id
try:
with open(self.metadata_path, 'r', encoding='utf-8') as f:
for line in f:
try:
entry = json.loads(line.strip())
if entry.get('task_id') == task_id and 'file_name' in entry:
file_name = entry['file_name']
file_path = os.path.join(self.resource_dir, file_name)
if os.path.exists(file_path):
print(f"Found file in metadata for task_id {task_id}: {file_path}")
return file_path
# If the file doesn't exist with the exact path, look for similar files
for existing_file in os.listdir(self.resource_dir):
if task_id in existing_file:
file_path = os.path.join(self.resource_dir, existing_file)
print(f"Found file matching task_id {task_id}: {file_path}")
return file_path
except json.JSONDecodeError:
continue
except Exception as e:
print(f"Error searching metadata for file by task_id: {e}")
return None
|