當前位置: 首頁>>代碼示例>>Python>>正文


Python urwid.Text方法代碼示例

本文整理匯總了Python中urwid.Text方法的典型用法代碼示例。如果您正苦於以下問題:Python urwid.Text方法的具體用法?Python urwid.Text怎麽用?Python urwid.Text使用的例子?那麽, 這裏精選的方法代碼示例或許可以為您提供幫助。您也可以進一步了解該方法所在urwid的用法示例。


在下文中一共展示了urwid.Text方法的15個代碼示例,這些例子默認根據受歡迎程度排序。您可以為喜歡或者感覺有用的代碼點讚,您的評價將有助於係統推薦出更棒的Python代碼示例。

示例1: get_status_bar

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def get_status_bar(self):
        cur   = -1
        total = 0
        if len(self.body.positions()) > 0:
            cur   = self.focus_position
            total = len(self.body.positions())

        status_title = \
            urwid.AttrMap(urwid.Text('Help',
                                     wrap='clip'),
                          'status_bar')
        status_index = \
            ('pack', urwid.AttrMap(urwid.Text(' ' +
                                              str(cur + 1) +
                                              '/' +
                                              str(total)),
                                   'status_bar'))
        return \
            urwid.AttrMap(urwid.Columns([ status_title, status_index ]),
                          'status_bar') 
開發者ID:insanum,項目名稱:sncli,代碼行數:22,代碼來源:view_help.py

示例2: create_color_help_lines

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def create_color_help_lines(self):
        lines = [ urwid.AttrMap(urwid.Text(''),
                                'help_header',
                                'help_focus') ]
        lines.append(urwid.AttrMap(urwid.Text(' Colors'),
                                   'help_header',
                                   'help_focus'))
        fmap = {}
        for c in self.config.colors:
            fmap[re.search('^(.*)(_fg|_bg)$', c).group(1)] = 'help_focus'
        for c in self.config.colors:
            lines.append(
                urwid.AttrMap(urwid.AttrMap(
                    urwid.Text(
                    [
                     ('help_descr',  ('{:>' + str(self.descr_width) + '} ').format(self.config.get_color_descr(c))),
                     ('help_config', ('{:>' + str(self.config_width) + '} ').format('clr_' + c)),
                     (re.search('^(.*)(_fg|_bg)$', c).group(1), "'" + self.config.get_color(c) + "'")
                    ]
                    ),
                    attr_map = None,
                    focus_map = fmap
                ), 'default', 'help_focus'))
        return lines 
開發者ID:insanum,項目名稱:sncli,代碼行數:26,代碼來源:view_help.py

示例3: make_table_with_categories

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def make_table_with_categories(contents: PopUpViewTableContent,
                                   column_widths: List[int],
                                   dividechars: int=2) -> List[Any]:
        """
        Returns a list of widgets to render a table with different categories.
        """
        widgets = []  # type: List[Any]
        for category, content in contents:
            if category:
                if len(widgets) > 0:  # Separate categories with newline.
                    widgets.append(urwid.Text(''))
                widgets.append(urwid.Text(('popup_category', category)))
            for index, row in enumerate(content):
                label, data = row
                strip = urwid.Columns([
                        urwid.Text(label),
                        (column_widths[1], urwid.Text(data))
                    ], dividechars=dividechars)
                widgets.append(urwid.AttrWrap(
                    strip, None if index % 2 else 'popup_contrast')
                )
        return widgets 
開發者ID:zulip,項目名稱:zulip-terminal,代碼行數:24,代碼來源:views.py

示例4: stream_header

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def stream_header(self) -> Any:
        stream_topic_separator = '▶'
        color = self.model.stream_dict[self.stream_id]['color']
        bar_color = 's' + color
        stream_title_markup = ('bar', [
            (bar_color, '{} {} '.format(self.stream_name,
                                        stream_topic_separator)),
            ('title', ' {}'.format(self.topic_name))
        ])
        stream_title = urwid.Text(stream_title_markup)
        header = urwid.Columns([
            ('pack', stream_title),
            (1, urwid.Text((color, ' '))),
            urwid.AttrWrap(urwid.Divider('━'), color),
        ])
        header.markup = stream_title_markup
        return header 
