Пример #1
0
 def select(self):
     """Toggles selection of the current label."""
     LOGGER.debug('Select command triggered.')
     # get current label
     label, cur_y = self.get_current_label()
     # toggle selection
     if label not in self.selection:
         LOGGER.info("Adding '%s' to the selection.", label)
         self.selection.add(label)
         # Note, that we use an additional two spaces to attempt to uniquely identify the label
         # in the list mode. Otherwise it might be possible that the same text (as used for the
         # label) can occur elsewhere in the buffer.
         # We do not need this outside of the list view because then the line indexed by `cur_y`
         # will surely only include the one label which we actually want to operate on.
         offset = '  ' if self.list_mode == -1 else ''
         self.buffer.replace(
             cur_y, label + offset,
             CONFIG.get_ansi_color('selection') + label + '\x1b[0m' +
             offset)
     else:
         LOGGER.info("Removing '%s' from the selection.", label)
         self.selection.remove(label)
         self.buffer.replace(
             cur_y,
             CONFIG.get_ansi_color('selection') + label + '\x1b[0m', label)
     # update buffer view
     self.buffer.view(self.viewport,
                      self.visible,
                      self.width - 1,
                      ansi_map=self.ANSI_MAP)
Пример #2
0
    def tui(tui):
        """See base class."""
        LOGGER.debug('Show command triggered from TUI.')
        # get current label
        label, cur_y = tui.get_current_label()
        # populate buffer with entry data
        LOGGER.debug('Clearing current buffer contents.')
        tui.buffer.clear()
        ShowCommand().execute([label], out=tui.buffer)
        tui.buffer.split()
        if label in tui.selection:
            LOGGER.debug('Current entry is selected. Applying highlighting.')
            tui.buffer.replace(0, label, CONFIG.get_ansi_color('selection') + label + '\x1b[0m')
        LOGGER.debug('Populating buffer with ShowCommand result.')
        tui.buffer.view(tui.viewport, tui.visible, tui.width-1, ansi_map=tui.ANSI_MAP)

        # reset current cursor position
        tui.top_line = 0
        tui.current_line = 0
        # update top statusbar
        tui.topstatus = "CoBib v{} - {}".format(__version__, label)
        tui.statusbar(tui.topbar, tui.topstatus)
        # enter show menu
        tui.list_mode = cur_y
        tui.inactive_commands = ['Add', 'Filter', 'Search', 'Show', 'Sort']
Пример #3
0
 def tui(tui):
     """See base class."""
     LOGGER.debug('Search command triggered from TUI.')
     tui.buffer.clear()
     # handle input via prompt
     command, results = tui.execute_command('search', out=tui.buffer)
     if tui.buffer.lines and results is not None:
         hits, labels = results
         tui.list_mode, _ = tui.viewport.getyx()
         tui.buffer.split()
         LOGGER.debug('Applying selection highlighting in search results.')
         for label in labels:
             if label not in tui.selection:
                 continue
             # we match the label including its 'search_label' highlight to ensure that we really
             # only match this specific occurrence of whatever the label may be
             tui.buffer.replace(range(tui.buffer.height),
                                CONFIG.get_ansi_color('search_label') + label + '\x1b[0m',
                                CONFIG.get_ansi_color('search_label') +
                                CONFIG.get_ansi_color('selection') + label + '\x1b[0m\x1b[0m')
         LOGGER.debug('Populating viewport with search results.')
         tui.buffer.view(tui.viewport, tui.visible, tui.width-1, ansi_map=tui.ANSI_MAP)
         # reset current cursor position
         LOGGER.debug('Resetting cursor position to top.')
         tui.top_line = 0
         tui.current_line = 0
         # update top statusbar
         tui.topstatus = "CoBib v{} - {} hit{}".format(__version__, hits,
                                                       "s" if hits > 1 else "")
         tui.statusbar(tui.topbar, tui.topstatus)
         tui.inactive_commands = ['Add', 'Filter', 'Sort']
     elif command[1:]:
         msg = f"No search hits for '{shlex.join(command[1:])}'!"
         LOGGER.info(msg)
         tui.prompt_print(msg)
         tui.update_list()
