-
Notifications
You must be signed in to change notification settings - Fork 1
/
gleitzsch.py
executable file
·276 lines (236 loc) · 11.8 KB
/
gleitzsch.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
#!/usr/bin/env python3
"""Entry point."""
import argparse
import sys
import os
from datetime import datetime as dt
import subprocess
import string
import random
import numpy as np
from skimage import io
from skimage import img_as_float
from skimage import transform as tf
from skimage import exposure
from modules import filters as fltrs
from skimage import color
from skimage import util
from modules.bytes_glitch import glitch_bytes
from modules.generate_abs import make_abs
from modules.make_text import make_text
from modules.sound_glitch import process_mp3
__author__ = "Bogdan Kirilenko, 2018"
__version__ = 2.0
temp_files = []
# where the lame binary actually is
if os.name == "nt": # windows
LAME_BINARY = "lame.exe"
else: # using linux/macos
LAME_BINARY = "lame"
MP3_ITER_LIMIT = 10
def eprint(line, end="\n"):
"""Like print but for stdout."""
sys.stderr.write(line + end)
def die(msg, rc=1):
"""Die with rc and show msg."""
eprint(msg + "\n")
for tfile in temp_files:
os.remove(tfile) if os.path.isfile(tfile) else None
sys.exit(rc)
def id_gen(size=6, chars=string.ascii_uppercase + string.digits):
"""Return random string for temp files."""
return "".join(random.choice(chars) for _ in range(size))
def parts(lst, n=25):
"""Split an iterable into a list of lists of len n."""
return [lst[i:i + n] for i in iter(range(0, len(lst), n))]
def parse_args():
"""Parse and check args."""
app = argparse.ArgumentParser()
app.add_argument("input", type=str, help="Input image.")
app.add_argument("output", type=str, help="Output file.")
app.add_argument("--size", type=int, default=1000, help="Long dimension, 800 as default.")
app.add_argument("--temp_dir", type=str, default="temp", help="Directory to hold temp files.")
app.add_argument("--blue_red_shift", "-b", type=int, default=0, help="use red/blue shift")
app.add_argument("--shift", type=int, default=-190, help="Horizontal shift correction, pixels.")
app.add_argument("--gamma", "--gm", type=float, default=None,
help="Gamma correction before mp3-ing. 0.5 as default.")
app.add_argument("--bayer", action="store_true", dest="bayer", help="Apply Bayer filter.")
app.add_argument("--amplify", "-a", action="store_true", dest="amplify", help="Apply amplify filter.")
app.add_argument("--figures", "-f", action="store_true", dest="figures", help="Draw random shapes.")
app.add_argument("--right_pecrentile", "--rp", type=int, default=95,
help="Contrast stretching, right percentile, 90 as default. "
"Int in range [left percentile..100]")
app.add_argument("--left_pecrentile", "--lp", type=int, default=10,
help="Contrast stretching, left percentile, 2 as default. "
"Int in range [0..right_percentile]")
app.add_argument("--hue_shift", type=float, default=None, help="Change colors throw HSV space."
"Float value from -1 to 1.")
app.add_argument("--text", default=None, help="add some text")
app.add_argument("--text_font", default="emboss", help="Text fond, emboss as default.")
app.add_argument("--bytes", action="store_true", dest="bytes", help="Glitch at the image bytes level.")
app.add_argument("--interlacing", "-i", action="store_true", dest="interlacing", help="Interlacing")
app.add_argument("--vertical", action="store_true", dest="vertical", help="Vertical lines.")
app.add_argument("--kHz", type=float, default=16, help="Mp3 resampling. Recommended values are: "
"15.98, 15.99, 16.0 (default), 16.01")
app.add_argument("--sound_quality", "-q", default=9, help="Sound quality, 0..9")
app.add_argument("--stripes", "-s", action="store_true", dest="stripes", help="stripes.")
app.add_argument("--bitrate", default=16, type=int, help="Mp3 bitrate.")
app.add_argument("--rainbow", "-r", action="store_true", dest="rainbow", help="Add rainbow.")
# app.add_argument("--magic", action="store_true", dest="magic", help="magic.")
app.add_argument("--glitch_sound", "--gs", action="store_true", dest="glitch_sound", help="Distort the sound.")
app.add_argument("--glitter", "-g", action="store_true", dest="glitter", help="Add some glitter.")
app.add_argument("--v_streaks", "-v", action="store_true", dest="v_streaks", help="Add vertical streaks.")
app.add_argument("--hor_shifts", "--hs", action="store_true", dest="hor_shifts", help="Add horizontal.. hm....")
app.add_argument("--add_iterations", "--ai", default=0, type=int, help="Additional de/en-code cycles.")
app.add_argument("--keep_temp", action="store_true", dest="keep_temp",
help="Do not remove temp files.")
if len(sys.argv) < 3:
app.print_help()
sys.exit(0)
args = app.parse_args()
# create temp dir if not exists
os.mkdir(args.temp_dir) if not os.path.isdir(args.temp_dir) else None
die("Error! --blue_red_shift must be an even number!") if args.blue_red_shift % 2 != 0 else None
return args
def read_image(input, size):
"""Read image, return 3D array of a size requested."""
die("Error! File {0} doesn't exist!".format(input)) if not os.path.isfile(input) else None
matrix = img_as_float(io.imread(input))
if len(matrix.shape) == 3:
pass # it's a 3D array already
elif len(matrix.shape) == 2:
# case if an image is 2D, make it 3D
layer = np.reshape(matrix, (matrix.shape[0], matrix.shape[1], 1))
matrix = np.concatenate((layer, layer, layer), axis=2)
else:
die("Image is corrupted.")
# rescale the image
scale_k = max(matrix.shape[0], matrix.shape[1]) / size
new_w = int(matrix.shape[0] / scale_k)
new_h = int(matrix.shape[1] / scale_k)
im = tf.resize(image=matrix, output_shape=(new_w, new_h))
return im, (new_w, new_h)
def auto_gamma(im):
"""Return the most suitable gamma for this situation."""
# TODO: implement this
return 0.4
def der_prozess(cmd):
"""Run process, die if fails."""
eprint("Calling {0}".format(cmd))
devnull = open(os.devnull, 'w')
rc = subprocess.call(cmd, shell=True, stderr=devnull)
devnull.close()
if rc != 0: # subprocess died
die("Error! Command {0} failed.".format(cmd))
def process_channel(channel, temp_dir, khz, bitrate, sound_quality, glitch_sound):
"""Do in one step."""
w, h, d = channel.shape
print(w, h, d)
channel_flat = np.reshape(channel, newshape=(w * h * d))
int_form_nd = np.around(channel_flat * 255, decimals=0)
int_form_nd[int_form_nd > 255] = 255
int_form_nd[int_form_nd < 0] = 0
int_form = list(map(int, int_form_nd))
bytes_str = bytes(int_form)
# define temp files | lame cannot work with stdin \ stdout
raw_channel = os.path.join(temp_dir, "init_{0}.blob".format(id_gen()))
mp3_compressed = os.path.join(temp_dir, "compr_{0}.mp3".format(id_gen()))
mp3_decompressed = os.path.join(temp_dir, "decompr_{0}.mp3".format(id_gen()))
temp_files.extend([raw_channel, mp3_compressed, mp3_decompressed])
# temp_files.extend([raw_channel, mp3_decompressed])
# define commands
# bitrate 12 -- 32 is fine
mp3_compr = f'{LAME_BINARY} -r --unsigned -s {khz} -q {sound_quality} --resample 16 ' \
f'--bitwidth 8 -b {bitrate} -m m {raw_channel} "{mp3_compressed}"'
mp3_decompr = f'{LAME_BINARY} --decode -x -t "{mp3_compressed}" {mp3_decompressed}'
# write initial file | raw image
with open(raw_channel, "wb") as f:
f.write(bytes_str)
# call lame
der_prozess(mp3_compr) # compress
# process_mp3(mp3_compressed, (w, h))
der_prozess(mp3_decompr) # decompress
# read decompressed file | get raw sequence
with open(mp3_decompressed, "rb") as f:
mp3_bytes = f.read()
eprint("Compressed array of len {0}".format(len(bytes_str)))
eprint("Decompressed array of len {0}".format(len(mp3_bytes)))
proportion = len(mp3_bytes) // len(bytes_str)
eprint("Proportion {0}".format(proportion))
bytes_num = len(bytes_str) * proportion
decompressed = mp3_bytes[:bytes_num]
# get average of each bytes pair / return 0..1 range of values | return initial shape
# glitched = np.array([(sum(pair) / proportion) / 255 for pair in parts(decompressed, n=proportion)])
glitched = np.array([pair[0] / 255 for pair in parts(decompressed, n=proportion)])
glitched = np.reshape(glitched, newshape=(w, h, d))
# just in case
glitched[glitched > 1] = 1.0
glitched[glitched < 0] = 0.0
return glitched
def main():
"""Main func."""
t0 = dt.now()
args = parse_args()
if args.bytes: # apply glitch to bytes
temp_bytes = os.path.join(args.temp_dir, "bytes_{0}.jpg".format(id_gen()))
temp_files.append(temp_bytes)
glitch_bytes(args.input, temp_bytes)
im_addr = temp_bytes
else: # is not required
im_addr = args.input
# read image, preprocess it
im, shape = read_image(im_addr, args.size) # read image
gamma = args.gamma if args.gamma else auto_gamma(im)
im = (im + make_abs(im.shape, skip_half=0, x_shift=80, red=False)) if args.stripes else im
im[im > 1.0] = 1.0
# apply requested pre-process filters
im = fltrs.horizonal_shifts(im) if args.hor_shifts else im
im = fltrs.vert_streaks(im) if args.v_streaks else im
im = fltrs.add_figs(im) if args.figures else im
im = fltrs.amplify(im) if args.amplify else im
im = util.random_noise(im, mode="speckle")
im = fltrs.color_shift(im, args.hue_shift) if args.hue_shift else im
if args.text:
if len(args.text.replace(" ", "")) == 0:
eprint("Warning, empty sequence in text.")
else:
text_layer = make_text(args.text, args.text_font)
text_h, text_w, _ = text_layer.shape
max_text_w = int(shape[1] / 1.5)
new_text_w = len(args.text) * 55
new_text_w = max_text_w if new_text_w > max_text_w else new_text_w
w_kt = text_w / new_text_w
new_text_h = int(text_h / w_kt)
text_layer = tf.resize(text_layer, (new_text_h, new_text_w))
text_x = random.choice(range(new_text_h, shape[0] - new_text_h * 2))
text_y = random.choice(range(20, shape[1] - (new_text_w + 50)))
im[text_x: text_x + new_text_h, text_y: text_y + new_text_w, :] = text_layer
# other filters
im = fltrs.make_rainbow(im) if args.rainbow else im
im = fltrs.glitter(im) if args.glitter else im
im = exposure.adjust_gamma(image=im, gain=gamma)
im = fltrs.bayer(im) if args.bayer else im
im = fltrs.interlace(im) if args.interlacing else im
im = fltrs.rgb_shift(im, args.blue_red_shift) if args.blue_red_shift > 0 else im
# img -> mp3 -> img
mp3d_im = process_channel(im, args.temp_dir, args.kHz, args.bitrate, args.sound_quality, args.glitch_sound)
extra_iters = MP3_ITER_LIMIT if args.add_iterations >= MP3_ITER_LIMIT else args.add_iterations
for _ in range(extra_iters): # repeatedly compress and decompress if requested
mp3d_im = process_channel(mp3d_im, args.temp_dir, 16.0, args.bitrate, args.sound_quality, args.glitch_sound)
args.shift = args.shift if extra_iters == 0 else args.shift * (1 + extra_iters)
# add vertical bands if requred
mp3d_im = fltrs.add_vertical(mp3d_im) if args.vertical else mp3d_im
# correct contrast + misc postprocess
im = fltrs.adjust_contrast(mp3d_im, args.left_pecrentile, args.right_pecrentile)
# correct shift
im = np.roll(a=im, axis=1, shift=args.shift)
im = fltrs.reconstruct(im, args.kHz)
# save img
io.imsave(fname=args.output, arr=im)
# remove temp files
for tfile in temp_files:
os.remove(tfile) if os.path.isfile(tfile) and not args.keep_temp else None
eprint("Estimated time: {0}".format(dt.now() - t0))
sys.exit(0)
if __name__ == "__main__":
main()