-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmedia_server_service.py
238 lines (201 loc) · 11.5 KB
/
media_server_service.py
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
import logging
import requests
import asyncio
import aiohttp
from typing import List, Dict, Any, Optional
from models import PlexServer, JellyfinServer, EmbyServer
from urllib.parse import urljoin
from pathlib import Path
# Create module logger
logger = logging.getLogger(__name__)
class MediaServerScanner:
def __init__(self, servers: List[Dict[str, Any]]):
self.servers = []
logger.info(f"Initializing MediaServerScanner with {len(servers)} server(s)")
for server in servers:
logger.info(f"Processing server config: name={server.get('name')}, type={server.get('type')}, enabled={server.get('enabled')}")
if server["type"] == "plex":
self.servers.append(PlexServer(**server))
elif server["type"] == "jellyfin":
self.servers.append(JellyfinServer(**server))
elif server["type"] == "emby":
self.servers.append(EmbyServer(**server))
async def scan_path(self, path: str, is_series: bool = False) -> List[Dict[str, Any]]:
try:
# Get parent folder for both movies and series
parent_path = str(Path(path).parent)
logger.info(f"Scanning path: {path} (parent: {parent_path}, is_series: {is_series})")
if is_series:
scan_path = path
library_type = "Series"
else:
scan_path = path # Use exact path for movies
library_type = "Movies"
await asyncio.sleep(2)
logger.info(f"Using scan path: {scan_path} for library type: {library_type}")
if not self.servers:
logger.error("No media servers configured or all servers are disabled")
return [{"status": "error", "error": "No media servers configured"}]
results = []
active_servers = [s for s in self.servers if s.enabled]
logger.info(f"Found {len(active_servers)} enabled media servers out of {len(self.servers)} total")
if not active_servers:
logger.error("All media servers are disabled")
return [{"status": "error", "error": "All media servers are disabled"}]
for server in self.servers:
if not server.enabled:
logger.info(f"Skipping disabled server: {server.name}")
continue
try:
logger.info(f"Processing server: name={server.name}, type={server.type}, url={server.url}")
if server.type == "plex":
result = await self._scan_plex(server, scan_path, library_type)
logger.info(f"Scan moved to target library={library_type} path=\"{scan_path}\" target=plex url={server.url}")
results.append({
"server": server.name,
"type": server.type,
"status": "success",
"result": result
})
elif server.type == "jellyfin":
result = await self._scan_jellyfin(server, scan_path)
results.append({
"server": server.name,
"type": server.type,
"status": "success",
"result": result
})
elif server.type == "emby":
result = await self._scan_emby(server, scan_path)
results.append({
"server": server.name,
"type": server.type,
"status": "success",
"result": result
})
else:
logger.warning(f"Unknown server type: {server.type}")
continue
except Exception as e:
error_msg = str(e)
logger.error(f"Failed to scan {server.type} target={server.name} error=\"{error_msg}\"", exc_info=True)
results.append({
"server": server.name,
"type": server.type,
"status": "error",
"error": error_msg
})
if not results:
logger.error("No scan results were generated. Check server configurations.")
return [{"status": "error", "error": "No scan results were generated"}]
return results
except Exception as e:
error_msg = str(e)
logger.error(f"Unexpected error in scan_path: {error_msg}", exc_info=True)
return [{"status": "error", "error": f"Scan path failed: {error_msg}"}]
async def _scan_plex(self, server: PlexServer, path: str, library_type: str) -> Dict[str, Any]:
headers = {
"X-Plex-Token": server.token,
"Accept": "application/json"
}
logger.info(f"Starting Plex scan for server {server.name} at path: {path}")
logger.info(f"Server URL: {server.url}, Library Type: {library_type}")
async with aiohttp.ClientSession() as session:
try:
# First get all library sections
sections_url = urljoin(server.url, "library/sections")
logger.info(f"Fetching Plex library sections from: {sections_url}")
async with session.get(sections_url, headers=headers, timeout=30) as response:
if response.status != 200:
error_text = await response.text()
logger.error(f"Failed to get Plex sections. Status: {response.status}, Response: {error_text}")
raise ValueError(f"Failed to get Plex sections: {response.status} - {error_text}")
sections = await response.json()
logger.info(f"Retrieved {len(sections.get('MediaContainer', {}).get('Directory', []))} sections from Plex")
# Find the section containing our path
section_id = None
matching_sections = []
# First pass: collect all sections of the correct type
for section in sections["MediaContainer"]["Directory"]:
section_type = section["type"]
section_title = section["title"]
logger.info(f"Checking section: {section_title} (type: {section_type})")
if (library_type == "Movies" and section_type == "movie") or \
(library_type == "Series" and section_type == "show"):
for location in section["Location"]:
location_path = location["path"]
logger.info(f"Found matching library type: {section_title} with path: {location_path}")
matching_sections.append((section, location_path))
if not matching_sections:
error_msg = f"No {library_type} libraries found in Plex"
logger.error(error_msg)
raise ValueError(error_msg)
logger.info(f"Found {len(matching_sections)} potential matching sections")
# Second pass: find best matching section
for section, location_path in matching_sections:
logger.info(f"Checking if path {path} matches library path {location_path}")
# Normalize both paths for comparison
normalized_scan_path = Path(path).as_posix()
normalized_location = Path(location_path).as_posix()
# Try different path matching strategies
if normalized_scan_path.startswith(normalized_location):
section_id = section["key"]
logger.info(f"Found exact path match in section: {section['title']} (id: {section_id})")
break
elif normalized_location in normalized_scan_path:
section_id = section["key"]
logger.info(f"Found partial path match in section: {section['title']} (id: {section_id})")
break
if not section_id:
error_msg = f"No matching library section found for path: {path}"
logger.error(f"{error_msg}. Available {library_type} libraries: {[s[0]['title'] for s in matching_sections]}")
raise ValueError(error_msg)
# Use the exact movie folder path for scanning
scan_path = path # This is the exact movie folder path we want to scan
logger.info(f"Using exact folder path for scan: {scan_path}")
# Properly encode the path parameter
from urllib.parse import quote
encoded_path = quote(scan_path)
# Construct the scan URL with the correct format
scan_url = f"{server.url}/library/sections/{section_id}/refresh?path={encoded_path}"
logger.info(f"Initiating Plex scan with URL: {scan_url}")
async with session.get(scan_url, headers=headers, timeout=30) as response:
if response.status != 200:
error_text = await response.text()
logger.error(f"Plex scan failed. Status: {response.status}, Response: {error_text}")
raise ValueError(f"Plex scan failed: {response.status} - {error_text}")
logger.info(f"Plex scan initiated successfully for section {section_id}")
scan_response = await response.text()
logger.info(f"Scan response: {scan_response}")
return {
"message": "Scan initiated",
"section": section_id,
"path": scan_path,
"scan_url": scan_url
}
except aiohttp.ClientError as e:
logger.error(f"Plex API error: {str(e)}", exc_info=True)
raise
except Exception as e:
logger.error(f"Error scanning Plex: {str(e)}", exc_info=True)
raise
async def _scan_jellyfin(self, server: JellyfinServer, path: str) -> Dict[str, Any]:
headers = {
"X-MediaBrowser-Token": server.api_key
}
# Trigger library scan
scan_url = urljoin(server.url, "/Library/Refresh")
async with aiohttp.ClientSession() as session:
async with session.post(scan_url, headers=headers, timeout=30) as response:
response.raise_for_status()
return {"message": "Scan initiated"}
async def _scan_emby(self, server: EmbyServer, path: str) -> Dict[str, Any]:
headers = {
"X-Emby-Token": server.api_key
}
# Trigger library scan
scan_url = urljoin(server.url, "/Library/Refresh")
async with aiohttp.ClientSession() as session:
async with session.post(scan_url, headers=headers, timeout=30) as response:
response.raise_for_status()
return {"message": "Scan initiated"}