예제 #1
0
파일: main.py 프로젝트: mom1/messager
    def open_create_group_dialog(self):
        def result(text_button, instance):
            current_user = User.by_name(settings.USER_NAME)
            text = str(instance.text_field.text)
            if instance.text_field.text:
                chat = Chat.filter_by(name=text).first()
                if chat:
                    toast('Ошибка Создание чата\nТакая группа уже существует')
                    return

                with db_lock:
                    chat = Chat.create(name=text,
                                       owner=current_user,
                                       is_personal=False)
                    chat.members.append(current_user)
                    chat.save()
                cg = self.get_screen('create_group')
                cg.instance_chat = chat
                print('set chat', cg.instance_chat)
                self.show_screen('create_group')
            toast(instance.text_field.text)

        input_dialog = MDInputDialog(
            title='Введите название группы',
            hint_text='Имя группы',
            size_hint=(0.8, 0.4),
            text_button_ok='Ok',
            events_callback=result,
        )
        input_dialog.open()
예제 #2
0
    def create_project_dialog(self):
        """Creates an instance of the dialog box and displays it
        on the screen for the screen Dialogs."""
        def result(text_button, instance):
            from kivymd.toast import toast
            name_proj = str(instance.text_field.text)
            # проверка строки на наличине цифр в начале имени
            simbols = []
            n_char = []
            for i in range(1040, 1104):
                n_char.append(i)  # русские буквы
            for i in range(65, 91):
                n_char.append(i)
            for i in range(97, 123):
                n_char.append(i)
            for i in range(48, 58):
                n_char.append(i)
            n_char.append(95)
            for i in n_char:
                simbols.append(chr(i))
            print(simbols)
            if name_proj[0] in [
                    '0', '1', '2', '3', '4', '5', '6', '7', '8', '9'
            ] or ' ' in name_proj:  # проверить введенные символы, чтобы не были равны по таблице символов
                toast(
                    'ОШИБКА: Имя может содержать только буквы и цифры и не может начинаться с цифры'
                )
            else:
                # проверка на наличие проекта с таким именем
                # если в базе нет таблицы с таким именем
                if name_proj not in DBFullRead():
                    DBCreateProjectsTable(name_proj, str(datetime.now())[:-7])
                    DBTableCreate(name_proj)
                    if name_proj in DBFullRead():
                        toast('Проект "' + name_proj + '" создан')
                        Item = ListItem()
                        Item.text = name_proj
                        Item.secondary_text = str(datetime.now())[:-7]
                        self.ids.list_projects.add_widget(Item)
                    else:
                        toast('Ошибка создания проекта')
                # иначе оповещение об ошибке
                else:
                    toast('Проект с именем "' + name_proj + '" уже существует')

        if not self.input_dialog:
            from kivymd.uix.dialog import MDInputDialog

            self.input_dialog = MDInputDialog(
                title="Создать проект",
                hint_text="Введите имя нового проекта",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                events_callback=result,
            )

        self.input_dialog.open()
예제 #3
0
    def add_diag(self):

        self.dialog = MDInputDialog(title='Add Amount',
                                    hint_text="Given Amount",
                                    size_hint=[.8, .4],
                                    events_callback=self.mycallback,
                                    text_button_cancel='CANCEL',
                                    text_button_ok='CONFIRM')

        self.dialog.open()
예제 #4
0
    def minus_diagBB(self):

        self.dialog = MDInputDialog(title='Interest Amount Received',
                                    hint_text="Received Amount",
                                    size_hint=[.8, .4],
                                    events_callback=self.mycallback_BB,
                                    text_button_cancel='CANCEL',
                                    text_button_ok='CONFIRM')

        self.dialog.open()
예제 #5
0
    def show_input_dialog(self, input_type="", the_title=""):
        the_callback = None
        if input_type == "new_publisher":
            the_callback = self.callback_for_add_publisher
        elif input_type == "new_city":
            the_callback = self.callback_for_add_city

        dialog = MDInputDialog(title=the_title,
                               size_hint=(.4, .4),
                               text_button_ok='Accept',
                               events_callback=the_callback)
        dialog.open()
예제 #6
0
    def show_input_dialog(self, input_type="", the_title=""):

        if input_type == "new_affiliation":
            the_callback = self.callback_for_add_affiliation
        elif input_type == "new_title":
            the_callback = self.callback_for_add_title

        dialog = MDInputDialog(title=the_title,
                               size_hint=(.4, .4),
                               text_button_ok='Accept',
                               events_callback=the_callback)
        dialog.open()
예제 #7
0
 def chosen_city(self, x, action):
     # print(x, action)
     if action == "update":
         dialog = MDInputDialog(title='Rename ' + x,
                                size_hint=(.4, .4),
                                text_button_ok="confirm",
                                events_callback=functools.partial(
                                    self.callback_various, x,
                                    "update_city"))
         dialog.open()
     elif action == "delete":
         self.delete_dialog(x, "delete_city")
     self.instance_menu_city.dismiss()
예제 #8
0
파일: window.py 프로젝트: vamsden/Semref
 def open_reg_mem_save_dialog(self, instance):
     """
     It will be called when user click on the save file button.
     :param instance: used as event handler for button click;
     """
     dialog = MDInputDialog(title='Save file: Enter file name',
                            hint_text='Enter file name',
                            size_hint=(.3, .3),
                            text_button_ok='Save',
                            text_button_cancel='Cancel',
                            events_callback=self.save_file)
     if self.dpi >= 192:
         dialog.pos_hint = {'x': dp(0.18), 'y': dp(0.18)}
     toast('Save Register and Memory Content')
     dialog.open()
예제 #9
0
파일: main.py 프로젝트: salhi100/KivyMD
    def show_example_input_dialog(self):
        """Creates an instance of the dialog box and displays it
        on the screen for the screen Dialogs."""
        def result(text_button, instance):
            toast(instance.text_field.text)

        if not self.input_dialog:
            from kivymd.uix.dialog import MDInputDialog

            self.input_dialog = MDInputDialog(
                title="Title",
                hint_text="Hint text",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                events_callback=result,
            )
        self.input_dialog.open()
