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 | class ColorChooserDialog(Dialog):
"""A class which displays a color chooser dialog. When a color
option is selected and the "OK" button is pressed, the dialog will
return a namedtuple that contains the color values for rgb, hsl, and
hex. These values can be accessed by indexing the tuple or by using
the named fields.

Examples:
```python
>>> cd = ColorChooserDialog()
>>> cd.show()
>>> colors = cd.result
>>> colors.hex
'#5fb04f'
>>> colors[2]
'#5fb04f
>>> colors.rgb
(95, 176, 79)
>>> colors[0]
(95, 176, 79)
```
"""
def __init__(self, parent=None, title="Color Chooser", initialcolor=None):
title = MessageCatalog.translate(title)
super().__init__(parent=parent, title=title)
self.initialcolor = initialcolor
self.dropper = ColorDropperDialog()
self.dropper.result.trace_add('write', self.trace_dropper_color)
def create_body(self, master):
self.colorchooser = ColorChooser(master, self.initialcolor)
self.colorchooser.pack(fill=BOTH, expand=YES)
def create_buttonbox(self, master):
frame = ttk.Frame(master, padding=(5, 5))
# OK button
ok = ttk.Button(frame, bootstyle=PRIMARY, text=MessageCatalog.translate('OK'))
ok.bind("<Return>", lambda _: ok.invoke())
ok.configure(command=lambda b=ok: self.on_button_press(b))
ok.pack(padx=2, side=RIGHT)
# Cancel button
cancel = ttk.Button(frame, bootstyle=SECONDARY, text=MessageCatalog.translate('Cancel'))
cancel.bind("<Return>", lambda _: cancel.invoke())
cancel.configure(command=lambda b=cancel: self.on_button_press(b))
cancel.pack(padx=2, side=RIGHT)
# color dropper (not supported on Mac OS)
if self._toplevel.winsys != 'aqua':
dropper = ttk.Label(frame, text=PEN, font=('-size 16'))
ToolTip(dropper, MessageCatalog.translate('color dropper')) # add tooltip
dropper.pack(side=RIGHT, padx=2)
dropper.bind("<Button-1>", self.on_show_colordropper)
frame.pack(side=BOTTOM, fill=X, anchor=S)
def on_show_colordropper(self, event):
self.dropper.show()
def trace_dropper_color(self, *_):
values = self.dropper.result.get()
self.colorchooser.hex.set(values[2])
self.colorchooser.sync_color_values('hex')
def on_button_press(self, button):
if button.cget('text') == 'OK':
values = self.colorchooser.get_variables()
self._result = ColorChoice(
rgb=(values.r, values.g, values.b),
hsl=(values.h, values.s, values.l),
hex=values.hex
)
self._toplevel.destroy()
self._toplevel.destroy()
|