Skip to content

Commit 40190a5

Browse files
author
John Corser
committed
fix language extensions and make schedule/paths customizable
1 parent f4e18c7 commit 40190a5

7 files changed

+99
-7
lines changed

.github/workflows/docker-publish.yml

+9-1
Original file line numberDiff line numberDiff line change
@@ -79,10 +79,18 @@ jobs:
7979
image: mrorbitman/subsyncarr:latest
8080
container_name: subsyncarr
8181
volumes:
82-
- ${MEDIA_PATH:-/path/to/your/media}:/scan_dir
82+
# Any path configured with SCAN_PATHS env var must be mounted
83+
# If no scan paths are specified, it defaults to scan `/scan_dir` like example below.
84+
# - ${MEDIA_PATH:-/path/to/your/media}:/scan_dir
85+
- /path/to/movies:/movies
86+
- /path/to/tv:/tv
87+
- /path/to/anime:/anime
8388
restart: unless-stopped
8489
environment:
8590
- TZ=${TZ:-UTC}
91+
- CRON_SCHEDULE=0 0 * * * # Runs every day at midnight by default
92+
- SCAN_PATHS=/movies,/tv,/anime # Remember to mount these as volumes. Must begin with /. Default valus is `/scan_dir`
93+
- EXCLUDE_PATHS=/movies/temp,/tv/downloads # Exclude certain sub-directories from the scan
8694
```
8795
8896
Docker Hub URL: https://hub.docker.com/r/mrorbitman/subsyncarr/tags

Dockerfile

+5-1
Original file line numberDiff line numberDiff line change
@@ -38,9 +38,13 @@ COPY . .
3838
RUN npm run build
3939

4040
# Create startup script
41+
# Set default cron schedule (if not provided by environment variable)
42+
ENV CRON_SCHEDULE="0 0 * * *"
43+
44+
# Create startup script with environment variable
4145
RUN echo '#!/bin/bash\n\
4246
# Add cron job\n\
43-
echo "0 0 * * * cd /app && /usr/local/bin/node /app/dist/index.js >> /var/log/cron.log 2>&1" > /etc/cron.d/subsyncarr\n\
47+
echo "${CRON_SCHEDULE} cd /app && /usr/local/bin/node /app/dist/index.js >> /var/log/cron.log 2>&1" > /etc/cron.d/subsyncarr\n\
4448
chmod 0644 /etc/cron.d/subsyncarr\n\
4549
crontab /etc/cron.d/subsyncarr\n\
4650
\n\

docker-compose.yaml

+9-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,15 @@ services:
55
image: mrorbitman/subsyncarr:latest
66
container_name: subsyncarr
77
volumes:
8-
- ${MEDIA_PATH:-/path/to/your/media}:/scan_dir
8+
# Any path configured with SCAN_PATHS env var must be mounted
9+
# If no scan paths are specified, it defaults to scan `/scan_dir` like example below.
10+
# - ${MEDIA_PATH:-/path/to/your/media}:/scan_dir
11+
- /path/to/movies:/movies
12+
- /path/to/tv:/tv
13+
- /path/to/anime:/anime
914
restart: unless-stopped
1015
environment:
1116
- TZ=${TZ:-UTC}
17+
- CRON_SCHEDULE=0 0 * * * # Runs every day at midnight by default
18+
- SCAN_PATHS=/movies,/tv,/anime # Remember to mount these as volumes. Must begin with /. Default valus is `/scan_dir`
19+
- EXCLUDE_PATHS=/movies/temp,/tv/downloads # Exclude certain sub-directories from the scan

src/config.ts

+46
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,46 @@
1+
export interface ScanConfig {
2+
includePaths: string[];
3+
excludePaths: string[];
4+
}
5+
6+
function validatePath(path: string): boolean {
7+
// Add any path validation logic you need
8+
return path.startsWith('/') && !path.includes('..');
9+
}
10+
11+
export function getScanConfig(): ScanConfig {
12+
const scanPaths = process.env.SCAN_PATHS?.split(',').filter(Boolean) || ['/scan_dir'];
13+
const excludePaths = process.env.EXCLUDE_PATHS?.split(',').filter(Boolean) || [];
14+
15+
// Validate paths
16+
const validIncludePaths = scanPaths.filter((path) => {
17+
const isValid = validatePath(path);
18+
if (!isValid) {
19+
console.warn(`Invalid include path: ${path}`);
20+
}
21+
return isValid;
22+
});
23+
24+
const validExcludePaths = excludePaths.filter((path) => {
25+
const isValid = validatePath(path);
26+
if (!isValid) {
27+
console.warn(`Invalid exclude path: ${path}`);
28+
}
29+
return isValid;
30+
});
31+
32+
if (validIncludePaths.length === 0) {
33+
console.warn('No valid scan paths provided, defaulting to /scan_dir');
34+
validIncludePaths.push('/scan_dir');
35+
}
36+
37+
console.log('Scan configuration:', {
38+
includePaths: validIncludePaths,
39+
excludePaths: validExcludePaths,
40+
});
41+
42+
return {
43+
includePaths: validIncludePaths,
44+
excludePaths: validExcludePaths,
45+
};
46+
}

src/findAllSrtFiles.ts

+12-2
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,16 @@
11
import { readdir } from 'fs/promises';
22
import { extname, join } from 'path';
3+
import { ScanConfig } from './config';
34

4-
export async function findAllSrtFiles(dir: string): Promise<string[]> {
5+
export async function findAllSrtFiles(config: ScanConfig): Promise<string[]> {
56
const files: string[] = [];
67

78
async function scan(directory: string): Promise<void> {
9+
// Check if this directory should be excluded
10+
if (config.excludePaths.some((excludePath) => directory.startsWith(excludePath))) {
11+
return;
12+
}
13+
814
const entries = await readdir(directory, { withFileTypes: true });
915

1016
for (const entry of entries) {
@@ -18,6 +24,10 @@ export async function findAllSrtFiles(dir: string): Promise<string[]> {
1824
}
1925
}
2026

21-
await scan(dir);
27+
// Scan all included paths
28+
for (const includePath of config.includePaths) {
29+
await scan(includePath);
30+
}
31+
2232
return files;
2333
}

src/findMatchingVideoFile.ts

+15-1
Original file line numberDiff line numberDiff line change
@@ -8,13 +8,27 @@ export function findMatchingVideoFile(srtPath: string): string | null {
88
const directory = dirname(srtPath);
99
const srtBaseName = basename(srtPath, '.srt');
1010

11-
// Try to find a video file with the same name but different extension
11+
// Try exact match first
1212
for (const ext of VIDEO_EXTENSIONS) {
1313
const possibleVideoPath = join(directory, `${srtBaseName}${ext}`);
1414
if (existsSync(possibleVideoPath)) {
1515
return possibleVideoPath;
1616
}
1717
}
1818

19+
// Progressive tag removal - split by dots and try removing one segment at a time
20+
const segments = srtBaseName.split('.');
21+
while (segments.length > 1) {
22+
segments.pop(); // Remove the last segment
23+
const baseNameToTry = segments.join('.');
24+
25+
for (const ext of VIDEO_EXTENSIONS) {
26+
const possibleVideoPath = join(directory, `${baseNameToTry}${ext}`);
27+
if (existsSync(possibleVideoPath)) {
28+
return possibleVideoPath;
29+
}
30+
}
31+
}
32+
1933
return null;
2034
}

src/index.ts

+3-1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ import { findAllSrtFiles } from './findAllSrtFiles';
33
import { findMatchingVideoFile } from './findMatchingVideoFile';
44
import { generateFfsubsyncSubtitles } from './generateFfsubsyncSubtitles';
55
import { generateAutosubsyncSubtitles } from './generateAutosubsyncSubtitles';
6+
import { getScanConfig } from './config';
67

78
const SCAN_DIR = '/scan_dir';
89

@@ -12,7 +13,8 @@ async function main(): Promise<void> {
1213

1314
try {
1415
// Find all .srt files
15-
const srtFiles = await findAllSrtFiles(scanDir);
16+
const scanConfig = getScanConfig();
17+
const srtFiles = await findAllSrtFiles(scanConfig);
1618
console.log(`${new Date().toLocaleString()} Found ${srtFiles.length} SRT files`);
1719

1820
// Process each SRT file

0 commit comments

Comments
 (0)