def create_checkbutton_test(bootstyle, style, name):
    frame = ttk.Frame(padding=10)

    # title
    title = ttk.Label(frame, text=name, anchor=tk.CENTER)
    title.pack(padx=5, pady=2, fill=tk.BOTH)
    ttk.Separator(frame).pack(padx=5, pady=5, fill=tk.X)

    # default style
    cb = ttk.Checkbutton(frame, text='default', bootstyle=bootstyle)
    cb.pack(padx=5, pady=5, fill=tk.BOTH)
    cb.invoke()

    # color styles
    for color in style.theme.colors:
        cb = ttk.Checkbutton(
            master=frame, 
            text=color, 
            bootstyle=color + bootstyle,
            width=15
        )
        cb.pack(padx=5, pady=5, fill=tk.BOTH)
        cb.invoke()

    # disabled style
    cb = ttk.Checkbutton(
        master=frame, 
        text='disabled', 
        bootstyle=bootstyle,
        state=tk.DISABLED
    )
    cb.pack(padx=5, pady=5, fill=tk.BOTH)
    cb.invoke()

    return frame
Esempio n. 2
0
 def construct(self, frame: ttk.Frame) -> None:
     self.data.setdefault("state", tk.IntVar(value=0))
     self.button = ttk.Checkbutton(
         frame,
         text=self.name,
         bootstyle=("success", "outline", "toolbutton"),
         state="selected" if self.data["state"].get() else "!selected",
         variable=self.data["state"],
         command=self._toggle,
     )
     self.button.pack(fill="both", expand=True)
Esempio n. 3
0
    def __init__(self, master):
        super().__init__(master)
        self.pack(fill=BOTH, expand=YES)

        self.images = [
            PhotoImage(name='reset',
                       file=PATH / 'magic_mouse/icons8_reset_24px.png'),
            PhotoImage(name='reset-small',
                       file=PATH / 'magic_mouse/icons8_reset_16px.png'),
            PhotoImage(name='submit',
                       file=PATH /
                       'magic_mouse/icons8_submit_progress_24px.png'),
            PhotoImage(name='question',
                       file=PATH /
                       'magic_mouse/icons8_question_mark_16px.png'),
            PhotoImage(name='direction',
                       file=PATH / 'magic_mouse/icons8_move_16px.png'),
            PhotoImage(name='bluetooth',
                       file=PATH / 'magic_mouse/icons8_bluetooth_2_16px.png'),
            PhotoImage(name='buy',
                       file=PATH / 'magic_mouse/icons8_buy_26px_2.png'),
            PhotoImage(name='mouse', file=PATH / 'magic_mouse/magic_mouse.png')
        ]

        for i in range(3):
            self.columnconfigure(i, weight=1)
        self.rowconfigure(0, weight=1)

        # column 1
        col1 = ttk.Frame(self, padding=10)
        col1.grid(row=0, column=0, sticky=NSEW)

        # device info
        dev_info = ttk.Labelframe(col1, text='Device Info', padding=10)
        dev_info.pack(side=TOP, fill=BOTH, expand=YES)

        # header
        dev_info_header = ttk.Frame(dev_info, padding=5)
        dev_info_header.pack(fill=X)

        btn = ttk.Button(master=dev_info_header,
                         image='reset',
                         bootstyle=LINK,
                         command=self.callback)
        btn.pack(side=LEFT)

        lbl = ttk.Label(dev_info_header, text='Model 2009, 2xAA Batteries')
        lbl.pack(side=LEFT, fill=X, padx=15)

        btn = ttk.Button(master=dev_info_header,
                         image='submit',
                         bootstyle=LINK,
                         command=self.callback)
        btn.pack(side=LEFT)

        # image
        ttk.Label(dev_info, image='mouse').pack(fill=X)

        # progressbar
        pb = ttk.Progressbar(dev_info, value=66)
        pb.pack(fill=X, pady=5, padx=5)
        ttk.Label(pb, text='66%', bootstyle=(PRIMARY, INVERSE)).pack()

        # progress message
        self.setvar('progress', 'Battery is discharging.')
        lbl = ttk.Label(master=dev_info,
                        textvariable='progress',
                        font='Helvetica 8',
                        anchor=CENTER)
        lbl.pack(fill=X)

        # licence info
        lic_info = ttk.Labelframe(col1, text='License Info', padding=20)
        lic_info.pack(side=TOP, fill=BOTH, expand=YES, pady=(10, 0))
        lic_info.rowconfigure(0, weight=1)
        lic_info.columnconfigure(0, weight=2)

        lic_title = ttk.Label(master=lic_info,
                              text='Trial Version, 28 days left',
                              anchor=CENTER)
        lic_title.pack(fill=X, pady=(0, 20))

        lbl = ttk.Label(master=lic_info,
                        text='Mouse serial number:',
                        anchor=CENTER,
                        font='Helvetica 8')
        lbl.pack(fill=X)
        self.setvar('license', 'dtMM2-XYZGHIJKLMN3')

        lic_num = ttk.Label(master=lic_info,
                            textvariable='license',
                            bootstyle=PRIMARY,
                            anchor=CENTER)
        lic_num.pack(fill=X, pady=(0, 20))

        buy_now = ttk.Button(master=lic_info,
                             image='buy',
                             text='Buy now',
                             compound=BOTTOM,
                             command=self.callback)
        buy_now.pack(padx=10, fill=X)

        # Column 2
        col2 = ttk.Frame(self, padding=10)
        col2.grid(row=0, column=1, sticky=NSEW)

        # scrolling
        scrolling = ttk.Labelframe(col2, text='Scrolling', padding=(15, 10))
        scrolling.pack(side=TOP, fill=BOTH, expand=YES)

        op1 = ttk.Checkbutton(scrolling, text='Scrolling', variable='op1')
        op1.pack(fill=X, pady=5)

        # no horizontal scrolling
        op2 = ttk.Checkbutton(master=scrolling,
                              text='No horizontal scrolling',
                              variable='op2')
        op2.pack(fill=X, padx=(20, 0), pady=5)

        btn = ttk.Button(master=op2,
                         image='question',
                         bootstyle=LINK,
                         command=self.callback)
        btn.pack(side=RIGHT)

        # inverse
        op3 = ttk.Checkbutton(master=scrolling,
                              text='Inverse scroll directcion vertically',
                              variable='op3')
        op3.pack(fill=X, padx=(20, 0), pady=5)

        btn = ttk.Button(master=op3,
                         image='direction',
                         bootstyle=LINK,
                         command=self.callback)
        btn.pack(side=RIGHT)

        # Scroll only vertical or horizontal
        op4 = ttk.Checkbutton(master=scrolling,
                              text='Scroll only vertical or horizontal',
                              state=DISABLED)
        op4.configure(variable='op4')
        op4.pack(fill=X, padx=(20, 0), pady=5)

        # smooth scrolling
        op5 = ttk.Checkbutton(master=scrolling,
                              text='Smooth scrolling',
                              variable='op5')
        op5.pack(fill=X, padx=(20, 0), pady=5)

        btn = ttk.Button(master=op5,
                         image='bluetooth',
                         bootstyle=LINK,
                         command=self.callback)
        btn.pack(side=RIGHT)

        # scroll speed
        scroll_speed_frame = ttk.Frame(scrolling)
        scroll_speed_frame.pack(fill=X, padx=(20, 0), pady=5)

        lbl = ttk.Label(scroll_speed_frame, text='Speed:')
        lbl.pack(side=LEFT)

        scale = ttk.Scale(scroll_speed_frame, value=35, from_=1, to=100)
        scale.pack(side=LEFT, fill=X, expand=YES, padx=5)

        scroll_speed_btn = ttk.Button(master=scroll_speed_frame,
                                      image='reset-small',
                                      bootstyle=LINK,
                                      command=self.callback)
        scroll_speed_btn.pack(side=LEFT)

        # scroll sense
        scroll_sense_frame = ttk.Frame(scrolling)
        scroll_sense_frame.pack(fill=X, padx=(20, 0), pady=(5, 0))

        ttk.Label(scroll_sense_frame, text='Sense:').pack(side=LEFT)

        scale = ttk.Scale(scroll_sense_frame, value=50, from_=1, to=100)
        scale.pack(side=LEFT, fill=X, expand=YES, padx=5)

        scroll_sense_btn = ttk.Button(master=scroll_sense_frame,
                                      image='reset-small',
                                      bootstyle=LINK,
                                      command=self.callback)
        scroll_sense_btn.pack(side=LEFT)

        # 1 finger gestures
        finger_gest = ttk.Labelframe(master=col2,
                                     text='1 Finger Gestures',
                                     padding=(15, 10))
        finger_gest.pack(side=TOP, fill=BOTH, expand=YES, pady=(10, 0))
        op6 = ttk.Checkbutton(master=finger_gest,
                              text='Fast swipe left/right',
                              variable='op6')
        op6.pack(fill=X, pady=5)

        cb = ttk.Checkbutton(master=finger_gest,
                             text='Swap swipe direction',
                             variable='op7')
        cb.pack(fill=X, padx=(20, 0), pady=5)

        # gest sense
        gest_sense_frame = ttk.Frame(finger_gest)
        gest_sense_frame.pack(fill=X, padx=(20, 0), pady=(5, 0))

        ttk.Label(gest_sense_frame, text='Sense:').pack(side=LEFT)

        scale = ttk.Scale(gest_sense_frame, value=50, from_=1, to=100)
        scale.pack(side=LEFT, fill=X, expand=YES, padx=5)

        btn = ttk.Button(master=gest_sense_frame,
                         image='reset-small',
                         bootstyle=LINK,
                         command=self.callback)
        btn.pack(side=LEFT)

        # middle click
        middle_click = ttk.Labelframe(master=col2,
                                      text='Middle Click',
                                      padding=(15, 10))
        middle_click.pack(side=TOP, fill=BOTH, expand=YES, pady=(10, 0))
        cbo = ttk.Combobox(master=middle_click,
                           values=['Any 2 finger', 'Other 1', 'Other 2'])
        cbo.current(0)
        cbo.pack(fill=X)

        # Column 3
        col3 = ttk.Frame(self, padding=10)
        col3.grid(row=0, column=2, sticky=NSEW)

        # two finger gestures
        two_finger_gest = ttk.Labelframe(master=col3,
                                         text='2 Finger Gestures',
                                         padding=10)
        two_finger_gest.pack(side=TOP, fill=BOTH)

        op7 = ttk.Checkbutton(master=two_finger_gest,
                              text='Fast swipe left/right',
                              variable='op7')
        op7.pack(fill=X, pady=5)

        op8 = ttk.Checkbutton(master=two_finger_gest,
                              text='Swap swipe direction',
                              variable='op8')
        op8.pack(fill=X, padx=(20, 0), pady=5)

        # gest sense
        gest_sense_frame = ttk.Frame(two_finger_gest)
        gest_sense_frame.pack(fill=X, padx=(20, 0), pady=(5, 0))

        ttk.Label(gest_sense_frame, text='Sense:').pack(side=LEFT)

        scale = ttk.Scale(gest_sense_frame, value=50, from_=1, to=100)
        scale.pack(side=LEFT, fill=X, expand=YES, padx=5)

        btn = ttk.Button(master=gest_sense_frame,
                         image='reset-small',
                         bootstyle=LINK,
                         command=self.callback)
        btn.pack(side=LEFT)

        # fast two finger swipe down
        lbl = ttk.Label(master=two_finger_gest,
                        text='On fast 2 finger up/down swipe:')
        lbl.pack(fill=X, pady=(10, 5))

        op9 = ttk.Checkbutton(master=two_finger_gest,
                              text='Swap swipe direction',
                              variable='op9')
        op9.pack(fill=X, padx=(20, 0), pady=5)

        op10 = ttk.Checkbutton(master=two_finger_gest,
                               text='Swap swipe direction',
                               variable='op10')
        op10.pack(fill=X, padx=(20, 0), pady=5)

        two_finger_cbo = ttk.Combobox(
            master=two_finger_gest,
            values=['Cycle Task View | Normal | Desktop View'])
        two_finger_cbo.current(0)
        two_finger_cbo.pack(fill=X, padx=(20, 0), pady=5)

        # two finger sense
        two_finger_sense_frame = ttk.Frame(two_finger_gest)
        two_finger_sense_frame.pack(fill=X, padx=(20, 0), pady=(5, 0))

        ttk.Label(two_finger_sense_frame, text='Sense:').pack(side=LEFT)

        scale = ttk.Scale(two_finger_sense_frame, value=50, from_=1, to=100)
        scale.pack(side=LEFT, fill=X, expand=YES, padx=5)

        two_finger_sense_btn = ttk.Button(master=two_finger_sense_frame,
                                          image='reset-small',
                                          bootstyle=LINK)
        two_finger_sense_btn.configure(command=self.callback)
        two_finger_sense_btn.pack(side=LEFT)

        # mouse options
        mouse_options = ttk.Labelframe(master=col3,
                                       text='2 Finger Gestures',
                                       padding=(15, 10))
        mouse_options.pack(side=TOP, fill=BOTH, expand=YES, pady=(10, 0))

        op11 = ttk.Checkbutton(master=mouse_options,
                               text='Ignore input if mouse if lifted',
                               variable='op11')
        op11.pack(fill=X, pady=5)

        op12 = ttk.Checkbutton(master=mouse_options,
                               text='Ignore input if mouse if lifted',
                               variable='op12')
        op12.pack(fill=X, pady=5)

        op13 = ttk.Checkbutton(master=mouse_options,
                               text='Ignore input if mouse if lifted',
                               variable='op13')
        op13.pack(fill=X, pady=5)

        # base speed
        base_speed_sense_frame = ttk.Frame(mouse_options)
        base_speed_sense_frame.pack(fill=X, padx=(20, 0), pady=(5, 0))

        lbl = ttk.Label(base_speed_sense_frame, text='Base speed:')
        lbl.pack(side=LEFT)

        scale = ttk.Scale(base_speed_sense_frame, value=50, from_=1, to=100)
        scale.pack(side=LEFT, fill=X, expand=YES, padx=5)

        base_speed_sense_btn = ttk.Button(master=base_speed_sense_frame,
                                          image='reset-small',
                                          bootstyle=LINK)
        base_speed_sense_btn.configure(command=self.callback)
        base_speed_sense_btn.pack(side=LEFT)

        # turn on all checkbuttons
        for i in range(1, 14):
            self.setvar(f'op{i}', 1)

        # turn off select buttons
        for j in [2, 9, 12, 13]:
            self.setvar(f'op{j}', 0)
