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 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255
|
def detect_scenes(video_path, threshold=30.0): """Detects scene changes in a video using PySceneDetect with VideoStreamCv2.""" video_manager = None try: logger.debug(f"Initializing VideoStreamCv2 for: {os.path.basename(video_path)}") video_manager = VideoStreamCv2(video_path) logger.info(f"Initialized VideoStreamCv2 for {os.path.basename(video_path)}")
stats_manager = StatsManager() scene_manager = SceneManager(stats_manager) scene_manager.add_detector(ContentDetector(threshold=threshold))
try: total_frames = video_manager.duration.get_frames() logging.debug(f"Video Info: Total Frames={total_frames}") except Exception as info_err: logger.error(f"Error getting video info (duration) for {os.path.basename(video_path)}: {info_err}", exc_info=True) return None, video_path, None
if total_frames <= 0: logger.warning(f"Video {os.path.basename(video_path)} reported 0 frames. Skipping processing.") return 0, video_path, []
logger.debug(f"Starting scene detection for {os.path.basename(video_path)}") scene_manager.detect_scenes(frame_source=video_manager) logger.debug(f"Finished scene detection for {os.path.basename(video_path)}")
scene_list = scene_manager.get_scene_list()
logger.info(f"Detected {len(scene_list)} scenes in {os.path.basename(video_path)}")
return len(scene_list), video_path, scene_list
except cv2.error as cv_err: logger.error(f"OpenCV error processing {os.path.basename(video_path)}: {cv_err}", exc_info=True) return None, video_path, None except VideoOpenFailure as vf_err: logger.error(f"Failed to open video {os.path.basename(video_path)}: {vf_err}", exc_info=True) return None, video_path, None except Exception as e: logger.error(f"Generic error during scene detection for {os.path.basename(video_path)}: {e}", exc_info=True) return None, video_path, None finally: if 'video_manager' in locals() and video_manager is not None: try: if hasattr(video_manager, '_cap') and video_manager._cap is not None and hasattr(video_manager._cap, 'release'): video_manager._cap.release() del video_manager except Exception as del_e: logger.warning(f"Exception while cleaning up video_manager for {os.path.basename(video_path)}: {del_e}")
def split_video_scene(input_path, output_path, start_timecode_str, end_timecode_str): """Splits a video segment using FFmpeg without re-encoding.""" thread_name = threading.current_thread().name logger.info(f"[{thread_name}] Splitting scene: {os.path.basename(output_path)} ({start_timecode_str} -> {end_timecode_str})")
os.makedirs(os.path.dirname(output_path), exist_ok=True)
command = [ 'ffmpeg', '-i', str(input_path), '-ss', start_timecode_str, '-to', end_timecode_str, '-copyts', '-avoid_negative_ts', 'make_zero', '-c', 'copy', '-y', str(output_path) ]
try: process = subprocess.run( command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, check=True, creationflags=subprocess.CREATE_NO_WINDOW if platform.system() == "Windows" else 0, encoding='utf-8', errors='replace' ) logger.info(f"[{thread_name}] Successfully split: {os.path.basename(output_path)}") return True except subprocess.CalledProcessError as e: logger.error(f"[{thread_name}] FFmpeg failed for {os.path.basename(output_path)}.") logger.error(f" Command: {' '.join(command)}") logger.error(f" Return Code: {e.returncode}") logger.error(f" Stderr:\n{e.stderr}") return False except FileNotFoundError: logger.critical(f"[{thread_name}] FFmpeg command not found during split. Ensure FFmpeg is installed and in PATH.") raise except Exception as e: logger.error(f"[{thread_name}] Unexpected error splitting {os.path.basename(output_path)}: {e}", exc_info=True) return False
def process_video(video_path, threshold, base_dest_dir, originals_dir, downscale_width): """Detects scenes, splits video if multiple scenes are found, and moves original.""" thread_name = threading.current_thread().name base_name = os.path.splitext(os.path.basename(video_path))[0] file_ext = os.path.splitext(video_path)[1] logger.info(f"[{thread_name}] Starting processing for: {base_name}{file_ext}") start_time = time.time() split_success_count = 0 split_fail_count = 0
try: num_scenes, _, scene_list = detect_scenes(video_path, threshold)
if num_scenes is None: logger.warning(f"[{thread_name}] Video {base_name}{file_ext} failed scene detection. Skipping.") return
if num_scenes <= 1: logger.info(f"[{thread_name}] Video {base_name}{file_ext} has {num_scenes} scene(s). No splitting needed.") else: logger.info(f"[{thread_name}] Video {base_name}{file_ext} has {num_scenes} scenes. Starting split...") video_scene_dir = os.path.join(base_dest_dir, base_name) os.makedirs(video_scene_dir, exist_ok=True)
for i, (start_tc, end_tc) in enumerate(scene_list): scene_num = i + 1 output_filename = f"{base_name}_scene_{scene_num:03d}{file_ext}" output_filepath = os.path.join(video_scene_dir, output_filename)
start_str = start_tc.get_timecode() end_str = end_tc.get_timecode()
success = split_video_scene(video_path, output_filepath, start_str, end_str) if success: split_success_count += 1 else: split_fail_count += 1
if split_fail_count == 0 and split_success_count > 0: logger.info(f"[{thread_name}] All {split_success_count} scenes split successfully for {base_name}{file_ext}. Moving original.") move_video(video_path, originals_dir) elif split_success_count > 0: logger.warning(f"[{thread_name}] Completed splitting for {base_name}{file_ext} with {split_fail_count} failures out of {num_scenes}. Original NOT moved.") else: logger.error(f"[{thread_name}] All {num_scenes} split attempts failed for {base_name}{file_ext}. Original NOT moved.")
except Exception as e: logger.error(f"[{thread_name}] Top-level error processing {base_name}{file_ext}: {e}", exc_info=True) finally: end_time = time.time() result_summary = f"{num_scenes} scenes detected" if num_scenes is not None else "failed detection" if num_scenes is not None and num_scenes > 1: result_summary += f" ({split_success_count} split OK, {split_fail_count} split failed)" logger.info(f"[{thread_name}] Finished processing {base_name}{file_ext} ({result_summary}) in {end_time - start_time:.2f} seconds.")
def main(root_dir, dest_dir, num_threads=4, threshold=30.0, downscale_width=640): """Main function to process multiple videos in parallel.""" root_dir = os.path.normpath(root_dir) dest_dir = os.path.normpath(dest_dir)
originals_processed_dir = os.path.join(dest_dir, "originals_processed") os.makedirs(originals_processed_dir, exist_ok=True)
video_files_all = find_video_files(root_dir) abs_dest_dir = os.path.abspath(dest_dir) video_files = [f for f in video_files_all if not os.path.abspath(f).startswith(abs_dest_dir)]
if len(video_files) < len(video_files_all): logger.warning(f"Filtered out {len(video_files_all) - len(video_files)} files potentially inside destination subdirectories.")
if not video_files: logger.error(f"No valid video files found in {root_dir} (excluding destination).") return
logging.info(f"Starting scene splitting on {len(video_files)} videos from {root_dir} using {num_threads} threads.") logging.info(f"Output segments will be in subfolders under: {dest_dir}") logging.info(f"Originals (if successfully split) will be moved to: {originals_processed_dir}")
start_overall_time = time.time() processed_count = 0 successful_runs = 0 failed_runs = 0
with ThreadPoolExecutor(max_workers=num_threads, thread_name_prefix='SceneSplitWorker') as executor: futures = {executor.submit(process_video, video_file, threshold, dest_dir, originals_processed_dir, downscale_width): video_file for video_file in video_files}
logging.info("All tasks submitted. Waiting for completion...") from concurrent.futures import as_completed for future in tqdm(as_completed(futures), total=len(futures), desc="Overall Progress"): video_file = futures[future] processed_count += 1 try: future.result() successful_runs += 1 except Exception as exc: failed_runs += 1 logging.debug(f"Worker thread for {os.path.basename(video_file)} failed top-level (already logged).")
end_overall_time = time.time() logging.info(f"Scene splitting complete.") logging.info(f"Summary: {len(video_files)} videos submitted. {successful_runs} processed without top-level errors, {failed_runs} encountered errors.") logging.info(f"Total execution time: {end_overall_time - start_overall_time:.2f} seconds.")
if __name__ == "__main__": if not check_ffmpeg(): sys.exit(1)
root_dir = r"/Volumes/shared/标注/影视" dest_dir = r"/Volumes/shared/0328-1-detect-scene-ret"
if not os.path.exists(root_dir) or not os.path.isdir(root_dir): logging.critical(f"Root directory '{root_dir}' not found or is not a directory.") sys.exit(1) try: os.makedirs(dest_dir, exist_ok=True) logging.info(f"Ensured base destination directory exists: {dest_dir}") except OSError as e: logging.critical(f"Failed to create base destination directory '{dest_dir}': {e}") sys.exit(1) except Exception as e: logging.critical(f"Unexpected error creating destination directory '{dest_dir}': {e}") sys.exit(1)
check_acceleration_support()
main(root_dir, dest_dir, num_threads=4, threshold=27.0, downscale_width=640)
|