예제 #10
0
    def minus_diagA(self):

        self.dialog = MDDialog(
            title='Select Amount Type',
            text=
            "Received Amount To Remove from \nInterest or Balance Amounts?",
            size_hint=[.8, .4],
            events_callback=self.mycallback_m,
            text_button_cancel='INTEREST',
            text_button_ok='BALANCE')

        self.dialog.open()
예제 #11
0
파일: window.py 프로젝트: vamsden/Semref
    def open_editor_save_dialog(self, instance):
        """
        Opens editor save dialog
        :param instance: obj
        """
        if EVENTS['IS_OBJ']:
            toast('Obj files cannot be modified.')

        else:
            if EVENTS['LOADED_FILE']:
                self.run_window.editor.save(EVENTS['FILE_PATH'])
                toast('Content saved on loaded file')
                EVENTS['EDITOR_SAVED'] = True
            else:
                dialog = MDInputDialog(title='Save file: Enter file name',
                                       hint_text='Enter file name',
                                       size_hint=(.3, .3),
                                       text_button_ok='Save',
                                       text_button_cancel='Cancel',
                                       events_callback=self.save_asm_file)
                if self.dpi >= 192:
                    dialog.pos_hint = {'x': dp(0.18), 'y': dp(0.18)}
                toast('Save Editor Content')
                dialog.open()
예제 #12
0
파일: window.py 프로젝트: vamsden/Semref
 def io_config_open(self, instance):
     """
     Opens IO configuration
     :param instance: obj
     """
     dialog = MDInputDialog(title=instance.text,
                            hint_text='Input port number [000-FFF]',
                            text_button_ok='Save',
                            text_button_cancel='Cancel',
                            events_callback=self.save_io_ports)
     if self.dpi < 192:
         dialog.size_hint = (dp(0.4), dp(0.4))
     else:
         dialog.size_hint = (dp(0.2), dp(0.2))
         dialog.pos_hint = {'x': dp(0.15), 'y': dp(0.15)}
     dialog.open()