Esempio n. 4
0
    def __init__(self, isServer: bool = False):
        style = ttk.Style("cosmo")
        self._root = style.master
        self._root.title("FBPos")
        self._root.protocol("WM_DELETE_WINDOW", self.shutdown)
        self._root.rowconfigure(0, weight=1)
        self._root.columnconfigure(0, weight=1)

        self._recv = FBFloatMultiRecv()
        self._client = FBServer() if isServer else FBClient()
        self._client.registerRecvCallback(self._recv.input)

        self._plotFrame = ttk.Frame(self._root)
        self._plotFrame.grid(row=0, column=0, sticky="wesn")
        self._plotFrame.rowconfigure(0, weight=1)
        self._plotFrame.columnconfigure(0, weight=1)

        self._fig = plt.Figure()
        self._fig.subplots_adjust(top=0.965,
                                  bottom=0.055,
                                  left=0.115,
                                  right=0.97,
                                  wspace=0,
                                  hspace=0)
        self._canvas = FigureCanvasTkAgg(self._fig, master=self._plotFrame)
        self._canvas.get_tk_widget().grid(row=0, column=0, sticky="wesn")
        self._ax = self._fig.add_subplot(1, 1, 1)
        self._ax.set_aspect("equal", adjustable="datalim")

        self._toolbar = NavigationToolbar2Tk(self._canvas,
                                             self._plotFrame,
                                             pack_toolbar=False)
        self._toolbar.update()
        self._hiddenPanButton = self._toolbar._buttons["Pan"]
        self._prePanState = False

        self._canvas.mpl_connect("button_press_event", self._control_on_press)
        self._canvas.mpl_connect("button_release_event",
                                 self._control_on_release)
        self._canvas.mpl_connect("motion_notify_event", self._control_on_move)
        self._control_event: SimpleNamespace = None
        self._control_event_lock = threading.Lock()
        self._control_arrow = FancyArrow(0, 0, 1, 0, width=0.1)
        self._ax.add_patch(self._control_arrow)
        self._control_arrow.set_visible(False)

        self._opFrame = ttk.Frame(self._root)
        self._opFrame.grid(row=1, column=0, sticky="we")

        self._resetLimButton = ttk.Button(self._opFrame,
                                          text="视野重置",
                                          command=self._resetLim)
        self._resetLimButton.pack(side="left", padx=5, pady=5)

        self._panButton = ttk.Checkbutton(
            self._opFrame,
            text="拖拽",
            bootstyle=("warning", "outline", "toolbutton"),
            command=self._onPanClick,
        )
        self._panButton.pack(side="left", padx=5, pady=5)

        self._controlButton = ttk.Checkbutton(
            self._opFrame,
            text="控制",
            bootstyle=("error", "outline", "toolbutton"),
            command=self._onControlClick,
        )
        self._controlButton.pack(side="left", padx=5, pady=5)

        self._pauseButton = ttk.Checkbutton(self._opFrame,
                                            text="暂停",
                                            bootstyle=("success", "outline",
                                                       "toolbutton"))
        self._pauseButton.pack(side="left", padx=5, pady=5)

        self._resetPosButton = ttk.Button(self._opFrame,
                                          text="重置位置",
                                          command=self._resetPos)
        self._resetPosButton.pack(side="left", padx=5, pady=5)

        self._stopButton = ttk.Button(self._opFrame,
                                      text="停止",
                                      command=self._stop)
        self._stopButton.pack(side="left", padx=5, pady=5)

        self._robots: List[Robot] = []
        self._scatters: List[Scatter] = []
