idx
int64
0
252k
question
stringlengths
48
5.28k
target
stringlengths
5
1.23k
244,300
def _complete ( self ) : def find_word_start ( p_text , p_pos ) : return p_text . lstrip ( ) . rfind ( ' ' , 0 , p_pos ) + 1 def get_word_before_pos ( p_text , p_pos ) : start = find_word_start ( p_text , p_pos ) return ( p_text [ start : p_pos ] , start ) pos = self . edit_pos text = self . edit_text completer = self ...
Main completion function .
244,301
def _home_del ( self ) : text = self . edit_text [ self . edit_pos : ] self . set_edit_text ( text ) self . _home ( )
Deletes the line content before the cursor
244,302
def _end_del ( self ) : text = self . edit_text [ : self . edit_pos ] self . set_edit_text ( text )
Deletes the line content after the cursor
244,303
def add_edge ( self , p_from , p_to , p_id = None ) : if not self . has_edge ( p_from , p_to ) : if not self . has_node ( p_from ) : self . add_node ( p_from ) if not self . has_node ( p_to ) : self . add_node ( p_to ) self . _edges [ p_from ] . add ( p_to ) self . _edge_numbers [ ( p_from , p_to ) ] = p_id
Adds an edge to the graph . The nodes will be added if they don t exist .
244,304
def reachable_nodes ( self , p_id , p_recursive = True , p_reverse = False ) : stack = [ p_id ] visited = set ( ) result = set ( ) while len ( stack ) : current = stack . pop ( ) if current in visited or current not in self . _edges : continue visited . add ( current ) if p_reverse : parents = [ node for node , neighbo...
Returns the set of all neighbors that the given node can reach .
244,305
def reachable_nodes_reverse ( self , p_id , p_recursive = True ) : return self . reachable_nodes ( p_id , p_recursive , True )
Find neighbors in the inverse graph .
244,306
def remove_node ( self , p_id , remove_unconnected_nodes = True ) : if self . has_node ( p_id ) : for neighbor in self . incoming_neighbors ( p_id ) : self . _edges [ neighbor ] . remove ( p_id ) neighbors = set ( ) if remove_unconnected_nodes : neighbors = self . outgoing_neighbors ( p_id ) del self . _edges [ p_id ] ...
Removes a node from the graph .
244,307
def is_isolated ( self , p_id ) : return ( len ( self . incoming_neighbors ( p_id ) ) == 0 and len ( self . outgoing_neighbors ( p_id ) ) == 0 )
Returns True iff the given node has no incoming or outgoing edges .
244,308
def has_edge ( self , p_from , p_to ) : return p_from in self . _edges and p_to in self . _edges [ p_from ]
Returns True when the graph has the given edge .
244,309
def remove_edge ( self , p_from , p_to , p_remove_unconnected_nodes = True ) : if self . has_edge ( p_from , p_to ) : self . _edges [ p_from ] . remove ( p_to ) try : del self . _edge_numbers [ ( p_from , p_to ) ] except KeyError : return None if p_remove_unconnected_nodes : if self . is_isolated ( p_from ) : self . re...
Removes an edge from the graph .
244,310
def transitively_reduce ( self ) : removals = set ( ) for from_node , neighbors in self . _edges . items ( ) : childpairs = [ ( c1 , c2 ) for c1 in neighbors for c2 in neighbors if c1 != c2 ] for child1 , child2 in childpairs : if self . has_path ( child1 , child2 ) and not self . has_path ( child1 , from_node ) : remo...
Performs a transitive reduction on the graph .
244,311
def dot ( self , p_print_labels = True ) : out = 'digraph g {\n' for from_node , neighbors in sorted ( self . _edges . items ( ) ) : out += " {}\n" . format ( from_node ) for neighbor in sorted ( neighbors ) : out += " {} -> {}" . format ( from_node , neighbor ) edge_id = self . edge_id ( from_node , neighbor ) if ed...
Prints the graph in Dot format .
244,312
def _print ( self ) : if self . printer is None : indent = config ( ) . list_indent ( ) final_format = ' ' * indent + self . format filters = [ ] filters . append ( PrettyPrinterFormatFilter ( self . todolist , final_format ) ) self . printer = pretty_printer_factory ( self . todolist , filters ) try : if self . group_...
Prints the todos in the right format .
244,313
def parse_line ( p_string ) : result = { 'completed' : False , 'completionDate' : None , 'priority' : None , 'creationDate' : None , 'text' : "" , 'projects' : [ ] , 'contexts' : [ ] , 'tags' : { } , } completed_head = _COMPLETED_HEAD_MATCH . match ( p_string ) normal_head = _NORMAL_HEAD_MATCH . match ( p_string ) rest...
Parses a single line as can be encountered in a todo . txt file . First checks whether the standard elements are present such as priority creation date completeness check and the completion date .
244,314
def _dates ( p_word_before_cursor ) : to_absolute = lambda s : relative_date_to_date ( s ) . isoformat ( ) start_value_pos = p_word_before_cursor . find ( ':' ) + 1 value = p_word_before_cursor [ start_value_pos : ] for reldate in date_suggestions ( ) : if not reldate . startswith ( value ) : continue yield Completion ...
Generator for date completion .
244,315
def add_completions ( self , p_completions ) : palette = PaletteItem . MARKED for completion in p_completions : width = len ( completion ) if width > self . min_width : self . min_width = width w = urwid . Text ( completion ) self . items . append ( urwid . AttrMap ( w , None , focus_map = palette ) ) self . items . se...
Creates proper urwid . Text widgets for all completion candidates from p_completions list and populates them into the items attribute .
244,316
def _apply_filters ( self , p_todos ) : result = p_todos for _filter in sorted ( self . _filters , key = lambda f : f . order ) : result = _filter . filter ( result ) return result
Applies the filters to the list of todo items .
244,317
def todos ( self ) : result = self . _sorter . sort ( self . todolist . todos ( ) ) return self . _apply_filters ( result )
Returns a sorted and filtered list of todos in this view .
244,318
def execute_specific ( self , p_todo ) : self . _handle_recurrence ( p_todo ) self . execute_specific_core ( p_todo ) printer = PrettyPrinter ( ) self . out ( self . prefix ( ) + printer . print_todo ( p_todo ) )
Actions specific to this command .
244,319
def date_string_to_date ( p_date ) : result = None if p_date : parsed_date = re . match ( r'(\d{4})-(\d{2})-(\d{2})' , p_date ) if parsed_date : result = date ( int ( parsed_date . group ( 1 ) ) , int ( parsed_date . group ( 2 ) ) , int ( parsed_date . group ( 3 ) ) ) else : raise ValueError return result
Given a date in YYYY - MM - DD returns a Python date object . Throws a ValueError if the date is invalid .
244,320
def get_terminal_size ( p_getter = None ) : try : return get_terminal_size . getter ( ) except AttributeError : if p_getter : get_terminal_size . getter = p_getter else : def inner ( ) : try : try : from shutil import get_terminal_size as _get_terminal_size except ImportError : from backports . shutil_get_terminal_size...
Try to determine terminal size at run time . If that is not possible returns the default size of 80x24 .
244,321
def translate_key_to_config ( p_key ) : if len ( p_key ) > 1 : key = p_key . capitalize ( ) if key . startswith ( 'Ctrl' ) or key . startswith ( 'Meta' ) : key = key [ 0 ] + '-' + key [ 5 : ] key = '<' + key + '>' else : key = p_key return key
Translates urwid key event to form understandable by topydo config parser .
244,322
def humanize_date ( p_datetime ) : now = arrow . now ( ) _date = now . replace ( day = p_datetime . day , month = p_datetime . month , year = p_datetime . year ) return _date . humanize ( now ) . replace ( 'just now' , 'today' )
Returns a relative date string from a datetime object .
244,323
def _check_id_validity ( self , p_ids ) : errors = [ ] valid_ids = self . todolist . ids ( ) if len ( p_ids ) == 0 : errors . append ( 'No todo item was selected' ) else : errors = [ "Invalid todo ID: {}" . format ( todo_id ) for todo_id in p_ids - valid_ids ] errors = '\n' . join ( errors ) if errors else None return ...
Checks if there are any invalid todo IDs in p_ids list .
244,324
def _execute_handler ( self , p_command , p_todo_id = None , p_output = None ) : p_output = p_output or self . _output self . _console_visible = False self . _last_cmd = ( p_command , p_output == self . _output ) try : p_command = shlex . split ( p_command ) except ValueError as verr : self . _print_to_console ( 'Error...
Executes a command given as a string .
244,325
def _viewdata_to_view ( self , p_data ) : sorter = Sorter ( p_data [ 'sortexpr' ] , p_data [ 'groupexpr' ] ) filters = [ ] if not p_data [ 'show_all' ] : filters . append ( DependencyFilter ( self . todolist ) ) filters . append ( RelevanceFilter ( ) ) filters . append ( HiddenTagFilter ( ) ) filters += get_filter_list...
Converts a dictionary describing a view to an actual UIView instance .
244,326
def _update_view ( self , p_data ) : view = self . _viewdata_to_view ( p_data ) if self . column_mode == _APPEND_COLUMN or self . column_mode == _COPY_COLUMN : self . _add_column ( view ) elif self . column_mode == _INSERT_COLUMN : self . _add_column ( view , self . columns . focus_position ) elif self . column_mode ==...
Creates a view from the data entered in the view widget .
244,327
def _add_column ( self , p_view , p_pos = None ) : def execute_silent ( p_cmd , p_todo_id = None ) : self . _execute_handler ( p_cmd , p_todo_id , lambda _ : None ) todolist = TodoListWidget ( p_view , p_view . data [ 'title' ] , self . keymap ) urwid . connect_signal ( todolist , 'execute_command_silent' , execute_sil...
Given an UIView adds a new column widget with the todos in that view .
244,328
def _process_mark_toggle ( self , p_todo_id , p_force = None ) : if p_force in [ 'mark' , 'unmark' ] : action = p_force else : action = 'mark' if p_todo_id not in self . marked_todos else 'unmark' if action == 'mark' : self . marked_todos . add ( p_todo_id ) return True else : self . marked_todos . remove ( p_todo_id )...
Adds p_todo_id to marked_todos attribute and returns True if p_todo_id is not already marked . Removes p_todo_id from marked_todos and returns False otherwise .
244,329
def reset ( self ) : self . titleedit . set_edit_text ( "" ) self . sortedit . set_edit_text ( "" ) self . filteredit . set_edit_text ( "" ) self . relevantradio . set_state ( True ) self . pile . focus_item = 0
Resets the form .
244,330
def has_tag ( self , p_key , p_value = "" ) : tags = self . fields [ 'tags' ] return p_key in tags and ( p_value == "" or p_value in tags [ p_key ] )
Returns true when there is at least one tag with the given key . If a value is passed it will only return true when there exists a tag with the given key - value combination .
244,331
def _remove_tag_helper ( self , p_key , p_value ) : tags = self . fields [ 'tags' ] try : tags [ p_key ] = [ t for t in tags [ p_key ] if p_value != "" and t != p_value ] if len ( tags [ p_key ] ) == 0 : del tags [ p_key ] except KeyError : pass
Removes a tag from the internal todo dictionary . Only those instances with the given value are removed . If the value is empty all tags with the given key are removed .
244,332
def set_tag ( self , p_key , p_value = "" , p_force_add = False , p_old_value = "" ) : if p_value == "" : self . remove_tag ( p_key , p_old_value ) return tags = self . fields [ 'tags' ] value = p_old_value if p_old_value else self . tag_value ( p_key ) if not p_force_add and value : self . _remove_tag_helper ( p_key ,...
Sets a occurrence of the tag identified by p_key . Sets an arbitrary instance of the tag when the todo contains multiple tags with this key . When p_key does not exist the tag is added .
244,333
def tags ( self ) : tags = self . fields [ 'tags' ] return [ ( t , v ) for t in tags for v in tags [ t ] ]
Returns a list of tuples with key - value pairs representing tags in this todo item .
244,334
def set_source_text ( self , p_text ) : self . src = p_text . strip ( ) self . fields = parse_line ( self . src )
Sets the todo source text . The text will be parsed again .
244,335
def set_completed ( self , p_completion_date = date . today ( ) ) : if not self . is_completed ( ) : self . set_priority ( None ) self . fields [ 'completed' ] = True self . fields [ 'completionDate' ] = p_completion_date self . src = re . sub ( r'^(\([A-Z]\) )?' , 'x ' + p_completion_date . isoformat ( ) + ' ' , self ...
Marks the todo as complete . Sets the completed flag and sets the completion date to today .
244,336
def set_creation_date ( self , p_date = date . today ( ) ) : self . fields [ 'creationDate' ] = p_date self . src = re . sub ( r'^(x \d{4}-\d{2}-\d{2} |\([A-Z]\) )?(\d{4}-\d{2}-\d{2} )?(.*)$' , lambda m : u"{}{} {}" . format ( m . group ( 1 ) or '' , p_date . isoformat ( ) , m . group ( 3 ) ) , self . src )
Sets the creation date of a todo . Should be passed a date object .
244,337
def update ( self ) : old_focus_position = self . todolist . focus id_length = max_id_length ( self . view . todolist . count ( ) ) del self . todolist [ : ] for group , todos in self . view . groups . items ( ) : if len ( self . view . groups ) > 1 : grouplabel = ", " . join ( group ) self . todolist . append ( urwid ...
Updates the todo list according to the todos in the view associated with this list .
244,338
def _execute_on_selected ( self , p_cmd_str , p_execute_signal ) : try : todo = self . listbox . focus . todo todo_id = str ( self . view . todolist . number ( todo ) ) urwid . emit_signal ( self , p_execute_signal , p_cmd_str , todo_id ) if p_cmd_str . startswith ( 'edit' ) : urwid . emit_signal ( self , 'refresh' ) e...
Executes command specified by p_cmd_str on selected todo item .
244,339
def execute_builtin_action ( self , p_action_str , p_size = None ) : column_actions = [ 'first_column' , 'last_column' , 'prev_column' , 'next_column' , 'append_column' , 'insert_column' , 'edit_column' , 'delete_column' , 'copy_column' , 'swap_left' , 'swap_right' , 'reset' , ] if p_action_str in column_actions : urwi...
Executes built - in action specified in p_action_str .
244,340
def _add_pending_action ( self , p_action , p_size ) : def generate_callback ( ) : def callback ( * args ) : self . resolve_action ( p_action , p_size ) self . keystate = None return callback urwid . emit_signal ( self , 'add_pending_action' , generate_callback ( ) )
Creates action waiting for execution and forwards it to the mainloop .
244,341
def read ( self ) : todos = [ ] try : todofile = codecs . open ( self . path , 'r' , encoding = "utf-8" ) todos = todofile . readlines ( ) todofile . close ( ) except IOError : pass return todos
Reads the todo . txt file and returns a list of todo items .
244,342
def write ( self , p_todos ) : todofile = codecs . open ( self . path , 'w' , encoding = "utf-8" ) if p_todos is list : for todo in p_todos : todofile . write ( str ( todo ) ) else : todofile . write ( p_todos ) todofile . write ( "\n" ) todofile . close ( )
Writes all the todo items to the todo . txt file .
244,343
def main ( ) : try : args = sys . argv [ 1 : ] try : _ , args = getopt . getopt ( args , MAIN_OPTS , MAIN_LONG_OPTS ) except getopt . GetoptError as e : error ( str ( e ) ) sys . exit ( 1 ) if args [ 0 ] == 'prompt' : try : from topydo . ui . prompt . Prompt import PromptApplication PromptApplication ( ) . run ( ) exce...
Main entry point of the CLI .
244,344
def importance ( p_todo , p_ignore_weekend = config ( ) . ignore_weekends ( ) ) : result = 2 priority = p_todo . priority ( ) result += IMPORTANCE_VALUE [ priority ] if priority in IMPORTANCE_VALUE else 0 if p_todo . has_tag ( config ( ) . tag_due ( ) ) : days_left = p_todo . days_till_due ( ) if days_left >= 7 and day...
Calculates the importance of the given task . Returns an importance of zero when the task has been completed .
244,345
def _maintain_dep_graph ( self , p_todo ) : dep_id = p_todo . tag_value ( 'id' ) if dep_id : self . _parentdict [ dep_id ] = p_todo self . _depgraph . add_node ( hash ( p_todo ) ) for dep in [ dep for dep in self . _todos if dep . has_tag ( 'p' , dep_id ) ] : self . _add_edge ( p_todo , dep , dep_id ) for dep_id in p_t...
Makes sure that the dependency graph is consistent according to the given todo .
244,346
def add_dependency ( self , p_from_todo , p_to_todo ) : def find_next_id ( ) : def id_exists ( p_id ) : for todo in self . _todos : number = str ( p_id ) if todo . has_tag ( 'id' , number ) or todo . has_tag ( 'p' , number ) : return True return False new_id = 1 while id_exists ( new_id ) : new_id += 1 return str ( new...
Adds a dependency from task 1 to task 2 .
244,347
def remove_dependency ( self , p_from_todo , p_to_todo , p_leave_tags = False ) : dep_id = p_from_todo . tag_value ( 'id' ) if dep_id : self . _depgraph . remove_edge ( hash ( p_from_todo ) , hash ( p_to_todo ) ) self . dirty = True if dep_id and not p_leave_tags : p_to_todo . remove_tag ( 'p' , dep_id ) if not self . ...
Removes a dependency between two todos .
244,348
def clean_dependencies ( self ) : def remove_tag ( p_todo , p_tag , p_value ) : p_todo . remove_tag ( p_tag , p_value ) self . dirty = True def clean_parent_relations ( ) : for todo in [ todo for todo in self . _todos if todo . has_tag ( 'id' ) ] : value = todo . tag_value ( 'id' ) if not self . _depgraph . has_edge_id...
Cleans the dependency graph .
244,349
def _convert_todo ( p_todo ) : creation_date = p_todo . creation_date ( ) completion_date = p_todo . completion_date ( ) result = { 'source' : p_todo . source ( ) , 'text' : p_todo . text ( ) , 'priority' : p_todo . priority ( ) , 'completed' : p_todo . is_completed ( ) , 'tags' : p_todo . tags ( ) , 'projects' : list ...
Converts a Todo instance to a dictionary .
244,350
def get_backup_path ( ) : dirname , filename = path . split ( path . splitext ( config ( ) . todotxt ( ) ) [ 0 ] ) filename = '.' + filename + '.bak' return path . join ( dirname , filename )
Returns full path and filename of backup file
244,351
def _read ( self ) : self . json_file . seek ( 0 ) try : data = zlib . decompress ( self . json_file . read ( ) ) self . backup_dict = json . loads ( data . decode ( 'utf-8' ) ) except ( EOFError , zlib . error ) : self . backup_dict = { }
Reads backup file from json_file property and sets backup_dict property with data decompressed and deserialized from that file . If no usable data is found backup_dict is set to the empty dict .
244,352
def _write ( self ) : self . json_file . seek ( 0 ) self . json_file . truncate ( ) dump = json . dumps ( self . backup_dict ) dump_c = zlib . compress ( dump . encode ( 'utf-8' ) ) self . json_file . write ( dump_c )
Writes data from backup_dict property in serialized and compressed form to backup file pointed in json_file property .
244,353
def save ( self , p_todolist ) : self . _trim ( ) current_hash = hash_todolist ( p_todolist ) list_todo = ( self . todolist . print_todos ( ) + '\n' ) . splitlines ( True ) try : list_archive = ( self . archive . print_todos ( ) + '\n' ) . splitlines ( True ) except AttributeError : list_archive = [ ] self . backup_dic...
Saves a tuple with archive todolist and command with its arguments into the backup file with unix timestamp as the key . Tuple is then indexed in backup file with combination of hash calculated from p_todolist and unix timestamp . Backup file is closed afterwards .
244,354
def delete ( self , p_timestamp = None , p_write = True ) : timestamp = p_timestamp or self . timestamp index = self . _get_index ( ) try : del self . backup_dict [ timestamp ] index . remove ( index [ [ change [ 0 ] for change in index ] . index ( timestamp ) ] ) self . _save_index ( index ) if p_write : self . _write...
Removes backup from the backup file .
244,355
def _trim ( self ) : index = self . _get_index ( ) backup_limit = config ( ) . backup_count ( ) - 1 for changeset in index [ backup_limit : ] : self . delete ( changeset [ 0 ] , p_write = False )
Removes oldest backups that exceed the limit configured in backup_count option .
244,356
def apply ( self , p_todolist , p_archive ) : if self . todolist and p_todolist : p_todolist . replace ( self . todolist . todos ( ) ) if self . archive and p_archive : p_archive . replace ( self . archive . todos ( ) )
Applies backup on supplied p_todolist .
244,357
def pretty_printer_factory ( p_todolist , p_additional_filters = None ) : p_additional_filters = p_additional_filters or [ ] printer = PrettyPrinter ( ) printer . add_filter ( PrettyPrinterNumbers ( p_todolist ) ) for ppf in p_additional_filters : printer . add_filter ( ppf ) printer . add_filter ( PrettyPrinterColorFi...
Returns a pretty printer suitable for the ls and dep subcommands .
244,358
def print_todo ( self , p_todo ) : todo_str = p_todo . source ( ) for ppf in self . filters : todo_str = ppf . filter ( todo_str , p_todo ) return TopydoString ( todo_str )
Given a todo item pretty print it .
244,359
def group ( self , p_todos ) : p_todos = _apply_sort_functions ( p_todos , self . pregroupfunctions ) result = OrderedDict ( [ ( ( ) , p_todos ) ] ) for ( function , label ) , _ in self . groupfunctions : oldresult = result result = OrderedDict ( ) for oldkey , oldgroup in oldresult . items ( ) : for key , _group in gr...
Groups the todos according to the given group string .
244,360
def _strip_placeholder_braces ( p_matchobj ) : before = p_matchobj . group ( 'before' ) or '' placeholder = p_matchobj . group ( 'placeholder' ) after = p_matchobj . group ( 'after' ) or '' whitespace = p_matchobj . group ( 'whitespace' ) or '' return before + '%' + placeholder + after + whitespace
Returns string with conditional braces around placeholder stripped and percent sign glued into placeholder character .
244,361
def _truncate ( p_str , p_repl ) : text_lim = _columns ( ) - len ( escape_ansi ( p_str ) ) - 4 truncated_str = re . sub ( re . escape ( p_repl ) , p_repl [ : text_lim ] + '...' , p_str ) return truncated_str
Returns p_str with truncated and ended with ... version of p_repl .
244,362
def _preprocess_format ( self ) : format_split = re . split ( r'(?<!\\)%' , self . format_string ) preprocessed_format = [ ] for idx , substr in enumerate ( format_split ) : if idx == 0 : getter = None placeholder = None else : pattern = MAIN_PATTERN . format ( ph = r'\S' ) try : placeholder = re . match ( pattern , su...
Preprocess the format_string attribute .
244,363
def parse ( self , p_todo ) : parsed_list = [ ] repl_trunc = None for substr , placeholder , getter in self . format_list : repl = getter ( p_todo ) if getter else '' pattern = MAIN_PATTERN . format ( ph = placeholder ) if placeholder == 'S' : repl_trunc = repl try : if repl == '' : substr = re . sub ( pattern , '' , s...
Returns fully parsed string from format_string attribute with all placeholders properly substituted by content obtained from p_todo .
244,364
def _load_file ( self ) : self . todolist . erase ( ) self . todolist . add_list ( self . todofile . read ( ) ) self . completer = PromptCompleter ( self . todolist )
Reads the configured todo . txt file and loads it into the todo list instance .
244,365
def execute ( self ) : if self . args and self . argument ( 0 ) == "help" : self . error ( self . usage ( ) + "\n\n" + self . help ( ) ) return False return True
Execute the command . Intercepts the help subsubcommand to show the help text .
244,366
def argument ( self , p_number ) : try : return self . args [ p_number ] except IndexError as ie : raise InvalidCommandArgument from ie
Retrieves a value from the argument list at the given position .
244,367
def config ( p_path = None , p_overrides = None ) : if not config . instance or p_path is not None or p_overrides is not None : try : config . instance = _Config ( p_path , p_overrides ) except configparser . ParsingError as perr : raise ConfigError ( str ( perr ) ) from perr return config . instance
Retrieve the config instance .
244,368
def colors ( self , p_hint_possible = True ) : lookup = { 'false' : 0 , 'no' : 0 , '0' : 0 , '1' : 16 , 'true' : 16 , 'yes' : 16 , '16' : 16 , '256' : 256 , } try : forced = self . cp . get ( 'topydo' , 'force_colors' ) == '1' except ValueError : forced = self . defaults [ 'topydo' ] [ 'force_colors' ] == '1' try : col...
Returns 0 16 or 256 representing the number of colors that should be used in the output .
244,369
def hidden_tags ( self ) : hidden_tags = self . cp . get ( 'ls' , 'hide_tags' ) return [ ] if hidden_tags == '' else [ tag . strip ( ) for tag in hidden_tags . split ( ',' ) ]
Returns a list of tags to be hidden from the ls output .
244,370
def hidden_item_tags ( self ) : hidden_item_tags = self . cp . get ( 'ls' , 'hidden_item_tags' ) return [ ] if hidden_item_tags == '' else [ tag . strip ( ) for tag in hidden_item_tags . split ( ',' ) ]
Returns a list of tags which hide an item from the ls output .
244,371
def priority_color ( self , p_priority ) : def _str_to_dict ( p_string ) : pri_colors_dict = dict ( ) for pri_color in p_string . split ( ',' ) : pri , color = pri_color . split ( ':' ) pri_colors_dict [ pri ] = Color ( color ) return pri_colors_dict try : pri_colors_str = self . cp . get ( 'colorscheme' , 'priority_co...
Returns a dict with priorities as keys and color numbers as value .
244,372
def aliases ( self ) : aliases = self . cp . items ( 'aliases' ) alias_dict = dict ( ) for alias , meaning in aliases : try : meaning = shlex . split ( meaning ) real_subcommand = meaning [ 0 ] alias_args = meaning [ 1 : ] alias_dict [ alias ] = ( real_subcommand , alias_args ) except ValueError as verr : alias_dict [ ...
Returns dict with aliases names as keys and pairs of actual subcommand and alias args as values .
244,373
def column_keymap ( self ) : keystates = set ( ) shortcuts = self . cp . items ( 'column_keymap' ) keymap_dict = dict ( shortcuts ) for combo , action in shortcuts : combo_as_list = re . split ( '(<[A-Z].+?>|.)' , combo ) [ 1 : : 2 ] if len ( combo_as_list ) > 1 : keystates |= set ( accumulate ( combo_as_list [ : - 1 ]...
Returns keymap and keystates used in column mode
244,374
def editor ( self ) : result = 'vi' if 'TOPYDO_EDITOR' in os . environ and os . environ [ 'TOPYDO_EDITOR' ] : result = os . environ [ 'TOPYDO_EDITOR' ] else : try : result = str ( self . cp . get ( 'edit' , 'editor' ) ) except configparser . NoOptionError : if 'EDITOR' in os . environ and os . environ [ 'EDITOR' ] : re...
Returns the editor to invoke . It returns a list with the command in the first position and its arguments in the remainder .
244,375
def execute ( self ) : if not super ( ) . execute ( ) : return False self . printer . add_filter ( PrettyPrinterNumbers ( self . todolist ) ) self . _process_flags ( ) if self . from_file : try : new_todos = self . get_todos_from_file ( ) for todo in new_todos : self . _add_todo ( todo ) except ( IOError , OSError ) : ...
Adds a todo item to the list .
244,376
def advance_recurring_todo ( p_todo , p_offset = None , p_strict = False ) : todo = Todo ( p_todo . source ( ) ) pattern = todo . tag_value ( 'rec' ) if not pattern : raise NoRecurrenceException ( ) elif pattern . startswith ( '+' ) : p_strict = True pattern = pattern [ 1 : ] if p_strict : offset = p_todo . due_date ( ...
Given a Todo item return a new instance of a Todo item with the dates shifted according to the recurrence rule .
244,377
def _get_table_size ( p_alphabet , p_num ) : try : for width , size in sorted ( _TABLE_SIZES [ len ( p_alphabet ) ] . items ( ) ) : if p_num < size * 0.01 : return width , size except KeyError : pass raise _TableSizeException ( 'Could not find appropriate table size for given alphabet' )
Returns a prime number that is suitable for the hash table size . The size is dependent on the alphabet used and the number of items that need to be hashed . The table size is at least 100 times larger than the number of items to be hashed to avoid collisions .
244,378
def hash_list_values ( p_list , p_key = lambda i : i ) : def to_base ( p_alphabet , p_value ) : result = '' while p_value : p_value , i = divmod ( p_value , len ( p_alphabet ) ) result = p_alphabet [ i ] + result return result or p_alphabet [ 0 ] result = [ ] used = set ( ) alphabet = config ( ) . identifier_alphabet (...
Calculates a unique value for each item in the list these can be used as identifiers .
244,379
def max_id_length ( p_num ) : try : alphabet = config ( ) . identifier_alphabet ( ) length , _ = _get_table_size ( alphabet , p_num ) except _TableSizeException : length , _ = _get_table_size ( _DEFAULT_ALPHABET , p_num ) return length
Returns the length of the IDs used given the number of items that are assigned an ID . Used for padding in lists .
244,380
def filter ( self , p_todo_str , p_todo ) : if config ( ) . colors ( ) : p_todo_str = TopydoString ( p_todo_str , p_todo ) priority_color = config ( ) . priority_color ( p_todo . priority ( ) ) colors = [ ( r'\B@(\S*\w)' , AbstractColor . CONTEXT ) , ( r'\B\+(\S*\w)' , AbstractColor . PROJECT ) , ( r'\b\S+:[^/\s]\S*\b'...
Applies the colors .
244,381
def get_filter_list ( p_expression ) : result = [ ] for arg in p_expression : is_negated = len ( arg ) > 1 and arg [ 0 ] == '-' arg = arg [ 1 : ] if is_negated else arg argfilter = None for match , _filter in MATCHES : if re . match ( match , arg ) : argfilter = _filter ( arg ) break if not argfilter : argfilter = Grep...
Returns a list of GrepFilters OrdinalTagFilters or NegationFilters based on the given filter expression .
244,382
def match ( self , p_todo ) : children = self . todolist . children ( p_todo ) uncompleted = [ todo for todo in children if not todo . is_completed ( ) ] return not uncompleted
Returns True when there are no children that are uncompleted yet .
244,383
def match ( self , p_todo ) : try : self . todos . index ( p_todo ) return True except ValueError : return False
Returns True when p_todo appears in the list of given todos .
244,384
def match ( self , p_todo ) : for my_tag in config ( ) . hidden_item_tags ( ) : my_values = p_todo . tag_values ( my_tag ) for my_value in my_values : if not my_value in ( 0 , '0' , False , 'False' ) : return False return True
Returns True when p_todo doesn t have a tag to mark it as hidden .
244,385
def compare_operands ( self , p_operand1 , p_operand2 ) : if self . operator == '<' : return p_operand1 < p_operand2 elif self . operator == '<=' : return p_operand1 <= p_operand2 elif self . operator == '=' : return p_operand1 == p_operand2 elif self . operator == '>=' : return p_operand1 >= p_operand2 elif self . ope...
Returns True if conditional constructed from both operands and self . operator is valid . Returns False otherwise .
244,386
def match ( self , p_todo ) : operand1 = self . value operand2 = p_todo . priority ( ) or 'ZZ' return self . compare_operands ( operand1 , operand2 )
Performs a match on a priority in the todo .
244,387
def date_suggestions ( ) : days_of_week = { 0 : "Monday" , 1 : "Tuesday" , 2 : "Wednesday" , 3 : "Thursday" , 4 : "Friday" , 5 : "Saturday" , 6 : "Sunday" } dates = [ 'today' , 'tomorrow' , ] dow = datetime . date . today ( ) . weekday ( ) for i in range ( dow + 2 % 7 , dow + 7 ) : dates . append ( days_of_week [ i % 7...
Returns a list of relative date that is presented to the user as auto complete suggestions .
244,388
def write ( p_file , p_string ) : if not config ( ) . colors ( p_file . isatty ( ) ) : p_string = escape_ansi ( p_string ) if p_string : p_file . write ( p_string + "\n" )
Write p_string to file p_file trailed by a newline character .
244,389
def lookup_color ( p_color ) : if not lookup_color . colors : lookup_color . colors [ AbstractColor . NEUTRAL ] = Color ( 'NEUTRAL' ) lookup_color . colors [ AbstractColor . PROJECT ] = config ( ) . project_color ( ) lookup_color . colors [ AbstractColor . CONTEXT ] = config ( ) . context_color ( ) lookup_color . color...
Converts an AbstractColor to a normal Color . Returns the Color itself when a normal color is passed .
244,390
def insert_ansi ( p_string ) : result = p_string . data for pos , color in sorted ( p_string . colors . items ( ) , reverse = True ) : color = lookup_color ( color ) result = result [ : pos ] + color . as_ansi ( ) + result [ pos : ] return result
Returns a string with color information at the right positions .
244,391
def version ( ) : from topydo . lib . Version import VERSION , LICENSE print ( "topydo {}\n" . format ( VERSION ) ) print ( LICENSE ) sys . exit ( 0 )
Print the current version and exit .
244,392
def _archive ( self ) : archive , archive_file = _retrieve_archive ( ) if self . backup : self . backup . add_archive ( archive ) if archive : from topydo . commands . ArchiveCommand import ArchiveCommand command = ArchiveCommand ( self . todolist , archive ) command . execute ( ) if archive . dirty : archive_file . wr...
Performs an archive action on the todolist .
244,393
def is_read_only ( p_command ) : read_only_commands = tuple ( cmd for cmd in ( 'revert' , ) + READ_ONLY_COMMANDS ) return p_command . name ( ) in read_only_commands
Returns True when the given command class is read - only .
244,394
def _post_execute ( self ) : if self . todolist . dirty : if self . do_archive and config ( ) . archive ( ) : self . _archive ( ) elif config ( ) . archive ( ) and self . backup : archive = _retrieve_archive ( ) [ 0 ] self . backup . add_archive ( archive ) self . _post_archive_action ( ) if config ( ) . keep_sorted ( ...
Should be called when executing the user requested command has been completed . It will do some maintenance and write out the final result to the todo . txt file .
244,395
def get_date ( self , p_tag ) : string = self . tag_value ( p_tag ) result = None try : result = date_string_to_date ( string ) if string else None except ValueError : pass return result
Given a date tag return a date object .
244,396
def is_active ( self ) : start = self . start_date ( ) return not self . is_completed ( ) and ( not start or start <= date . today ( ) )
Returns True when the start date is today or in the past and the task has not yet been completed .
244,397
def days_till_due ( self ) : due = self . due_date ( ) if due : diff = due - date . today ( ) return diff . days return 0
Returns the number of days till the due date . Returns a negative number of days when the due date is in the past . Returns 0 when the task has no due date .
244,398
def _handle_ls ( self ) : try : arg1 = self . argument ( 1 ) arg2 = self . argument ( 2 ) todos = [ ] if arg2 == 'to' or arg1 == 'before' : number = arg1 if arg2 == 'to' else arg2 todo = self . todolist . todo ( number ) todos = self . todolist . children ( todo ) elif arg1 in { 'to' , 'after' } : number = arg2 todo = ...
Handles the ls subsubcommand .
244,399
def _handle_dot ( self ) : self . printer = DotPrinter ( self . todolist ) try : arg = self . argument ( 1 ) todo = self . todolist . todo ( arg ) arg = self . argument ( 1 ) todos = set ( [ self . todolist . todo ( arg ) ] ) todos |= set ( self . todolist . children ( todo ) ) todos |= set ( self . todolist . parents ...
Handles the dot subsubcommand .