예제 #13
0
파일: main.py 프로젝트: salhi100/KivyMD
class KitchenSink(App, Screens):
    theme_cls = ThemeManager()
    theme_cls.primary_palette = "BlueGray"
    theme_cls.accent_palette = "Gray"
    previous_date = ObjectProperty()
    title = "Kitchen Sink"

    def __init__(self, **kwargs):
        super().__init__(**kwargs)

        self.menu_items = [{
            "viewclass": "MDMenuItem",
            "text": "Example item %d" % i,
            "callback": self.callback_for_menu_items,
        } for i in range(15)]
        self.Window = Window

        # Default class instances.
        self.manager = None
        self.md_app_bar = None
        self.instance_menu_demo_apps = None
        self.instance_menu_source_code = None
        self.md_theme_picker = None
        self.long_dialog = None
        self.input_dialog = None
        self.alert_dialog = None
        self.ok_cancel_dialog = None
        self.long_dialog = None
        self.dialog = None
        self.user_card = None
        self.bs_menu_1 = None
        self.bs_menu_2 = None
        self.popup_screen = None
        self.my_snackbar = None
        self.dialog_load_kv_files = None

        self.create_stack_floating_buttons = False
        self.manager_open = False
        self.cards_created = False

        self._interval = 0
        self.tick = 0
        self.x = 0
        self.y = 25
        self.file_source_code = ""

        self.hex_primary_color = get_hex_from_color(
            self.theme_cls.primary_color)
        self.previous_text = (
            f"Welcome to the application [b][color={self.hex_primary_color}]"
            f"Kitchen Sink[/color][/b].\nTo see [b]"
            f"[color={self.hex_primary_color}]KivyMD[/color][/b] "
            f"examples, open the menu and select from the list the desired "
            f"example or")
        self.previous_text_end = (
            f"for show example apps\n\n"
            f"Author - [b][color={self.hex_primary_color}]"
            f"Andrés Rodríguez[/color][/b]\n"
            f"[u][b][color={self.hex_primary_color}]"
            f"[email protected][/color][/b][/u]\n\n\n"
            f"Authors this Fork:\n\n"
            f"[b][color={self.hex_primary_color}]"
            f"Ivanov Yuri[/color][/b]\n"
            f"[u][b][color={self.hex_primary_color}]"
            f"[email protected][/color][/b][/u]\n\n"
            f"[b][color={self.hex_primary_color}]Artem S. Bulgakov[/color][/b]\n"
            f"[u][b][color={self.hex_primary_color}]"
            f"[email protected][/color][/b][/u]\n\n"
            f"and contributors...")
        self.names_contacts = (
            "Alexandr Taylor",
            "Yuri Ivanov",
            "Robert Patric",
            "Bob Marley",
            "Magnus Carlsen",
            "Jon Romero",
            "Anna Bell",
            "Maxim Kramerer",
            "Sasha Gray",
            "Vladimir Ivanenko",
        )
        self.demo_apps_list = [
            "Shop Window",
            "Coffee Menu",
            "Fitness Club",
            "Registration",
            "Account Page",
        ]
        self.list_name_icons = list(md_icons.keys())[0:15]
        Window.bind(on_keyboard=self.events)
        crop_image(
            (Window.width, int(dp(Window.height * 35 // 100))),
            f"{demos_assets_path}guitar-1139397_1280.png",
            f"{demos_assets_path}guitar-1139397_1280_crop.png",
        )

    def set_list_for_refresh_layout(self):
        async def set_list_for_refresh_layout():
            names_icons_list = list(md_icons.keys())[self.x:self.y]
            for name_icon in names_icons_list:
                await asynckivy.sleep(0)
                self.data["Refresh Layout"]["object"].ids.box.add_widget(
                    ItemForListRefreshLayout(icon=name_icon, text=name_icon))
            self.data["Refresh Layout"][
                "object"].ids.refresh_layout.refresh_done()

        asynckivy.start(set_list_for_refresh_layout())

    def refresh_callback(self, *args):
        """A method that updates the state of your application
        while the spinner remains on the screen."""
        def refresh_callback(interval):
            self.data["Refresh Layout"]["object"].ids.box.clear_widgets()
            if self.x == 0:
                self.x, self.y = 25, 50
            else:
                self.x, self.y = 0, 25
            self.set_list_for_refresh_layout()
            self.tick = 0

        Clock.schedule_once(refresh_callback, 1)

    def build_tabs(self):
        for name_tab in self.list_name_icons:
            tab = Factory.MyTab(text=name_tab)
            self.data["Tabs"]["object"].ids.android_tabs.add_widget(tab)

    def switch_tabs_to_icon(self, istance_android_tabs):
        for i, instance_tab in enumerate(
                istance_android_tabs.ids.scrollview.children[0].children):
            istance_android_tabs.ids.scrollview.children[0].remove_widget(
                instance_tab)
            istance_android_tabs.add_widget(
                Factory.MyTab(text=self.list_name_icons[i]))

    def switch_tabs_to_text(self, istance_android_tabs):
        for instance_tab in istance_android_tabs.ids.scrollview.children[
                0].children:
            for k, v in md_icons.items():
                if v == instance_tab.text:
                    istance_android_tabs.ids.scrollview.children[
                        0].remove_widget(instance_tab)
                    istance_android_tabs.add_widget(
                        Factory.MyTab(
                            text=" ".join(k.split("-")).capitalize()))
                    break

    def crop_image_for_tile(self, instance, size, path_to_crop_image):
        """Crop images for Grid screen."""

        if not os.path.exists(os.path.join(self.directory,
                                           path_to_crop_image)):
            size = (int(size[0]), int(size[1]))
            path_to_origin_image = path_to_crop_image.replace("_tile_crop", "")
            crop_image(size, path_to_origin_image, path_to_crop_image)
        instance.source = path_to_crop_image

    def theme_picker_open(self):
        if not self.md_theme_picker:
            from kivymd.uix.picker import MDThemePicker

            self.md_theme_picker = MDThemePicker()
        self.md_theme_picker.open()

    def example_add_stack_floating_buttons(self):
        from kivymd.uix.stackfloatingbutton import MDStackFloatingButtons

        def set_my_language(instance_button):
            toast(instance_button.icon)

        if not self.create_stack_floating_buttons:
            screen = self.main_widget.ids.scr_mngr.get_screen("stack buttons")
            screen.add_widget(
                MDStackFloatingButtons(
                    icon="lead-pencil",
                    floating_data={
                        "Python": "language-python",
                        "Php": "language-php",
                        "C++": "language-cpp",
                    },
                    callback=set_my_language,
                ))
            self.create_stack_floating_buttons = True

    def set_expansion_panel(self):
        from kivymd.uix.expansionpanel import MDExpansionPanel

        def callback(text):
            toast(f"{text} to {content.name_item}")

        content = ContentForAnimCard(callback=callback)

        for name_contact in self.names_contacts:
            self.data["Expansion Panel"]["object"].ids.anim_list.add_widget(
                MDExpansionPanel(
                    content=content,
                    icon="assets/kivy-logo-white-512.png",
                    title=name_contact,
                ))

    def set_chevron_back_screen(self):
        """Sets the return chevron to the previous screen in ToolBar."""

        self.main_widget.ids.toolbar.right_action_items = [[
            "dots-vertical", lambda x: self.root.toggle_nav_drawer()
        ]]

    def download_progress_hide(self, instance_progress, value):
        """Hides progress progress."""

        self.main_widget.ids.toolbar.right_action_items = [[
            "download",
            lambda x: self.download_progress_show(instance_progress),
        ]]

    def download_progress_show(self, instance_progress):
        self.set_chevron_back_screen()
        instance_progress.open()
        instance_progress.animation_progress_from_fade()

    def show_example_download_file(self, interval):
        from kivymd.uix.progressloader import MDProgressLoader

        def get_connect(host="8.8.8.8", port=53, timeout=3):
            import socket

            try:
                socket.setdefaulttimeout(timeout)
                socket.socket(socket.AF_INET, socket.SOCK_STREAM).connect(
                    (host, port))
                return True
            except (TimeoutError, ConnectionError, OSError):
                return False

        if get_connect():
            link = ("https://www.python.org/ftp/python/3.5.1/"
                    "python-3.5.1-embed-win32.zip")
            progress = MDProgressLoader(
                url_on_image=link,
                path_to_file=os.path.join(self.directory, "python-3.5.1.zip"),
                download_complete=self.download_complete,
                download_hide=self.download_progress_hide,
            )
            progress.start(self.data["Download File"]["object"].ids.box_flt)
        else:
            toast("Connect error!")

    def download_complete(self):
        self.set_chevron_back_screen()
        toast("Done")

    def file_manager_open(self):
        from kivymd.uix.filemanager import MDFileManager
        from kivymd.uix.dialog import MDDialog

        def open_file_manager(text_item, dialog):
            previous = False if text_item == "List" else True
            self.manager = ModalView(size_hint=(1, 1), auto_dismiss=False)
            self.file_manager = MDFileManager(
                exit_manager=self.exit_manager,
                select_path=self.select_path,
                previous=previous,
            )
            self.manager.add_widget(self.file_manager)
            self.file_manager.show(self.user_data_dir)
            self.manager_open = True
            self.manager.open()

        MDDialog(
            title="Title",
            size_hint=(0.8, 0.4),
            text_button_ok="List",
            text="Open manager with 'list' or 'previous' mode?",
            text_button_cancel="Previous",
            events_callback=open_file_manager,
        ).open()

    def select_path(self, path):
        """It will be called when you click on the file name
        or the catalog selection button.
        :type path: str;
        :param path: path to the selected directory or file;
        """

        self.exit_manager()
        toast(path)

    def exit_manager(self, *args):
        """Called when the user reaches the root of the directory tree."""

        self.manager.dismiss()
        self.manager_open = False
        self.set_chevron_menu()

    def set_chevron_menu(self):
        self.main_widget.ids.toolbar.left_action_items = [[
            "menu", lambda x: self.root.toggle_nav_drawer()
        ]]

    def events(self, instance, keyboard, keycode, text, modifiers):
        """Called when buttons are pressed on the mobile device."""

        if keyboard in (1001, 27):
            if self.manager_open:
                self.file_manager.back()
        return True

    def callback_for_menu_items(self, *args):
        toast(args[0])

    def add_cards(self, instance_grid_card):
        """Adds MDCardPost objects to the screen Cards
        when the screen is open."""

        from kivymd.uix.card import MDCardPost

        def callback(instance, value):
            if value is None:
                toast("Delete post %s" % str(instance))
            elif isinstance(value, int):
                toast("Set like in %d stars" % value)
            elif isinstance(value, str):
                toast("Repost with %s " % value)
            elif isinstance(value, list):
                toast(value[1])

        if not self.cards_created:
            self.cards_created = True
            menu_items = [{
                "viewclass": "MDMenuItem",
                "text": "Example item %d" % i,
                "callback": self.callback_for_menu_items,
            } for i in range(2)]
            buttons = ["facebook", "vk", "twitter"]

            instance_grid_card.add_widget(
                MDCardPost(text_post="Card with text",
                           swipe=True,
                           callback=callback))
            instance_grid_card.add_widget(
                MDCardPost(
                    right_menu=menu_items,
                    swipe=True,
                    text_post="Card with a button to open the menu MDDropDown",
                    callback=callback,
                ))
            instance_grid_card.add_widget(
                MDCardPost(
                    likes_stars=True,
                    callback=callback,
                    swipe=True,
                    text_post="Card with asterisks for voting.",
                ))

            image_for_card = (
                f"{demos_assets_path}kitten-for_card-1049129_1280-crop.png")
            if not os.path.exists(image_for_card):
                crop_image(
                    (int(Window.width), int(dp(200))),
                    f"{demos_assets_path}kitten-1049129_1280.png",
                    image_for_card,
                )
            instance_grid_card.add_widget(
                MDCardPost(
                    source=image_for_card,
                    tile_text="Little Baby",
                    tile_font_style="H5",
                    text_post="This is my favorite cat. He's only six months "
                    "old. He loves milk and steals sausages :) "
                    "And he likes to play in the garden.",
                    with_image=True,
                    swipe=True,
                    callback=callback,
                    buttons=buttons,
                ))

    def update_screen(self, instance):
        """Set new label on the screen UpdateSpinner."""
        def update_screen(interval):
            self.tick += 1
            if self.tick > 2:
                instance.update = True
                self.tick = 0
                self.data["Update Screen Widget"][
                    "object"].ids.upd_lbl.text = "New string"
                Clock.unschedule(update_screen)

        Clock.schedule_interval(update_screen, 1)

    main_widget = None

    def build(self):
        self.main_widget = Builder.load_string(main_widget_kv)
        return self.main_widget

    def show_popup_screen(self):
        if not self.popup_screen:
            self.popup_screen = self.data["Popup Screen"]["object"].ids.popup
            content_screen = ContentForPopupScreen()
            self.popup_screen.screen = content_screen
            self.popup_screen.padding = dp(10)
            self.popup_screen.background_color = self.theme_cls.primary_color
        self.popup_screen.show()

    def show_user_example_animation_card(self):
        """Create and open instance MDUserAnimationCard
        for the screen UserCard."""

        from kivymd.uix.useranimationcard import MDUserAnimationCard

        def main_back_callback():
            toast("Close card")

        if not self.user_card:
            image_for_user_card = (
                f"{demos_assets_path}guitar-for-user-card1139397_1280-crop.png"
            )
            if not os.path.exists(image_for_user_card):
                crop_image(
                    (int(Window.width), int(dp(Window.height * 40 // 100))),
                    f"{demos_assets_path}guitar-1139397_1280.png",
                    image_for_user_card,
                )

            self.user_card = MDUserAnimationCard(
                user_name="Lion Lion",
                path_to_avatar=image_for_user_card,
                callback=main_back_callback,
            )
            self.user_card.box_content.add_widget(ContentForAnimCard())
        self.user_card.open()

    def show_example_snackbar(self, snack_type):
        """Create and show instance Snackbar for the screen MySnackBar."""
        def callback(instance):
            toast(instance.text)

        def wait_interval(interval):
            self._interval += interval
            if self._interval > self.my_snackbar.duration:
                anim = Animation(y=dp(10), d=0.2)
                anim.start(self.data["Snackbars"]["object"].ids.button)
                Clock.unschedule(wait_interval)
                self._interval = 0
                self.my_snackbar = None

        from kivymd.uix.snackbar import Snackbar

        if snack_type == "simple":
            Snackbar(text="This is a snackbar!").show()
        elif snack_type == "button":
            Snackbar(
                text="This is a snackbar",
                button_text="WITH A BUTTON",
                button_callback=callback,
            ).show()
        elif snack_type == "verylong":
            Snackbar(text="This is a very very very very very very very "
                     "long snackbar!").show()
        elif snack_type == "float":
            if not self.my_snackbar:
                self.my_snackbar = Snackbar(
                    text="This is a snackbar!",
                    button_text="Button",
                    duration=3,
                    button_callback=callback,
                )
                self.my_snackbar.show()
                anim = Animation(y=dp(72), d=0.2)
                anim.bind(on_complete=lambda *args: Clock.schedule_interval(
                    wait_interval, 0))
                anim.start(self.data["Snackbars"]["object"].ids.button)

    def show_example_input_dialog(self):
        """Creates an instance of the dialog box and displays it
        on the screen for the screen Dialogs."""
        def result(text_button, instance):
            toast(instance.text_field.text)

        if not self.input_dialog:
            from kivymd.uix.dialog import MDInputDialog

            self.input_dialog = MDInputDialog(
                title="Title",
                hint_text="Hint text",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                events_callback=result,
            )
        self.input_dialog.open()

    def show_example_alert_dialog(self):
        if not self.alert_dialog:
            from kivymd.uix.dialog import MDDialog

            self.alert_dialog = MDDialog(
                title="Title",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                text="This is Alert dialog",
                events_callback=self.callback_for_menu_items,
            )
        self.alert_dialog.open()

    def show_example_ok_cancel_dialog(self):
        if not self.ok_cancel_dialog:
            from kivymd.uix.dialog import MDDialog

            self.ok_cancel_dialog = MDDialog(
                title="Title",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                text="This is Ok Cancel dialog",
                text_button_cancel="Cancel",
                events_callback=self.callback_for_menu_items,
            )
        self.ok_cancel_dialog.open()

    def show_example_long_dialog(self):
        if not self.long_dialog:
            from kivymd.uix.dialog import MDDialog

            self.long_dialog = MDDialog(
                text="Lorem ipsum dolor sit amet, consectetur adipiscing "
                "elit, sed do eiusmod tempor incididunt ut labore et "
                "dolore magna aliqua. Ut enim ad minim veniam, quis "
                "nostrud exercitation ullamco laboris nisi ut aliquip "
                "ex ea commodo consequat. Duis aute irure dolor in "
                "reprehenderit in voluptate velit esse cillum dolore eu "
                "fugiat nulla pariatur. Excepteur sint occaecat "
                "cupidatat non proident, sunt in culpa qui officia "
                "deserunt mollit anim id est laborum.",
                title="Title",
                size_hint=(0.8, 0.4),
                text_button_ok="Yes",
                events_callback=self.callback_for_menu_items,
            )
        self.long_dialog.open()

    def get_time_picker_date(self, time):
        """Get date for MDTimePicker from the screen Pickers."""

        self.data["Pickers"]["object"].ids.time_picker_label.text = str(time)
        self.previous_time = time

    def show_example_time_picker(self):
        """Show MDTimePicker from the screen Pickers."""

        from kivymd.uix.picker import MDTimePicker

        time_dialog = MDTimePicker(self.get_time_picker_date)

        if self.data["Pickers"][
                "object"].ids.time_picker_use_previous_time.active:
            try:
                time_dialog.set_time(self.previous_time)
            except AttributeError:
                pass
        time_dialog.open()

    def set_previous_date(self, date_obj):
        """Set previous date for MDDatePicker from the screen Pickers."""

        self.previous_date = date_obj
        self.data["Pickers"]["object"].ids.date_picker_label.text = str(
            date_obj)

    def show_example_date_picker(self):
        """Show MDDatePicker from the screen Pickers."""

        from kivymd.uix.picker import MDDatePicker

        if self.data["Pickers"][
                "object"].ids.date_picker_use_previous_date.active:
            pd = self.previous_date
            try:
                MDDatePicker(self.set_previous_date, pd.year, pd.month,
                             pd.day).open()
            except AttributeError:
                MDDatePicker(self.set_previous_date).open()
        else:
            MDDatePicker(self.set_previous_date).open()

    def show_example_bottom_sheet(self):
        """Show menu from the screen BottomSheet."""

        from kivymd.uix.bottomsheet import MDListBottomSheet

        if not self.bs_menu_1:
            self.bs_menu_1 = MDListBottomSheet()
            self.bs_menu_1.add_item(
                "Here's an item with text only",
                lambda x: self.callback_for_menu_items(
                    "Here's an item with text only"),
            )
            self.bs_menu_1.add_item(
                "Here's an item with an icon",
                lambda x: self.callback_for_menu_items(
                    "Here's an item with an icon"),
                icon="clipboard-account",
            )
            self.bs_menu_1.add_item(
                "Here's another!",
                lambda x: self.callback_for_menu_items("Here's another!"),
                icon="nfc",
            )
        self.bs_menu_1.open()

    def show_example_grid_bottom_sheet(self):
        """Show menu from the screen BottomSheet."""

        if not self.bs_menu_2:
            from kivymd.uix.bottomsheet import MDGridBottomSheet

            self.bs_menu_2 = MDGridBottomSheet()
            self.bs_menu_2.add_item(
                "Facebook",
                lambda x: self.callback_for_menu_items("Facebook"),
                icon_src="./assets/facebook-box.png",
            )
            self.bs_menu_2.add_item(
                "YouTube",
                lambda x: self.callback_for_menu_items("YouTube"),
                icon_src="./assets/youtube-play.png",
            )
            self.bs_menu_2.add_item(
                "Twitter",
                lambda x: self.callback_for_menu_items("Twitter"),
                icon_src="./assets/twitter.png",
            )
            self.bs_menu_2.add_item(
                "Da Cloud",
                lambda x: self.callback_for_menu_items("Da Cloud"),
                icon_src="./assets/cloud-upload.png",
            )
            self.bs_menu_2.add_item(
                "Camera",
                lambda x: self.callback_for_menu_items("Camera"),
                icon_src="./assets/camera.png",
            )
        self.bs_menu_2.open()

    def set_title_toolbar(self, title):
        """Set string title in MDToolbar for the whole application."""

        self.main_widget.ids.toolbar.title = title

    def set_appbar(self):
        """Create MDBottomAppBar for the screen BottomAppBar."""

        from kivymd.uix.toolbar import MDBottomAppBar

        def press_button(inctance):
            toast("Press Button")

        self.md_app_bar = MDBottomAppBar(
            md_bg_color=self.theme_cls.primary_color,
            left_action_items=[
                ["menu", lambda x: x],
                ["clock", lambda x: x],
                ["dots-vertical", lambda x: x],
            ],
            anchor="right",
            callback=press_button,
        )

    def move_item_menu(self, anchor):
        """Sets icons in MDBottomAppBar for the screen BottomAppBar."""

        md_app_bar = self.md_app_bar
        if md_app_bar.anchor != anchor:
            if len(md_app_bar.right_action_items):
                md_app_bar.left_action_items.append(
                    md_app_bar.right_action_items[0])
                md_app_bar.right_action_items = []
            else:
                left_action_items = md_app_bar.left_action_items
                action_items = left_action_items[0:2]
                md_app_bar.right_action_items = [left_action_items[-1]]
                md_app_bar.left_action_items = action_items

    def show_password(self, field, button):
        """
        Called when you press the right button in the password field
        for the screen TextFields.

        instance_field: kivy.uix.textinput.TextInput;
        instance_button: kivymd.button.MDIconButton;

        """

        # Show or hide text of password, set focus field
        # and set icon of right button.
        field.password = not field.password
        field.focus = True
        button.icon = "eye" if button.icon == "eye-off" else "eye-off"

    def set_error_message(self, *args):
        """Checks text of TextField with type "on_error"
        for the screen TextFields."""

        text_field_error = args[0]
        if len(text_field_error.text) == 2:
            text_field_error.error = True
        else:
            text_field_error.error = False

    def set_list_md_icons(self, text="", search=False):
        """Builds a list of icons for the screen MDIcons."""
        def add_icon_item(name_icon):
            self.main_widget.ids.scr_mngr.get_screen(
                "md icons").ids.rv.data.append({
                    "viewclass":
                    "MDIconItemForMdIconsList",
                    "icon":
                    name_icon,
                    "text":
                    name_icon,
                    "callback":
                    self.callback_for_menu_items,
                })

        self.main_widget.ids.scr_mngr.get_screen("md icons").ids.rv.data = []
        for name_icon in md_icons.keys():
            if search:
                if text in name_icon:
                    add_icon_item(name_icon)
            else:
                add_icon_item(name_icon)

    def set_source_code_file(self):
        """Assigns the file_source_code attribute the file name
        with example code for the current screen."""

        if self.main_widget.ids.scr_mngr.current == "code viewer":
            return

        has_screen = False
        for name_item_drawer in self.data.keys():
            if (self.data[name_item_drawer]["name_screen"] ==
                    self.main_widget.ids.scr_mngr.current):
                self.file_source_code = self.data[name_item_drawer].get(
                    "source_code", None)
                has_screen = True
                break
        if not has_screen:
            self.file_source_code = None

    def open_context_menu_source_code(self, instance):
        def callback_context_menu(icon):
            context_menu.dismiss()

            if not self.file_source_code:
                from kivymd.uix.snackbar import Snackbar

                Snackbar(text="No source code for this example").show()
                return
            if icon == "source-repository":
                if platform in ("win", "linux", "macosx"):
                    webbrowser.open(
                        f"https://github.com/HeaTTheatR/KivyMD/wiki/"
                        f"{os.path.splitext(self.file_source_code)[0]}")
                return
            elif icon == "language-python":
                self.main_widget.ids.scr_mngr.current = "code viewer"
                if self.file_source_code:
                    with open(
                            f"{self.directory}/KivyMD.wiki/{self.file_source_code}"
                    ) as source_code:
                        self.data["Source code"][
                            "object"].ids.code_input.text = source_code.read()

        menu_for_context_menu_source_code = []
        data = {
            "Source code": "language-python",
            "Open in Wiki": "source-repository",
        }
        if self.main_widget.ids.scr_mngr.current == "code viewer":
            data = {"Open in Wiki": "source-repository"}
        for name_item in data.keys():
            menu_for_context_menu_source_code.append({
                "viewclass":
                "MDIconItemForMdIconsList",
                "text":
                name_item,
                "icon":
                data[name_item],
                "text_color": [1, 1, 1, 1],
                "callback":
                lambda x=name_item: callback_context_menu(x),
            })
        context_menu = MDDropdownMenu(
            items=menu_for_context_menu_source_code,
            max_height=dp(260),
            width_mult=3,
        )
        context_menu.open(instance.ids.right_actions.children[0])

    def open_menu_for_demo_apps(self, instance):
        """
        Called when you click the "Click me" button on the start screen.
        Creates and opens a list of demo applications.

        :type instance: <kivymd.uix.button.MDRaisedButton object>

        """

        if not self.instance_menu_demo_apps:
            menu_for_demo_apps = []
            for name_item in self.demo_apps_list:
                menu_for_demo_apps.append({
                    "viewclass":
                    "OneLineListItem",
                    "text":
                    name_item,
                    "on_release":
                    lambda x=name_item: self.show_demo_apps(x),
                })
            self.instance_menu_demo_apps = MDDropdownMenu(
                items=menu_for_demo_apps,
                max_height=dp(260),
                width_mult=4,
                _center=True,
            )
        self.instance_menu_demo_apps.open(instance)

    def show_demo_apps(self, name_item):
        self.show_screens_demo(name_item)
        self.main_widget.ids.scr_mngr.current = name_item.lower()
        self.instance_menu_demo_apps.dismiss()

    def on_pause(self):
        return True

    def on_start(self):
        def _load_kv_for_demo(name_screen):
            from demo_apps.formone import FormOne
            from demo_apps.shopwindow import ShopWindow
            from demo_apps.coffeemenu import CoffeeMenu
            from demo_apps.fitnessclub import FitnessClub
            from demo_apps.accountpage import AccountPage

            Builder.load_string(self.data_for_demo[name_screen]["kv_string"])
            self.data_for_demo[name_screen]["object"] = eval(
                self.data_for_demo[name_screen]["class"])
            self.main_widget.ids.scr_mngr.add_widget(
                self.data_for_demo[name_screen]["object"])

        async def load_all_kv_files():
            for name_screen in self.data.keys():
                await asynckivy.sleep(0)
                self.dialog_load_kv_files.name_kv_file = name_screen
                Builder.load_string(self.data[name_screen]["kv_string"])
                self.data[name_screen]["object"] = eval(
                    self.data[name_screen]["Factory"])
                if name_screen == "Bottom App Bar":
                    self.set_appbar()
                    self.data[name_screen]["object"].add_widget(
                        self.md_app_bar)
                self.main_widget.ids.scr_mngr.add_widget(
                    self.data[name_screen]["object"])
                if name_screen == "Text fields":
                    self.data[name_screen]["object"].ids.text_field_error.bind(
                        on_text_validate=self.set_error_message,
                        on_focus=self.set_error_message,
                    )
                elif name_screen == "MD Icons":
                    self.set_list_md_icons()
                elif name_screen == "Tabs":
                    self.build_tabs()
                elif name_screen == "Refresh Layout":
                    self.set_list_for_refresh_layout()

            from demo_apps.formone import registration_form_one
            from demo_apps.shopwindow import screen_shop_window
            from demo_apps.coffeemenu import screen_coffee_menu
            from demo_apps.fitnessclub import screen_fitness_club
            from demo_apps.accountpage import screen_account_page

            data = {
                "Registration": registration_form_one,
                "Shop Window": screen_shop_window,
                "Coffee Menu": screen_coffee_menu,
                "Fitness Club": screen_fitness_club,
                "Account Page": screen_account_page,
            }

            for name_screen in data.keys():
                await asynckivy.sleep(0)
                self.dialog_load_kv_files.name_kv_file = name_screen
                self.data_for_demo[name_screen]["kv_string"] = data[
                    name_screen]
                _load_kv_for_demo(name_screen)

            self.dialog_load_kv_files.dismiss()

        self.dialog_load_kv_files = DialogLoadKvFiles()
        self.dialog_load_kv_files.open()
        asynckivy.start(load_all_kv_files())

    def on_stop(self):
        pass

    def open_settings(self, *args):
        return False
예제 #14
0
class KitchenSinkCDialogs(Screen):
    app = ObjectProperty()
    input_dialog = None
    alert_dialog = None
    ok_cancel_dialog = None
    long_dialog = None

    def show_example_input_dialog(self):
        """Creates an instance of the dialog box and displays it
        on the screen for the screen Dialogs."""
        def result(text_button, instance):
            from kivymd.toast import toast

            toast(instance.text_field.text)

        if not self.input_dialog:
            from kivymd.uix.dialog import MDInputDialog

            self.input_dialog = MDInputDialog(
                title="Title",
                hint_text="Hint text",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                events_callback=result,
            )
        self.input_dialog.open()

    def show_example_alert_dialog(self):
        if not self.alert_dialog:
            from kivymd.uix.dialog import MDDialog

            self.alert_dialog = MDDialog(
                title="Title",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                text="This is Alert dialog",
                events_callback=self.app.callback_for_menu_items,
            )
        self.alert_dialog.open()

    def show_example_ok_cancel_dialog(self):
        if not self.ok_cancel_dialog:
            from kivymd.uix.dialog import MDDialog

            self.ok_cancel_dialog = MDDialog(
                title="Title",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                text="This is Ok Cancel dialog",
                text_button_cancel="Cancel",
                events_callback=self.app.callback_for_menu_items,
            )
        self.ok_cancel_dialog.open()

    def show_example_long_dialog(self):
        if not self.long_dialog:
            from kivymd.uix.dialog import MDDialog

            self.long_dialog = MDDialog(
                text="Lorem ipsum dolor sit amet, consectetur adipiscing "
                "elit, sed do eiusmod tempor incididunt ut labore et "
                "dolore magna aliqua. Ut enim ad minim veniam, quis "
                "nostrud exercitation ullamco laboris nisi ut aliquip "
                "ex ea commodo consequat. Duis aute irure dolor in "
                "reprehenderit in voluptate velit esse cillum dolore eu "
                "fugiat nulla pariatur. Excepteur sint occaecat "
                "cupidatat non proident, sunt in culpa qui officia "
                "deserunt mollit anim id est laborum.",
                title="Title",
                size_hint=(0.8, 0.4),
                text_button_ok="Yes",
                events_callback=self.app.callback_for_menu_items,
            )
        self.long_dialog.open()
예제 #15
0
class Projects(Screen):
    """ Экран со списком проектов, после выбора чтение данных с БД и построение экрана идентичного первому """

    with open("libs/kv/projects.kv", 'r', encoding='utf-8') as projects_KV:
        Builder.load_string(projects_KV.read())

    def __init__(self, **kwargs):
        super(Projects, self).__init__(**kwargs)

        # добавляем в скролл существющие проекты
        if 'projects_manager' in DBFullRead():
            projects_list = DBRead('projects_manager')
            for proj in projects_list:
                Item = ListItem()
                Item.text = proj[0]
                Item.secondary_text = proj[1]
                self.ids.list_projects.add_widget(Item)
        else:
            # подключиться к БД
            con = sql.connect('data/testRN.db')
            with con:
                cur = con.cursor()
                cur.execute('CREATE TABLE IF NOT EXISTS projects_manager ('
                            'project TEXT, '
                            'time_of_create TEXT)')
                cur.close()

    input_dialog = None

    def create_project_dialog(self):
        """Creates an instance of the dialog box and displays it
        on the screen for the screen Dialogs."""
        def result(text_button, instance):
            from kivymd.toast import toast
            name_proj = str(instance.text_field.text)
            # проверка строки на наличине цифр в начале имени
            simbols = []
            n_char = []
            for i in range(1040, 1104):
                n_char.append(i)  # русские буквы
            for i in range(65, 91):
                n_char.append(i)
            for i in range(97, 123):
                n_char.append(i)
            for i in range(48, 58):
                n_char.append(i)
            n_char.append(95)
            for i in n_char:
                simbols.append(chr(i))
            print(simbols)
            if name_proj[0] in [
                    '0', '1', '2', '3', '4', '5', '6', '7', '8', '9'
            ] or ' ' in name_proj:  # проверить введенные символы, чтобы не были равны по таблице символов
                toast(
                    'ОШИБКА: Имя может содержать только буквы и цифры и не может начинаться с цифры'
                )
            else:
                # проверка на наличие проекта с таким именем
                # если в базе нет таблицы с таким именем
                if name_proj not in DBFullRead():
                    DBCreateProjectsTable(name_proj, str(datetime.now())[:-7])
                    DBTableCreate(name_proj)
                    if name_proj in DBFullRead():
                        toast('Проект "' + name_proj + '" создан')
                        Item = ListItem()
                        Item.text = name_proj
                        Item.secondary_text = str(datetime.now())[:-7]
                        self.ids.list_projects.add_widget(Item)
                    else:
                        toast('Ошибка создания проекта')
                # иначе оповещение об ошибке
                else:
                    toast('Проект с именем "' + name_proj + '" уже существует')

        if not self.input_dialog:
            from kivymd.uix.dialog import MDInputDialog

            self.input_dialog = MDInputDialog(
                title="Создать проект",
                hint_text="Введите имя нового проекта",
                size_hint=(0.8, 0.4),
                text_button_ok="Ok",
                events_callback=result,
            )

        self.input_dialog.open()
예제 #16
0
class UpdateScreen(Screen):
    def __init__(self, **kwargs):
        super(UpdateScreen, self).__init__(**kwargs)

    def on_pre_enter(self, *args):
        name_val = '%' + name_pass + '%'

        try:
            entrys = search(name_val, name_id)
        except:
            toast('No Entry Found')
        self.namee_z.text = entrys[0][1]

        self.phone_z.text = entrys[0][3]
        self.type_z.text = entrys[0][4]
        self.wt_z.text = str(entrys[0][5])
        self.gs_z.text = entrys[0][6]

        self.namee_temp = entrys[0][1]
        self.phone_temp = entrys[0][3]
        self.balamt_temp = entrys[0][10]
        self.sdate_temp = entrys[0][7]

        self.value_lbl.text = 'Value: ' + str(entrys[0][9])
        self.rate_lbl.text = 'Rate: ' + str(entrys[0][11]) + '%'

        dur_date = entrys[0][7].split(':')[0]
        dur_date = datetime.strptime(dur_date, '%Y-%m-%d')
        dur_date = dur_date.date()
        dur_date = date.today() - dur_date
        mnths = int(dur_date.days / 30)
        dys = int(dur_date.days % 30)

        self.duration_lbl.text = 'Duration: ' + str(mnths) + 'm ' + str(
            dys) + 'd'

        arr_bal = entrys[0][10].split(':')
        bal_txt = 'Amounts: \n'
        for i in range(len(arr_bal)):
            bal_txt = bal_txt + '    ' + arr_bal[i] + '\n'
        self.amt_lbl.text = bal_txt

        arr_date = entrys[0][7].split(':')
        date_txt = 'Date: \n'
        for i in range(len(arr_date)):
            date_txt = date_txt + arr_date[i] + '\n'
        self.date_lbl.text = date_txt

    def show_datepicker(self):
        picker = MDDatePicker(callback=self.got_date)
        picker.open()

    def got_date(self, the_date):
        self.datee_z.text = str(the_date)

    def backbtn(self, temp):
        sm.current = 'settlescreen'

    def update_btn(self):
        fin_amt = self.balamt_temp + ':' + self.pop_amt_add
        fin_date = self.sdate_temp + ':' + str(date.today())
        update_add(fin_amt, fin_date, self.namee_temp, name_id)
        self.balamt_temp = fin_amt
        self.sdate_temp = fin_date

    def add_diag(self):

        self.dialog = MDInputDialog(title='Add Amount',
                                    hint_text="Given Amount",
                                    size_hint=[.8, .4],
                                    events_callback=self.mycallback,
                                    text_button_cancel='CANCEL',
                                    text_button_ok='CONFIRM')

        self.dialog.open()

    def mycallback(self, text_s, pop):
        if text_s == 'CONFIRM':
            try:
                int(pop.text_field.text)
                self.pop_amt_add = pop.text_field.text
                self.update_btn()
                self.on_pre_enter()
                toast('Amount Added Successfully')
            except:
                self.add_diag()
                toast('ENTER NUMERIC INPUT')

    def minus_diagA(self):

        self.dialog = MDDialog(
            title='Select Amount Type',
            text=
            "Received Amount To Remove from \nInterest or Balance Amounts?",
            size_hint=[.8, .4],
            events_callback=self.mycallback_m,
            text_button_cancel='INTEREST',
            text_button_ok='BALANCE')

        self.dialog.open()

    def mycallback_m(self, text_s, pop):
        if text_s == 'BALANCE':
            self.minus_diagBA()
        elif text_s == 'INTEREST':
            self.minus_diagBB()

    def minus_diagBA(self):

        self.dialog = MDInputDialog(title='Balance Amount Received',
                                    hint_text="Received Amount",
                                    size_hint=[.8, .4],
                                    events_callback=self.mycallback_BA,
                                    text_button_cancel='CANCEL',
                                    text_button_ok='CONFIRM')

        self.dialog.open()

    def mycallback_BA(self, text_s, pop):
        if text_s == 'CONFIRM':
            try:
                int(pop.text_field.text)
                self.pop_amt_add = '-' + pop.text_field.text
                self.update_btn()
                self.on_pre_enter()
                toast('Amount Added Successfully')
            except:
                toast('Wrong Input')
                self.minus_diagBA()

    def minus_diagBB(self):

        self.dialog = MDInputDialog(title='Interest Amount Received',
                                    hint_text="Received Amount",
                                    size_hint=[.8, .4],
                                    events_callback=self.mycallback_BB,
                                    text_button_cancel='CANCEL',
                                    text_button_ok='CONFIRM')

        self.dialog.open()

    def mycallback_BB(self, text_s, pop):
        if text_s == 'CONFIRM':
            try:
                int(pop.text_field.text)
                self.pop_amt_add = '-' + pop.text_field.text + '^'
                self.update_btn()
                self.on_pre_enter()
                toast('Amount Added Successfully')
            except:
                toast('Wrong Input')
                self.minus_diagBB()

    def edit_bal(self, temp):
        global scrn
        scrn = 'Non_Due'
        sm.current = 'amtupdate'