Esempio n. 5
0
def setup_demo(master):

    ZEN = """Beautiful is better than ugly. 
Explicit is better than implicit. 
Simple is better than complex. 
Complex is better than complicated.
Flat is better than nested. 
Sparse is better than dense.  
Readability counts.
Special cases aren't special enough to break the rules.
Although practicality beats purity.
Errors should never pass silently.
Unless explicitly silenced.
In the face of ambiguity, refuse the temptation to guess.
There should be one-- and preferably only one --obvious way to do it.
Although that way may not be obvious at first unless you're Dutch.
Now is better than never.
Although never is often better than *right* now.
If the implementation is hard to explain, it's a bad idea.
If the implementation is easy to explain, it may be a good idea.
Namespaces are one honking great idea -- let's do more of those!"""

    root = ttk.Frame(master, padding=10)
    style = ttk.Style()
    theme_names = style.theme_names()

    theme_selection = ttk.Frame(root, padding=(10, 10, 10, 0))
    theme_selection.pack(fill=X, expand=YES)

    theme_selected = ttk.Label(master=theme_selection,
                               text="litera",
                               font="-size 24 -weight bold")
    theme_selected.pack(side=LEFT)

    lbl = ttk.Label(theme_selection, text="Select a theme:")
    theme_cbo = ttk.Combobox(
        master=theme_selection,
        text=style.theme.name,
        values=theme_names,
    )
    theme_cbo.pack(padx=10, side=RIGHT)
    theme_cbo.current(theme_names.index(style.theme.name))
    lbl.pack(side=RIGHT)

    ttk.Separator(root).pack(fill=X, pady=10, padx=10)

    def change_theme(e):
        t = cbo.get()
        style.theme_use(t)
        theme_selected.configure(text=t)
        theme_cbo.selection_clear()
        default.focus_set()

    theme_cbo.bind("<<ComboboxSelected>>", change_theme)

    lframe = ttk.Frame(root, padding=5)
    lframe.pack(side=LEFT, fill=BOTH, expand=YES)

    rframe = ttk.Frame(root, padding=5)
    rframe.pack(side=RIGHT, fill=BOTH, expand=YES)

    color_group = ttk.Labelframe(master=lframe,
                                 text="Theme color options",
                                 padding=10)
    color_group.pack(fill=X, side=TOP)

    for color in style.colors:
        cb = ttk.Button(color_group, text=color, bootstyle=color)
        cb.pack(side=LEFT, expand=YES, padx=5, fill=X)

    rb_group = ttk.Labelframe(lframe,
                              text="Checkbuttons & radiobuttons",
                              padding=10)
    rb_group.pack(fill=X, pady=10, side=TOP)

    check1 = ttk.Checkbutton(rb_group, text="selected")
    check1.pack(side=LEFT, expand=YES, padx=5)
    check1.invoke()

    check2 = ttk.Checkbutton(rb_group, text="alternate")
    check2.pack(side=LEFT, expand=YES, padx=5)

    check4 = ttk.Checkbutton(rb_group, text="deselected")
    check4.pack(side=LEFT, expand=YES, padx=5)
    check4.invoke()
    check4.invoke()

    check3 = ttk.Checkbutton(rb_group, text="disabled", state=DISABLED)
    check3.pack(side=LEFT, expand=YES, padx=5)

    radio1 = ttk.Radiobutton(rb_group, text="selected", value=1)
    radio1.pack(side=LEFT, expand=YES, padx=5)
    radio1.invoke()

    radio2 = ttk.Radiobutton(rb_group, text="deselected", value=2)
    radio2.pack(side=LEFT, expand=YES, padx=5)

    radio3 = ttk.Radiobutton(master=rb_group,
                             text="disabled",
                             value=3,
                             state=DISABLED)
    radio3.pack(side=LEFT, expand=YES, padx=5)

    ttframe = ttk.Frame(lframe)
    ttframe.pack(pady=5, fill=X, side=TOP)

    table_data = [
        ("South Island, New Zealand", 1),
        ("Paris", 2),
        ("Bora Bora", 3),
        ("Maui", 4),
        ("Tahiti", 5),
    ]

    tv = ttk.Treeview(master=ttframe, columns=[0, 1], show=HEADINGS, height=5)
    for row in table_data:
        tv.insert("", END, values=row)

    tv.selection_set("I001")
    tv.heading(0, text="City")
    tv.heading(1, text="Rank")
    tv.column(0, width=300)
    tv.column(1, width=70, anchor=CENTER)
    tv.pack(side=LEFT, anchor=NE, fill=X)

    # # notebook with table and text tabs
    nb = ttk.Notebook(ttframe)
    nb.pack(side=LEFT, padx=(10, 0), expand=YES, fill=BOTH)
    nb_text = "This is a notebook tab.\nYou can put any widget you want here."
    nb.add(ttk.Label(nb, text=nb_text), text="Tab 1", sticky=NW)
    nb.add(child=ttk.Label(nb, text="A notebook tab."),
           text="Tab 2",
           sticky=NW)
    nb.add(ttk.Frame(nb), text="Tab 3")
    nb.add(ttk.Frame(nb), text="Tab 4")
    nb.add(ttk.Frame(nb), text="Tab 5")

    # text widget
    txt = ScrolledText(master=lframe, height=5, width=50, autohide=True)
    txt.insert(END, ZEN)
    txt.pack(side=LEFT, anchor=NW, pady=5, fill=BOTH, expand=YES)
    lframe_inner = ttk.Frame(lframe)
    lframe_inner.pack(fill=BOTH, expand=YES, padx=10)
    s1 = ttk.Scale(master=lframe_inner,
                   orient=HORIZONTAL,
                   value=75,
                   from_=100,
                   to=0)
    s1.pack(fill=X, pady=5, expand=YES)

    ttk.Progressbar(
        master=lframe_inner,
        orient=HORIZONTAL,
        value=50,
    ).pack(fill=X, pady=5, expand=YES)

    ttk.Progressbar(
        master=lframe_inner,
        orient=HORIZONTAL,
        value=75,
        bootstyle=(SUCCESS, STRIPED),
    ).pack(fill=X, pady=5, expand=YES)

    m = ttk.Meter(
        master=lframe_inner,
        metersize=150,
        amountused=45,
        subtext="meter widget",
        bootstyle=INFO,
        interactive=True,
    )
    m.pack(pady=10)

    sb = ttk.Scrollbar(
        master=lframe_inner,
        orient=HORIZONTAL,
    )
    sb.set(0.1, 0.9)
    sb.pack(fill=X, pady=5, expand=YES)

    sb = ttk.Scrollbar(master=lframe_inner,
                       orient=HORIZONTAL,
                       bootstyle=(DANGER, ROUND))
    sb.set(0.1, 0.9)
    sb.pack(fill=X, pady=5, expand=YES)

    btn_group = ttk.Labelframe(master=rframe, text="Buttons", padding=(10, 5))
    btn_group.pack(fill=X)

    menu = ttk.Menu(root)
    for i, t in enumerate(style.theme_names()):
        menu.add_radiobutton(label=t, value=i)

    default = ttk.Button(master=btn_group, text="solid button")
    default.pack(fill=X, pady=5)
    default.focus_set()

    mb = ttk.Menubutton(
        master=btn_group,
        text="solid menubutton",
        bootstyle=SECONDARY,
        menu=menu,
    )
    mb.pack(fill=X, pady=5)

    cb = ttk.Checkbutton(
        master=btn_group,
        text="solid toolbutton",
        bootstyle=(SUCCESS, TOOLBUTTON),
    )
    cb.invoke()
    cb.pack(fill=X, pady=5)

    ob = ttk.Button(
        master=btn_group,
        text="outline button",
        bootstyle=(INFO, OUTLINE),
        command=lambda: Messagebox.ok("You pushed an outline button"),
    )
    ob.pack(fill=X, pady=5)

    mb = ttk.Menubutton(
        master=btn_group,
        text="outline menubutton",
        bootstyle=(WARNING, OUTLINE),
        menu=menu,
    )
    mb.pack(fill=X, pady=5)

    cb = ttk.Checkbutton(
        master=btn_group,
        text="outline toolbutton",
        bootstyle=(SUCCESS, OUTLINE, TOOLBUTTON),
    )
    cb.pack(fill=X, pady=5)

    lb = ttk.Button(master=btn_group, text="link button", bootstyle=LINK)
    lb.pack(fill=X, pady=5)

    cb1 = ttk.Checkbutton(
        master=btn_group,
        text="rounded toggle",
        bootstyle=(SUCCESS, ROUND, TOGGLE),
    )
    cb1.invoke()
    cb1.pack(fill=X, pady=5)

    cb2 = ttk.Checkbutton(master=btn_group,
                          text="squared toggle",
                          bootstyle=(SQUARE, TOGGLE))
    cb2.pack(fill=X, pady=5)
    cb2.invoke()

    input_group = ttk.Labelframe(master=rframe,
                                 text="Other input widgets",
                                 padding=10)
    input_group.pack(fill=BOTH, pady=(10, 5), expand=YES)
    entry = ttk.Entry(input_group)
    entry.pack(fill=X)
    entry.insert(END, "entry widget")

    password = ttk.Entry(master=input_group, show="•")
    password.pack(fill=X, pady=5)
    password.insert(END, "password")

    spinbox = ttk.Spinbox(master=input_group, from_=0, to=100)
    spinbox.pack(fill=X)
    spinbox.set(45)

    cbo = ttk.Combobox(
        master=input_group,
        text=style.theme.name,
        values=theme_names,
        exportselection=False,
    )
    cbo.pack(fill=X, pady=5)
    cbo.current(theme_names.index(style.theme.name))

    de = ttk.DateEntry(input_group)
    de.pack(fill=X)

    return root
    def __init__(self, tk_parent, linkedin_conn):

        self.parent = tk_parent
        self.linkedin_conn = linkedin_conn

        self.search_results_df = pd.DataFrame()
        self.search_thread = None
        self.quick_search = True

        # Paned Window
        self.search_paned_window = ttk.PanedWindow(tk_parent, orient='horizontal')
        self.search_paned_window.pack(side='top', fill="both", expand=True, padx=10)

        ## Search fields Canvas/ScrolledFrame
        search_fields_canvas = ttk.Canvas(self.search_paned_window)

        search_fields_frame = ScrolledFrame(search_fields_canvas)
        search_fields_frame.pack(side='top', fill='both', expand=True, padx=5)
        search_fields_frame.hide_scrollbars()

        ### Load/Save search
        load_save_btn_frame = ttk.Frame(search_fields_frame)
        load_save_btn_frame.pack(pady=5, side='top', fill="x")

        load_search_btn = ttk.Button(load_save_btn_frame, text="Load param.")
        load_search_btn.pack(side='left')
        load_search_btn['command'] = self.load_search_config

        save_search_btn = ttk.Button(load_save_btn_frame, text="Save param.")
        save_search_btn.pack(side='right', padx=10)
        save_search_btn['command'] = self.save_search_config

        ### KW-Frame
        kw_frame = ttk.Frame(search_fields_frame)
        kw_frame.pack(pady=5, side='top', fill="x")
        ttk.Label(kw_frame, text="Keywords").pack(side='left')
        self.entry_keywords = ttk.Entry(kw_frame)
        self.entry_keywords.pack(side='left', padx=10, fill='x', expand=True)

        ttk.Separator(search_fields_frame, orient='horizontal').pack(side='top', fill='x', pady=5)
        
        ### Radio Frame
        radio_frame = ttk.Frame(search_fields_frame)
        radio_frame.pack(side='top', fill="x", pady=5, expand=True)
        radio_frame.grid_columnconfigure(0,weight=0)
        radio_frame.grid_columnconfigure(1,weight=0)
        radio_frame.grid_columnconfigure(2,weight=1)

        #### Sort by
        ttk.Label(radio_frame, text="Sort by").grid(row=0, column=0, sticky='nwse')

        self.sort_by = ttk.StringVar(value="R")
        ttk.Radiobutton(radio_frame, text='Most recent', variable=self.sort_by, value="DD").grid(row=0, column=1, padx=10, sticky='nwse')
        ttk.Radiobutton(radio_frame, text='Most relevant', variable=self.sort_by, value="R").grid(row=0, column=2, padx=10, sticky='nwse')

        ttk.Separator(radio_frame, orient='horizontal').grid(row=1, columnspan=3, pady=5, sticky='nwse')

        #### Date Posted
        ttk.Label(radio_frame, text="Date Posted").grid(row=2, column=0, sticky='nwse', pady=5)

        self.date_posted = ttk.IntVar(value=365) # Days since job was posted
        ttk.Radiobutton(radio_frame, text='Past 24h', variable=self.date_posted,
                        value=1).grid(row=3, column=1, padx=10, pady=4, sticky='nwse')
        ttk.Radiobutton(radio_frame, text='Past Week', variable=self.date_posted,
                        value=7).grid(row=3, column=2, padx=10, pady=4, sticky='nwse')
        ttk.Radiobutton(radio_frame, text='Past Month', variable=self.date_posted,
                        value=30).grid(row=4, column=1, padx=10, pady=4, sticky='nwse')
        ttk.Radiobutton(radio_frame, text='Any Time', variable=self.date_posted,
                        value=365).grid(row=4, column=2, padx=10, pady=4, sticky='nwse')

        ttk.Separator(search_fields_frame, orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Experience
        exp_frame = ttk.Frame(search_fields_frame)
        exp_frame.pack(side='top', fill="x")
        exp_frame.grid_columnconfigure(0,weight=0)
        exp_frame.grid_columnconfigure(1,weight=0)
        exp_frame.grid_columnconfigure(2,weight=1)
        ttk.Label(exp_frame, text="Experience").grid(row=0, column=0, pady=4, sticky='nwse')

        intern_lvl_bool = ttk.BooleanVar()
        entry_lvl_bool = ttk.BooleanVar()
        associate_bool = ttk.BooleanVar()
        mid_senior_bool = ttk.BooleanVar()
        director_bool = ttk.BooleanVar()
        executive_bool = ttk.BooleanVar()

        self.exp_dict_list = [
                {'bool_val': intern_lvl_bool, 'name': '1'},
                {'bool_val': entry_lvl_bool, 'name': '2'},
                {'bool_val': associate_bool, 'name': '3'},
                {'bool_val': mid_senior_bool, 'name': '4'},
                {'bool_val': director_bool, 'name': '5'},
                {'bool_val': executive_bool, 'name': '6'},
        ]

        ttk.Checkbutton(exp_frame, text="Internship",
                variable=intern_lvl_bool).grid(row=1, column=0, padx=5, pady=4, sticky='nwse')
        ttk.Checkbutton(exp_frame, text="Entry level",
                variable=entry_lvl_bool).grid(row=1, column=1, padx=5, pady=4, sticky='nwse')
        ttk.Checkbutton(exp_frame, text="Associate",
                variable=associate_bool).grid(row=1, column=2, padx=5, pady=4, sticky='nwse')
        ttk.Checkbutton(exp_frame, text="Mid-Senior level",
                variable=mid_senior_bool).grid(row=2, column=0, padx=5, pady=4, sticky='nwse')
        ttk.Checkbutton(exp_frame, text="Director",
                variable=director_bool).grid(row=2, column=1, padx=5, pady=4, sticky='nwse')
        ttk.Checkbutton(exp_frame, text="Executive",
                variable=executive_bool).grid(row=2, column=2, padx=5, pady=4, sticky='nwse')

        ttk.Separator(search_fields_frame, orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Company frame
        self.comp_frame = SearchFrame(search_fields_frame, title='Company',
                    fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(linkedin_conn[0].get_company_urn_ids, x))
        self.comp_frame.pack(side='top', fill="x")

        ttk.Separator(search_fields_frame, orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Job Type
        job_type_frame = ttk.Frame(search_fields_frame)
        job_type_frame.pack(side='top', fill="x")
        job_type_frame.grid_columnconfigure(0,weight=0)
        job_type_frame.grid_columnconfigure(1,weight=0)
        job_type_frame.grid_columnconfigure(2,weight=1)
        ttk.Label(job_type_frame, text="Job Type").grid(row=0, column=0, pady=4, sticky='nwse')

        full_time_bool = ttk.BooleanVar()
        part_time_bool = ttk.BooleanVar()
        temporary_bool = ttk.BooleanVar()
        contract_bool = ttk.BooleanVar()
        volunteer_bool = ttk.BooleanVar()
        intern_type_bool = ttk.BooleanVar()
        other_type_bool = ttk.BooleanVar()

        self.job_type_dict_list = [
                {'bool_val': full_time_bool, 'name': 'F'},
                {'bool_val': part_time_bool, 'name': 'P'},
                {'bool_val': temporary_bool, 'name': 'T'},
                {'bool_val': contract_bool, 'name': 'C'},
                {'bool_val': volunteer_bool, 'name': 'V'},
                {'bool_val': intern_type_bool, 'name': 'I'},
                {'bool_val': other_type_bool, 'name': 'O'},
        ]

        ttk.Checkbutton(job_type_frame, text="Other",
                variable=other_type_bool).grid(row=0, column=2, padx=10, pady=4, sticky='nwse')
        ttk.Checkbutton(job_type_frame, text="Full-time",
                variable=full_time_bool).grid(row=1, column=0, padx=10, pady=4, sticky='nwse')
        ttk.Checkbutton(job_type_frame, text="Part-time",
                variable=part_time_bool).grid(row=1, column=1, padx=10, pady=4, sticky='nwse')
        ttk.Checkbutton(job_type_frame, text="Temporary",
                variable=temporary_bool).grid(row=1, column=2, padx=10, pady=4, sticky='nwse')
        ttk.Checkbutton(job_type_frame, text="Contract",
                variable=contract_bool).grid(row=2, column=0, padx=10, pady=4, sticky='nwse')
        ttk.Checkbutton(job_type_frame, text="Volunteer",
                variable=volunteer_bool).grid(row=2, column=1, padx=10, pady=4, sticky='nwse')
        ttk.Checkbutton(job_type_frame, text="Internship",
                variable=intern_type_bool).grid(row=2, column=2, padx=10, pady=4, sticky='nwse')
        
        ttk.Separator(search_fields_frame, orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Location Fallback
        self.loc_fallback_frame = SearchFrame(search_fields_frame, title='General Location', single_choice=True,
                    fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(linkedin_conn[0].get_geo_urn_ids, x),
                    tooltip="Restrict the geographical area of the results. In the browser, your location will be recognized automatically and shown at the top of the search page close to the keyword field.")
        self.loc_fallback_frame.pack(side='top', fill="x")

        ### Location Frame
        self.loc_frame = SearchFrame(search_fields_frame, title='Location',
                    fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(linkedin_conn[0].get_geo_urn_ids, x))
        self.loc_frame.pack(side='top', fill="x")

        ttk.Separator(search_fields_frame, orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Industry frame
        self.industry_frame = SearchFrame(search_fields_frame, title='Industry',
                    fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(linkedin_conn[0].get_industry_urn_ids, x))
        self.industry_frame.pack(side='top', fill="x", pady=5)

        self.search_paned_window.add(search_fields_canvas)

        ## Table frame
        self.table_main_frame = ttk.Frame(tk_parent)
        # pandastable
        self.table_frame = ttk.Frame(self.table_main_frame, bootstyle="secondary", borderwidth=2)
        self.table_frame.pack(side="top", fill="both", expand=True)
        self.table = Table(self.table_frame, dataframe=pd.DataFrame(), showtoolbar=False, showstatusbar=True)
        utils.fit_table_style_to_theme(self.table, ttk.Style())
        self.table.unbind_all("<Tab>")
        self.table.unbind_all("<Return>")
        self.table.show()

        self.search_paned_window.add(self.table_main_frame)

        # Buttons frame
        btn_frame = ttk.Frame(tk_parent)
        btn_frame.pack(padx=10, pady=10, side='top', fill="x")

        quick_search_btn = ttk.Button(btn_frame, text="Quick search")
        quick_search_btn.pack(side='left', padx=10)
        quick_search_btn['command'] = self.start_quick_search
        ToolTip(quick_search_btn, "This is a single request that will yield the same results as in the linkedin search bar. \
\nIt doesn't contain any personal details (only public IDs) \
\nYou're not likely to reach any search limit using this mode.")


        btn_sub_frame = ttk.Frame(btn_frame)
        btn_sub_frame.pack(side="left", fill="none", expand=True)

        start_search_btn = ttk.Button(btn_sub_frame, text="Deep Search", bootstyle='danger')
        start_search_btn.pack(side='left', padx=10)
        start_search_btn['command'] = self.start_deep_search
        ToolTip(start_search_btn, "Each search result will be fetched for additional information. \
            \nDepending on the number of results and search frequency, this can trigger the linkedin limit \
after which you'll only be able to get 3 results per search until the end of the month.")

        # self.get_contact_info = ttk.BooleanVar()
        # contact_info_chk_btn = ttk.Checkbutton(btn_sub_frame, text="Fetch contact info",
        #                             variable=self.get_contact_info, bootstyle="danger")
        # contact_info_chk_btn.pack(side='left', padx=10)
        # ToolTip(contact_info_chk_btn, text=f"Fetch contact info by running one additional request per result.")

        self.export_to_file_btn = ttk.Button(btn_frame, text="Export to File", state="disabled")
        self.export_to_file_btn.pack(side='left', padx=10)
        self.export_to_file_btn['command'] = self.prepare_dataframe_and_save_to_xsl

        # Status frame
        self.status_frame = ttk.Frame(tk_parent)
        self.status_frame.pack(padx=10, pady=2, side='bottom', expand=False, fill="x")
        self.status_str = ttk.StringVar(value="")
        ttk.Label(self.status_frame, textvariable=self.status_str).pack(side='left', expand=False)

        ttk.Separator(tk_parent, orient='horizontal').pack(side='bottom', fill='x')
style = ttk.Style(theme='darkly')

frame = ttk.Frame(padding=5)
frame.pack(padx=5, pady=5, fill=tk.X)

top_frame = ttk.Frame(frame)
bot_frame = ttk.Frame(frame)
top_frame.pack(fill=tk.X)
bot_frame.pack(fill=tk.X)

# --- Testing below ---

# checkbutton
for i, color in enumerate(['default', *style.colors]):
    if i < 5:
        a = ttk.Checkbutton(top_frame, text=color, bootstyle=color, width=12)
    else:
        a = ttk.Checkbutton(bot_frame, text=color, bootstyle=color, width=12)

    a.pack(side=tk.LEFT, padx=3, pady=10)
    a.invoke()
a = ttk.Checkbutton(bot_frame, text='disabled', width=12, state=tk.DISABLED)
a.pack(side=tk.LEFT, padx=3, pady=10)

# solid toolbutton
for i, color in enumerate(['default', *style.colors]):
    if i < 5:
        a = ttk.Checkbutton(top_frame,
                            text=color,
                            bootstyle=color + 'toolbutton',
                            width=12)
Esempio n. 8
0
    style = TkBootstrap.Style("darkly")

    screenWidth = int(window.winfo_screenwidth() / 3)
    screenHeight = int(window.winfo_screenheight() / 5)

    #endregion

    #region Tk Interface widgets

    button_install = TkBootstrap.Button(text="start install",
                                        bootstyle='success',
                                        command=Install)
    button_path = TkBootstrap.Button(text="select source folder",
                                     bootstyle='default',
                                     command=SelectDirectory)
    checkButton_denoiser = TkBootstrap.Checkbutton(
        text="add denoising", bootstyle='outline-toolbutton')
    checkButton_settings = TkBootstrap.Checkbutton(
        text="copy settings", bootstyle='outline-toolbutton')
    entry_path = TkBootstrap.Entry(text="root directory", bootstyle='default')
    label_info = TkBootstrap.Label(text="Wicked Engine folder:")

    #endregion

    #region Window changes, widget packing/placing, etc.

    window.geometry(str(screenWidth) + 'x' +
                    str(screenHeight))  # Needs to be strings for some reason?

    button_install.place(relx=0.5, rely=0.75, anchor=CENTER)
    button_path.place(relx=0.5, rely=0.5, anchor=CENTER)
Esempio n. 9
0
    def create_left_frame(self):
        """Create all the left frame widgets"""
        container = ttk.Frame(self)
        container.pack(side=LEFT, fill=BOTH, expand=YES, padx=5)

        # demonstrates all color options inside a label
        color_group = ttk.Labelframe(master=container,
                                     text="Theme color options",
                                     padding=10)
        color_group.pack(fill=X, side=TOP)
        for color in self.style.colors:
            cb = ttk.Button(color_group, text=color, bootstyle=color)
            cb.pack(side=LEFT, expand=YES, padx=5, fill=X)

        # demonstrates all radiobutton widgets active and disabled
        cr_group = ttk.Labelframe(master=container,
                                  text="Checkbuttons & radiobuttons",
                                  padding=10)
        cr_group.pack(fill=X, pady=10, side=TOP)
        cr1 = ttk.Checkbutton(cr_group, text="selected")
        cr1.pack(side=LEFT, expand=YES, padx=5)
        cr1.invoke()
        cr2 = ttk.Checkbutton(cr_group, text="deselected")
        cr2.pack(side=LEFT, expand=YES, padx=5)
        cr3 = ttk.Checkbutton(cr_group, text="disabled", state=DISABLED)
        cr3.pack(side=LEFT, expand=YES, padx=5)
        cr4 = ttk.Radiobutton(cr_group, text="selected", value=1)
        cr4.pack(side=LEFT, expand=YES, padx=5)
        cr4.invoke()
        cr5 = ttk.Radiobutton(cr_group, text="deselected", value=2)
        cr5.pack(side=LEFT, expand=YES, padx=5)
        cr6 = ttk.Radiobutton(cr_group,
                              text="disabled",
                              value=3,
                              state=DISABLED)
        cr6.pack(side=LEFT, expand=YES, padx=5)

        # demonstrates the treeview and notebook widgets
        ttframe = ttk.Frame(container)
        ttframe.pack(pady=5, fill=X, side=TOP)
        table_data = [
            ("South Island, New Zealand", 1),
            ("Paris", 2),
            ("Bora Bora", 3),
            ("Maui", 4),
            ("Tahiti", 5),
        ]
        tv = ttk.Treeview(master=ttframe,
                          columns=[0, 1],
                          show="headings",
                          height=5)
        for row in table_data:
            tv.insert("", END, values=row)
        tv.selection_set("I001")
        tv.heading(0, text="City")
        tv.heading(1, text="Rank")
        tv.column(0, width=300)
        tv.column(1, width=70, anchor=CENTER)
        tv.pack(side=LEFT, anchor=NE, fill=X)

        nb = ttk.Notebook(ttframe)
        nb.pack(side=LEFT, padx=(10, 0), expand=YES, fill=BOTH)
        nb_text = (
            "This is a notebook tab.\nYou can put any widget you want here.")
        nb.add(ttk.Label(nb, text=nb_text), text="Tab 1", sticky=NW)
        nb.add(
            child=ttk.Label(nb, text="A notebook tab."),
            text="Tab 2",
            sticky=NW,
        )
        nb.add(ttk.Frame(nb), text="Tab 3")
        nb.add(ttk.Frame(nb), text="Tab 4")
        nb.add(ttk.Frame(nb), text="Tab 5")

        # text widget
        txt = ttk.Text(master=container, height=5, width=50, wrap="none")
        txt.insert(END, DemoWidgets.ZEN)
        txt.pack(side=LEFT, anchor=NW, pady=5, fill=BOTH, expand=YES)

        # demonstrates scale, progressbar, and meter, and scrollbar widgets
        lframe_inner = ttk.Frame(container)
        lframe_inner.pack(fill=BOTH, expand=YES, padx=10)
        scale = ttk.Scale(master=lframe_inner,
                          orient=HORIZONTAL,
                          value=75,
                          from_=100,
                          to=0)
        scale.pack(fill=X, pady=5, expand=YES)

        ttk.Progressbar(
            master=lframe_inner,
            orient=HORIZONTAL,
            value=50,
        ).pack(fill=X, pady=5, expand=YES)

        ttk.Progressbar(
            master=lframe_inner,
            orient=HORIZONTAL,
            value=75,
            bootstyle="success-striped",
        ).pack(fill=X, pady=5, expand=YES)

        m = ttk.Meter(
            master=lframe_inner,
            metersize=150,
            amountused=45,
            subtext="meter widget",
            bootstyle="info",
            interactive=True,
        )
        m.pack(pady=10)

        sb = ttk.Scrollbar(
            master=lframe_inner,
            orient=HORIZONTAL,
        )
        sb.set(0.1, 0.9)
        sb.pack(fill=X, pady=5, expand=YES)

        sb = ttk.Scrollbar(master=lframe_inner,
                           orient=HORIZONTAL,
                           bootstyle="danger-round")
        sb.set(0.1, 0.9)
        sb.pack(fill=X, pady=5, expand=YES)
Esempio n. 10
0
    def create_right_frame(self):
        container = ttk.Frame(self)
        container.pack(side=RIGHT, fill=BOTH, expand=YES, padx=5)

        # demonstrates various button styles
        btn_group = ttk.Labelframe(master=container,
                                   text="Buttons",
                                   padding=(10, 5))
        btn_group.pack(fill=X)

        menu = ttk.Menu(self)
        for i, t in enumerate(self.style.theme_names()):
            menu.add_radiobutton(label=t, value=i)

        default = ttk.Button(master=btn_group, text="solid button")
        default.pack(fill=X, pady=5)
        default.focus_set()

        mb = ttk.Menubutton(
            master=btn_group,
            text="solid menubutton",
            bootstyle=SECONDARY,
            menu=menu,
        )
        mb.pack(fill=X, pady=5)

        cb = ttk.Checkbutton(
            master=btn_group,
            text="solid toolbutton",
            bootstyle=(SUCCESS, TOOLBUTTON),
        )
        cb.invoke()
        cb.pack(fill=X, pady=5)

        ob = ttk.Button(master=btn_group,
                        text="outline button",
                        bootstyle=(INFO, OUTLINE))
        ob.pack(fill=X, pady=5)

        mb = ttk.Menubutton(
            master=btn_group,
            text="outline menubutton",
            bootstyle=(WARNING, OUTLINE),
            menu=menu,
        )
        mb.pack(fill=X, pady=5)

        cb = ttk.Checkbutton(
            master=btn_group,
            text="outline toolbutton",
            bootstyle="success-outline-toolbutton",
        )
        cb.pack(fill=X, pady=5)

        lb = ttk.Button(master=btn_group, text="link button", bootstyle=LINK)
        lb.pack(fill=X, pady=5)

        cb1 = ttk.Checkbutton(
            master=btn_group,
            text="rounded toggle",
            bootstyle=(SUCCESS, ROUND, TOGGLE),
        )
        cb1.invoke()
        cb1.pack(fill=X, pady=5)

        cb2 = ttk.Checkbutton(master=btn_group,
                              text="squared toggle",
                              bootstyle=(SQUARE, TOGGLE))
        cb2.pack(fill=X, pady=5)
        cb2.invoke()

        input_group = ttk.Labelframe(master=container,
                                     text="Other input widgets",
                                     padding=10)
        input_group.pack(fill=BOTH, pady=(10, 5), expand=YES)
        entry = ttk.Entry(input_group)
        entry.pack(fill=X)
        entry.insert(END, "entry widget")

        password = ttk.Entry(master=input_group, show="•")
        password.pack(fill=X, pady=5)
        password.insert(END, "password")

        spinbox = ttk.Spinbox(master=input_group, from_=0, to=100)
        spinbox.pack(fill=X)
        spinbox.set(45)

        cbo = ttk.Combobox(
            master=input_group,
            text=self.style.theme.name,
            values=self.style.theme_names(),
        )
        cbo.pack(fill=X, pady=5)
        cbo.current(self.style.theme_names().index(self.style.theme.name))

        de = ttk.DateEntry(input_group)
        de.pack(fill=X)
Esempio n. 11
0
    def __init__(self, isServer: bool = False):
        style = ttk.Style("cosmo")
        self._root = style.master
        self._root.title("FBImg")
        self._root.rowconfigure(0, weight=1)
        self._root.columnconfigure(0, weight=1)
        self._root.protocol("WM_DELETE_WINDOW", self.shutdown)

        self._imgCanvas = ttk.Canvas(self._root)
        self._imgCanvas.config(bg="light gray")
        self._imgCanvas.grid(row=0, column=0, sticky="nsew")
        self._imgCanvas_shape = (0, 0)

        opFrame = ttk.Frame(self._root)
        opFrame.grid(row=1, column=0, sticky="we")
        opFrame.columnconfigure(0, weight=1)

        val = lambda s: ValEntry.type_validator(int)(s) and int(s) > 0
        imgFrame = ttk.Frame(opFrame)
        imgFrame.grid(row=0, column=0, sticky="we")
        ttk.Label(imgFrame, text="宽度").pack(side="left", pady=5)
        self.wEntry = ValEntry(val, imgFrame, width=5)
        self.wEntry.pack(side="left", pady=5)
        ttk.Label(imgFrame, text="高度").pack(side="left", pady=5)
        self.hEntry = ValEntry(val, imgFrame, width=5)
        self.hEntry.pack(side="left", pady=5)
        ttk.Button(imgFrame, text="应用",
                   command=self._applySize).pack(side="left", padx=2, pady=5)

        self._pauseButton = ttk.Checkbutton(imgFrame,
                                            text="暂停",
                                            bootstyle=("success", "outline",
                                                       "toolbutton"))
        self._pauseButton.pack(side="left", padx=5, pady=5)

        ttk.Label(imgFrame, text="保存路径").pack(side="left", pady=5)
        self._dirEntry = ttk.Entry(imgFrame, width=30)
        self._dirEntry.pack(side="left", pady=5)

        ttk.Button(imgFrame, text="选择",
                   command=self._selectDir).pack(side="left", pady=5)

        self._saveButton = ttk.Button(imgFrame,
                                      text="保存",
                                      bootstyle=("success"),
                                      command=self.saveImg)
        self._saveButton.pack(side="left", padx=5, pady=5)
        self._recordButton = ttk.Checkbutton(imgFrame,
                                             text="录制",
                                             command=self._toggleRecord,
                                             bootstyle=("warning", "outline",
                                                        "toolbutton"))
        self._recordButton.pack(side="left", pady=5)
        self._cntLabel = ttk.Label(imgFrame)
        self._cntLabel.pack(side="left", pady=5)

        self._client = FBServer() if isServer else FBClient()
        self._recv = FBRawRecv()

        self._client.registerRecvCallback(self._recv.input)
        self._recv.registerRecvCallback(self.updateData)

        self._imgLock = threading.Lock()
        self._dirLock = threading.Lock()
        self.loadConfig()
Esempio n. 12
0
    def __init__(self, root=None, **kw):
        super().__init__(root._root if root is not None else None, **kw)
        self.root = root

        self._fig = plt.Figure()
        self._fig.subplots_adjust(top=0.965,
                                  bottom=0.055,
                                  left=0.115,
                                  right=0.97,
                                  wspace=0,
                                  hspace=0)

        self._canvas = FigureCanvasTkAgg(self._fig, master=self)
        self._canvas.get_tk_widget().grid(row=0, column=0, sticky="wesn")
        self.rowconfigure(0, weight=1)
        self.columnconfigure(0, weight=1)

        self._ax = self._fig.add_subplot(1, 1, 1)
        self._ax.drag_pan = self._drag_pan

        self._dataLock = threading.Lock()
        self._updateFlag = False

        self.samplecnt = 1000
        self.datacnt = 2

        self._opFrame = ttk.Frame(self)
        self._opFrame.grid(row=1, column=0, sticky="we")

        self._autoscaleCheckButton = ttk.Checkbutton(
            self._opFrame,
            text="自动缩放",
            bootstyle=("success", "round", "toggle"),
            command=self._toggleAutoscaleCB)
        self._autoscaleCheckButton.state(["selected"])
        self._autoscaleCheckButton.pack(side="left", padx=5, pady=5)

        self._resetXlimButton = ttk.Button(self._opFrame,
                                           text="重置X轴",
                                           command=self._resetXlim)
        self._resetXlimButton.pack(side="left", padx=5, pady=5)

        self._refreshButton = ttk.Button(self._opFrame,
                                         text="刷新",
                                         command=self._refresh,
                                         bootstyle="warning")
        self._refreshButton.pack(side="left", padx=5, pady=5)

        self._pauseButton = ttk.Checkbutton(self._opFrame,
                                            text="暂停",
                                            bootstyle=("success", "outline",
                                                       "toolbutton"))
        self._pauseButton.pack(side="left", padx=5, pady=5)

        self._toolbar = NavigationToolbar2Tk(self._canvas,
                                             self._opFrame,
                                             pack_toolbar=False)
        self._toolbar.update()
        self._toolbar.pan()

        # self.applyDataConfig()

        self._animation = animation.FuncAnimation(self._fig,
                                                  self._updatePlot,
                                                  interval=100,
                                                  blit=True)
        else:
            child.grid()
            child.btn.configure(image=self.images[0])


if __name__ == '__main__':

    app = ttk.Window(minsize=(300, 1))

    cf = CollapsingFrame(app)
    cf.pack(fill=BOTH)

    # option group 1
    group1 = ttk.Frame(cf, padding=10)
    for x in range(5):
        ttk.Checkbutton(group1, text=f'Option {x + 1}').pack(fill=X)
    cf.add(child=group1, title='Option Group 1')

    # option group 2
    group2 = ttk.Frame(cf, padding=10)
    for x in range(5):
        ttk.Checkbutton(group2, text=f'Option {x + 1}').pack(fill=X)
    cf.add(group2, title='Option Group 2', bootstyle=DANGER)

    # option group 3
    group3 = ttk.Frame(cf, padding=10)
    for x in range(5):
        ttk.Checkbutton(group3, text=f'Option {x + 1}').pack(fill=X)
    cf.add(group3, title='Option Group 3', bootstyle=SUCCESS)

    app.mainloop()
Esempio n. 14
0
    def __init__(self, tk_parent, linkedin_conn):

        self.parent = tk_parent
        self.linkedin_conn = linkedin_conn

        self.search_results_df = pd.DataFrame()
        self.search_thread = None
        self.quick_search = True

        # Paned Window
        self.search_paned_window = ttk.PanedWindow(tk_parent,
                                                   orient='horizontal')
        self.search_paned_window.pack(side='top',
                                      fill="both",
                                      expand=True,
                                      padx=10)

        ## Search fields Canvas/ScrolledFrame
        search_fields_canvas = ttk.Canvas(self.search_paned_window)

        search_fields_frame = ScrolledFrame(search_fields_canvas)
        search_fields_frame.pack(side='top', fill='both', expand=True, padx=5)
        search_fields_frame.hide_scrollbars()

        ### Load/Save search
        load_save_btn_frame = ttk.Frame(search_fields_frame)
        load_save_btn_frame.pack(pady=5, side='top', fill="x")

        load_search_btn = ttk.Button(load_save_btn_frame, text="Load param.")
        load_search_btn.pack(side='left')
        load_search_btn['command'] = self.load_search_config

        save_search_btn = ttk.Button(load_save_btn_frame, text="Save param.")
        save_search_btn.pack(side='right', padx=10)
        save_search_btn['command'] = self.save_search_config

        ### Connections
        conn_frame = ttk.Frame(search_fields_frame)
        conn_frame.pack(pady=10, side='top', fill='x')
        conn_lbl = ttk.Label(conn_frame, text="Connections")
        conn_lbl.pack(side='left', expand=False)
        ToolTip(conn_lbl,
                text=f"Degree of Connection with the logged in user.")

        first_con = ttk.BooleanVar()
        second_con = ttk.BooleanVar()
        third_con = ttk.BooleanVar()

        self.con_dict_list = [{
            'bool_val': first_con,
            'name': 'F'
        }, {
            'bool_val': second_con,
            'name': 'S'
        }, {
            'bool_val': third_con,
            'name': 'O'
        }]

        ttk.Checkbutton(conn_frame,
                        text="1st",
                        variable=first_con,
                        bootstyle="primary").pack(side='left', padx=10)
        ttk.Checkbutton(conn_frame,
                        text="2nd",
                        variable=second_con,
                        bootstyle="primary").pack(side='left', padx=10)
        ttk.Checkbutton(conn_frame,
                        text="3rd+",
                        variable=third_con,
                        bootstyle="primary").pack(side='left', padx=10)

        ttk.Separator(search_fields_frame,
                      orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Connection of
        self.conn_of_frame = SearchFrame(
            search_fields_frame,
            title='Connection of',
            single_choice=True,
            fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(
                linkedin_conn[0].get_contact_urn_ids, x))
        self.conn_of_frame.pack(side='top', fill="x")

        ttk.Separator(search_fields_frame,
                      orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Location Frame
        self.loc_frame = SearchFrame(
            search_fields_frame,
            title='Location',
            fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(
                linkedin_conn[0].get_geo_urn_ids, x))
        self.loc_frame.pack(side='top', fill="x")

        ttk.Separator(search_fields_frame,
                      orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Current Company frame
        self.current_comp_frame = SearchFrame(
            search_fields_frame,
            title='Current Company',
            fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(
                linkedin_conn[0].get_company_urn_ids, x))
        self.current_comp_frame.pack(side='top', fill="x")

        ttk.Separator(search_fields_frame,
                      orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Past Company frame
        self.past_comp_frame = SearchFrame(
            search_fields_frame,
            title='Past Company',
            fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(
                linkedin_conn[0].get_company_urn_ids, x))
        self.past_comp_frame.pack(side='top', fill="x", pady=5)

        ttk.Separator(search_fields_frame,
                      orient='horizontal').pack(side='top', fill='x', pady=5)

        ### School frame
        self.school_frame = SearchFrame(
            search_fields_frame,
            title='School',
            fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(
                linkedin_conn[0].get_school_urn_ids, x))
        self.school_frame.pack(side='top', fill="x", pady=5)

        ttk.Separator(search_fields_frame,
                      orient='horizontal').pack(side='top', fill='x', pady=5)

        ### Industry frame
        self.industry_frame = SearchFrame(
            search_fields_frame,
            title='Industry',
            fetch_fct=lambda x: utils.extract_urn_dict_from_query_results(
                linkedin_conn[0].get_industry_urn_ids, x))
        self.industry_frame.pack(side='top', fill="x", pady=5)

        ### KW-Header
        kw_header_frame = ttk.Frame(search_fields_frame)
        kw_header_frame.pack(pady=5, side='top', fill="x")
        ttk.Label(kw_header_frame, text="Keywords").pack(side='left')
        ttk.Separator(kw_header_frame, orient='horizontal').pack(side='left',
                                                                 fill='x',
                                                                 expand=True)

        ### KW-Frame
        kw_frame = ttk.Frame(search_fields_frame)
        kw_frame.pack(pady=5, side='top', fill="x")
        kw_frame.grid_columnconfigure(0, weight=1)
        kw_frame.grid_columnconfigure(1, weight=1)
        kw_frame.grid_rowconfigure(0, weight=1)
        kw_frame.grid_rowconfigure(1, weight=1)
        kw_frame.grid_rowconfigure(2, weight=1)

        #### General
        self.entry_keywords = PlaceholderEntry(kw_frame, 'General')
        self.entry_keywords.grid(row=0,
                                 column=0,
                                 sticky='nwse',
                                 padx=5,
                                 pady=4)

        #### First Name
        self.entry_keywords_first_name = PlaceholderEntry(
            kw_frame, 'First Name')
        self.entry_keywords_first_name.grid(row=0,
                                            column=1,
                                            sticky='nwse',
                                            padx=5,
                                            pady=4)

        #### Last Name
        self.entry_keywords_last_name = PlaceholderEntry(kw_frame, 'Last Name')
        self.entry_keywords_last_name.grid(row=1,
                                           column=0,
                                           sticky='nwse',
                                           padx=5,
                                           pady=4)

        #### Title
        self.entry_keywords_title = PlaceholderEntry(kw_frame, 'Title')
        self.entry_keywords_title.grid(row=1,
                                       column=1,
                                       sticky='nwse',
                                       padx=5,
                                       pady=4)

        #### Company
        self.entry_keywords_company = PlaceholderEntry(kw_frame, 'Company')
        self.entry_keywords_company.grid(row=2,
                                         column=0,
                                         sticky='nwse',
                                         padx=5,
                                         pady=4)

        #### School
        self.entry_keywords_school = PlaceholderEntry(kw_frame, 'School')
        self.entry_keywords_school.grid(row=2,
                                        column=1,
                                        sticky='nwse',
                                        padx=5,
                                        pady=4)

        self.search_paned_window.add(search_fields_canvas)

        ## Table frame
        self.table_main_frame = ttk.Frame(tk_parent)
        # pandastable
        self.table_frame = ttk.Frame(self.table_main_frame,
                                     bootstyle="secondary",
                                     borderwidth=2)
        self.table_frame.pack(side="top", fill="both", expand=True)
        self.table = Table(self.table_frame,
                           dataframe=pd.DataFrame(),
                           showtoolbar=False,
                           showstatusbar=True)
        utils.fit_table_style_to_theme(self.table, ttk.Style())
        self.table.unbind_all("<Tab>")
        self.table.unbind_all("<Return>")
        self.table.show()

        self.search_paned_window.add(self.table_main_frame)

        # Buttons frame
        btn_frame = ttk.Frame(tk_parent)
        btn_frame.pack(padx=10, pady=10, side='top', fill="x")

        quick_search_btn = ttk.Button(btn_frame, text="Quick search")
        quick_search_btn.pack(side='left', padx=10)
        quick_search_btn['command'] = self.start_quick_search
        ToolTip(
            quick_search_btn,
            "This is a single request that will yield the same results as in the linkedin search bar. \
\nIt doesn't contain any personal details (only public IDs) \
\nYou're not likely to reach any search limit using this mode.")

        btn_sub_frame = ttk.Frame(btn_frame)
        btn_sub_frame.pack(side="left", fill="none", expand=True)

        start_search_btn = ttk.Button(btn_sub_frame,
                                      text="Deep Search",
                                      bootstyle='danger')
        start_search_btn.pack(side='left', padx=10)
        start_search_btn['command'] = self.start_deep_search
        ToolTip(
            start_search_btn,
            "Each search result will be fetched for additional information. \
            \nDepending on the number of results and search frequency, this can trigger the linkedin limit \
after which you'll only be able to get 3 results per search until the end of the month."
        )

        self.get_skills = ttk.BooleanVar()
        skills_chk_btn = ttk.Checkbutton(btn_sub_frame,
                                         text="Fetch skills",
                                         variable=self.get_skills,
                                         bootstyle="danger")
        skills_chk_btn.pack(side='left', padx=10)
        ToolTip(
            skills_chk_btn,
            text=f"Fetch skills by running one additional request per result.")

        self.get_contact_info = ttk.BooleanVar()
        contact_info_chk_btn = ttk.Checkbutton(btn_sub_frame,
                                               text="Fetch contact info",
                                               variable=self.get_contact_info,
                                               bootstyle="danger")
        contact_info_chk_btn.pack(side='left', padx=10)
        ToolTip(
            contact_info_chk_btn,
            text=
            f"Fetch contact info by running one additional request per result."
        )

        self.export_to_file_btn = ttk.Button(btn_frame,
                                             text="Export to File",
                                             state="disabled")
        self.export_to_file_btn.pack(side='left', padx=10)
        self.export_to_file_btn[
            'command'] = self.prepare_dataframe_and_save_to_xsl

        # Status frame
        self.status_frame = ttk.Frame(tk_parent)
        self.status_frame.pack(padx=10,
                               pady=2,
                               side='bottom',
                               expand=False,
                               fill="x")
        self.status_str = ttk.StringVar(value="")
        ttk.Label(self.status_frame,
                  textvariable=self.status_str).pack(side='left', expand=False)

        ttk.Separator(tk_parent, orient='horizontal').pack(side='bottom',
                                                           fill='x')
Esempio n. 15
0
    def __init__(self, isServer: bool = False):
        style = ttk.Style("cosmo")
        self._root = style.master
        self._root.title("FBRecorder")
        self._root.resizable(False, False)
        self._root.protocol("WM_DELETE_WINDOW", self.shutdown)

        self._recv = FBFloatMultiRecv()
        self._recv.registerRecvAllCallback(self.updateData)
        self._client = FBServer() if isServer else FBClient()
        self._client.registerRecvCallback(self._recv.input)

        self._csvWriter: FBCSVWriter = None
        self._cvsWriterLock = threading.Lock()

        self.cnt = 0
        self._cntLock = threading.Lock()
        self._cntVar = tk.StringVar(value="0")

        cfgFrame = ttk.Frame(self._root)
        cfgFrame.pack(padx=5, pady=5)
        self.cfg_path = tk.StringVar()
        self._cfgPathEntry = ttk.Entry(cfgFrame,
                                       textvariable=self.cfg_path,
                                       state="readonly",
                                       width=30)
        self._cfgPathButton = ttk.Button(cfgFrame,
                                         text="选择",
                                         command=self._selectCfgPath)

        ttk.Label(cfgFrame, text="配置文件").pack(side="left")
        self._cfgPathEntry.pack(side="left")
        self._cfgPathButton.pack(side="left")

        saveFrame = ttk.Frame(self._root)
        saveFrame.pack(padx=5, pady=5)
        self.save_path = tk.StringVar()
        self._savePathEntry = ttk.Entry(saveFrame,
                                        textvariable=self.save_path,
                                        state="readonly",
                                        width=30)
        self._savePathButton = ttk.Button(saveFrame,
                                          text="选择",
                                          command=self._selectSavePath)

        ttk.Label(saveFrame, text="保存文件").pack(side="left")
        self._savePathEntry.pack(side="left")
        self._savePathButton.pack(side="left")

        opFrame = ttk.Frame(self._root)
        opFrame.pack(padx=5, pady=5, fill="x", expand=True)
        self._appendsButton = ttk.Checkbutton(
            opFrame,
            text="追加",
            bootstyle=("info", "outline", "toolbutton"),
        )
        self._recordButton = ttk.Checkbutton(opFrame,
                                             text="录制",
                                             command=self._toggleRecord,
                                             bootstyle=("warning", "outline",
                                                        "toolbutton"))
        self._pauseButton = ttk.Checkbutton(opFrame,
                                            text="暂停",
                                            bootstyle=("success", "outline",
                                                       "toolbutton"))

        self._appendsButton.pack(side="left")
        self._recordButton.pack(side="left", padx=5)
        self._pauseButton.pack(side="left")
        ttk.Label(opFrame, text="已接收:").pack(side="left")
        ttk.Label(opFrame, textvariable=self._cntVar).pack(side="left")
Esempio n. 16
0
    def __init__(self, master, **kwargs):
        super().__init__(master, **kwargs)
        self.pack(fill=BOTH, expand=YES)

        # application images
        self.images = [
            ttk.PhotoImage(name='logo', file=PATH / 'icons8_broom_64px_1.png'),
            ttk.PhotoImage(name='cleaner',
                           file=PATH / 'icons8_broom_64px.png'),
            ttk.PhotoImage(name='registry',
                           file=PATH / 'icons8_registry_editor_64px.png'),
            ttk.PhotoImage(name='tools', file=PATH / 'icons8_wrench_64px.png'),
            ttk.PhotoImage(name='options',
                           file=PATH / 'icons8_settings_64px.png'),
            ttk.PhotoImage(name='privacy', file=PATH / 'icons8_spy_80px.png'),
            ttk.PhotoImage(name='junk',
                           file=PATH / 'icons8_trash_can_80px.png'),
            ttk.PhotoImage(name='protect',
                           file=PATH / 'icons8_protect_40px.png')
        ]

        # header
        hdr_frame = ttk.Frame(self, padding=20, bootstyle=SECONDARY)
        hdr_frame.grid(row=0, column=0, columnspan=3, sticky=EW)

        hdr_label = ttk.Label(master=hdr_frame,
                              image='logo',
                              bootstyle=(INVERSE, SECONDARY))
        hdr_label.pack(side=LEFT)

        logo_text = ttk.Label(master=hdr_frame,
                              text='pc cleaner',
                              font=('TkDefaultFixed', 30),
                              bootstyle=(INVERSE, SECONDARY))
        logo_text.pack(side=LEFT, padx=10)

        # action buttons
        action_frame = ttk.Frame(self)
        action_frame.grid(row=1, column=0, sticky=NSEW)

        cleaner_btn = ttk.Button(master=action_frame,
                                 image='cleaner',
                                 text='cleaner',
                                 compound=TOP,
                                 bootstyle=INFO)
        cleaner_btn.pack(side=TOP, fill=BOTH, ipadx=10, ipady=10)

        registry_btn = ttk.Button(master=action_frame,
                                  image='registry',
                                  text='registry',
                                  compound=TOP,
                                  bootstyle=INFO)
        registry_btn.pack(side=TOP, fill=BOTH, ipadx=10, ipady=10)

        tools_btn = ttk.Button(master=action_frame,
                               image='tools',
                               text='tools',
                               compound=TOP,
                               bootstyle=INFO)
        tools_btn.pack(side=TOP, fill=BOTH, ipadx=10, ipady=10)

        options_btn = ttk.Button(master=action_frame,
                                 image='options',
                                 text='options',
                                 compound=TOP,
                                 bootstyle=INFO)
        options_btn.pack(side=TOP, fill=BOTH, ipadx=10, ipady=10)

        # option notebook
        notebook = ttk.Notebook(self)
        notebook.grid(row=1, column=1, sticky=NSEW, pady=(25, 0))

        # windows tab
        windows_tab = ttk.Frame(notebook, padding=10)
        wt_scrollbar = ttk.Scrollbar(windows_tab)
        wt_scrollbar.pack(side=RIGHT, fill=Y)
        wt_scrollbar.set(0, 1)

        wt_canvas = ttk.Canvas(master=windows_tab,
                               relief=FLAT,
                               borderwidth=0,
                               selectborderwidth=0,
                               highlightthickness=0,
                               yscrollcommand=wt_scrollbar.set)
        wt_canvas.pack(side=LEFT, fill=BOTH)

        # adjust the scrollregion when the size of the canvas changes
        wt_canvas.bind(sequence='<Configure>',
                       func=lambda e: wt_canvas.configure(scrollregion=
                                                          wt_canvas.bbox(ALL)))
        wt_scrollbar.configure(command=wt_canvas.yview)
        scroll_frame = ttk.Frame(wt_canvas)
        wt_canvas.create_window((0, 0), window=scroll_frame, anchor=NW)

        radio_options = [
            'Internet Cache', 'Internet History', 'Cookies',
            'Download History', 'Last Download Location', 'Session',
            'Set Aside Tabs', 'Recently Typed URLs', 'Saved Form Information',
            'Saved Password'
        ]

        edge = ttk.Labelframe(master=scroll_frame,
                              text='Microsoft Edge',
                              padding=(20, 5))
        edge.pack(fill=BOTH, expand=YES, padx=20, pady=10)

        explorer = ttk.Labelframe(master=scroll_frame,
                                  text='Internet Explorer',
                                  padding=(20, 5))
        explorer.pack(fill=BOTH, padx=20, pady=10, expand=YES)

        # add radio buttons to each label frame section
        for section in [edge, explorer]:
            for opt in radio_options:
                cb = ttk.Checkbutton(section, text=opt, state=NORMAL)
                cb.invoke()
                cb.pack(side=TOP, pady=2, fill=X)
        notebook.add(windows_tab, text='windows')

        # empty tab for looks
        notebook.add(ttk.Frame(notebook), text='applications')

        # results frame
        results_frame = ttk.Frame(self)
        results_frame.grid(row=1, column=2, sticky=NSEW)

        # progressbar with text indicator
        pb_frame = ttk.Frame(results_frame, padding=(0, 10, 10, 10))
        pb_frame.pack(side=TOP, fill=X, expand=YES)

        pb = ttk.Progressbar(master=pb_frame,
                             bootstyle=(SUCCESS, STRIPED),
                             variable='progress')
        pb.pack(side=LEFT, fill=X, expand=YES, padx=(15, 10))

        ttk.Label(pb_frame, text='%').pack(side=RIGHT)
        ttk.Label(pb_frame, textvariable='progress').pack(side=RIGHT)
        self.setvar('progress', 78)

        # result cards
        cards_frame = ttk.Frame(master=results_frame,
                                name='cards-frame',
                                bootstyle=SECONDARY)
        cards_frame.pack(fill=BOTH, expand=YES)

        # privacy card
        priv_card = ttk.Frame(
            master=cards_frame,
            padding=1,
        )
        priv_card.pack(side=LEFT, fill=BOTH, padx=(10, 5), pady=10)

        priv_container = ttk.Frame(
            master=priv_card,
            padding=40,
        )
        priv_container.pack(fill=BOTH, expand=YES)

        priv_lbl = ttk.Label(master=priv_container,
                             image='privacy',
                             text='PRIVACY',
                             compound=TOP,
                             anchor=CENTER)
        priv_lbl.pack(fill=BOTH, padx=20, pady=(40, 0))

        ttk.Label(master=priv_container,
                  textvariable='priv_lbl',
                  bootstyle=PRIMARY).pack(pady=(0, 20))
        self.setvar('priv_lbl', '6025 tracking file(s) removed')

        # junk card
        junk_card = ttk.Frame(
            master=cards_frame,
            padding=1,
        )
        junk_card.pack(side=LEFT, fill=BOTH, padx=(5, 10), pady=10)

        junk_container = ttk.Frame(junk_card, padding=40)
        junk_container.pack(fill=BOTH, expand=YES)

        junk_lbl = ttk.Label(
            master=junk_container,
            image='junk',
            text='PRIVACY',
            compound=TOP,
            anchor=CENTER,
        )
        junk_lbl.pack(fill=BOTH, padx=20, pady=(40, 0))

        ttk.Label(master=junk_container,
                  textvariable='junk_lbl',
                  bootstyle=PRIMARY,
                  justify=CENTER).pack(pady=(0, 20))
        self.setvar('junk_lbl', '1,150 MB of unneccesary file(s)\nremoved')

        # user notification
        note_frame = ttk.Frame(master=results_frame,
                               bootstyle=SECONDARY,
                               padding=40)
        note_frame.pack(fill=BOTH)

        note_msg = ttk.Label(
            master=note_frame,
            text='We recommend that you better protect your data',
            anchor=CENTER,
            font=('Helvetica', 12, 'italic'),
            bootstyle=(INVERSE, SECONDARY))
        note_msg.pack(fill=BOTH)