Spaces:
Sleeping
Sleeping
File size: 6,686 Bytes
eaa3d2a |
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 |
import gradio as gr
import sqlite3
import pandas as pd
from pathlib import Path
import re
def get_db_connection():
db_path = Path(__file__).parent / 'data' / 'samaritanus.db'
return sqlite3.connect(db_path)
def highlight_text(text, search_term):
if not search_term:
return text
pattern = re.escape(search_term)
return re.sub(f'({pattern})', r'<mark>\1</mark>', text, flags=re.IGNORECASE)
def search_verses(search_term, exact_match, page=1, per_page=10):
conn = get_db_connection()
if exact_match:
# Exact match
query = """
SELECT v.*,
COUNT(*) OVER() as total_count
FROM verses v
JOIN verses_fts fts ON v.id = fts.rowid
WHERE verses_fts MATCH ?
ORDER BY v.book, v.chapter, v.verse
LIMIT ? OFFSET ?
"""
params = [search_term, per_page, (page - 1) * per_page]
else:
# Fuzzy match using SQLite's built-in fuzzy search
words = search_term.split()
# Permissive fuzzy match - use more lenient matching
fuzzy_terms = []
for word in words:
# Add the word itself
fuzzy_terms.append(word)
# Add prefix match
fuzzy_terms.append(f"{word}*")
match_expr = " OR ".join(fuzzy_terms)
query = """
SELECT v.*,
COUNT(*) OVER() as total_count
FROM verses v
JOIN verses_fts fts ON v.id = fts.rowid
WHERE verses_fts MATCH ?
ORDER BY v.book, v.chapter, v.verse
LIMIT ? OFFSET ?
"""
params = [match_expr, per_page, (page - 1) * per_page]
df = pd.read_sql_query(query, conn, params=params)
conn.close()
return df
def format_results(results):
if results.empty:
return "No results found"
formatted_results = []
for _, row in results.iterrows():
verse_ref = f"{row['book_name']} {row['chapter']}:{row['verse']}"
verse_text = row['text']
formatted_results.append(f"<div style='text-align: right; direction: rtl;'><b>{verse_ref}</b><br>{verse_text}</div><hr>")
return "\n".join(formatted_results)
def search(search_term, exact_match, page=1):
if not search_term:
return "Please enter a search term", 1, 1
results = search_verses(search_term, exact_match, page)
if results.empty:
return "No results found", 1, 1
total_results = results['total_count'].iloc[0]
total_pages = (total_results + 9) // 10 # Round up division
formatted_results = format_results(results)
result_count = f"Found {total_results} {'result' if total_results == 1 else 'results'}"
return f"{result_count}\n\n{formatted_results}", page, total_pages
# Custom CSS
css = """
@font-face {
font-family: 'NarkisClassic';
src: url('https://raw.githubusercontent.com/johnlockejrr/samaritanus_search/main/public/fonts/NarkisClassic-Regular.woff') format('woff');
font-weight: normal;
font-style: normal;
}
@font-face {
font-family: 'NarkisClassic';
src: url('https://raw.githubusercontent.com/johnlockejrr/samaritanus_search/main/public/fonts/NarkisClassic-Bold.woff') format('woff');
font-weight: bold;
font-style: normal;
}
.gradio-container {
font-family: 'NarkisClassic', serif;
}
mark {
background-color: yellow;
font-weight: bold;
}
"""
# Create the Gradio interface
with gr.Blocks(css=css) as demo:
gr.Markdown("# Samaritan Torah Search")
# Store current page in session state
current_page = gr.State(1)
total_pages = gr.State(1)
with gr.Row():
search_input = gr.Textbox(
label="Search",
placeholder="Enter search term...",
scale=4
)
search_type = gr.Radio(
choices=["Exact Match", "Fuzzy Match"],
value="Exact Match",
label="Search Type",
scale=1
)
search_button = gr.Button("Search")
with gr.Row():
output = gr.Markdown()
with gr.Row(visible=False) as pagination_row:
with gr.Column(scale=1):
prev_button = gr.Button("β", size="sm")
with gr.Column(scale=3):
page_info = gr.Markdown()
with gr.Column(scale=1):
next_button = gr.Button("β", size="sm")
def search_wrapper(search_term, search_type, page):
exact_match = search_type == "Exact Match"
return search(search_term, exact_match, page)
def reset_page():
return 1, 1
def update_pagination(page, total):
if total > 1:
return gr.Row.update(visible=True), f"Page {page} of {total}"
return gr.Row.update(visible=False), ""
def prev_page(page, total):
if page > 1:
return page - 1
return page
def next_page(page, total):
if page < total:
return page + 1
return page
# Search button click
search_button.click(
fn=reset_page,
outputs=[current_page, total_pages]
).then(
fn=search_wrapper,
inputs=[search_input, search_type, current_page],
outputs=[output, current_page, total_pages]
).then(
fn=update_pagination,
inputs=[current_page, total_pages],
outputs=[pagination_row, page_info]
)
# Search input submit
search_input.submit(
fn=reset_page,
outputs=[current_page, total_pages]
).then(
fn=search_wrapper,
inputs=[search_input, search_type, current_page],
outputs=[output, current_page, total_pages]
).then(
fn=update_pagination,
inputs=[current_page, total_pages],
outputs=[pagination_row, page_info]
)
# Pagination buttons
prev_button.click(
fn=prev_page,
inputs=[current_page, total_pages],
outputs=current_page
).then(
fn=search_wrapper,
inputs=[search_input, search_type, current_page],
outputs=[output, current_page, total_pages]
).then(
fn=update_pagination,
inputs=[current_page, total_pages],
outputs=[pagination_row, page_info]
)
next_button.click(
fn=next_page,
inputs=[current_page, total_pages],
outputs=current_page
).then(
fn=search_wrapper,
inputs=[search_input, search_type, current_page],
outputs=[output, current_page, total_pages]
).then(
fn=update_pagination,
inputs=[current_page, total_pages],
outputs=[pagination_row, page_info]
)
if __name__ == "__main__":
demo.launch() |