-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathgui.py
995 lines (827 loc) · 41.8 KB
/
gui.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
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
import tkinter as tk
from tkinter import filedialog, ttk
from PIL import Image, ImageTk, ImageOps
import numpy as np
import render_3d
import os
import lineart
class Make3DWindow:
def __init__(self, parent, image, image_path, path_dir):
# 새 창 생성
self.parent = parent
self.window = tk.Toplevel(parent)
self.window.title("Depth to Normal")
self.window.geometry("800x900") # 크기 조정
#self.window.resizable(False, False)
self.image_path = image_path
self.path_dir = path_dir
self.texture_path = None # 이미지 경로 변수 추가
# 부모 창 비활성화
self.parent.attributes("-disabled", True)
# 창 닫힐 때 부모 창 활성화
self.window.protocol("WM_DELETE_WINDOW", self.on_close)
# 메인 프레임
self.main_frame = tk.Frame(self.window)
self.main_frame.pack(fill=tk.BOTH, expand=True, padx=10, pady=10)
# 왼쪽 이미지 프레임
self.image_frame = tk.Frame(self.main_frame, width=250, height=250)
self.image_frame.pack(side=tk.LEFT, fill=tk.BOTH, padx=(0, 10))
self.image_frame.pack_propagate(True) # 프레임 크기 고정
# 이미지 레이블
self.image_label = tk.Label(self.image_frame)
self.image_label.pack(expand=True)
# 프리뷰 이미지 레이블 추가
self.preview_label = tk.Label(self.image_frame)
self.preview_label.pack(expand=True)
# 오른쪽 설정 프레임
self.config_frame = tk.Frame(self.main_frame)
self.config_frame.pack(side=tk.RIGHT, fill=tk.BOTH, expand=True)
# 파라미터 입력 프레임
self.param_frame = tk.LabelFrame(self.config_frame, text="Parameters")
self.param_frame.pack(fill=tk.X, pady=(0, 10))
# 파라미터 기본값
self.default_params = {
"input_size": "518",
"normal_depth": "0.0",
"normal_min": "0.000",
"Sobel_ratio":"0.1",
"metallic": "0.0",
"roughness": "1.0",
"bilateral_blur": "11",
"sigmacolor": "45",
"sigmaspace": "45",
"guided_blur": "4",
"loop": "10",
"eps":"16",
"Background": "255,255,255",
"Upscale_tile": "800",
"Detail_mult": "0.01",
"Detail_blur": "1",
"Blur_sigma": "1.0",
"Detail_RGB": "0.4, 0.4, 0.4"
}
# 파라미터 입력창들
self.params = {}
for name, default_value in self.default_params.items():
frame = tk.Frame(self.param_frame)
frame.pack(fill=tk.X, padx=5, pady=2)
label = tk.Label(frame, text=f"{name}:", width=10, anchor='w')
label.pack(side=tk.LEFT, padx=(0, 5))
entry = tk.Entry(frame)
entry.insert(0, default_value) # 기본값 설정
entry.pack(side=tk.LEFT, fill=tk.X, expand=True)
self.params[name] = entry
# 상단 체크박스들을 담을 새로운 프레임
top_checks_frame = tk.Frame(self.param_frame)
top_checks_frame.pack(side=tk.TOP, fill=tk.X)
# add color 체크박스
self.enable_color_var = tk.BooleanVar(value=True)
self.enable_color_check = tk.Checkbutton(
top_checks_frame,
text="Use color texture",
variable=self.enable_color_var
)
self.enable_color_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# show bg color 체크박스 추가
self.show_bg_color_var = tk.BooleanVar(value=False)
self.show_bg_color_check = tk.Checkbutton(
top_checks_frame,
text="Show BG Color",
variable=self.show_bg_color_var
)
self.show_bg_color_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# upsclae normal 체크박스 추가
self.upscale_normal_var = tk.BooleanVar(value=False)
self.upscale_normal_check = tk.Checkbutton(
top_checks_frame,
text="Upscale normal",
variable=self.upscale_normal_var
)
self.upscale_normal_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# Use path 체크박스 추가
self.use_path_var = tk.BooleanVar(value=False)
self.use_path_check = tk.Checkbutton(
top_checks_frame,
text="Use path",
variable=self.use_path_var
)
self.use_path_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# Save glTF 체크박스 추가
self.save_mesh_var = tk.BooleanVar(value=True)
self.save_mesh_check = tk.Checkbutton(
self.param_frame,
text="Save glTF",
variable=self.save_mesh_var
)
self.save_mesh_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# 모델 선택 프레임
self.model_frame = tk.LabelFrame(self.config_frame, text="Depth Model Selection")
self.model_frame.pack(fill=tk.X, pady=(0, 10))
# 모델 선택 콤보박스
self.model_var = tk.StringVar()
self.model_combo = ttk.Combobox(
self.model_frame,
textvariable=self.model_var,
values=['vits', 'vitb', 'vitl'],
state='readonly'
)
self.model_combo.set('vits') # 기본값 설정
self.model_combo.pack(padx=5, pady=5, fill=tk.X)
# 모델 선택 프레임
self.upscale_model_frame = tk.LabelFrame(self.config_frame, text="Upscale Model Selection")
self.upscale_model_frame.pack(fill=tk.X, pady=(0, 10))
# 모델 선택 콤보박스
self.upscale_model_var = tk.StringVar()
self.upscale_model_combo = ttk.Combobox(
self.upscale_model_frame,
textvariable=self.upscale_model_var,
values=['RealESRGAN_x4plus', 'RealESRNet_x4plus', 'RealESRGAN_x4plus_anime_6B', 'RealESRGAN_x2plus', 'realesr-animevideov3', 'realesr-general-x4v3'],
state='readonly'
)
self.upscale_model_combo.set('RealESRGAN_x4plus') # 기본값 설정
self.upscale_model_combo.pack(padx=5, pady=5, fill=tk.X)
# 경로 선택 프레임
self.path_frame = tk.Frame(self.config_frame)
self.path_frame.pack(fill=tk.X, pady=(0, 10))
# 텍스처 프레임 (새로 추가)
self.texture_frame = tk.Frame(self.path_frame)
self.texture_frame.pack(fill=tk.X, pady=5)
# 텍스처 경로 프레임 (새로 추가)
self.texture_dir_frame = tk.Frame(self.path_frame)
self.texture_dir_frame.pack(fill=tk.X, pady=5)
# 출력 경로 프레임 (새로 추가)
self.output_frame = tk.Frame(self.path_frame)
self.output_frame.pack(fill=tk.X, pady=5)
# 이미지 추가 버튼
self.add_texture_button = tk.Button(
self.texture_frame, # texture_frame으로 변경
text="Add Texture",
command=self.load_image,
width=10
)
self.add_texture_button.pack(side=tk.LEFT, padx=5)
# 텍스처 경로 표시 라벨
self.texture_label = tk.Label(self.texture_frame, text="No color Texture selected. Use the default. ", anchor='w')
self.texture_label.pack(side=tk.LEFT, padx=(10, 0), fill=tk.X, expand=True)
# 텍스쳐 시퀸스 경로 선택 버튼
self.texture_dir = None
self.texture_dir_button = tk.Button(
self.texture_dir_frame, # output_frame으로 변경
text="Select Texture Directory",
command=self.select_texture_directory
)
self.texture_dir_button.pack(side=tk.LEFT, padx=5)
# 텍스쳐 시퀸스 경로 표시 라벨
self.texture_dir_label = tk.Label(self.texture_dir_frame, text="No Texture Directory selected", anchor='w')
self.texture_dir_label.pack(side=tk.LEFT, padx=(10, 0), fill=tk.X, expand=True)
# 경로 선택 버튼
self.out_dir = None
self.path_button = tk.Button(
self.output_frame, # output_frame으로 변경
text="Select Output Directory",
command=self.select_output_directory
)
self.path_button.pack(side=tk.LEFT, padx=5)
# 경로 표시 라벨
self.path_label = tk.Label(self.output_frame, text="No directory selected. Use the default path /output. ", anchor='w')
self.path_label.pack(side=tk.LEFT, padx=(10, 0), fill=tk.X, expand=True)
# 실행 버튼
self.run_button = tk.Button(
self.config_frame,
text="Generate",
command=self.generate_3d
)
self.run_button.pack(side=tk.TOP, anchor=tk.W, padx=5, pady=5)
# 이미지 표시
if image:
self.display_image(image)
def load_image(self):
file_path = filedialog.askopenfilename(
filetypes=[
("Image files", "*.png *.jpg *.jpeg *.gif *.bmp"),
("All files", "*.*")
]
)
if file_path:
image = Image.open(file_path)
self.current_image = image
self.texture_path = file_path # 이미지 경로 저장
self.texture_label.config(text=self.texture_path) # 경로 라벨에 선택된 경로 표시
print("Use texture:", self.texture_path)
# 경로 선택 후 최상단 설정 다시 적용
self.window.lift()
self.window.focus_force()
def display_image(self, image):
# 이미지 크기 조정
display_size = (768, 768) # 여백을 위해 프레임보다 작게 설정
image_copy = image.copy()
image_copy.thumbnail(display_size, Image.Resampling.LANCZOS)
# 이미지 크기 가져오기
image_width, image_height = image_copy.size
# 창 너비를 이미지와 UI 요소가 모두 보이도록 조정
min_window_width = 800 # 기본 창 너비
required_width = image_width + 500 # 여유 공간을 더해 전체 창 크기 설정
# 창 크기 자동 조정
new_width = max(min_window_width, required_width)
self.window.geometry(f"{new_width}x900")
# PhotoImage로 변환
photo = ImageTk.PhotoImage(image_copy)
# 레이블에 이미지 표시
self.image_label.configure(image=photo)
self.image_label.image = photo
def display_preview_image(self, image):
# NumPy 배열을 PIL 이미지로 변환
if isinstance(image, np.ndarray):
# 배열 데이터 타입 변환
image = image[..., 0]
image = image.astype(np.uint8) # 값 범위를 [0, 255]로 변환
image = Image.fromarray(image)
# 미리보기 이미지 크기 조정
display_size = (768, 768) # 여백을 위해 프레임보다 작게 설정
image_copy = image.copy()
image_copy.thumbnail(display_size, Image.Resampling.LANCZOS)
# 이미지 크기 가져오기
image_width, image_height = image_copy.size
# 창 너비를 이미지와 UI 요소가 모두 보이도록 조정
min_window_width = 800 # 기본 창 너비
required_width = image_width + 500 # 여유 공간을 더해 전체 창 크기 설정
# 창 크기 자동 조정
new_width = max(min_window_width, required_width)
self.window.geometry(f"{new_width}x900")
# PhotoImage로 변환
preview_photo = ImageTk.PhotoImage(image_copy)
# 레이블에 미리보기 이미지 표시 (원본 이미지 대신 교체)
self.image_label.configure(image=preview_photo)
self.image_label.image = preview_photo
def select_output_directory(self):
# 경로 선택 대화 상자 열기
directory = filedialog.askdirectory()
if directory:
self.out_dir = directory # 선택된 경로 저장
self.path_label.config(text=self.out_dir) # 경로 라벨에 선택된 경로 표시
print("Output directory selected:", self.out_dir)
# 경로 선택 후 최상단 설정 다시 적용
self.window.lift()
self.window.focus_force()
def select_texture_directory(self):
# 텍스쳐 경로 선택 대화 상자 열기
directory = filedialog.askdirectory()
if directory:
self.texture_dir = directory # 선택된 경로 저장
self.texture_dir_label.config(text=self.texture_dir) # 경로 라벨에 선택된 경로 표시
print("Texture directory selected:", self.texture_dir)
# 경로 선택 후 최상단 설정 다시 적용
self.window.lift()
self.window.focus_force()
def generate_3d(self):
# 파라미터 값들 가져오기
params = {name: entry.get() for name, entry in self.params.items()}
selected_model = self.model_var.get()
if self.out_dir == None :
self.out_dir = "output"
# 3D 생성
print("Generating 3D with parameters:", params)
print("Add color texture:", self.enable_color_var.get())
print("Selected model:", selected_model)
print("Output directory:", self.out_dir)
if self.use_path_var.get():
if self.path_dir != None:
print("Image path :", self.path_dir)
else :
if self.image_path != None:
print("Image path:", self.image_path)
print("Show Background color:", self.show_bg_color_var.get())
print("Upscale Normal:", self.upscale_normal_var.get())
if self.upscale_normal_var.get():
print("Upscale Model:", self.upscale_model_var.get())
print("Use Path:", self.use_path_var.get())
print("Save glTF:", self.save_mesh_var.get())
if self.texture_path is not None :
print("Use Color texture:", self.texture_path)
print("===========================================Gernerate 3D ===================================================")
if self.use_path_var.get():
# path_dir 내 모든 이미지 파일 순회
if self.path_dir is not None :
# 이미지 파일만 필터링
image_files = [filename for filename in sorted(os.listdir(self.path_dir))
if os.path.isfile(os.path.join(self.path_dir, filename))
and filename.lower().endswith(('.png', '.jpg', '.jpeg', '.bmp'))]
# 이미지 파일이 없는 경우 메시지 출력
if not image_files:
print("No images in path!")
else:
for filename in sorted(os.listdir(self.path_dir)):
file_path = os.path.join(self.path_dir, filename)
if self.texture_dir is not None:
texture_path = os.path.join(self.texture_dir, filename)
else :
texture_path = None
if os.path.isfile(file_path) and file_path.lower().endswith(('.png', '.jpg', '.jpeg', '.bmp')):
print("Processing image:", file_path)
preview_3d = render_3d.render_depth_normal_mesh(
file_path,
int(self.params["input_size"].get()),
self.out_dir,
float(self.params["normal_depth"].get()),
float(self.params["normal_min"].get()),
float(self.params["metallic"].get()),
float(self.params["roughness"].get()),
int(self.params["bilateral_blur"].get()),
float(self.params["sigmacolor"].get()),
float(self.params["sigmaspace"].get()),
selected_model,
str(self.params["Background"].get()),
self.enable_color_var.get(),
self.show_bg_color_var.get(),
self.upscale_normal_var.get(),
str(self.upscale_model_var.get()),
self.save_mesh_var.get(),
self.use_path_var.get(),
int(self.params["Upscale_tile"].get()),
texture_path,
float(self.params["Detail_mult"].get()),
int(self.params["Detail_blur"].get()),
float(self.params["Blur_sigma"].get()),
str(self.params["Detail_RGB"].get()),
float(self.params["Sobel_ratio"].get()),
int(self.params["guided_blur"].get()),
int(self.params["eps"].get()),
int(self.params["loop"].get())
)
# 미리보기 이미지 표시
self.display_preview_image(preview_3d) # 생성된 미리보기 이미지 표시
else :
print("No image path! Please Add image path")
else :
if self.image_path :
preview_3d = render_3d.render_depth_normal_mesh(
str(self.image_path),
int(self.params["input_size"].get()),
self.out_dir,
float(self.params["normal_depth"].get()),
float(self.params["normal_min"].get()),
float(self.params["metallic"].get()),
float(self.params["roughness"].get()),
int(self.params["bilateral_blur"].get()),
float(self.params["sigmacolor"].get()),
float(self.params["sigmaspace"].get()),
selected_model,
str(self.params["Background"].get()),
self.enable_color_var.get(),
self.show_bg_color_var.get(),
self.upscale_normal_var.get(),
str(self.upscale_model_var.get()),
self.save_mesh_var.get(),
self.use_path_var.get(),
int(self.params["Upscale_tile"].get()),
self.texture_path,
float(self.params["Detail_mult"].get()),
int(self.params["Detail_blur"].get()),
float(self.params["Blur_sigma"].get()),
str(self.params["Detail_RGB"].get()),
float(self.params["Sobel_ratio"].get()),
int(self.params["guided_blur"].get()),
int(self.params["eps"].get()),
int(self.params["loop"].get())
)
# 미리보기 이미지 표시
self.display_preview_image(preview_3d) # 생성된 미리보기 이미지 표시
else :
print("No image! Please Add image")
def on_close(self):
# 창을 닫을 때 부모 창 활성화
self.parent.attributes("-disabled", False)
self.window.destroy()
class ImageViewer:
def __init__(self, root):
self.root = root
self.root.title("Toy Tools")
self.image_path = None # 이미지 경로 변수 추가
self.open_dir = None # 이미지 폴더 경로 변수 추가
# 윈도우 크기 설정
self.root.geometry("800x600")
# 메인 프레임 생성
self.main_frame = tk.Frame(self.root)
self.main_frame.pack(fill=tk.BOTH, expand=True, padx=10, pady=10)
# 우측 버튼 프레임
self.button_frame = tk.Frame(self.main_frame)
self.button_frame.pack(side=tk.RIGHT, fill=tk.Y, padx=(5, 0))
# 이미지 추가 버튼
self.add_button = tk.Button(
self.button_frame,
text="Add Image",
command=self.load_image,
width=10
)
self.add_button.pack(side=tk.TOP, pady=(0, 5))
# 이미지 경로 추가 버튼
self.add_path_button = tk.Button(
self.button_frame ,
text="Add Path",
command=self.select_open_directory,
width=10
)
self.add_path_button.pack(side=tk.TOP, pady=(0, 5))
# Make 3D 버튼
self.make_3d_button = tk.Button(
self.button_frame,
text="D2N",
command=self.make_3d,
width=10,
state=tk.DISABLED
)
self.make_3d_button.pack(side=tk.TOP)
# Extract line 버튼
self.make_line_button = tk.Button(
self.button_frame,
text="Lineart",
command=self.make_lineart,
width=10,
state=tk.DISABLED
)
self.make_line_button.pack(side=tk.TOP)
# 이미지 프레임
self.image_frame = tk.Frame(self.main_frame)
self.image_frame.pack(side=tk.LEFT, fill=tk.BOTH, expand=True)
self.open_path_label = tk.Label(self.image_frame, text="No image path selected. ", anchor='w')
self.open_path_label.pack(side=tk.TOP, padx=(10, 0), fill=tk.X)
# 이미지 레이블
self.image_label = tk.Label(self.image_frame, text="No image")
self.image_label.pack(expand=True)
self.current_image = None # 현재 이미지 변수 추가
def load_image(self):
file_path = filedialog.askopenfilename(
filetypes=[
("Image files", "*.png *.jpg *.jpeg *.gif *.bmp"),
("All files", "*.*")
]
)
if file_path:
image = Image.open(file_path)
self.current_image = image
self.image_path = file_path # 이미지 경로 저장
self.root.after(100, self.update_image)
self.make_3d_button.configure(state=tk.NORMAL)
self.make_line_button.configure(state=tk.NORMAL)
print("Open image:", self.image_path)
def update_image(self):
if self.current_image:
resized_image = self.resize_image(self.current_image)
photo = ImageTk.PhotoImage(resized_image)
self.image_label.configure(image=photo, text="") # 이미지 표시 시 텍스트 제거
self.image_label.image = photo
else:
self.image_label.configure(image="", text="No image") # 이미지 없을 때 텍스트 표시
def resize_image(self, image):
frame_width = self.image_frame.winfo_width()
frame_height = self.image_frame.winfo_height()
img_width, img_height = image.size
width_ratio = frame_width / img_width
height_ratio = frame_height / img_height
ratio = min(width_ratio, height_ratio)
new_width = int(img_width * ratio * 0.9)
new_height = int(img_height * ratio * 0.9)
return image.resize((new_width, new_height), Image.Resampling.LANCZOS)
def make_3d(self):
if self.image_path or self.open_dir:
Make3DWindow(self.root, self.current_image, self.image_path, self.open_dir)
def make_lineart(self):
if self.image_path or self.open_dir:
LineartWindow(self.root, self.current_image, self.image_path, self.open_dir)
def select_open_directory(self):
# 경로 선택 대화 상자 열기
directory = filedialog.askdirectory()
if directory:
self.open_dir = directory # 선택된 경로 저장
self.open_path_label.config(text=self.open_dir) # 경로 라벨에 선택된 경로 표시
self.make_3d_button.configure(state=tk.NORMAL)
self.make_line_button.configure(state=tk.NORMAL)
print("Image Path selected:", self.open_dir)
class LineartWindow:
def __init__(self, parent, image, image_path, path_dir):
# 새 창 생성
self.parent = parent
self.window = tk.Toplevel(parent)
self.window.title("Lineart")
self.window.geometry("800x650") # 크기 조정
#self.window.resizable(False, False)
self.image_path = image_path
self.path_dir = path_dir
self.texture_path = None # 이미지 경로 변수 추가
# 부모 창 비활성화
self.parent.attributes("-disabled", True)
# 창 닫힐 때 부모 창 활성화
self.window.protocol("WM_DELETE_WINDOW", self.on_close)
# 메인 프레임
self.main_frame = tk.Frame(self.window)
self.main_frame.pack(fill=tk.BOTH, expand=True, padx=10, pady=10)
# 왼쪽 이미지 프레임
self.image_frame = tk.Frame(self.main_frame, width=250, height=250)
self.image_frame.pack(side=tk.LEFT, fill=tk.BOTH, padx=(0, 10))
self.image_frame.pack_propagate(True) # 프레임 크기 고정
# 이미지 레이블
self.image_label = tk.Label(self.image_frame)
self.image_label.pack(expand=True)
# 프리뷰 이미지 레이블 추가
self.preview_label = tk.Label(self.image_frame)
self.preview_label.pack(expand=True)
# 오른쪽 설정 프레임
self.config_frame = tk.Frame(self.main_frame)
self.config_frame.pack(side=tk.RIGHT, fill=tk.BOTH, expand=True)
# 파라미터 입력 프레임
self.param_frame = tk.LabelFrame(self.config_frame, text="Parameters")
self.param_frame.pack(fill=tk.X, pady=(0, 10))
# 파라미터 기본값
self.default_params = {
"reolution": "1280",
"blur_b": "5",
"sigmaColor_b": "55",
"sigmaSpace_b": "55",
"blur_a": "5",
"sigmaColor_a": "55",
"sigmaSpace_a": "55",
"line_color": "255,255,255",
"Background": "255,255,255",
"Upscale_tile": "800",
"Threshold": "150"
}
# 파라미터 입력창들
self.params = {}
for name, default_value in self.default_params.items():
frame = tk.Frame(self.param_frame)
frame.pack(fill=tk.X, padx=5, pady=2)
label = tk.Label(frame, text=f"{name}:", width=12, anchor='w')
label.pack(side=tk.LEFT, padx=(0, 5))
entry = tk.Entry(frame)
entry.insert(0, default_value) # 기본값 설정
entry.pack(side=tk.LEFT, fill=tk.X, expand=True)
self.params[name] = entry
# 상단 체크박스들을 담을 새로운 프레임
top_checks_frame = tk.Frame(self.param_frame)
top_checks_frame.pack(side=tk.TOP, fill=tk.X)
# Use alpha 체크박스 추가
self.use_alpha_var = tk.BooleanVar(value=True)
self.use_alpha_check = tk.Checkbutton(
top_checks_frame,
text="Use Alpha",
variable=self.use_alpha_var
)
self.use_alpha_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# show bg color 체크박스 추가
self.show_bg_color_var = tk.BooleanVar(value=False)
self.show_bg_color_check = tk.Checkbutton(
top_checks_frame,
text="Show BG Color",
variable=self.show_bg_color_var
)
self.show_bg_color_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# upsclae lineart 체크박스 추가
self.upscale_lineart_var = tk.BooleanVar(value=False)
self.upscale_lineart_check = tk.Checkbutton(
top_checks_frame,
text="Upscale lineart",
variable=self.upscale_lineart_var
)
self.upscale_lineart_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# Use path 체크박스 추가
self.use_path_var = tk.BooleanVar(value=False)
self.use_path_check = tk.Checkbutton(
top_checks_frame,
text="Use path",
variable=self.use_path_var
)
self.use_path_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# Use threshold 체크박스 추가
self.use_threshold_var = tk.BooleanVar(value=False)
self.use_threshold_check = tk.Checkbutton(
self.param_frame,
text="Use threshold",
variable=self.use_threshold_var
)
self.use_threshold_check.pack(side=tk.LEFT, fill=tk.X, padx=5, pady=(5, 0))
# 라인 추출 선택 프레임
self.model_frame = tk.LabelFrame(self.config_frame, text="Method Selection")
self.model_frame.pack(fill=tk.X, pady=(0, 10))
# 모델 선택 콤보박스
self.model_var = tk.StringVar()
self.model_combo = ttk.Combobox(
self.model_frame,
textvariable=self.model_var,
values=['Anyline', 'teed', 'lineart_standard', 'lineart_anime'],
state='readonly'
)
self.model_combo.set('Anyline') # 기본값 설정
self.model_combo.pack(padx=5, pady=5, fill=tk.X)
# 모델 선택 프레임
self.upscale_model_frame = tk.LabelFrame(self.config_frame, text="Upscale Model Selection")
self.upscale_model_frame.pack(fill=tk.X, pady=(0, 10))
# 모델 선택 콤보박스
self.upscale_model_var = tk.StringVar()
self.upscale_model_combo = ttk.Combobox(
self.upscale_model_frame,
textvariable=self.upscale_model_var,
values=['RealESRGAN_x4plus', 'RealESRNet_x4plus', 'RealESRGAN_x4plus_anime_6B', 'RealESRGAN_x2plus', 'realesr-animevideov3', 'realesr-general-x4v3'],
state='readonly'
)
self.upscale_model_combo.set('RealESRGAN_x4plus') # 기본값 설정
self.upscale_model_combo.pack(padx=5, pady=5, fill=tk.X)
# 경로 선택 프레임
self.path_frame = tk.Frame(self.config_frame)
self.path_frame.pack(fill=tk.X, pady=(0, 10))
# 텍스처 프레임 (새로 추가)
self.texture_frame = tk.Frame(self.path_frame)
self.texture_frame.pack(fill=tk.X, pady=5)
# 텍스처 경로 프레임 (새로 추가)
# self.texture_dir_frame = tk.Frame(self.path_frame)
# self.texture_dir_frame.pack(fill=tk.X, pady=5)
# 출력 경로 프레임 (새로 추가)
self.output_frame = tk.Frame(self.path_frame)
self.output_frame.pack(fill=tk.X, pady=5)
# 경로 선택 버튼
self.out_dir = None
self.path_button = tk.Button(
self.output_frame, # output_frame으로 변경
text="Select Output Directory",
command=self.select_output_directory
)
self.path_button.pack(side=tk.LEFT, padx=5)
# 경로 표시 라벨
self.path_label = tk.Label(self.output_frame, text="No directory selected. Use the default path /output. ", anchor='w')
self.path_label.pack(side=tk.LEFT, padx=(10, 0), fill=tk.X, expand=True)
# 실행 버튼
self.run_button = tk.Button(
self.config_frame,
text="Generate",
command=self.generate_lineart
)
self.run_button.pack(side=tk.TOP, anchor=tk.W, padx=5, pady=5)
# 이미지 표시
if image:
self.display_image(image)
def load_image(self):
file_path = filedialog.askopenfilename(
filetypes=[
("Image files", "*.png *.jpg *.jpeg *.gif *.bmp"),
("All files", "*.*")
]
)
if file_path:
image = Image.open(file_path)
self.current_image = image
self.texture_path = file_path # 이미지 경로 저장
self.texture_label.config(text=self.texture_path) # 경로 라벨에 선택된 경로 표시
print("Use texture:", self.texture_path)
# 경로 선택 후 최상단 설정 다시 적용
self.window.lift()
self.window.focus_force()
def display_image(self, image):
# 이미지 크기 조정
display_size = (768, 768) # 여백을 위해 프레임보다 작게 설정
image_copy = image.copy()
image_copy.thumbnail(display_size, Image.Resampling.LANCZOS)
# 이미지 크기 가져오기
image_width, image_height = image_copy.size
# 창 너비를 이미지와 UI 요소가 모두 보이도록 조정
min_window_width = 800 # 기본 창 너비
required_width = image_width + 500 # 여유 공간을 더해 전체 창 크기 설정
# 창 크기 자동 조정
new_width = max(min_window_width, required_width)
self.window.geometry(f"{new_width}x900")
# PhotoImage로 변환
photo = ImageTk.PhotoImage(image_copy)
# 레이블에 이미지 표시
self.image_label.configure(image=photo)
self.image_label.image = photo
def display_preview_image(self, image):
# NumPy 배열을 PIL 이미지로 변환
if isinstance(image, np.ndarray):
# 배열 데이터 타입 변환
#image = image[..., 0]
image = image.astype(np.uint8) # 값 범위를 [0, 255]로 변환
image = Image.fromarray(image)
# 미리보기 이미지 크기 조정
display_size = (768, 768) # 여백을 위해 프레임보다 작게 설정
image_copy = image.copy()
image_copy.thumbnail(display_size, Image.Resampling.LANCZOS)
# 이미지 크기 가져오기
image_width, image_height = image_copy.size
# 창 너비를 이미지와 UI 요소가 모두 보이도록 조정
min_window_width = 800 # 기본 창 너비
required_width = image_width + 500 # 여유 공간을 더해 전체 창 크기 설정
# 창 크기 자동 조정
new_width = max(min_window_width, required_width)
self.window.geometry(f"{new_width}x900")
# PhotoImage로 변환
preview_photo = ImageTk.PhotoImage(image_copy)
# 레이블에 미리보기 이미지 표시 (원본 이미지 대신 교체)
self.image_label.configure(image=preview_photo)
self.image_label.image = preview_photo
def select_output_directory(self):
# 경로 선택 대화 상자 열기
directory = filedialog.askdirectory()
if directory:
self.out_dir = directory # 선택된 경로 저장
self.path_label.config(text=self.out_dir) # 경로 라벨에 선택된 경로 표시
print("Output directory selected:", self.out_dir)
# 경로 선택 후 최상단 설정 다시 적용
self.window.lift()
self.window.focus_force()
def generate_lineart(self):
# 파라미터 값들 가져오기
params = {name: entry.get() for name, entry in self.params.items()}
selected_model = self.model_var.get()
if self.out_dir == None :
self.out_dir = "output"
# lineart 생성
print("Generating Lineart with parameters:", params)
print("Selected method:", selected_model)
print("Output directory:", self.out_dir)
if self.use_path_var.get():
if self.path_dir != None:
print("Image path :", self.path_dir)
else :
if self.image_path != None:
print("Image path:", self.image_path)
print("Show Background color:", self.show_bg_color_var.get())
print("Upscale lineart:", self.upscale_lineart_var.get())
if self.upscale_lineart_var.get():
print("Upscale Model:", self.upscale_model_var.get())
print("Use Path:", self.use_path_var.get())
print("===========================================Gernerate Lineart ===================================================")
if self.use_path_var.get():
# path_dir 내 모든 이미지 파일 순회
if self.path_dir is not None :
# 이미지 파일만 필터링
image_files = [filename for filename in sorted(os.listdir(self.path_dir))
if os.path.isfile(os.path.join(self.path_dir, filename))
and filename.lower().endswith(('.png', '.jpg', '.jpeg', '.bmp'))]
# 이미지 파일이 없는 경우 메시지 출력
if not image_files:
print("No images in path!")
else:
for filename in sorted(os.listdir(self.path_dir)):
file_path = os.path.join(self.path_dir, filename)
if os.path.isfile(file_path) and file_path.lower().endswith(('.png', '.jpg', '.jpeg', '.bmp')):
print("Processing image:", file_path)
preview_lineart = lineart.anyline(
file_path,
self.out_dir,
int(self.params["reolution"].get()),
int(self.params["blur_b"].get()),
int(self.params["sigmaColor_b"].get()),
int(self.params["sigmaSpace_b"].get()),
int(self.params["blur_a"].get()),
int(self.params["sigmaColor_a"].get()),
int(self.params["sigmaSpace_a"].get()),
str(self.params["line_color"].get()),
str(self.params["Background"].get()),
int(self.params["Upscale_tile"].get()),
self.use_alpha_var.get(),
self.show_bg_color_var.get(),
self.upscale_lineart_var.get(),
str(self.upscale_model_var.get()),
self.use_path_var.get(),
selected_model,
self.use_threshold_var.get(),
int(self.params["Threshold"].get())
)
# 미리보기 이미지 표시
self.display_preview_image(preview_lineart) # 생성된 미리보기 이미지 표시
else :
print("No image path! Please Add image path")
else :
if self.image_path :
preview_lineart = lineart.anyline(
str(self.image_path),
self.out_dir,
int(self.params["reolution"].get()),
int(self.params["blur_b"].get()),
int(self.params["sigmaColor_b"].get()),
int(self.params["sigmaSpace_b"].get()),
int(self.params["blur_a"].get()),
int(self.params["sigmaColor_a"].get()),
int(self.params["sigmaSpace_a"].get()),
str(self.params["line_color"].get()),
str(self.params["Background"].get()),
int(self.params["Upscale_tile"].get()),
self.use_alpha_var.get(),
self.show_bg_color_var.get(),
self.upscale_lineart_var.get(),
str(self.upscale_model_var.get()),
self.use_path_var.get(),
selected_model,
self.use_threshold_var.get(),
int(self.params["Threshold"].get())
)
# 미리보기 이미지 표시
self.display_preview_image(preview_lineart) # 생성된 미리보기 이미지 표시
else :
print("No image! Please Add image")
def on_close(self):
# 창을 닫을 때 부모 창 활성화
self.parent.attributes("-disabled", False)
self.window.destroy()
if __name__ == "__main__":
root = tk.Tk()
app = ImageViewer(root)
root.mainloop()