-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathapp.py
311 lines (265 loc) · 12.2 KB
/
app.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
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
import streamlit as st
import os
import tempfile
import time
import shutil
from main import compress_gif, convert_mp4_to_gif # Import both functions
# Set page config
st.set_page_config(
page_title="GIF Compressor",
page_icon="🎬",
layout="centered",
)
# App title and description
st.title("GIF Compression Tool")
st.markdown("Upload a GIF or MP4 file and compress it to your desired size!")
# Sidebar with options
with st.sidebar:
st.header("Compression Settings")
target_size = st.slider(
"Target Size (MB)",
min_value=0.1,
max_value=10.0,
value=1.0,
step=0.1,
help="Target file size in megabytes"
)
max_attempts = st.slider(
"Max Compression Attempts",
min_value=1,
max_value=20,
value=10,
step=1,
help="Maximum number of compression attempts to try"
)
st.markdown("---")
st.subheader("Advanced Settings")
with st.expander("Quality Thresholds"):
min_colors = st.slider(
"Minimum Colors",
min_value=2,
max_value=256,
value=32,
step=1,
help="Minimum number of colors to preserve (higher = better quality)"
)
min_scale = st.slider(
"Minimum Scale",
min_value=0.1,
max_value=1.0,
value=0.4,
step=0.05,
help="Minimum size scale (higher = less resizing)"
)
force_scaling = st.checkbox(
"Force Scaling",
value=False,
help="Enable scaling early in the compression process for better results"
)
with st.expander("Frame Adjustments"):
frame_sample_rate = st.slider(
"Frame Sample Rate",
min_value=0.1,
max_value=1.0,
value=1.0,
step=0.1,
help="Fraction of frames to keep (1.0 = all frames, 0.5 = half the frames)"
)
duration_factor = st.slider(
"Frame Duration Factor",
min_value=0.5,
max_value=2.0,
value=1.0,
step=0.1,
help="Adjust playback speed (1.0 = original, 2.0 = twice as slow)"
)
with st.expander("Crop GIF"):
st.write("Crop pixels from each edge:")
crop_left = st.number_input("Left", min_value=0, max_value=100, value=0, step=1)
crop_top = st.number_input("Top", min_value=0, max_value=100, value=0, step=1)
crop_right = st.number_input("Right", min_value=0, max_value=100, value=0, step=1)
crop_bottom = st.number_input("Bottom", min_value=0, max_value=100, value=0, step=1)
# Only use crop values if at least one is non-zero
use_crop = crop_left > 0 or crop_top > 0 or crop_right > 0 or crop_bottom > 0
crop_pixels = (crop_left, crop_top, crop_right, crop_bottom) if use_crop else None
with st.expander("MP4 to GIF Conversion"):
video_fps = st.slider(
"GIF Frame Rate",
min_value=5,
max_value=30,
value=10,
step=1,
help="Frames per second for the converted GIF"
)
video_scale = st.slider(
"Scale Factor",
min_value=0.2,
max_value=1.0,
value=0.8,
step=0.1,
help="Scale factor for the video resolution (lower = smaller file)"
)
skip_compression = st.checkbox(
"Skip Compression",
value=False,
help="Just convert MP4 to GIF without any additional compression"
)
st.markdown("---")
st.markdown("### About")
st.markdown("""
This tool compresses GIF files to a target size while
preserving as much quality as possible.
It also supports converting MP4 videos to GIF format.
Try messing with the frame rate first in order to get the best results.
""")
# File upload - accept both GIF and MP4
uploaded_file = st.file_uploader("Upload a GIF or MP4 file", type=["gif", "mp4"])
if uploaded_file is not None:
# Determine file type
is_video = uploaded_file.name.lower().endswith('.mp4')
# Create a container for the original file (either GIF or video)
col1, col2 = st.columns(2)
with col1:
if is_video:
st.subheader("Original MP4")
# For MP4 files, use the native video player
with tempfile.NamedTemporaryFile(suffix=".mp4", delete=False) as temp_mp4:
temp_mp4.write(uploaded_file.getvalue())
mp4_path = temp_mp4.name
# Display the video
st.video(mp4_path)
else:
st.subheader("Original GIF")
st.image(uploaded_file, use_container_width=True)
# Get and display original file size
file_size = uploaded_file.size / (1024 * 1024) # Convert to MB
st.write(f"Original Size: {file_size:.2f} MB")
# Process button - show appropriate label based on file type
if is_video:
button_label = "Convert to GIF" if skip_compression else "Convert to GIF & Compress"
else:
button_label = "Compress GIF"
if st.button(button_label):
with st.spinner("Processing... This may take a moment."):
try:
# Create temporary files for processing
with tempfile.NamedTemporaryFile(suffix=".gif", delete=False) as temp_output:
output_path = temp_output.name
# Handle video conversion if needed
if is_video:
# First convert the MP4 to GIF
with tempfile.NamedTemporaryFile(suffix=".gif", delete=False) as temp_gif:
gif_path = temp_gif.name
# Status message
progress_placeholder = st.empty()
progress_placeholder.write("Converting MP4 to GIF...")
# Convert the MP4 to GIF
success = convert_mp4_to_gif(
mp4_path,
gif_path,
fps=video_fps,
scale=video_scale
)
if not success:
st.error("Failed to convert MP4 to GIF. Please check that FFmpeg is installed or try a different file.")
# Clean up files
os.unlink(mp4_path)
os.unlink(gif_path)
st.stop()
# Now we have a GIF to compress
input_path = gif_path
# If user chose to skip compression, we'll just use the converted GIF
if skip_compression:
# Just copy the converted GIF to the output path
shutil.copy(input_path, output_path)
orig_size = os.path.getsize(input_path)
new_size = orig_size
progress_placeholder.write("MP4 converted to GIF successfully!")
else:
# Update progress message for compression
progress_placeholder.write("MP4 converted to GIF. Now compressing...")
else:
# For GIF files, just write to a temp file
with tempfile.NamedTemporaryFile(suffix=".gif", delete=False) as temp_input:
temp_input.write(uploaded_file.getvalue())
input_path = temp_input.name
# Progress placeholder for compression updates
progress_placeholder = st.empty()
# Run compression if not skipped
if not (is_video and skip_compression):
# Define the progress callback function
def progress_callback(attempt, current_size, settings):
progress_placeholder.write(f"Attempt {attempt}: {current_size:.2f}MB (Settings: {settings})")
# Process the GIF
orig_size, new_size = compress_gif(
input_path,
output_path,
target_size_mb=target_size,
max_attempts=max_attempts,
progress_callback=progress_callback,
min_scale=min_scale,
min_colors=min_colors,
frame_sample_rate=frame_sample_rate,
duration_factor=duration_factor,
force_scaling=force_scaling,
crop_pixels=crop_pixels
)
# Read the compressed file
with open(output_path, "rb") as f:
compressed_data = f.read()
# Display the compressed GIF
with col2:
result_label = "Converted GIF" if (is_video and skip_compression) else "Compressed GIF"
st.subheader(result_label)
st.image(compressed_data, use_container_width=True)
# Display stats
new_size_mb = new_size / (1024 * 1024)
compression_ratio = (1 - (new_size / orig_size)) * 100
st.write(f"Final Size: {new_size_mb:.2f} MB")
# Only show compression ratio if compression was applied
if not (is_video and skip_compression):
st.write(f"Compression: {compression_ratio:.2f}%")
# Display compression settings used
st.write("**Applied Settings:**")
settings = []
if is_video:
settings.append(f"Converted from MP4 (FPS: {video_fps}, Scale: {video_scale})")
# Only display compression-related settings if compression was applied
if not (is_video and skip_compression):
if crop_pixels:
settings.append(f"Cropped: {crop_pixels}")
if frame_sample_rate < 1.0:
settings.append(f"Frame sampling: {frame_sample_rate:.1f}")
if duration_factor != 1.0:
settings.append(f"Duration adjustment: {duration_factor:.1f}x")
if min_colors < 256:
settings.append(f"Color reduction: min {min_colors} colors")
if min_scale < 1.0:
settings.append(f"Scale reduction: min {min_scale:.2f}x")
if force_scaling:
settings.append("Scaling applied early")
if settings:
st.write(", ".join(settings))
# Allow downloading the final file
download_label = "Download Converted GIF" if (is_video and skip_compression) else "Download Compressed GIF"
st.download_button(
label=download_label,
data=compressed_data,
file_name=f"{'converted' if (is_video and skip_compression) else 'compressed'}_{os.path.splitext(uploaded_file.name)[0]}.gif",
mime="image/gif"
)
except Exception as e:
st.error(f"Error processing file: {e}")
finally:
# Clean up temporary files
try:
if is_video:
os.unlink(mp4_path)
if 'gif_path' in locals():
os.unlink(gif_path)
if 'input_path' in locals():
os.unlink(input_path)
if 'output_path' in locals():
os.unlink(output_path)
except Exception as e:
pass