Spaces:
Sleeping
Sleeping
File size: 8,377 Bytes
641c418 62fcaa3 53d89cd 641c418 3accd40 641c418 53d89cd 641c418 0bfab9f affa385 641c418 affa385 641c418 affa385 0bfab9f 641c418 62fcaa3 53d89cd 0bfab9f 62fcaa3 53d89cd 641c418 53d89cd 641c418 | 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 | #data_loader
import os
import re
import json
import csv
import codecs
import requests
import PyPDF2
from docx import Document
import openpyxl
from bs4 import BeautifulSoup
# ? Normalize utility
def normalize_prompt(text):
text = text.strip().lower()
text = re.sub(r"[;:,.!?]+$", "", text)
text = re.sub(r"[^\w\s]", "", text)
#text = re.sub(r"\b(what|actually|please|tell|me|about|can|you|explain|is|the|do)\b", "", text)
text = re.sub(r"\b(what|actually|please|tell|me|about|can|you|explain|is|the|do|does|give|show)\b(?!\w)", "", text)
return re.sub(r"\s+", " ", text).strip()
# ? Output cleanup for SQL responses
def clean_sql_output(raw_text):
try:
decoded = codecs.decode(raw_text.strip(), 'unicode_escape')
return decoded.replace(";;", ";").replace("\n\n\n", "\n\n").strip()
except Exception as e:
print("?? Cleaning error:", e)
return raw_text.strip()
# ? Existing basic rule loader
def load_rules(file_path="data/train_data.txt"):
data = {}
if os.path.exists(file_path):
with open(file_path, "r", encoding="utf-8") as file:
for line in file:
if "=" in line:
key, value = line.strip().split("=", 1)
data[key.strip().lower()] = clean_sql_output(value)
return data
# ? Domain routing logic
def detect_domain(prompt):
prompt = prompt.lower()
if any(word in prompt for word in ["salary", "financial", "transaction", "ledger"]):
return "data/finance.txt"
elif any(word in prompt for word in ["employee", "hr", "hiring"]):
return "data/hr.txt"
elif any(word in prompt for word in ["sale", "customer", "order"]):
return "data/sales.txt"
else:
return None
def load_rules_by_domain(prompt):
domain_file = detect_domain(prompt)
if domain_file and os.path.exists(domain_file):
domain_rules = load_rules(domain_file)
if prompt in domain_rules:
return domain_rules[prompt]
return None
# ? Extended loaders for structured files
def load_txt(path):
pairs = []
with open(path, 'r', encoding='utf-8') as f:
for line in f:
if '=' in line:
prompt, answer = line.split('=', 1)
pairs.append((normalize_prompt(prompt), answer.strip()))
return pairs
def load_json(path):
pairs = []
with open(path, 'r', encoding='utf-8') as f:
for entry in json.load(f):
pairs.append((normalize_prompt(entry['prompt']), entry['answer'].strip()))
return pairs
def load_csv(path):
pairs = []
with open(path, newline='', encoding='utf-8') as csvfile:
reader = csv.DictReader(csvfile)
for row in reader:
if 'prompt' in row and 'answer' in row:
pairs.append((normalize_prompt(row['prompt']), row['answer'].strip()))
return pairs
def load_pdf(path):
pairs = []
with open(path, 'rb') as f:
reader = PyPDF2.PdfReader(f)
text = "\n".join([p.extract_text() for p in reader.pages if p.extract_text()])
for line in text.split("\n"):
if '=' in line:
prompt, answer = line.split('=', 1)
pairs.append((normalize_prompt(prompt), answer.strip()))
return pairs
def load_docx(path):
pairs = []
doc = Document(path)
for para in doc.paragraphs:
if "=" in para.text:
prompt, answer = para.text.split("=", 1)
pairs.append((normalize_prompt(prompt), answer.strip()))
return pairs
def load_xlsx(path):
pairs = []
wb = openpyxl.load_workbook(path)
for sheet in wb.worksheets:
for row in sheet.iter_rows(values_only=True):
if not row or len(row) < 2:
continue
prompt, answer = row[0], row[1]
if isinstance(prompt, str) and isinstance(answer, str) and "=" not in prompt:
pairs.append((normalize_prompt(prompt), answer.strip()))
elif isinstance(prompt, str) and "=" in prompt:
p, a = prompt.split("=", 1)
pairs.append((normalize_prompt(p), a.strip()))
return pairs
# ? Load from GitHub/HuggingFace (TXT/JSON)
def fetch_text_from_url(url):
try:
resp = requests.get(url, timeout=10)
resp.raise_for_status()
return resp.text
except Exception as e:
print(f"?? Error reading remote file {url}: {e}")
return ""
# ? Dispatcher for local files
def load_prompts_from_file(path):
if path.endswith('.txt'):
return load_txt(path)
elif path.endswith('.json'):
return load_json(path)
elif path.endswith('.csv'):
return load_csv(path)
elif path.endswith('.pdf'):
return load_pdf(path)
elif path.endswith('.docx'):
return load_docx(path)
elif path.endswith('.xlsx'):
return load_xlsx(path)
else:
print(f"? Unsupported format: {path}")
return []
def load_prompts_from_url(url):
pairs = []
text = fetch_text_from_url(url)
if not text:
return []
if url.endswith(".txt"):
for line in text.splitlines():
if '=' in line:
prompt, answer = line.split('=', 1)
pairs.append((normalize_prompt(prompt), answer.strip()))
elif url.endswith(".json"):
try:
data = json.loads(text)
for entry in data:
pairs.append((normalize_prompt(entry['prompt']), entry['answer'].strip()))
except Exception as e:
print(f"?? JSON parsing failed: {e}")
return pairs
def load_prompt_pairs(path):
import json, csv
import requests
import io
import PyPDF2
def is_url(p): return p.startswith("http")
ext = path.split(".")[-1].lower()
data = []
if is_url(path):
response = requests.get(path)
response.raise_for_status()
content = response.content
if ext == "json":
parsed = json.loads(content.decode("utf-8"))
for entry in parsed:
data.append((normalize_prompt(entry['prompt']), entry['answer'].strip()))
elif ext == "csv":
reader = csv.DictReader(io.StringIO(content.decode("utf-8")))
for row in reader:
data.append((normalize_prompt(row['prompt']), row['answer'].strip()))
elif ext == "txt":
for line in content.decode("utf-8", errors="replace").splitlines():
if "=" in line:
p, a = line.split("=", 1)
data.append((normalize_prompt(p), a.strip()))
elif ext == "pdf":
reader = PyPDF2.PdfReader(io.BytesIO(content))
for page in reader.pages:
text = page.extract_text()
if text:
for line in text.splitlines():
if "=" in line:
p, a = line.split("=", 1)
data.append((normalize_prompt(p), a.strip()))
else:
with open(path, "r", encoding="utf-8", errors="replace") as f:
lines = f.readlines()
for line in lines:
line = line.strip()
if "=" in line:
p, a = line.split("=", 1)
data.append((normalize_prompt(p), a.strip()))
return data
def list_files_from_github_folder(github_folder_url):
try:
html = requests.get(github_folder_url).text
soup = BeautifulSoup(html, "lxml")
links = soup.select("a.js-navigation-open")
raw_base = github_folder_url.replace("github.com", "raw.githubusercontent.com").replace("/blob", "")
file_links = []
for link in links:
href = link.get("href", "")
if any(href.endswith(ext) for ext in [".txt", ".json", ".csv", ".pdf", ".docx", ".xlsx"]):
file_links.append(f"https://{raw_base.split('/', 2)[-1].split('/')[0]}/{href.split('/', 2)[-1]}")
return file_links
except Exception as e:
print("⚠️ GitHub scan error:", e)
return []
|