mirror of https://github.com/gmbrax/Pilgrim.git
Finished The basic Reference System it now parses the references added by the sidebar or written but only saves if the reference is valid
This commit is contained in:
parent
0ec480a851
commit
e492e2c248
|
|
@ -3,32 +3,39 @@ from typing import List
|
||||||
|
|
||||||
from ..models.entry import Entry
|
from ..models.entry import Entry
|
||||||
from ..models.travel_diary import TravelDiary
|
from ..models.travel_diary import TravelDiary
|
||||||
|
from ..models.photo import Photo # ✨ Importe o modelo Photo
|
||||||
|
|
||||||
|
|
||||||
class EntryService:
|
class EntryService:
|
||||||
def __init__(self,session):
|
def __init__(self, session):
|
||||||
self.session = session
|
self.session = session
|
||||||
|
|
||||||
def create(self, travel_diary_id:int, title: str, text: str, date: datetime, ):
|
# ✨ Modifique a assinatura para aceitar a lista de fotos
|
||||||
|
def create(self, travel_diary_id: int, title: str, text: str, date: datetime, photos: List[Photo]):
|
||||||
travel_diary = self.session.query(TravelDiary).filter(TravelDiary.id == travel_diary_id).first()
|
travel_diary = self.session.query(TravelDiary).filter(TravelDiary.id == travel_diary_id).first()
|
||||||
if not travel_diary:
|
if not travel_diary:
|
||||||
return None
|
return None
|
||||||
new_entry = Entry(title,text,date,travel_diary_id)
|
|
||||||
|
new_entry = Entry(title, text, date, travel_diary_id,photos=photos)
|
||||||
|
|
||||||
|
# ✨ Atribua a relação ANTES de adicionar e fazer o commit
|
||||||
|
new_entry.photos = photos
|
||||||
|
|
||||||
self.session.add(new_entry)
|
self.session.add(new_entry)
|
||||||
self.session.commit()
|
self.session.commit()
|
||||||
self.session.refresh(new_entry)
|
self.session.refresh(new_entry)
|
||||||
return new_entry
|
return new_entry
|
||||||
|
|
||||||
def read_by_id(self,entry_id:int)->Entry:
|
def read_by_id(self, entry_id: int) -> Entry:
|
||||||
entry = self.session.query(Entry).filter(Entry.id == entry_id).first()
|
entry = self.session.query(Entry).filter(Entry.id == entry_id).first()
|
||||||
return entry
|
return entry
|
||||||
|
|
||||||
def read_all(self)-> List[Entry]:
|
def read_all(self) -> List[Entry]:
|
||||||
entries = self.session.query(Entry).all()
|
entries = self.session.query(Entry).all()
|
||||||
return entries
|
return entries
|
||||||
|
|
||||||
def update(self,entry_src:Entry,entry_dst:Entry) -> Entry | None:
|
def update(self, entry_src: Entry, entry_dst: Entry) -> Entry | None:
|
||||||
original:Entry = self.read_by_id(entry_src.id)
|
original: Entry = self.read_by_id(entry_src.id)
|
||||||
if original:
|
if original:
|
||||||
original.title = entry_dst.title
|
original.title = entry_dst.title
|
||||||
original.text = entry_dst.text
|
original.text = entry_dst.text
|
||||||
|
|
@ -40,7 +47,7 @@ class EntryService:
|
||||||
return original
|
return original
|
||||||
return None
|
return None
|
||||||
|
|
||||||
def delete(self,entry_src:Entry)-> Entry | None:
|
def delete(self, entry_src: Entry) -> Entry | None:
|
||||||
excluded = self.read_by_id(entry_src.id)
|
excluded = self.read_by_id(entry_src.id)
|
||||||
if excluded is not None:
|
if excluded is not None:
|
||||||
self.session.delete(excluded)
|
self.session.delete(excluded)
|
||||||
|
|
|
||||||
|
|
@ -154,11 +154,11 @@ class EditEntryScreen(Screen):
|
||||||
"""Called when the screen is mounted"""
|
"""Called when the screen is mounted"""
|
||||||
self.sidebar.display = False
|
self.sidebar.display = False
|
||||||
self.sidebar_visible = False
|
self.sidebar_visible = False
|
||||||
|
|
||||||
# First update diary info, then refresh entries
|
# First update diary info, then refresh entries
|
||||||
self.update_diary_info()
|
self.update_diary_info()
|
||||||
self.refresh_entries()
|
self.refresh_entries()
|
||||||
|
|
||||||
# Initialize footer with editor context
|
# Initialize footer with editor context
|
||||||
self._update_footer_context()
|
self._update_footer_context()
|
||||||
# self.app.mount(self._photo_suggestion_widget) # Temporarily disabled
|
# self.app.mount(self._photo_suggestion_widget) # Temporarily disabled
|
||||||
|
|
@ -168,7 +168,7 @@ class EditEntryScreen(Screen):
|
||||||
try:
|
try:
|
||||||
service_manager = self.app.service_manager
|
service_manager = self.app.service_manager
|
||||||
travel_diary_service = service_manager.get_travel_diary_service()
|
travel_diary_service = service_manager.get_travel_diary_service()
|
||||||
|
|
||||||
diary = travel_diary_service.read_by_id(self.diary_id)
|
diary = travel_diary_service.read_by_id(self.diary_id)
|
||||||
if diary:
|
if diary:
|
||||||
self.diary_name = diary.name
|
self.diary_name = diary.name
|
||||||
|
|
@ -181,7 +181,7 @@ class EditEntryScreen(Screen):
|
||||||
self.diary_name = f"Diary {self.diary_id}"
|
self.diary_name = f"Diary {self.diary_id}"
|
||||||
self.diary_info.update(f"Diary: {self.diary_name}")
|
self.diary_info.update(f"Diary: {self.diary_name}")
|
||||||
self.notify(f"Error loading diary info: {str(e)}")
|
self.notify(f"Error loading diary info: {str(e)}")
|
||||||
|
|
||||||
self._ensure_diary_info_updated()
|
self._ensure_diary_info_updated()
|
||||||
|
|
||||||
def _ensure_diary_info_updated(self):
|
def _ensure_diary_info_updated(self):
|
||||||
|
|
@ -211,7 +211,7 @@ class EditEntryScreen(Screen):
|
||||||
|
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
self.notify(f"Error loading entries: {str(e)}")
|
self.notify(f"Error loading entries: {str(e)}")
|
||||||
|
|
||||||
self._ensure_diary_info_updated()
|
self._ensure_diary_info_updated()
|
||||||
|
|
||||||
def _update_status_indicator(self, text: str, css_class: str):
|
def _update_status_indicator(self, text: str, css_class: str):
|
||||||
|
|
@ -302,7 +302,7 @@ class EditEntryScreen(Screen):
|
||||||
self.photo_list.add_option(f"📷 {photo.name} \\[{photo_hash}\]")
|
self.photo_list.add_option(f"📷 {photo.name} \\[{photo_hash}\]")
|
||||||
|
|
||||||
self.photo_info.update(f"📸 {len(self.cached_photos)} photos in diary")
|
self.photo_info.update(f"📸 {len(self.cached_photos)} photos in diary")
|
||||||
|
|
||||||
# Updated help a text with hash information
|
# Updated help a text with hash information
|
||||||
help_text = (
|
help_text = (
|
||||||
"[b]⌨️ Sidebar Shortcuts[/b]\n"
|
"[b]⌨️ Sidebar Shortcuts[/b]\n"
|
||||||
|
|
@ -329,7 +329,7 @@ class EditEntryScreen(Screen):
|
||||||
try:
|
try:
|
||||||
service_manager = self.app.service_manager
|
service_manager = self.app.service_manager
|
||||||
photo_service = service_manager.get_photo_service()
|
photo_service = service_manager.get_photo_service()
|
||||||
|
|
||||||
all_photos = photo_service.read_all()
|
all_photos = photo_service.read_all()
|
||||||
self.cached_photos = [photo for photo in all_photos if photo.fk_travel_diary_id == diary_id]
|
self.cached_photos = [photo for photo in all_photos if photo.fk_travel_diary_id == diary_id]
|
||||||
self.cached_photos.sort(key=lambda x: x.id)
|
self.cached_photos.sort(key=lambda x: x.id)
|
||||||
|
|
@ -343,7 +343,7 @@ class EditEntryScreen(Screen):
|
||||||
try:
|
try:
|
||||||
print("DEBUG: TOGGLE SIDEBAR", self.sidebar_visible)
|
print("DEBUG: TOGGLE SIDEBAR", self.sidebar_visible)
|
||||||
self.sidebar_visible = not self.sidebar_visible
|
self.sidebar_visible = not self.sidebar_visible
|
||||||
|
|
||||||
if self.sidebar_visible:
|
if self.sidebar_visible:
|
||||||
self.sidebar.display = True
|
self.sidebar.display = True
|
||||||
self._update_sidebar_content()
|
self._update_sidebar_content()
|
||||||
|
|
@ -361,7 +361,7 @@ class EditEntryScreen(Screen):
|
||||||
self.sidebar.display = False
|
self.sidebar.display = False
|
||||||
self.sidebar_focused = False # Reset focus when hiding
|
self.sidebar_focused = False # Reset focus when hiding
|
||||||
self.text_entry.focus() # Return focus to editor
|
self.text_entry.focus() # Return focus to editor
|
||||||
|
|
||||||
# Update footer after context change
|
# Update footer after context change
|
||||||
self._update_footer_context()
|
self._update_footer_context()
|
||||||
self.refresh(layout=True)
|
self.refresh(layout=True)
|
||||||
|
|
@ -380,14 +380,14 @@ class EditEntryScreen(Screen):
|
||||||
print("DEBUG: Sidebar not visible, opening it")
|
print("DEBUG: Sidebar not visible, opening it")
|
||||||
self.action_toggle_sidebar()
|
self.action_toggle_sidebar()
|
||||||
return
|
return
|
||||||
|
|
||||||
self.sidebar_focused = not self.sidebar_focused
|
self.sidebar_focused = not self.sidebar_focused
|
||||||
print("DEBUG: Sidebar focused changed to", self.sidebar_focused)
|
print("DEBUG: Sidebar focused changed to", self.sidebar_focused)
|
||||||
if self.sidebar_focused:
|
if self.sidebar_focused:
|
||||||
self.photo_list.focus()
|
self.photo_list.focus()
|
||||||
else:
|
else:
|
||||||
self.text_entry.focus()
|
self.text_entry.focus()
|
||||||
|
|
||||||
# Update footer after focus change
|
# Update footer after focus change
|
||||||
self._update_footer_context()
|
self._update_footer_context()
|
||||||
|
|
||||||
|
|
@ -397,37 +397,37 @@ class EditEntryScreen(Screen):
|
||||||
if not self.sidebar_focused or not self.sidebar_visible:
|
if not self.sidebar_focused or not self.sidebar_visible:
|
||||||
self.notify("Use F8 to open the sidebar first.", severity="warning")
|
self.notify("Use F8 to open the sidebar first.", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
# Get a selected photo
|
# Get a selected photo
|
||||||
if self.photo_list.highlighted is None:
|
if self.photo_list.highlighted is None:
|
||||||
self.notify("No photo selected", severity="warning")
|
self.notify("No photo selected", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
# Adjust index because of 'Ingest Photo' at the top
|
# Adjust index because of 'Ingest Photo' at the top
|
||||||
photo_index = self.photo_list.highlighted - 1
|
photo_index = self.photo_list.highlighted - 1
|
||||||
|
|
||||||
self._load_photos_for_diary(self.diary_id)
|
self._load_photos_for_diary(self.diary_id)
|
||||||
if photo_index < 0 or photo_index >= len(self.cached_photos):
|
if photo_index < 0 or photo_index >= len(self.cached_photos):
|
||||||
self.notify("No photo selected", severity="warning")
|
self.notify("No photo selected", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
selected_photo = self.cached_photos[photo_index]
|
selected_photo = self.cached_photos[photo_index]
|
||||||
photo_hash = selected_photo.photo_hash[:8]
|
photo_hash = selected_photo.photo_hash[:8]
|
||||||
|
|
||||||
# Insert photo reference using hash format without escaping
|
# Insert photo reference using hash format without escaping
|
||||||
# Using raw string to avoid markup conflicts with [[
|
# Using raw string to avoid markup conflicts with [[
|
||||||
photo_ref = f"[[photo::{photo_hash}]]"
|
photo_ref = f"[[photo::{photo_hash}]]"
|
||||||
|
|
||||||
# Insert at the cursor position
|
# Insert at the cursor position
|
||||||
self.text_entry.insert(photo_ref)
|
self.text_entry.insert(photo_ref)
|
||||||
|
|
||||||
# Switch focus back to editor
|
# Switch focus back to editor
|
||||||
self.sidebar_focused = False
|
self.sidebar_focused = False
|
||||||
self.text_entry.focus()
|
self.text_entry.focus()
|
||||||
|
|
||||||
# Update footer context
|
# Update footer context
|
||||||
self._update_footer_context()
|
self._update_footer_context()
|
||||||
|
|
||||||
# Show selected photo info
|
# Show selected photo info
|
||||||
photo_details = f"📷 {selected_photo.name}\n"
|
photo_details = f"📷 {selected_photo.name}\n"
|
||||||
photo_details += f"🔗 {photo_hash}\n"
|
photo_details += f"🔗 {photo_hash}\n"
|
||||||
|
|
@ -437,9 +437,9 @@ class EditEntryScreen(Screen):
|
||||||
photo_details += f"[b]Reference formats:[/b]\n"
|
photo_details += f"[b]Reference formats:[/b]\n"
|
||||||
photo_details += f"\\[\\[photo:{selected_photo.name}:{photo_hash}\\]\\]\n"
|
photo_details += f"\\[\\[photo:{selected_photo.name}:{photo_hash}\\]\\]\n"
|
||||||
photo_details += f"\\[\\[photo::{photo_hash}\\]\\]"
|
photo_details += f"\\[\\[photo::{photo_hash}\\]\\]"
|
||||||
|
|
||||||
self.photo_info.update(photo_details)
|
self.photo_info.update(photo_details)
|
||||||
|
|
||||||
# Show notification without escaping brackets
|
# Show notification without escaping brackets
|
||||||
self.notify(f"Inserted photo: {selected_photo.name} \\[{photo_hash}\\]", severity="information")
|
self.notify(f"Inserted photo: {selected_photo.name} \\[{photo_hash}\\]", severity="information")
|
||||||
|
|
||||||
|
|
@ -448,7 +448,7 @@ class EditEntryScreen(Screen):
|
||||||
if not self.sidebar_focused or not self.sidebar_visible:
|
if not self.sidebar_focused or not self.sidebar_visible:
|
||||||
self.notify("Use F8 to open the sidebar first.", severity="warning")
|
self.notify("Use F8 to open the sidebar first.", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
# Open add photo modal
|
# Open add photo modal
|
||||||
try:
|
try:
|
||||||
self.notify("Trying to push the modal screen...")
|
self.notify("Trying to push the modal screen...")
|
||||||
|
|
@ -478,7 +478,7 @@ class EditEntryScreen(Screen):
|
||||||
photo_service = service_manager.get_photo_service()
|
photo_service = service_manager.get_photo_service()
|
||||||
|
|
||||||
current_date = datetime.now().strftime("%Y-%m-%d %H:%M:%S")
|
current_date = datetime.now().strftime("%Y-%m-%d %H:%M:%S")
|
||||||
|
|
||||||
new_photo = photo_service.create(
|
new_photo = photo_service.create(
|
||||||
filepath=Path(photo_data["filepath"]),
|
filepath=Path(photo_data["filepath"]),
|
||||||
name=photo_data["name"],
|
name=photo_data["name"],
|
||||||
|
|
@ -503,21 +503,21 @@ class EditEntryScreen(Screen):
|
||||||
if not self.sidebar_focused or not self.sidebar_visible:
|
if not self.sidebar_focused or not self.sidebar_visible:
|
||||||
self.notify("Use F8 to open the sidebar first.", severity="warning")
|
self.notify("Use F8 to open the sidebar first.", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
if self.photo_list.highlighted is None:
|
if self.photo_list.highlighted is None:
|
||||||
self.notify("No photo selected", severity="warning")
|
self.notify("No photo selected", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
# Adjust index because of 'Ingest Photo' at the top
|
# Adjust index because of 'Ingest Photo' at the top
|
||||||
photo_index = self.photo_list.highlighted - 1
|
photo_index = self.photo_list.highlighted - 1
|
||||||
|
|
||||||
photos = self._load_photos_for_diary(self.diary_id)
|
photos = self._load_photos_for_diary(self.diary_id)
|
||||||
if photo_index < 0 or photo_index >= len(photos):
|
if photo_index < 0 or photo_index >= len(photos):
|
||||||
self.notify("No photo selected", severity="warning")
|
self.notify("No photo selected", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
selected_photo = photos[photo_index]
|
selected_photo = photos[photo_index]
|
||||||
|
|
||||||
# Open confirm delete modal
|
# Open confirm delete modal
|
||||||
self.app.push_screen(
|
self.app.push_screen(
|
||||||
ConfirmDeleteModal(photo=selected_photo),
|
ConfirmDeleteModal(photo=selected_photo),
|
||||||
|
|
@ -530,13 +530,13 @@ class EditEntryScreen(Screen):
|
||||||
# Get the selected photo with an adjusted index
|
# Get the selected photo with an adjusted index
|
||||||
photos = self._load_photos_for_diary(self.diary_id)
|
photos = self._load_photos_for_diary(self.diary_id)
|
||||||
photo_index = self.photo_list.highlighted - 1 # Adjust for 'Ingest Photo' at top
|
photo_index = self.photo_list.highlighted - 1 # Adjust for 'Ingest Photo' at top
|
||||||
|
|
||||||
if self.photo_list.highlighted is None or photo_index < 0 or photo_index >= len(photos):
|
if self.photo_list.highlighted is None or photo_index < 0 or photo_index >= len(photos):
|
||||||
self.notify("Photo no longer available", severity="error")
|
self.notify("Photo no longer available", severity="error")
|
||||||
return
|
return
|
||||||
|
|
||||||
selected_photo = photos[photo_index]
|
selected_photo = photos[photo_index]
|
||||||
|
|
||||||
# Schedule async deletion
|
# Schedule async deletion
|
||||||
self.call_later(self._async_delete_photo, selected_photo)
|
self.call_later(self._async_delete_photo, selected_photo)
|
||||||
else:
|
else:
|
||||||
|
|
@ -566,21 +566,21 @@ class EditEntryScreen(Screen):
|
||||||
if not self.sidebar_focused or not self.sidebar_visible:
|
if not self.sidebar_focused or not self.sidebar_visible:
|
||||||
self.notify("Use F8 to open the sidebar first.", severity="warning")
|
self.notify("Use F8 to open the sidebar first.", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
if self.photo_list.highlighted is None:
|
if self.photo_list.highlighted is None:
|
||||||
self.notify("No photo selected", severity="warning")
|
self.notify("No photo selected", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
# Adjust index because of 'Ingest Photo' at the top
|
# Adjust index because of 'Ingest Photo' at the top
|
||||||
photo_index = self.photo_list.highlighted - 1
|
photo_index = self.photo_list.highlighted - 1
|
||||||
|
|
||||||
photos = self._load_photos_for_diary(self.diary_id)
|
photos = self._load_photos_for_diary(self.diary_id)
|
||||||
if photo_index < 0 or photo_index >= len(photos):
|
if photo_index < 0 or photo_index >= len(photos):
|
||||||
self.notify("No photo selected", severity="warning")
|
self.notify("No photo selected", severity="warning")
|
||||||
return
|
return
|
||||||
|
|
||||||
selected_photo = photos[photo_index]
|
selected_photo = photos[photo_index]
|
||||||
|
|
||||||
# Open edit photo modal
|
# Open edit photo modal
|
||||||
self.app.push_screen(
|
self.app.push_screen(
|
||||||
EditPhotoModal(photo=selected_photo),
|
EditPhotoModal(photo=selected_photo),
|
||||||
|
|
@ -596,13 +596,13 @@ class EditEntryScreen(Screen):
|
||||||
# Get the selected photo with adjusted index
|
# Get the selected photo with adjusted index
|
||||||
photos = self._load_photos_for_diary(self.diary_id)
|
photos = self._load_photos_for_diary(self.diary_id)
|
||||||
photo_index = self.photo_list.highlighted - 1 # Adjust for 'Ingest Photo' at top
|
photo_index = self.photo_list.highlighted - 1 # Adjust for 'Ingest Photo' at top
|
||||||
|
|
||||||
if self.photo_list.highlighted is None or photo_index < 0 or photo_index >= len(photos):
|
if self.photo_list.highlighted is None or photo_index < 0 or photo_index >= len(photos):
|
||||||
self.notify("Photo no longer available", severity="error")
|
self.notify("Photo no longer available", severity="error")
|
||||||
return
|
return
|
||||||
|
|
||||||
selected_photo = photos[photo_index]
|
selected_photo = photos[photo_index]
|
||||||
|
|
||||||
# Schedule async update
|
# Schedule async update
|
||||||
self.call_later(self._async_update_photo, selected_photo, result)
|
self.call_later(self._async_update_photo, selected_photo, result)
|
||||||
|
|
||||||
|
|
@ -644,7 +644,7 @@ class EditEntryScreen(Screen):
|
||||||
text = self.text_entry.text
|
text = self.text_entry.text
|
||||||
pattern = r"\[\[photo::(\w{8})\]\]"
|
pattern = r"\[\[photo::(\w{8})\]\]"
|
||||||
short_hashes_in_text = set(re.findall(pattern, text))
|
short_hashes_in_text = set(re.findall(pattern, text))
|
||||||
|
self._load_photos_for_diary(self.diary_id)
|
||||||
if not short_hashes_in_text:
|
if not short_hashes_in_text:
|
||||||
return [] # Nenhuma referência, operação válida.
|
return [] # Nenhuma referência, operação válida.
|
||||||
|
|
||||||
|
|
@ -655,7 +655,7 @@ class EditEntryScreen(Screen):
|
||||||
if len(found_photos) == 1:
|
if len(found_photos) == 1:
|
||||||
linked_photos.append(found_photos[0])
|
linked_photos.append(found_photos[0])
|
||||||
else:
|
else:
|
||||||
self.notify(f"❌ Erro: Referência '[{short_hash}]' é inválida ou ambígua!", severity="error", timeout=10)
|
self.notify(f"❌ Erro: Referência '\[{short_hash}\\]' é inválida ou ambígua!", severity="error", timeout=10)
|
||||||
return None # Aborta a operação
|
return None # Aborta a operação
|
||||||
|
|
||||||
return linked_photos
|
return linked_photos
|
||||||
|
|
@ -664,25 +664,25 @@ class EditEntryScreen(Screen):
|
||||||
"""Handles photo selection in the sidebar"""
|
"""Handles photo selection in the sidebar"""
|
||||||
if not self.sidebar_visible:
|
if not self.sidebar_visible:
|
||||||
return
|
return
|
||||||
|
|
||||||
# Handle "Ingest Photo" option
|
# Handle "Ingest Photo" option
|
||||||
if event.option_index == 0: # First option is "Ingest Photo"
|
if event.option_index == 0: # First option is "Ingest Photo"
|
||||||
self.action_ingest_new_photo()
|
self.action_ingest_new_photo()
|
||||||
return
|
return
|
||||||
|
|
||||||
photos = self._load_photos_for_diary(self.diary_id)
|
photos = self._load_photos_for_diary(self.diary_id)
|
||||||
if not photos:
|
if not photos:
|
||||||
return
|
return
|
||||||
|
|
||||||
# Adjust index because of 'Ingest Photo' at the top
|
# Adjust index because of 'Ingest Photo' at the top
|
||||||
photo_index = event.option_index - 1
|
photo_index = event.option_index - 1
|
||||||
if photo_index >= len(photos):
|
if photo_index >= len(photos):
|
||||||
return
|
return
|
||||||
|
|
||||||
selected_photo = photos[photo_index]
|
selected_photo = photos[photo_index]
|
||||||
photo_hash = selected_photo.photo_hash[:8]
|
photo_hash = selected_photo.photo_hash[:8]
|
||||||
self.notify(f"Selected photo: {selected_photo.name} \\[{photo_hash}\\]")
|
self.notify(f"Selected photo: {selected_photo.name} \\[{photo_hash}\\]")
|
||||||
|
|
||||||
# Update photo info with details including hash
|
# Update photo info with details including hash
|
||||||
photo_details = f"📷 {selected_photo.name}\n"
|
photo_details = f"📷 {selected_photo.name}\n"
|
||||||
photo_details += f"🔗 {photo_hash}\n"
|
photo_details += f"🔗 {photo_hash}\n"
|
||||||
|
|
@ -693,7 +693,7 @@ class EditEntryScreen(Screen):
|
||||||
photo_details += f"[b]Reference formats:[/b]\n"
|
photo_details += f"[b]Reference formats:[/b]\n"
|
||||||
photo_details += f"\\[\\[photo:{selected_photo.name}:{photo_hash}\\]\\]\n"
|
photo_details += f"\\[\\[photo:{selected_photo.name}:{photo_hash}\\]\\]\n"
|
||||||
photo_details += f"\\[\\[photo::{photo_hash}\\]\\]"
|
photo_details += f"\\[\\[photo::{photo_hash}\\]\\]"
|
||||||
|
|
||||||
self.photo_info.update(photo_details)
|
self.photo_info.update(photo_details)
|
||||||
|
|
||||||
def on_text_area_changed(self, event) -> None:
|
def on_text_area_changed(self, event) -> None:
|
||||||
|
|
@ -701,12 +701,12 @@ class EditEntryScreen(Screen):
|
||||||
if (hasattr(self, 'text_entry') and not self.text_entry.read_only and
|
if (hasattr(self, 'text_entry') and not self.text_entry.read_only and
|
||||||
not getattr(self, '_updating_display', False) and hasattr(self, '_original_content')):
|
not getattr(self, '_updating_display', False) and hasattr(self, '_original_content')):
|
||||||
current_content = self.text_entry.text
|
current_content = self.text_entry.text
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
# Check for a photo reference pattern
|
# Check for a photo reference pattern
|
||||||
# self._check_photo_reference(current_content) # Temporarily disabled
|
# self._check_photo_reference(current_content) # Temporarily disabled
|
||||||
|
|
||||||
if current_content != self._original_content:
|
if current_content != self._original_content:
|
||||||
if not self.has_unsaved_changes:
|
if not self.has_unsaved_changes:
|
||||||
self.has_unsaved_changes = True
|
self.has_unsaved_changes = True
|
||||||
|
|
@ -832,37 +832,42 @@ class EditEntryScreen(Screen):
|
||||||
self._update_sub_header()
|
self._update_sub_header()
|
||||||
|
|
||||||
def action_save(self) -> None:
|
def action_save(self) -> None:
|
||||||
"""Saves the current entry"""
|
"""Salva a entrada após validar e coletar as fotos referenciadas."""
|
||||||
self._get_all_references()
|
photos_to_link = self._get_linked_photos_from_text()
|
||||||
self._validate_references()
|
|
||||||
|
if photos_to_link is None:
|
||||||
|
self.notify("⚠️ Salvamento cancelado. Corrija as referências de fotos.", severity="error")
|
||||||
|
return
|
||||||
|
|
||||||
|
content = self.text_entry.text.strip()
|
||||||
if self.is_new_entry:
|
if self.is_new_entry:
|
||||||
content = self.text_entry.text.strip()
|
|
||||||
if not content:
|
if not content:
|
||||||
self.notify("Empty entry cannot be saved")
|
self.notify("Empty entry cannot be saved")
|
||||||
return
|
return
|
||||||
|
# Passe a lista de fotos para o método de criação
|
||||||
# Schedule async creation
|
self.call_later(self._async_create_entry, content, photos_to_link)
|
||||||
self.call_later(self._async_create_entry, content)
|
|
||||||
else:
|
else:
|
||||||
# Schedule async update
|
# Passe a lista de fotos para o método de atualização
|
||||||
self.call_later(self._async_update_entry)
|
self.call_later(self._async_update_entry, content, photos_to_link)
|
||||||
|
|
||||||
async def _async_create_entry(self, content: str):
|
async def _async_create_entry(self, content: str, photos_to_link: List[Photo]):
|
||||||
"""Creates a new entry asynchronously"""
|
"""Cria uma nova entrada e associa as fotos referenciadas."""
|
||||||
|
service_manager = self.app.service_manager
|
||||||
|
db_session = service_manager.get_db_session()
|
||||||
try:
|
try:
|
||||||
service_manager = self.app.service_manager
|
|
||||||
entry_service = service_manager.get_entry_service()
|
entry_service = service_manager.get_entry_service()
|
||||||
|
|
||||||
current_date = datetime.now()
|
# O service.create deve criar o objeto em memória, mas NÃO fazer o commit ainda.
|
||||||
|
|
||||||
new_entry = entry_service.create(
|
new_entry = entry_service.create(
|
||||||
travel_diary_id=self.diary_id,
|
travel_diary_id=self.diary_id,
|
||||||
title=self.new_entry_title,
|
title=self.new_entry_title,
|
||||||
text=content,
|
text=content,
|
||||||
date=current_date
|
date=datetime.now(),
|
||||||
|
photos=photos_to_link
|
||||||
)
|
)
|
||||||
|
|
||||||
if new_entry:
|
if new_entry:
|
||||||
|
# A partir daqui, é só atualizar a UI como você já fazia
|
||||||
self.entries.append(new_entry)
|
self.entries.append(new_entry)
|
||||||
self.entries.sort(key=lambda x: x.id)
|
self.entries.sort(key=lambda x: x.id)
|
||||||
|
|
||||||
|
|
@ -873,74 +878,47 @@ class EditEntryScreen(Screen):
|
||||||
|
|
||||||
self.is_new_entry = False
|
self.is_new_entry = False
|
||||||
self.has_unsaved_changes = False
|
self.has_unsaved_changes = False
|
||||||
self._original_content = new_entry.text
|
self._original_content = new_entry.text # Pode ser o texto com hashes curtos
|
||||||
self.new_entry_title = "New Entry"
|
self.new_entry_title = "New Entry"
|
||||||
self.next_entry_id = max(entry.id for entry in self.entries) + 1
|
self.next_entry_id = max(entry.id for entry in self.entries) + 1
|
||||||
|
|
||||||
self._update_entry_display()
|
self._update_entry_display()
|
||||||
self.notify(f"New entry '{new_entry.title}' saved successfully!")
|
self.notify(f"✅ Nova entrada '{new_entry.title}' salva com sucesso!")
|
||||||
else:
|
else:
|
||||||
self.notify("Error creating entry")
|
self.notify("❌ Erro ao criar entrada")
|
||||||
|
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
self.notify(f"Error creating entry: {str(e)}")
|
self.notify(f"❌ Erro ao criar entrada: {str(e)}")
|
||||||
|
|
||||||
|
async def _async_update_entry(self, updated_content: str, photos_to_link: List[Photo]):
|
||||||
|
"""Atualiza uma entrada existente e sua associação de fotos."""
|
||||||
|
service_manager = self.app.service_manager
|
||||||
|
|
||||||
async def _async_update_entry(self):
|
|
||||||
"""Updates the current entry asynchronously"""
|
|
||||||
try:
|
try:
|
||||||
if not self.entries:
|
if not self.entries:
|
||||||
self.notify("No entry to update")
|
self.notify("Nenhuma entrada para atualizar")
|
||||||
return
|
return
|
||||||
|
entry_service = service_manager.get_entry_service()
|
||||||
current_entry = self.entries[self.current_entry_index]
|
current_entry = self.entries[self.current_entry_index]
|
||||||
updated_content = self.text_entry.text
|
entry_result : Entry = Entry(
|
||||||
|
|
||||||
updated_entry = Entry(
|
|
||||||
title=current_entry.title,
|
title=current_entry.title,
|
||||||
text=updated_content,
|
text=updated_content,
|
||||||
|
photos=photos_to_link,
|
||||||
date=current_entry.date,
|
date=current_entry.date,
|
||||||
travel_diary_id=current_entry.fk_travel_diary_id,
|
travel_diary_id=self.diary_id
|
||||||
id=current_entry.id
|
|
||||||
)
|
)
|
||||||
|
entry_service.update(current_entry, entry_result)
|
||||||
|
|
||||||
service_manager = self.app.service_manager
|
# A partir daqui, é só atualizar a UI
|
||||||
entry_service = service_manager.get_entry_service()
|
self.has_unsaved_changes = False
|
||||||
|
self._original_content = updated_content # Pode ser o texto com hashes curtos
|
||||||
result = entry_service.update(current_entry, updated_entry)
|
self._update_sub_header()
|
||||||
|
self.notify(f"✅ Entrada '{current_entry.title}' salva com sucesso!")
|
||||||
if result:
|
|
||||||
current_entry.text = updated_content
|
|
||||||
self.has_unsaved_changes = False
|
|
||||||
self._original_content = updated_content
|
|
||||||
self._update_sub_header()
|
|
||||||
self.notify(f"Entry '{current_entry.title}' saved successfully!")
|
|
||||||
else:
|
|
||||||
self.notify("Error updating entry")
|
|
||||||
|
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
self.notify(f"Error updating entry: {str(e)}")
|
# Desfaz as mudanças em caso de erro
|
||||||
def _get_all_references(self):
|
self.notify(f"❌ Erro ao atualizar entrada: {str(e)}")
|
||||||
|
|
||||||
text_content = self.text_entry.text
|
|
||||||
matches = re.findall("(\[\[photo::?(?:\w|\s)*\]\])", text_content)
|
|
||||||
for match in matches:
|
|
||||||
if re.match(r"\[\[photo::\w+\]\]", match):
|
|
||||||
if {'type': 'hash','value':match.replace("[[photo::", "").replace("]]", "").strip()} not in self.references:
|
|
||||||
self.references.append(
|
|
||||||
{'type': 'hash', 'value': match.replace("[[photo::", "").replace("]]", "").strip()})
|
|
||||||
elif re.match(r"\[\[photo:\w+\]\]", match):
|
|
||||||
if {'type': 'name', 'value': match.replace("[[photo:", "").replace("]]", "").strip()} not in self.references:
|
|
||||||
self.references.append(
|
|
||||||
{'type': 'name', 'value': match.replace("[[photo:", "").replace("]]", "").strip()})
|
|
||||||
else:
|
|
||||||
self.references.append({'type': 'unknown', 'value': match})
|
|
||||||
self.notify(f"🔍 Referências encontradas: {str(self.references)}", markup=False)
|
|
||||||
|
|
||||||
def _validate_references(self):
|
|
||||||
photo_service = self.app.service_manager.get_photo_service()
|
|
||||||
for reference in self.references:
|
|
||||||
if reference['type'] == 'hash':
|
|
||||||
pass
|
|
||||||
|
|
||||||
def on_key(self, event):
|
def on_key(self, event):
|
||||||
print("DEBUG: on_key called with", event.key, "sidebar_focused:", self.sidebar_focused, "sidebar_visible:", self.sidebar_visible)
|
print("DEBUG: on_key called with", event.key, "sidebar_focused:", self.sidebar_focused, "sidebar_visible:", self.sidebar_visible)
|
||||||
|
|
@ -988,4 +966,4 @@ class EditEntryScreen(Screen):
|
||||||
# Tab: insert tab
|
# Tab: insert tab
|
||||||
elif self.focused is self.text_entry and event.key == "tab":
|
elif self.focused is self.text_entry and event.key == "tab":
|
||||||
self.text_entry.insert('\t')
|
self.text_entry.insert('\t')
|
||||||
event.stop()
|
event.stop()
|
||||||
Loading…
Reference in New Issue