| 12345678910111213141516171819202122232425262728293031323334353637383940414243 | # Usage: sonarr_sync.py my-seedbox /seedbox/path/to/data /local/working /local/metadata /local/data# Get all file names in HOST:HOST_DATA_PATH# Get all previously processed file names in LOCAL_METADATA_PATH# Diff the above to get newly added files# For each new file:#   Copy file to LOCAL_WORKING_PATH (used in case of transfer failure)#   Add file name to LOCAL_METADATA_PATH#   Move file to LOCAL_DATA_PATH# */1 * * * * /usr/bin/run-one /usr/bin/python3 /path/to/seedbox_sync.py <seedbox host> /seedbox/path/to/completed/ /local/path/to/downloading /local/path/to/processed /local/path/to/ready 2>&1 | /usr/bin/logger -t seedboximport subprocessimport sysif len(sys.argv) != 6:    print("One or more args are undefined")    sys.exit(1)host, host_data_path, local_working_path, local_metadata_path, local_data_path = sys.argv[1:6]r = subprocess.run(["ssh", host, "bash", "-c", f"IFS=$'\n'; ls {host_data_path}"], stdout=subprocess.PIPE, check=True)available = {f for f in r.stdout.decode().split('\n') if f}r = subprocess.run(["bash", "-c", f"IFS=$'\n'; ls {local_metadata_path}"], stdout=subprocess.PIPE, check=True)processed = {f for f in r.stdout.decode().split('\n') if f}new = available - processedfor new_file in new:    # Be super cautious about empty file names, wouldn't want to `rm -rf` a folder by accident    if not new_file:        continue    print(f"Processing: {new_file}")    subprocess.run(["rsync", "-rsvv", f'{host}:{host_data_path}/{new_file}', f'{local_working_path}'], check=True)    r = subprocess.run(["touch", f'{local_metadata_path}/{new_file}'], check=True)    print(f"Moving to ready: {new_file}")    subprocess.run(["rsync", "-r", f'{local_working_path}/{new_file}', f'{local_data_path}'], check=True)    subprocess.run(["rm", "-rf", f'{local_working_path}/{new_file}'], check=True)
 |