Skip to content

Commit f3103b6

Browse files
committed
fix: merged changes with db fixes
1 parent 6047b96 commit f3103b6

21 files changed

+582
-370
lines changed
File renamed without changes.
File renamed without changes.

makefile

+1-1
Original file line numberDiff line numberDiff line change
@@ -80,7 +80,7 @@ clean:
8080
@rm -rf data/alembic/
8181
@rm -rf data/*.db
8282

83-
hard_reset:
83+
hard_reset: clean
8484
@poetry run python src/main.py --hard_reset_db
8585

8686
install:

poetry.lock

+69-1
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

pyproject.toml

+1
Original file line numberDiff line numberDiff line change
@@ -31,6 +31,7 @@ sqlalchemy = "^2.0.31"
3131
sqla-wrapper = "^6.0.0"
3232
alembic = "^1.13.2"
3333
psycopg2-binary = "^2.9.9"
34+
apprise = "^1.8.1"
3435

3536
[tool.poetry.group.dev.dependencies]
3637
pyright = "^1.1.352"

src/controllers/actions.py

+15
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@
22

33
from fastapi import APIRouter, Request
44
from program.media.item import MediaItem
5+
from program.symlink import Symlinker
56
from utils.logger import logger
67

78
router = APIRouter(
@@ -20,3 +21,17 @@ async def request(request: Request, imdb_id: str) -> Dict[str, Any]:
2021
return {"success": False, "message": "Failed to create item from imdb_id"}
2122

2223
return {"success": True, "message": f"Added {imdb_id} to queue"}
24+
25+
@router.delete("/symlink/{_id}")
26+
async def remove_symlink(request: Request, _id: int) -> Dict[str, Any]:
27+
try:
28+
symlinker: Symlinker = request.app.program.services[Symlinker]
29+
if symlinker.delete_item_symlinks(_id):
30+
logger.log("API", f"Removed symlink(s) for item with id: {_id}")
31+
return {"success": True, "message": f"Removed symlink(s) for item with id: {_id}"}
32+
else:
33+
logger.error(f"Failed to remove symlink for item with id: {_id}")
34+
return {"success": False, "message": "Failed to remove symlink"}
35+
except Exception as e:
36+
logger.error(f"Failed to remove symlink for item with id: {_id}, error: {e}")
37+
return {"success": False, "message": "Failed to remove symlink", "error": str(e)}

src/controllers/items.py

+24-83
Original file line numberDiff line numberDiff line change
@@ -79,13 +79,15 @@ async def get_items(
7979
)
8080

8181
if type:
82-
type_lower = type.lower()
83-
if type_lower not in ["movie", "show", "season", "episode"]:
84-
raise HTTPException(
85-
status_code=400,
86-
detail=f"Invalid type: {type}. Valid types are: ['movie', 'show', 'season', 'episode']",
87-
)
88-
query = query.where(MediaItem.type == type_lower)
82+
if "," in type:
83+
types = type.split(",")
84+
for type in types:
85+
if type not in ["movie", "show", "season", "episode"]:
86+
raise HTTPException(
87+
status_code=400,
88+
detail=f"Invalid type: {type}. Valid types are: ['movie', 'show', 'season', 'episode']",
89+
)
90+
query = query.where(MediaItem.type.in_(types))
8991

9092
if sort and not search:
9193
if sort.lower() == "asc":
@@ -117,26 +119,24 @@ async def get_items(
117119
@router.get("/extended/{item_id}")
118120
async def get_extended_item_info(_: Request, item_id: str):
119121
with db.Session() as session:
120-
item = DB._get_item_from_db(session, MediaItem({"imdb_id":str(item_id)}))
122+
item = session.execute(select(MediaItem).where(MediaItem.imdb_id == item_id)).unique().scalar_one_or_none()
121123
if item is None:
122124
raise HTTPException(status_code=404, detail="Item not found")
123125
return {"success": True, "item": item.to_extended_dict()}
124126

125127

126-
@router.post("/add/imdb/{imdb_id}")
127-
@router.post("/add/imdb/")
128+
@router.post("/add")
128129
async def add_items(
129-
request: Request, imdb_id: Optional[str] = None, imdb_ids: Optional[IMDbIDs] = None
130+
request: Request, imdb_ids: str = None
130131
):
131-
if imdb_id:
132-
imdb_ids = IMDbIDs(imdb_ids=[imdb_id])
133-
elif (
134-
not imdb_ids or not imdb_ids.imdb_ids or any(not id for id in imdb_ids.imdb_ids)
135-
):
132+
133+
if not imdb_ids:
136134
raise HTTPException(status_code=400, detail="No IMDb ID(s) provided")
137135

136+
ids = imdb_ids.split(",")
137+
138138
valid_ids = []
139-
for id in imdb_ids.imdb_ids:
139+
for id in ids:
140140
if not id.startswith("tt"):
141141
logger.warning(f"Invalid IMDb ID {id}, skipping")
142142
else:
@@ -152,54 +152,15 @@ async def add_items(
152152
return {"success": True, "message": f"Added {len(valid_ids)} item(s) to the queue"}
153153

154154

155-
@router.delete("/remove/")
155+
@router.delete("/remove")
156156
async def remove_item(
157-
request: Request, item_id: Optional[str] = None, imdb_id: Optional[str] = None
157+
_: Request, imdb_id: str
158158
):
159-
if item_id:
160-
item = request.app.program.media_items.get(item_id)
161-
id_type = "ID"
162-
elif imdb_id:
163-
item = next(
164-
(i for i in request.app.program.media_items if i.imdb_id == imdb_id), None
165-
)
166-
id_type = "IMDb ID"
167-
else:
168-
raise HTTPException(status_code=400, detail="No item ID or IMDb ID provided")
169-
170-
if not item:
171-
logger.error(f"Item with {id_type} {item_id or imdb_id} not found")
172-
return {
173-
"success": False,
174-
"message": f"Item with {id_type} {item_id or imdb_id} not found. No action taken.",
175-
}
176-
177-
try:
178-
# Remove the item from the media items container
179-
request.app.program.media_items.remove([item])
180-
logger.log("API", f"Removed item with {id_type} {item_id or imdb_id}")
181-
182-
# Remove the symlinks associated with the item
183-
symlinker = request.app.program.service[Symlinker]
184-
symlinker.delete_item_symlinks(item)
185-
logger.log(
186-
"API", f"Removed symlink for item with {id_type} {item_id or imdb_id}"
187-
)
188-
189-
# Save and reload the media items to ensure consistency
190-
symlinker.save_and_reload_media_items(request.app.program.media_items)
191-
logger.log(
192-
"API",
193-
f"Saved and reloaded media items after removing item with {id_type} {item_id or imdb_id}",
194-
)
195-
196-
return {
197-
"success": True,
198-
"message": f"Successfully removed item with {id_type} {item_id or imdb_id}.",
199-
}
200-
except Exception as e:
201-
logger.error(f"Failed to remove item with {id_type} {item_id or imdb_id}: {e}")
202-
raise HTTPException from e(status_code=500, detail="Internal server error")
159+
if not imdb_id:
160+
raise HTTPException(status_code=400, detail="No IMDb ID provided")
161+
if DB._remove_item_from_db(imdb_id):
162+
return {"success": True, "message": f"Removed item with imdb_id {imdb_id}"}
163+
return {"success": False, "message": f"No item with imdb_id ({imdb_id}) found"}
203164

204165

205166
@router.get("/imdb/{imdb_id}")
@@ -238,23 +199,3 @@ async def get_imdb_info(
238199
raise HTTPException(status_code=404, detail="Item not found")
239200

240201
return {"success": True, "item": item.to_extended_dict()}
241-
242-
243-
@router.get("/incomplete")
244-
async def get_incomplete_items(request: Request):
245-
if not hasattr(request.app, "program"):
246-
logger.error("Program not found in the request app")
247-
raise HTTPException(status_code=500, detail="Internal server error")
248-
249-
with db.Session() as session:
250-
incomplete_items = session.execute(
251-
select(MediaItem).where(MediaItem.last_state != "Completed")
252-
).unique().scalars().all()
253-
254-
if not incomplete_items:
255-
return {"success": True, "incomplete_items": []}
256-
257-
return {
258-
"success": True,
259-
"incomplete_items": [item.to_dict() for item in incomplete_items],
260-
}

src/controllers/metrics.py

-31
This file was deleted.

src/program/content/plex_watchlist.py

+13-10
Original file line numberDiff line numberDiff line change
@@ -101,7 +101,7 @@ def _get_items_from_rss(self) -> Generator[MediaItem, None, None]:
101101
guid_id = guid_text.split("//")[-1] if guid_text else ""
102102
if not guid_id or guid_id in self.recurring_items:
103103
continue
104-
if guid_id.startswith("tt") and guid_id not in self.recurring_items:
104+
if guid_id and guid_id.startswith("tt") and guid_id not in self.recurring_items:
105105
yield guid_id
106106
elif guid_id:
107107
imdb_id: str = get_imdbid_from_tvdb(guid_id)
@@ -122,16 +122,19 @@ def _get_items_from_watchlist(self) -> Generator[MediaItem, None, None]:
122122
# response = get(url)
123123
items = self.account.watchlist()
124124
for item in items:
125-
if hasattr(item, "guids") and item.guids:
126-
imdb_id = next((guid.id.split("//")[-1] for guid in item.guids if guid.id.startswith("imdb://")), None)
127-
if imdb_id and imdb_id in self.recurring_items:
128-
continue
129-
elif imdb_id.startswith("tt"):
130-
yield imdb_id
125+
try:
126+
if hasattr(item, "guids") and item.guids:
127+
imdb_id: str = next((guid.id.split("//")[-1] for guid in item.guids if guid.id.startswith("imdb://")), "")
128+
if not imdb_id or imdb_id in self.recurring_items:
129+
continue
130+
elif imdb_id.startswith("tt"):
131+
yield imdb_id
132+
else:
133+
logger.log("NOT_FOUND", f"Unable to extract IMDb ID from {item.title} ({item.year}) with data id: {imdb_id}")
131134
else:
132-
logger.log("NOT_FOUND", f"Unable to extract IMDb ID from {item.title} ({item.year}) with data id: {imdb_id}")
133-
else:
134-
logger.log("NOT_FOUND", f"{item.title} ({item.year}) is missing guids attribute from Plex")
135+
logger.log("NOT_FOUND", f"{item.title} ({item.year}) is missing guids attribute from Plex")
136+
except Exception as e:
137+
logger.error(f"An unexpected error occurred while fetching Plex watchlist item {item.log_string}: {e}")
135138

136139
@staticmethod
137140
def _ratingkey_to_imdbid(ratingKey: str) -> str:

src/program/db/db.py

+12-4
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,7 @@
55
from program.settings.manager import settings_manager
66
from sqla_wrapper import Alembic, SQLAlchemy
77
from utils import data_dir_path
8+
from utils.logger import logger
89

910
db = SQLAlchemy(settings_manager.settings.database.host)
1011

@@ -20,17 +21,24 @@
2021

2122
# https://stackoverflow.com/questions/61374525/how-do-i-check-if-alembic-migrations-need-to-be-generated
2223
def need_upgrade_check() -> bool:
23-
diff = []
24+
"""Check if there are any pending migrations."""
2425
with db.engine.connect() as connection:
2526
mc = MigrationContext.configure(connection)
2627
diff = compare_metadata(mc, db.Model.metadata)
27-
return diff != []
28+
return bool(diff)
2829

2930

3031
def run_migrations() -> None:
32+
"""Run Alembic migrations if needed."""
3133
try:
3234
if need_upgrade_check():
35+
logger.info("New migrations detected, creating revision...")
3336
alembic.revision("auto-upg")
37+
logger.info("Applying migrations...")
3438
alembic.upgrade()
35-
except Exception as _:
36-
alembic.upgrade()
39+
else:
40+
logger.info("No new migrations detected.")
41+
except Exception as e:
42+
logger.error(f"Error during migration: {e}")
43+
logger.info("Attempting to apply existing migrations...")
44+
alembic.upgrade()

0 commit comments

Comments
 (0)