Ahmadkhan12 commited on
Commit
f92b394
·
verified ·
1 Parent(s): 34f992f

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +47 -111
app.py CHANGED
@@ -1,117 +1,53 @@
1
  import os
2
- import subprocess
3
- import sys
4
-
5
- # Diagnostic: Print Python version and executable path
6
- print("Python version:", sys.version)
7
- print("Python executable:", sys.executable)
8
-
9
- # Diagnostic: List installed packages to confirm if moviepy is installed
10
- installed_packages = subprocess.check_output([sys.executable, "-m", "pip", "freeze"]).decode("utf-8")
11
- print("Installed packages:")
12
- print(installed_packages)
13
-
14
- # Try importing moviepy, force install if not found
15
- try:
16
- from moviepy.editor import VideoFileClip, AudioFileClip
17
- except ImportError:
18
- print("MoviePy not found, attempting to install...")
19
- subprocess.check_call([sys.executable, "-m", "pip", "install", "moviepy"])
20
- from moviepy.editor import VideoFileClip, AudioFileClip
21
-
22
- # Hugging Face repo path (update with your repo details)
23
- MUSIC_DIR = "/mnt/data/chunks" # Modify this if necessary
24
-
25
- DEFAULT_MUSIC = "/mnt/data/default_music.mp3" # Path to default music if needed
26
-
27
- def load_music_files():
28
- """
29
- Load all music files from the directory.
30
- """
31
- try:
32
- # Ensure directory exists and is readable
33
- if not os.path.exists(MUSIC_DIR):
34
- raise FileNotFoundError(f"Music directory not found: {MUSIC_DIR}")
35
-
36
- music_files = [os.path.join(MUSIC_DIR, f) for f in os.listdir(MUSIC_DIR) if f.endswith(".mp3")]
37
- if not music_files:
38
- print("No music files found! Using default music.")
39
- if not os.path.exists(DEFAULT_MUSIC):
40
- raise FileNotFoundError("Default music file is missing!")
41
- music_files.append(DEFAULT_MUSIC)
42
- print(f"Loaded {len(music_files)} music files.")
43
- return music_files
44
- except Exception as e:
45
- raise FileNotFoundError(f"Error loading music files: {e}")
46
-
47
- def generate_music(scene_analysis):
48
- """
49
- Select a random music file from the available files.
50
- """
51
- music_files = load_music_files()
52
- selected_music = choice(music_files) # Pick a random music file
53
- print(f"Selected music: {selected_music}")
54
- return selected_music
55
-
56
- def analyze_video(video_path):
57
- """
58
- Dummy scene analysis function. Replace with an actual analysis implementation.
59
- """
60
- print(f"Analyzing video: {video_path}")
61
- return {"scene_type": "Generic", "detected_objects": []}
62
-
63
- def process_video(video_path, music_path):
64
- """
65
- Combines the video with background music.
66
- """
67
- try:
68
- print(f"Processing video: {video_path} with music: {music_path}")
69
-
70
- video_clip = VideoFileClip(video_path)
71
- music_clip = AudioFileClip(music_path)
72
-
73
- # Trim music to match video duration
74
- music_clip = music_clip.subclip(0, min(video_clip.duration, music_clip.duration))
75
-
76
- # Add music to video
77
- final_video = video_clip.set_audio(music_clip)
78
-
79
- # Save the processed video
80
- output_path = tempfile.mktemp(suffix=".mp4")
81
- final_video.write_videofile(output_path, codec="libx264", audio_codec="aac")
82
- return output_path
83
-
84
- except Exception as e:
85
- print(f"Error in process_video: {e}")
86
- raise e
87
-
88
- def main(video_path):
89
- try:
90
- analysis = analyze_video(video_path)
91
- music_path = generate_music(analysis) # Get a fresh music track every time
92
- output_path = process_video(video_path, music_path)
93
- return output_path, f"Music file used: {os.path.basename(music_path)}"
94
- except Exception as e:
95
- print(f"Error in main: {e}")
96
- return None, f"Error: {e}"
97
 
98
  # Gradio Interface
99
- def gradio_interface(video_file):
100
- output_path, message = main(video_file)
101
- if output_path:
102
- return output_path, message
103
- else:
104
- return None, message
105
-
106
- iface = gr.Interface(
107
- fn=gradio_interface,
108
  inputs=gr.Video(label="Upload Video"),
109
- outputs=[
110
- gr.Video(label="Processed Video"),
111
- gr.Textbox(label="Result Info"),
112
- ],
113
- title="Music Video Processor",
114
- description="Upload a video, and it will randomly select one of the uploaded or default music files to combine with the video."
115
  )
116
 
117
- iface.launch(debug=True)
 
 
1
  import os
2
+ import random
3
+ import ffmpeg
4
+ import gradio as gr
5
+
6
+ # Function to add music to video
7
+ def add_music_to_video(video_path, chunks_folder="chunks", output_path="output_with_music.mp4"):
8
+ # List all MP3 files in the chunks folder
9
+ music_files = [os.path.join(chunks_folder, f) for f in os.listdir(chunks_folder) if f.endswith('.mp3')]
10
+
11
+ if not music_files:
12
+ return "Error: No audio files found in the chunks folder."
13
+
14
+ # Randomly select one MP3 file
15
+ music_file_path = random.choice(music_files)
16
+ print(f"Selected music file: {music_file_path}")
17
+
18
+ # Get the duration of the video
19
+ video_info = ffmpeg.probe(video_path)
20
+ video_duration = float(video_info['streams'][0]['duration'])
21
+
22
+ # Trim the music file to match the video duration
23
+ trimmed_music_path = "trimmed_music.mp3"
24
+ ffmpeg.input(music_file_path).output(
25
+ trimmed_music_path, ss=0, t=video_duration
26
+ ).run(overwrite_output=True)
27
+
28
+ # Combine video and audio
29
+ video_input = ffmpeg.input(video_path)
30
+ audio_input = ffmpeg.input(trimmed_music_path)
31
+ ffmpeg.concat(video_input, audio_input, v=1, a=1).output(
32
+ output_path, vcodec="libx264", acodec="aac", strict="experimental"
33
+ ).run(overwrite_output=True)
34
+
35
+ return output_path
36
+
37
+ # Define Gradio interface
38
+ def process_video(uploaded_video):
39
+ video_path = uploaded_video.name
40
+ output_video = add_music_to_video(video_path, chunks_folder="/content/chunks")
41
+ return output_video
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
42
 
43
  # Gradio Interface
44
+ interface = gr.Interface(
45
+ fn=process_video,
 
 
 
 
 
 
 
46
  inputs=gr.Video(label="Upload Video"),
47
+ outputs=gr.Video(label="Video with Background Music"),
48
+ title="Add Background Music to Video",
49
+ description="Upload a video, and this app will add a 10-second background music track that matches the video duration."
 
 
 
50
  )
51
 
52
+ # Launch Gradio app
53
+ interface.launch(share=True)