開發者ID:zulip,項目名稱:zulip-terminal,代碼行數:19,代碼來源:boxes.py

示例5: main_view

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def main_view(self) -> Any:
        search_text = ("Search ["
                       + ", ".join(keys_for_command("SEARCH_MESSAGES"))
                       + "]: ")
        self.text_box = ReadlineEdit(search_text + " ")
        # Add some text so that when packing,
        # urwid doesn't hide the widget.
        self.conversation_focus = urwid.Text(" ")
        self.search_bar = urwid.Columns([
            ('pack', self.conversation_focus),
            ('pack', urwid.Text("  ")),
            self.text_box,
        ])
        self.msg_narrow = urwid.Text("DONT HIDE")
        self.recipient_bar = urwid.LineBox(
            self.msg_narrow, title="Current message recipients",
            tline='─', lline='', trcorner='─', tlcorner='─',
            blcorner='─', rline='', bline='─', brcorner='─')
        return [self.search_bar, self.recipient_bar] 
開發者ID:zulip,項目名稱:zulip-terminal,代碼行數:21,代碼來源:boxes.py

示例6: test_main_view_generates_stream_header

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def test_main_view_generates_stream_header(self, mocker, message,
                                               to_vary_in_last_message):
        self.model.stream_dict = {
            5: {
                'color': '#bd6',
            },
        }
        last_message = dict(message, **to_vary_in_last_message)
        msg_box = MessageBox(message, self.model, last_message)
        view_components = msg_box.main_view()
        assert len(view_components) == 3

        assert isinstance(view_components[0], Columns)

        assert isinstance(view_components[0][0], Text)
        assert isinstance(view_components[0][1], Text)
        assert isinstance(view_components[0][2], Divider) 
開發者ID:zulip,項目名稱:zulip-terminal,代碼行數:19,代碼來源:test_ui_tools.py

示例7: __init__

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def __init__(self, exit_code):
        self.exit_code = exit_code
        self.message = Text('Do you want to quit?', align='center')
        super().__init__(LineBox(Pile([
            Padding.line_break(""),
            self.message,
            Padding.line_break(""),
            Columns([
                Text(""),
                SubmitButton('Yes', lambda _: self.confirm()),
                Text(""),
                SubmitButton('No', lambda _: self.cancel()),
                Text(""),
            ]),
            Padding.line_break(""),
        ])))
        if events.Error.is_set():
            self.confirm() 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:20,代碼來源:shutdown.py

示例8: _build_footer

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def _build_footer(self):
        no = menu_btn(on_press=self.cancel,
                      label="\n  NO\n")
        yes = menu_btn(on_press=self.submit,
                       label="\n  YES\n")
        self.buttons = Columns([
            ('fixed', 2, Text("")),
            ('fixed', 11, Color.menu_button(
                no,
                focus_map='button_primary focus')),
            Text(""),
            ('fixed', 11, Color.menu_button(
                yes,
                focus_map='button_primary focus')),
            ('fixed', 2, Text(""))
        ])

        self.footer = Pile([
            Padding.line_break(""),
            self.buttons
        ])
        return Color.frame_footer(self.footer) 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:24,代碼來源:destroy_confirm.py

示例9: _build_widget

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def _build_widget(self):
        applications = self.app.juju.client.applications
        total_items = [Instruction("Deployment Information:"), HR()]
        tbl = Pile([
            Columns([('fixed', 15, Text("Name")),
                     Text(self.model['name'])]),
            Columns([('fixed', 15, Text("Cloud")),
                     Text(self.model['cloud'])]),
            Columns([('fixed', 15, Text("Status")),
                     Text(self.model['status']['current'])]),
            Columns([('fixed', 15, Text("Online")),
                     Text(self._sanitize_date(
                         self.model['status']['since']))]),
            Columns([('fixed', 15, Text("Applications")),
                     Text(", ".join(applications.keys()))]),
            Columns([('fixed', 15, Text("Machines")),
                     Text(str(self._total_machines(self.model)))])

        ])
        total_items.append(tbl)
        total_items.append(HR())
        return Padding.center_80(Filler(Pile(total_items), valign='top')) 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:24,代碼來源:destroy_confirm.py