Пример #4
0
    def colors():
        """Initialize the color pairs for the curses TUI."""
        # Start colors in curses
        curses.start_color()
        # parse user color configuration
        color_cfg = CONFIG.config['COLORS']
        colors = {col: {} for col in TUI.COLOR_NAMES}
        for attr, col in color_cfg.items():
            if attr in TUI.COLOR_VALUES.keys():
                if not curses.can_change_color():
                    # cannot change curses default colors
                    LOGGER.warning(
                        'Curses cannot change the default colors. Skipping color setup.'
                    )
                    continue
                # update curses-internal color with HEX-color
                rgb_color = tuple(
                    int(col.strip('#')[i:i + 2], 16) for i in (0, 2, 4))
                # curses colors range from 0 to 1000
                curses_color = tuple(col * 1000 // 255 for col in rgb_color)
                curses.init_color(TUI.COLOR_VALUES[attr], *curses_color)
            else:
                if attr[:-3] not in TUI.COLOR_NAMES:
                    LOGGER.warning(
                        'Detected unknown TUI color name specification: %s',
                        attr[:-3])
                    continue
                colors[attr[:-3]][attr[-2:]] = col

        # initialize color pairs for TUI elements
        for idx, attr in enumerate(TUI.COLOR_NAMES):
            foreground = colors[attr].get('fg', 'white')
            background = colors[attr].get('bg', 'black')
            LOGGER.debug('Initiliazing color pair %d for %s', idx + 1, attr)
            curses.init_pair(idx + 1, TUI.COLOR_VALUES[foreground],
                             TUI.COLOR_VALUES[background])
            LOGGER.debug('Adding ANSI color code for %s', attr)
            TUI.ANSI_MAP[CONFIG.get_ansi_color(
                attr)] = TUI.COLOR_NAMES.index(attr) + 1
Пример #5
0
 def update_list(self):
     """Updates the default list view."""
     LOGGER.debug('Re-populating the viewport with the list command.')
     self.buffer.clear()
     labels = commands.ListCommand().execute(self.list_args,
                                             out=self.buffer)
     labels = labels or []  # convert to empty list if labels is None
     # populate buffer with the list
     if self.list_mode >= 0:
         self.current_line = self.list_mode
         self.list_mode = -1
     # reset viewport
     self.top_line = 0
     self.left_edge = 0
     self.inactive_commands = []
     # highlight current selection
     for label in self.selection:
         # Note: the two spaces are explained in the `select()` method.
         # Also: this step may become a performance bottleneck because we replace inside the
         # whole buffer for each selected label!
         self.buffer.replace(
             range(self.buffer.height), label + '  ',
             CONFIG.get_ansi_color('selection') + label + '\x1b[0m  ')
     # display buffer in viewport
     self.buffer.view(self.viewport,
                      self.visible,
                      self.width - 1,
                      ansi_map=self.ANSI_MAP)
     # update top statusbar
     self.topstatus = "CoBib v{} - {} Entries".format(
         __version__, len(labels))
     self.statusbar(self.topbar, self.topstatus)
     # if cursor position is out-of-view (due to e.g. top-line reset in Show command), reset the
     # top-line such that the current line becomes visible again
     if self.current_line > self.top_line + self.visible:
         self.top_line = min(self.current_line,
                             self.buffer.height - self.visible)
Пример #6
0
    def execute(self, args, out=sys.stdout):
        """Search database.

        Searches the database recursively (i.e. including any associated files) using `grep` for a
        query string.

        Args: See base class.
        """
        LOGGER.debug('Starting Search command.')
        parser = ArgumentParser(prog="search", description="Search subcommand parser.")
        parser.add_argument("query", type=str, help="text to search for")
        parser.add_argument("-c", "--context", type=int, default=1,
                            help="number of context lines to provide for each match")
        parser.add_argument("-i", "--ignore-case", action="store_true",
                            help="ignore case for searching")
        parser.add_argument('list_arg', nargs='*',
                            help="Any arguments for the List subcommand." +
                            "\nUse this to add filters to specify a subset of searched entries." +
                            "\nYou can add a '--' before the List arguments to ensure separation." +
                            "\nSee also `list --help` for more information on the List arguments.")

        if not args:
            parser.print_usage(sys.stderr)
            sys.exit(1)

        try:
            largs = parser.parse_intermixed_args(args)
        except argparse.ArgumentError as exc:
            print("{}: {}".format(exc.argument_name, exc.message), file=sys.stderr)
            return None

        labels = ListCommand().execute(largs.list_arg, out=open(os.devnull, 'w'))
        LOGGER.debug('Available entries to search: %s', labels)

        ignore_case = CONFIG.config['DATABASE'].getboolean('search_ignore_case', False) or \
            largs.ignore_case
        re_flags = re.IGNORECASE if ignore_case else 0
        LOGGER.debug('The search will be performed case %ssensitive', 'in' if ignore_case else '')

        hits = 0
        output = []
        for label in labels.copy():
            entry = CONFIG.config['BIB_DATA'][label]
            matches = entry.search(largs.query, largs.context, ignore_case)
            if not matches:
                labels.remove(label)
                continue

            hits += len(matches)
            LOGGER.debug('Entry "%s" includes %d hits.', label, hits)
            title = f"{label} - {len(matches)} match" + ("es" if len(matches) > 1 else "")
            title = title.replace(label, CONFIG.get_ansi_color('search_label') + label + '\x1b[0m')
            output.append(title)

            for idx, match in enumerate(matches):
                for line in match:
                    line = re.sub(rf'({largs.query})',
                                  CONFIG.get_ansi_color('search_query') + r'\1' + '\x1b[0m',
                                  line, flags=re_flags)
                    output.append(f"[{idx+1}]\t".expandtabs(8) + line)

        print('\n'.join(output), file=out)
        return (hits, labels)