示例10: build_widget

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def build_widget(self):
        return [
            Columns([
                ('fixed', 16, Text('network bridge', align="right")),
                Color.string_input(
                    self.lxd_config['network'],
                    focus_map='string_input focus')
            ], dividechars=1),
            HR(),
            Columns([
                ('fixed', 16, Text('storage pool', align="right")),
                Color.string_input(
                    self.lxd_config['storage-pool'],
                    focus_map='string_input focus')
            ], dividechars=1),
        ] 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:18,代碼來源:lxdsetup.py

示例11: build_widget

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def build_widget(self):
        self.choices.append(HR())
        for addon in sorted(app.addons.values(), key=attrgetter('name')):
            self.choices.append_option(label=addon.friendly_name,
                                       value=addon.name,
                                       state=addon.name in app.selected_addons)
            self.choices.append(Padding.line_break(""))
            self.choices.append(
                Columns([
                    ('fixed', 3, Text('')),
                    Text(addon.description)
                ], dividechars=5)
            )
            self.choices.append(HR())
        if app.addons:
            self.choices.focus_position = 1
        return self.choices 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:19,代碼來源:addons.py

示例12: __init__

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def __init__(self, app, public_clouds, custom_clouds,
                 compatible_cloud_types, cb=None, back=None):
        self.app = app
        self.cb = cb
        self.back = back
        self.public_clouds = public_clouds
        self.custom_clouds = custom_clouds
        self.compatible_cloud_types = compatible_cloud_types
        self.config = self.app.config
        self.buttons_pile_selected = False
        self.message = Text('')
        self._items_localhost_idx = None
        self.show_back_button = back is not None

        super().__init__()
        self.update_message() 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:18,代碼來源:cloud.py

示例13: build_widget

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def build_widget(self):
        rows = []

        def add_row(label, field):
            rows.extend([
                Columns([('fixed', 23, Text(label)),
                         Color.string_input(field,
                                            focus_map='string_input focus')]),
                Padding.line_break(""),
            ])

        add_row('Email:', self.email),
        add_row('Password:', self.password),
        add_row('Two-Factor Auth (2FA):', self.twofa),
        if self.error:
            rows.append(Color.error_major(Text(" {}".format(self.error))))
        return rows 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:19,代碼來源:jaas.py

示例14: do_toggle_show_all_config

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def do_toggle_show_all_config(self):
        if not self.showing_all:
            new_ows = await self.get_non_whitelisted_option_widgets()
            header = Text("Advanced Configuration Options")
            opts = self.widget.options()
            self.widget.contents.append((header, opts))
            for ow in new_ows:
                self.widget.contents.append((ow, opts))
            self.toggle_show_all_button.set_label(
                "Hide Advanced Configuration")
            self.showing_all = True
        else:
            i = self.toggle_show_all_button_index
            self.widget.contents = self.widget.contents[:i + 1]
            self.toggle_show_all_button.set_label(
                "Show Advanced Configuration")
            self.showing_all = False 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:19,代碼來源:applicationconfigure.py

示例15: __init__

# 需要導入模塊: import urwid [as 別名]
# 或者: from urwid import Text [as 別名]
def __init__(self, app, step_model):
        """
        Arguments:
        step_model: step model
        step_model_widget: step model widget
        cb: callback
        """
        self.app = app
        self.model = step_model

        self.title = Text(('info_minor', step_model.title))
        self.description = Text(('body', step_model.description))
        self.result = Text(step_model.result)
        self.sudo_label = Text(('body', ''))
        self.icon = Text(("pending_icon", "\N{BALLOT BOX}"))
        self.sudo_input = None
        self.complete = asyncio.Event()
        self.requires_input = False
        form_fields = (self._build_form_header() +
                       self._build_sudo_field() +
                       self._build_form_fields())
        super().__init__(form_fields)
        if self.sudo_input or self.fields:
            self.show_button()
            self.focus_position = 4 
開發者ID:conjure-up,項目名稱:conjure-up,代碼行數:27,代碼來源:step.py


注:本文中的urwid.Text方法示例由純淨天空整理自Github/MSDocs等開源代碼及文檔管理平台,相關代碼片段篩選自各路編程大神貢獻的開源項目,源碼版權歸原作者所有,傳播和使用請參考對應項目的License;未經允許,請勿轉載。