idx
int64
0
251k
question
stringlengths
53
3.53k
target
stringlengths
5
1.23k
len_question
int64
20
893
len_target
int64
3
238
230,400
def _shape2xls ( self , worksheets ) : __ , __ , tabs = self . code_array . shape if tabs > self . xls_max_tabs : tabs = self . xls_max_tabs for tab in xrange ( tabs ) : worksheet = self . workbook . add_sheet ( str ( tab ) ) worksheets . append ( worksheet )
Writes shape to xls file
86
7
230,401
def _code2xls ( self , worksheets ) : code_array = self . code_array xls_max_shape = self . xls_max_rows , self . xls_max_cols , self . xls_max_tabs for key in code_array : if all ( kele < mele for kele , mele in zip ( key , xls_max_shape ) ) : # Cell lies within Excel boundaries row , col , tab = key code_str = code_array ( key ) if code_str is not None : style = self . _get_xfstyle ( worksheets , key ) worksheets [ tab ] . write ( row , col , label = code_str , style = style ) # Handle cell formatting in cells without code # Get bboxes for all cell_attributes max_shape = [ min ( xls_max_shape [ 0 ] , code_array . shape [ 0 ] ) , min ( xls_max_shape [ 1 ] , code_array . shape [ 1 ] ) ] # Prevent systems from blocking if max_shape [ 0 ] * max_shape [ 1 ] > 1024000 : # Ignore all cell attributes below row 3999 max_shape [ 0 ] = 4000 cell_attributes = code_array . dict_grid . cell_attributes bboxes = [ ] for s , __tab , __ in cell_attributes : if s : bboxes . append ( ( s . get_grid_bbox ( code_array . shape ) , __tab ) ) # Get bbox_cell_set from bboxes cells = [ ] for ( ( bb_top , bb_left ) , ( bb_bottom , bb_right ) ) , __tab in bboxes : __bb_bottom = min ( bb_bottom , max_shape [ 0 ] ) __bb_right = min ( bb_right , max_shape [ 1 ] ) for __row , __col in product ( xrange ( bb_top , __bb_bottom + 1 ) , xrange ( bb_left , __bb_right + 1 ) ) : cells . append ( ( __row , __col , __tab ) ) cell_set = set ( cells ) # Loop over those with non-standard attributes for key in cell_set : if key not in code_array and all ( ele >= 0 for ele in key ) : row , col , tab = key style = self . _get_xfstyle ( worksheets , key ) worksheets [ tab ] . write ( row , col , label = "" , style = style )
Writes code to xls file
564
7
230,402
def _xls2code ( self , worksheet , tab ) : def xlrddate2datetime ( xlrd_date ) : """Returns datetime from xlrd_date""" try : xldate_tuple = xlrd . xldate_as_tuple ( xlrd_date , self . workbook . datemode ) return datetime ( xldate_tuple ) except ( ValueError , TypeError ) : return '' type2mapper = { 0 : lambda x : None , # Empty cell 1 : lambda x : str ( x ) , # Text cell 2 : lambda x : str ( x ) , # Number cell 3 : xlrddate2datetime , # Date 4 : lambda x : str ( bool ( x ) ) , # Boolean cell 5 : lambda x : str ( x ) , # Error cell 6 : lambda x : None , # Blank cell } rows , cols = worksheet . nrows , worksheet . ncols for row , col in product ( xrange ( rows ) , xrange ( cols ) ) : cell_type = worksheet . cell_type ( row , col ) cell_value = worksheet . cell_value ( row , col ) key = row , col , tab mapper = type2mapper [ cell_type ] self . code_array [ key ] = mapper ( cell_value )
Updates code in xls code_array
298
9
230,403
def _get_font ( self , pys_style ) : # Return None if there is no font if "textfont" not in pys_style : return font = xlwt . Font ( ) font . name = pys_style [ "textfont" ] if "pointsize" in pys_style : font . height = pys_style [ "pointsize" ] * 20.0 if "fontweight" in pys_style : font . bold = ( pys_style [ "fontweight" ] == wx . BOLD ) if "fontstyle" in pys_style : font . italic = ( pys_style [ "fontstyle" ] == wx . ITALIC ) if "textcolor" in pys_style : textcolor = wx . Colour ( ) textcolor . SetRGB ( pys_style [ "textcolor" ] ) font . colour_index = self . color2idx ( * textcolor . Get ( ) ) if "underline" in pys_style : font . underline_type = pys_style [ "underline" ] if "strikethrough" in pys_style : font . struck_out = pys_style [ "strikethrough" ] return font
Returns xlwt . Font for pyspread style
274
11
230,404
def _get_alignment ( self , pys_style ) : # Return None if there is no alignment alignment_styles = [ "justification" , "vertical_align" , "angle" ] if not any ( astyle in pys_style for astyle in alignment_styles ) : return def angle2xfrotation ( angle ) : """Returns angle from xlrotatation""" # angle is counterclockwise if 0 <= angle <= 90 : return angle elif - 90 <= angle < 0 : return 90 - angle return 0 justification2xfalign = { "left" : 1 , "center" : 2 , "right" : 3 , } vertical_align2xfalign = { "top" : 0 , "middle" : 1 , "bottom" : 2 , } alignment = xlwt . Alignment ( ) try : alignment . horz = justification2xfalign [ pys_style [ "justification" ] ] except KeyError : pass try : alignment . vert = vertical_align2xfalign [ pys_style [ "vertical_align" ] ] except KeyError : pass try : alignment . rota = angle2xfrotation ( pys_style [ "angle" ] ) except KeyError : pass return alignment
Returns xlwt . Alignment for pyspread style
266
12
230,405
def _get_pattern ( self , pys_style ) : # Return None if there is no bgcolor if "bgcolor" not in pys_style : return pattern = xlwt . Pattern ( ) pattern . pattern = xlwt . Pattern . SOLID_PATTERN bgcolor = wx . Colour ( ) bgcolor . SetRGB ( pys_style [ "bgcolor" ] ) pattern . pattern_fore_colour = self . color2idx ( * bgcolor . Get ( ) ) return pattern
Returns xlwt . pattern for pyspread style
116
11
230,406
def _get_xfstyle ( self , worksheets , key ) : row , col , tab = key dict_grid = self . code_array . dict_grid dict_grid . cell_attributes . _update_table_cache ( ) pys_style = dict_grid . cell_attributes [ key ] pys_style_above = dict_grid . cell_attributes [ row - 1 , col , tab ] pys_style_left = dict_grid . cell_attributes [ row , col - 1 , tab ] xfstyle = xlwt . XFStyle ( ) # Font # ---- font = self . _get_font ( pys_style ) if font is not None : xfstyle . font = font # Alignment # --------- alignment = self . _get_alignment ( pys_style ) if alignment is not None : xfstyle . alignment = alignment # Background / pattern # -------------------- pattern = self . _get_pattern ( pys_style ) if pattern is not None : xfstyle . pattern = pattern # Border # ------ borders = self . _get_borders ( pys_style , pys_style_above , pys_style_left ) if borders is not None : xfstyle . borders = borders return xfstyle
Gets XFStyle for cell key
278
9
230,407
def _cell_attribute_append ( self , selection , tab , attributes ) : cell_attributes = self . code_array . cell_attributes thick_bottom_cells = [ ] thick_right_cells = [ ] # Does any cell in selection.cells have a larger bottom border? if "borderwidth_bottom" in attributes : bwidth = attributes [ "borderwidth_bottom" ] for row , col in selection . cells : __bwidth = cell_attributes [ row , col , tab ] [ "borderwidth_bottom" ] if __bwidth > bwidth : thick_bottom_cells . append ( ( row , col ) ) # Does any cell in selection.cells have a larger right border? if "borderwidth_right" in attributes : rwidth = attributes [ "borderwidth_right" ] for row , col in selection . cells : __rwidth = cell_attributes [ row , col , tab ] [ "borderwidth_right" ] if __rwidth > rwidth : thick_right_cells . append ( ( row , col ) ) for thick_cell in thick_bottom_cells + thick_right_cells : try : selection . cells . remove ( thick_cell ) except ValueError : pass cell_attributes . append ( ( selection , tab , attributes ) ) if thick_bottom_cells : bsel = copy ( selection ) bsel . cells = thick_bottom_cells battrs = copy ( attributes ) battrs . pop ( "borderwidth_bottom" ) cell_attributes . append ( ( bsel , tab , battrs ) ) if thick_right_cells : rsel = copy ( selection ) rsel . cells = thick_right_cells rattrs = copy ( attributes ) rattrs . pop ( "borderwidth_right" ) cell_attributes . append ( ( rsel , tab , rattrs ) )
Appends to cell_attributes with checks
397
9
230,408
def _row_heights2xls ( self , worksheets ) : xls_max_rows , xls_max_tabs = self . xls_max_rows , self . xls_max_tabs dict_grid = self . code_array . dict_grid for row , tab in dict_grid . row_heights : if row < xls_max_rows and tab < xls_max_tabs : height_pixels = dict_grid . row_heights [ ( row , tab ) ] height_inches = height_pixels / float ( get_dpi ( ) [ 1 ] ) height_points = height_inches * 72.0 worksheets [ tab ] . row ( row ) . height_mismatch = True worksheets [ tab ] . row ( row ) . height = int ( height_points * 20.0 )
Writes row_heights to xls file
192
10
230,409
def pys_width2xls_width ( self , pys_width ) : width_0 = get_default_text_extent ( "0" ) [ 0 ] # Scale relative to 12 point font instead of 10 point width_0_char = pys_width * 1.2 / width_0 return int ( width_0_char * 256.0 )
Returns xls width from given pyspread width
81
10
230,410
def _col_widths2xls ( self , worksheets ) : xls_max_cols , xls_max_tabs = self . xls_max_cols , self . xls_max_tabs dict_grid = self . code_array . dict_grid for col , tab in dict_grid . col_widths : if col < xls_max_cols and tab < xls_max_tabs : pys_width = dict_grid . col_widths [ ( col , tab ) ] xls_width = self . pys_width2xls_width ( pys_width ) worksheets [ tab ] . col ( col ) . width = xls_width
Writes col_widths to xls file
160
10
230,411
def from_code_array ( self ) : worksheets = [ ] self . _shape2xls ( worksheets ) self . _code2xls ( worksheets ) self . _row_heights2xls ( worksheets ) self . _col_widths2xls ( worksheets ) return self . workbook
Returns xls workbook object with everything from code_array
75
12
230,412
def to_code_array ( self ) : self . _xls2shape ( ) worksheets = self . workbook . sheet_names ( ) for tab , worksheet_name in enumerate ( worksheets ) : worksheet = self . workbook . sheet_by_name ( worksheet_name ) self . _xls2code ( worksheet , tab ) self . _xls2attributes ( worksheet , tab ) self . _xls2row_heights ( worksheet , tab ) self . _xls2col_widths ( worksheet , tab )
Replaces everything in code_array from xls_file
127
12
230,413
def _split_tidy ( self , string , maxsplit = None ) : if maxsplit is None : return string . rstrip ( "\n" ) . split ( "\t" ) else : return string . rstrip ( "\n" ) . split ( "\t" , maxsplit )
Rstrips string for \ n and splits string for \ t
62
13
230,414
def _pys_assert_version ( self , line ) : if float ( line . strip ( ) ) > 1.0 : # Abort if file version not supported msg = _ ( "File version {version} unsupported (>1.0)." ) . format ( version = line . strip ( ) ) raise ValueError ( msg )
Asserts pys file version
70
7
230,415
def _shape2pys ( self ) : shape_line = u"\t" . join ( map ( unicode , self . code_array . shape ) ) + u"\n" self . pys_file . write ( shape_line )
Writes shape to pys file
55
7
230,416
def _code2pys ( self ) : for key in self . code_array : key_str = u"\t" . join ( repr ( ele ) for ele in key ) code_str = self . code_array ( key ) if code_str is not None : out_str = key_str + u"\t" + code_str + u"\n" self . pys_file . write ( out_str . encode ( "utf-8" ) )
Writes code to pys file
105
7
230,417
def _pys2code ( self , line ) : row , col , tab , code = self . _split_tidy ( line , maxsplit = 3 ) key = self . _get_key ( row , col , tab ) self . code_array . dict_grid [ key ] = unicode ( code , encoding = 'utf-8' )
Updates code in pys code_array
76
9
230,418
def _attributes2pys ( self ) : # Remove doublettes purged_cell_attributes = [ ] purged_cell_attributes_keys = [ ] for selection , tab , attr_dict in self . code_array . cell_attributes : if purged_cell_attributes_keys and ( selection , tab ) == purged_cell_attributes_keys [ - 1 ] : purged_cell_attributes [ - 1 ] [ 2 ] . update ( attr_dict ) else : purged_cell_attributes_keys . append ( ( selection , tab ) ) purged_cell_attributes . append ( [ selection , tab , attr_dict ] ) for selection , tab , attr_dict in purged_cell_attributes : sel_list = [ selection . block_tl , selection . block_br , selection . rows , selection . cols , selection . cells ] tab_list = [ tab ] attr_dict_list = [ ] for key in attr_dict : attr_dict_list . append ( key ) attr_dict_list . append ( attr_dict [ key ] ) if config [ "font_save_enabled" ] and key == 'textfont' : self . fonts_used . append ( attr_dict [ key ] ) line_list = map ( repr , sel_list + tab_list + attr_dict_list ) self . pys_file . write ( u"\t" . join ( line_list ) + u"\n" )
Writes attributes to pys file
340
7
230,419
def _row_heights2pys ( self ) : for row , tab in self . code_array . dict_grid . row_heights : if row < self . code_array . shape [ 0 ] and tab < self . code_array . shape [ 2 ] : height = self . code_array . dict_grid . row_heights [ ( row , tab ) ] height_strings = map ( repr , [ row , tab , height ] ) self . pys_file . write ( u"\t" . join ( height_strings ) + u"\n" )
Writes row_heights to pys file
127
10
230,420
def _col_widths2pys ( self ) : for col , tab in self . code_array . dict_grid . col_widths : if col < self . code_array . shape [ 1 ] and tab < self . code_array . shape [ 2 ] : width = self . code_array . dict_grid . col_widths [ ( col , tab ) ] width_strings = map ( repr , [ col , tab , width ] ) self . pys_file . write ( u"\t" . join ( width_strings ) + u"\n" )
Writes col_widths to pys file
127
10
230,421
def _macros2pys ( self ) : macros = self . code_array . dict_grid . macros pys_macros = macros . encode ( "utf-8" ) self . pys_file . write ( pys_macros )
Writes macros to pys file
55
7
230,422
def _pys2macros ( self , line ) : if self . code_array . dict_grid . macros and self . code_array . dict_grid . macros [ - 1 ] != "\n" : # The last macro line does not end with \n # Therefore, if not new line is inserted, the codeis broken self . code_array . dict_grid . macros += "\n" self . code_array . dict_grid . macros += line . decode ( "utf-8" )
Updates macros in code_array
108
7
230,423
def _fonts2pys ( self ) : # Get mapping from fonts to fontfiles system_fonts = font_manager . findSystemFonts ( ) font_name2font_file = { } for sys_font in system_fonts : font_name = font_manager . FontProperties ( fname = sys_font ) . get_name ( ) if font_name in self . fonts_used : font_name2font_file [ font_name ] = sys_font # Only include fonts that have been used in the attributes for font_name in font_name2font_file : # Serialize font with open ( font_name2font_file [ font_name ] ) as fontfile : font_data = fontfile . read ( ) ascii_font_data = base64 . b64encode ( font_data ) # Store font in pys file font_line_list = [ font_name , ascii_font_data ] self . pys_file . write ( u"\t" . join ( font_line_list ) + u"\n" )
Writes fonts to pys file
240
7
230,424
def _pys2fonts ( self , line ) : font_name , ascii_font_data = self . _split_tidy ( line ) font_data = base64 . b64decode ( ascii_font_data ) # Get system font names system_fonts = font_manager . findSystemFonts ( ) system_font_names = [ ] for sys_font in system_fonts : system_font_names . append ( font_manager . FontProperties ( fname = sys_font ) . get_name ( ) ) # Use the system font if applicable if font_name not in system_font_names : self . code_array . custom_fonts [ font_name ] = font_data with open ( self . temp_fontdir + os . sep + font_name , "wb" ) as font_file : font_file . write ( font_data ) with tempfile . NamedTemporaryFile ( ) as fontsconf_tmpfile : fontsconf_tmpfile_name = fontsconf_tmpfile . name fontsconf_tmpfile . write ( self . temp_fontdir ) os . environ [ "FONTCONFIG_FILE" ] = fontsconf_tmpfile_name
Updates custom font list
268
5
230,425
def from_code_array ( self ) : for key in self . _section2writer : self . pys_file . write ( key ) self . _section2writer [ key ] ( ) try : if self . pys_file . aborted : break except AttributeError : # pys_file is not opened via fileio.BZAopen pass if config [ "font_save_enabled" ] : # Clean up fonts used info self . fonts_used = [ ]
Replaces everything in pys_file from code_array
102
12
230,426
def to_code_array ( self ) : state = None # Check if version section starts with first line first_line = True # Reset pys_file to start to enable multiple calls of this method self . pys_file . seek ( 0 ) for line in self . pys_file : if first_line : # If Version section does not start with first line then # the file is invalid. if line == "[Pyspread save file version]\n" : first_line = False else : raise ValueError ( _ ( "File format unsupported." ) ) if line in self . _section2reader : state = line elif state is not None : self . _section2reader [ state ] ( line )
Replaces everything in code_array from pys_file
152
12
230,427
def OnUpdateUI ( self , evt ) : # check for matching braces brace_at_caret = - 1 brace_opposite = - 1 char_before = None caret_pos = self . GetCurrentPos ( ) if caret_pos > 0 : char_before = self . GetCharAt ( caret_pos - 1 ) style_before = self . GetStyleAt ( caret_pos - 1 ) # check before if char_before and chr ( char_before ) in "[]{}()" and style_before == stc . STC_P_OPERATOR : brace_at_caret = caret_pos - 1 # check after if brace_at_caret < 0 : char_after = self . GetCharAt ( caret_pos ) style_after = self . GetStyleAt ( caret_pos ) if char_after and chr ( char_after ) in "[]{}()" and style_after == stc . STC_P_OPERATOR : brace_at_caret = caret_pos if brace_at_caret >= 0 : brace_opposite = self . BraceMatch ( brace_at_caret ) if brace_at_caret != - 1 and brace_opposite == - 1 : self . BraceBadLight ( brace_at_caret ) else : self . BraceHighlight ( brace_at_caret , brace_opposite )
Syntax highlighting while editing
313
5
230,428
def OnMarginClick ( self , evt ) : if evt . GetMargin ( ) == 2 : if evt . GetShift ( ) and evt . GetControl ( ) : self . fold_all ( ) else : line_clicked = self . LineFromPosition ( evt . GetPosition ( ) ) if self . GetFoldLevel ( line_clicked ) & stc . STC_FOLDLEVELHEADERFLAG : if evt . GetShift ( ) : self . SetFoldExpanded ( line_clicked , True ) self . expand ( line_clicked , True , True , 1 ) elif evt . GetControl ( ) : if self . GetFoldExpanded ( line_clicked ) : self . SetFoldExpanded ( line_clicked , False ) self . expand ( line_clicked , False , True , 0 ) else : self . SetFoldExpanded ( line_clicked , True ) self . expand ( line_clicked , True , True , 100 ) else : self . ToggleFold ( line_clicked )
When clicked old and unfold as needed
236
7
230,429
def expand ( self , line , do_expand , force = False , vislevels = 0 , level = - 1 ) : lastchild = self . GetLastChild ( line , level ) line += 1 while line <= lastchild : if force : if vislevels > 0 : self . ShowLines ( line , line ) else : self . HideLines ( line , line ) elif do_expand : self . ShowLines ( line , line ) if level == - 1 : level = self . GetFoldLevel ( line ) if level & stc . STC_FOLDLEVELHEADERFLAG : if force : self . SetFoldExpanded ( line , vislevels - 1 ) line = self . expand ( line , do_expand , force , vislevels - 1 ) else : expandsub = do_expand and self . GetFoldExpanded ( line ) line = self . expand ( line , expandsub , force , vislevels - 1 ) else : line += 1 return line
Multi - purpose expand method from original STC class
214
10
230,430
def OnDrawBackground ( self , dc , rect , item , flags ) : # If the item is selected, or its item is even, # or if we are painting the combo control itself # then use the default rendering. if ( item & 1 == 0 or flags & ( wx . combo . ODCB_PAINTING_CONTROL | wx . combo . ODCB_PAINTING_SELECTED ) ) : try : wx . combo . OwnerDrawnComboBox . OnDrawBackground ( self , dc , rect , item , flags ) finally : return # Otherwise, draw every other background with # different color. bg_color = get_color ( config [ "label_color" ] ) dc . SetBrush ( wx . Brush ( bg_color ) ) dc . SetPen ( wx . Pen ( bg_color ) ) dc . DrawRectangleRect ( rect )
Called for drawing the background area of each item
195
10
230,431
def get_style_code ( self , label ) : for style in self . styles : if style [ 0 ] == label : return style [ 1 ] msg = _ ( "Label {label} is invalid." ) . format ( label = label ) raise ValueError ( msg )
Returns code for given label string
58
6
230,432
def get_label ( self , code ) : for style in self . styles : if style [ 1 ] == code : return style [ 0 ] msg = _ ( "Code {code} is invalid." ) . format ( code = code ) raise ValueError ( msg )
Returns string label for given code string
56
7
230,433
def toggle ( self , event ) : if self . state < len ( self . bitmap_list ) - 1 : self . state += 1 else : self . state = 0 self . SetBitmapLabel ( self . bitmap_list [ self . state ] ) try : event . Skip ( ) except AttributeError : pass """For compatibility with toggle buttons""" setattr ( self , "GetToolState" , lambda x : self . state )
Toggles state to next bitmap
94
7
230,434
def OnToggle ( self , event ) : if self . selection_toggle_button . GetValue ( ) : self . entry_line . last_selection = self . entry_line . GetSelection ( ) self . entry_line . last_selection_string = self . entry_line . GetStringSelection ( ) self . entry_line . last_table = self . main_window . grid . current_table self . entry_line . Disable ( ) post_command_event ( self , self . EnterSelectionModeMsg ) else : self . entry_line . Enable ( ) post_command_event ( self , self . GridActionTableSwitchMsg , newtable = self . entry_line . last_table ) post_command_event ( self , self . ExitSelectionModeMsg )
Toggle button event handler
171
5
230,435
def OnContentChange ( self , event ) : self . ignore_changes = True self . SetValue ( u"" if event . text is None else event . text ) self . ignore_changes = False event . Skip ( )
Event handler for updating the content
47
6
230,436
def OnGridSelection ( self , event ) : current_table = copy ( self . main_window . grid . current_table ) post_command_event ( self , self . GridActionTableSwitchMsg , newtable = self . last_table ) if is_gtk ( ) : try : wx . Yield ( ) except : pass sel_start , sel_stop = self . last_selection shape = self . main_window . grid . code_array . shape selection_string = event . selection . get_access_string ( shape , current_table ) self . Replace ( sel_start , sel_stop , selection_string ) self . last_selection = sel_start , sel_start + len ( selection_string ) post_command_event ( self , self . GridActionTableSwitchMsg , newtable = current_table )
Event handler for grid selection in selection mode adds text
187
10
230,437
def OnText ( self , event ) : if not self . ignore_changes : post_command_event ( self , self . CodeEntryMsg , code = event . GetString ( ) ) self . main_window . grid . grid_renderer . cell_cache . clear ( ) event . Skip ( )
Text event method evals the cell and updates the grid
65
11
230,438
def OnChar ( self , event ) : if not self . ignore_changes : # Handle special keys keycode = event . GetKeyCode ( ) if keycode == 13 and not self . GetStringSelection ( ) : # <Enter> pressed and no selection --> Focus on grid self . main_window . grid . SetFocus ( ) # Ignore <Ctrl> + <Enter> and Quote content if event . ControlDown ( ) : self . SetValue ( quote ( self . GetValue ( ) ) ) # Do not process <Enter> return elif keycode == 13 and self . GetStringSelection ( ) : # <Enter> pressed and selection # --> Place cursor at end of selection and clear selection selection_start , selection_stop = self . Selection self . SetSelection ( selection_stop , selection_stop ) # Do not process <Enter> return elif keycode == 9 and jedi is None : # Ignore the <Tab> return elif keycode == 9 and jedi is not None : # If auto completion library jedi is present # <Tab> pressed --> show docstring tooltip tiptext = "" code = "" . join ( self . GetValue ( ) . split ( "\n" ) ) position = self . GetInsertionPoint ( ) # Get the docstring code_array = self . parent . parent . parent . grid . code_array env = code_array . get_globals ( ) try : script = jedi . Interpreter ( code , [ env ] , line = 1 , column = position ) except ValueError : # Jedi has thrown an error event . Skip ( ) return completions = script . completions ( ) completes = [ completion . complete for completion in completions ] complete = common_start ( completes ) if complete and not self . GetSelection ( ) [ 1 ] > self . GetSelection ( ) [ 0 ] : # There is a non-empty completion insertion_point = self . GetInsertionPoint ( ) self . write ( complete ) if len ( completes ) > 1 : self . SetSelection ( insertion_point , insertion_point + len ( complete ) ) words = [ completion . name for completion in completions ] docs = [ ] for completion in completions : doc = completion . docstring ( fast = False ) if not doc and code : # Is the completion part of a module? code_segment = code [ : position + 1 ] . split ( ) [ - 1 ] module_name = code_segment . rsplit ( "." , 1 ) [ 0 ] try : module = env [ module_name ] doc = getattr ( module , completion . name ) . __doc__ except ( KeyError , AttributeError ) : pass if not doc : name = completion . name try : # Is the completion a builtin? doc = getattr ( __builtin__ , name ) . __doc__ except AttributeError : pass docs . append ( doc ) try : dws = [ ": " . join ( [ w , d ] ) for w , d in zip ( words , docs ) ] tiptext = "\n \n" . join ( dws ) except TypeError : pass # Cut tiptext length because Tooltip fails for long strings self . SetToolTip ( wx . ToolTip ( tiptext [ : MAX_TOOLTIP_LENGTH ] ) ) # Do not process <Tab> return event . Skip ( )
Key event method
727
3
230,439
def Reposition ( self ) : rect = self . GetFieldRect ( 1 ) self . safemode_staticbmp . SetPosition ( ( rect . x , rect . y ) ) self . size_changed = False
Reposition the checkbox
47
5
230,440
def change_max ( self , no_tabs ) : self . no_tabs = no_tabs if self . GetValue ( ) >= no_tabs : self . SetValue ( no_tabs - 1 )
Updates to a new number of tables
49
8
230,441
def _fromGUI ( self , value ) : # One or more of the underlying text control implementations # issue an intermediate EVT_TEXT when replacing the control's # value, where the intermediate value is an empty string. # So, to ensure consistency and to prevent spurious ValueErrors, # we make the following test, and react accordingly: # if value == '' : if not self . IsNoneAllowed ( ) : return 0 else : return else : try : return int ( value ) except ValueError : if self . IsLongAllowed ( ) : try : return long ( value ) except ValueError : wx . TextCtrl . SetValue ( self , "0" ) return 0 else : raise
Conversion function used in getting the value of the control .
146
12
230,442
def OnInt ( self , event ) : value = event . GetValue ( ) current_time = time . clock ( ) if current_time < self . last_change_s + 0.01 : return self . last_change_s = current_time self . cursor_pos = wx . TextCtrl . GetInsertionPoint ( self ) + 1 if event . GetValue ( ) > self . no_tabs - 1 : value = self . no_tabs - 1 self . switching = True post_command_event ( self , self . GridActionTableSwitchMsg , newtable = value ) self . switching = False
IntCtrl event method that updates the current table
134
9
230,443
def OnItemSelected ( self , event ) : value = event . m_itemIndex self . startIndex = value self . switching = True post_command_event ( self , self . GridActionTableSwitchMsg , newtable = value ) self . switching = False event . Skip ( )
Item selection event handler
61
4
230,444
def OnResizeGrid ( self , event ) : shape = min ( event . shape [ 2 ] , 2 ** 30 ) self . SetItemCount ( shape ) event . Skip ( )
Event handler for grid resizing
39
6
230,445
def OnMouseUp ( self , event ) : if not self . IsInControl : # 1. Outside the control : Do Nothing self . IsDrag = False elif self . IsDrag : if not self . IsDrag : # In control and is a drag event : Determine Location self . hitIndex = self . HitTest ( event . GetPosition ( ) ) self . dropIndex = self . hitIndex [ 0 ] # Drop index indicates where the drop location is; # what index number # Determine dropIndex and its validity # 2. On itself or below control : Do Nothing if not ( self . dropIndex == self . startIndex or self . dropIndex == - 1 ) : # Now that dropIndex has been established do 3 things # 1. gather item data # 2. delete item in list # 3. insert item & it's data into the list at the new index # dropList is a list of field values from the list control dropList = [ ] thisItem = self . GetItem ( self . startIndex ) for x in xrange ( self . GetColumnCount ( ) ) : dropList . append ( self . GetItem ( self . startIndex , x ) . GetText ( ) ) thisItem . SetId ( self . dropIndex ) self . DeleteItem ( self . startIndex ) self . InsertItem ( thisItem ) for x in range ( self . GetColumnCount ( ) ) : self . SetStringItem ( self . dropIndex , x , dropList [ x ] ) # If in control but not a drag event : Do Nothing self . IsDrag = False event . Skip ( )
Generate a dropIndex .
337
6
230,446
def _set_properties ( self ) : self . set_icon ( icons [ "PyspreadLogo" ] ) # Without minimum size, initial size is minimum size in wxGTK self . minSizeSet = False # Leave save mode post_command_event ( self , self . SafeModeExitMsg )
Setup title icon size scale statusbar main grid
67
9
230,447
def _set_menu_toggles ( self ) : toggles = [ ( self . main_toolbar , "main_window_toolbar" , _ ( "Main toolbar" ) ) , ( self . macro_toolbar , "macro_toolbar" , _ ( "Macro toolbar" ) ) , ( self . macro_panel , "macro_panel" , _ ( "Macro panel" ) ) , ( self . attributes_toolbar , "attributes_toolbar" , _ ( "Format toolbar" ) ) , ( self . find_toolbar , "find_toolbar" , _ ( "Find toolbar" ) ) , ( self . widget_toolbar , "widget_toolbar" , _ ( "Widget toolbar" ) ) , ( self . entry_line_panel , "entry_line_panel" , _ ( "Entry line" ) ) , ( self . table_list_panel , "table_list_panel" , _ ( "Table list" ) ) , ] for toolbar , pane_name , toggle_label in toggles : # Get pane from aui manager pane = self . _mgr . GetPane ( pane_name ) # Get menu item to toggle toggle_id = self . menubar . FindMenuItem ( _ ( "View" ) , toggle_label ) if toggle_id != - 1 : # Check may fail if translation is incomplete toggle_item = self . menubar . FindItemById ( toggle_id ) # Adjust toggle to pane visibility toggle_item . Check ( pane . IsShown ( ) )
Enable menu bar view item checkmarks
340
7
230,448
def set_icon ( self , bmp ) : _icon = wx . EmptyIcon ( ) _icon . CopyFromBitmap ( bmp ) self . SetIcon ( _icon )
Sets main window icon to given wx . Bitmap
40
12
230,449
def OnToggleFullscreen ( self , event ) : is_full_screen = self . main_window . IsFullScreen ( ) # Make sure that only the grid is shown in fullscreen mode if is_full_screen : try : self . main_window . grid . SetRowLabelSize ( self . row_label_size ) self . main_window . grid . SetColLabelSize ( self . col_label_size ) except AttributeError : pass # Restore toolbars from before fullscreen mode try : self . main_window . _mgr . LoadPerspective ( self . aui_windowed ) except AttributeError : pass else : # Save the perspective of the AUI manager self . aui_windowed = self . main_window . _mgr . SavePerspective ( ) # Hide toolbars for pane in self . main_window . _mgr . GetAllPanes ( ) : if pane . name != "grid" : pane . Hide ( ) self . main_window . _mgr . Update ( ) self . row_label_size = self . main_window . grid . GetRowLabelSize ( ) self . col_label_size = self . main_window . grid . GetColLabelSize ( ) self . main_window . grid . SetRowLabelSize ( 0 ) self . main_window . grid . SetColLabelSize ( 0 ) self . main_window . ShowFullScreen ( not is_full_screen )
Fullscreen event handler
316
4
230,450
def OnContentChanged ( self , event ) : self . main_window . grid . update_attribute_toolbar ( ) title = self . main_window . GetTitle ( ) if undo . stack ( ) . haschanged ( ) : # Put * in front of title if title [ : 2 ] != "* " : new_title = "* " + title post_command_event ( self . main_window , self . main_window . TitleMsg , text = new_title ) elif title [ : 2 ] == "* " : # Remove * in front of title new_title = title [ 2 : ] post_command_event ( self . main_window , self . main_window . TitleMsg , text = new_title )
Titlebar star adjustment event handler
159
6
230,451
def OnSafeModeEntry ( self , event ) : # Enable menu item for leaving safe mode self . main_window . main_menu . enable_file_approve ( True ) self . main_window . grid . Refresh ( ) event . Skip ( )
Safe mode entry event handler
54
5
230,452
def OnSafeModeExit ( self , event ) : # Run macros # self.MainGrid.model.pysgrid.sgrid.execute_macros(safe_mode=False) # Disable menu item for leaving safe mode self . main_window . main_menu . enable_file_approve ( False ) self . main_window . grid . Refresh ( ) event . Skip ( )
Safe mode exit event handler
83
5
230,453
def OnClose ( self , event ) : # If changes have taken place save of old grid if undo . stack ( ) . haschanged ( ) : save_choice = self . interfaces . get_save_request_from_user ( ) if save_choice is None : # Cancelled close operation return elif save_choice : # User wants to save content post_command_event ( self . main_window , self . main_window . SaveMsg ) # Save the AUI state config [ "window_layout" ] = repr ( self . main_window . _mgr . SavePerspective ( ) ) # Uninit the AUI stuff self . main_window . _mgr . UnInit ( ) # Save config config . save ( ) # Close main_window self . main_window . Destroy ( ) # Set file mode to 600 to protect GPG passwd a bit sp = wx . StandardPaths . Get ( ) pyspreadrc_path = sp . GetUserConfigDir ( ) + "/." + config . config_filename try : os . chmod ( pyspreadrc_path , 0600 ) except OSError : dummyfile = open ( pyspreadrc_path , "w" ) dummyfile . close ( ) os . chmod ( pyspreadrc_path , 0600 )
Program exit event handler
283
4
230,454
def OnSpellCheckToggle ( self , event ) : spelltoolid = self . main_window . main_toolbar . label2id [ "CheckSpelling" ] self . main_window . main_toolbar . ToggleTool ( spelltoolid , not config [ "check_spelling" ] ) config [ "check_spelling" ] = repr ( not config [ "check_spelling" ] ) self . main_window . grid . grid_renderer . cell_cache . clear ( ) self . main_window . grid . ForceRefresh ( )
Spell checking toggle event handler
122
5
230,455
def OnPreferences ( self , event ) : preferences = self . interfaces . get_preferences_from_user ( ) if preferences : for key in preferences : if type ( config [ key ] ) in ( type ( u"" ) , type ( "" ) ) : config [ key ] = preferences [ key ] else : config [ key ] = ast . literal_eval ( preferences [ key ] ) self . main_window . grid . grid_renderer . cell_cache . clear ( ) self . main_window . grid . ForceRefresh ( )
Preferences event handler that launches preferences dialog
117
8
230,456
def OnNewGpgKey ( self , event ) : if gnupg is None : return if genkey is None : # gnupg is not present self . interfaces . display_warning ( _ ( "Python gnupg not found. No key selected." ) , _ ( "Key selection failed." ) ) else : # gnupg is present genkey ( )
New GPG key event handler .
78
7
230,457
def _toggle_pane ( self , pane ) : if pane . IsShown ( ) : pane . Hide ( ) else : pane . Show ( ) self . main_window . _mgr . Update ( )
Toggles visibility of given aui pane
46
8
230,458
def OnMainToolbarToggle ( self , event ) : self . main_window . main_toolbar . SetGripperVisible ( True ) main_toolbar_info = self . main_window . _mgr . GetPane ( "main_window_toolbar" ) self . _toggle_pane ( main_toolbar_info ) event . Skip ( )
Main window toolbar toggle event handler
83
6
230,459
def OnMacroToolbarToggle ( self , event ) : self . main_window . macro_toolbar . SetGripperVisible ( True ) macro_toolbar_info = self . main_window . _mgr . GetPane ( "macro_toolbar" ) self . _toggle_pane ( macro_toolbar_info ) event . Skip ( )
Macro toolbar toggle event handler
83
6
230,460
def OnWidgetToolbarToggle ( self , event ) : self . main_window . widget_toolbar . SetGripperVisible ( True ) widget_toolbar_info = self . main_window . _mgr . GetPane ( "widget_toolbar" ) self . _toggle_pane ( widget_toolbar_info ) event . Skip ( )
Widget toolbar toggle event handler
81
5
230,461
def OnAttributesToolbarToggle ( self , event ) : self . main_window . attributes_toolbar . SetGripperVisible ( True ) attributes_toolbar_info = self . main_window . _mgr . GetPane ( "attributes_toolbar" ) self . _toggle_pane ( attributes_toolbar_info ) event . Skip ( )
Format toolbar toggle event handler
82
5
230,462
def OnFindToolbarToggle ( self , event ) : self . main_window . find_toolbar . SetGripperVisible ( True ) find_toolbar_info = self . main_window . _mgr . GetPane ( "find_toolbar" ) self . _toggle_pane ( find_toolbar_info ) event . Skip ( )
Search toolbar toggle event handler
81
5
230,463
def OnEntryLineToggle ( self , event ) : entry_line_panel_info = self . main_window . _mgr . GetPane ( "entry_line_panel" ) self . _toggle_pane ( entry_line_panel_info ) event . Skip ( )
Entry line toggle event handler
63
5
230,464
def OnTableListToggle ( self , event ) : table_list_panel_info = self . main_window . _mgr . GetPane ( "table_list_panel" ) self . _toggle_pane ( table_list_panel_info ) event . Skip ( )
Table list toggle event handler
63
5
230,465
def OnNew ( self , event ) : # If changes have taken place save of old grid if undo . stack ( ) . haschanged ( ) : save_choice = self . interfaces . get_save_request_from_user ( ) if save_choice is None : # Cancelled close operation return elif save_choice : # User wants to save content post_command_event ( self . main_window , self . main_window . SaveMsg ) # Get grid dimensions shape = self . interfaces . get_dimensions_from_user ( no_dim = 3 ) if shape is None : return # Set new filepath and post it to the title bar self . main_window . filepath = None post_command_event ( self . main_window , self . main_window . TitleMsg , text = "pyspread" ) # Clear globals self . main_window . grid . actions . clear_globals_reload_modules ( ) # Create new grid post_command_event ( self . main_window , self . main_window . GridActionNewMsg , shape = shape ) # Update TableChoiceIntCtrl post_command_event ( self . main_window , self . main_window . ResizeGridMsg , shape = shape ) if is_gtk ( ) : try : wx . Yield ( ) except : pass self . main_window . grid . actions . change_grid_shape ( shape ) self . main_window . grid . GetTable ( ) . ResetView ( ) self . main_window . grid . ForceRefresh ( ) # Display grid creation in status bar msg = _ ( "New grid with dimensions {dim} created." ) . format ( dim = shape ) post_command_event ( self . main_window , self . main_window . StatusBarMsg , text = msg ) self . main_window . grid . ForceRefresh ( ) if is_gtk ( ) : try : wx . Yield ( ) except : pass # Update undo stack savepoint and clear undo stack undo . stack ( ) . clear ( ) undo . stack ( ) . savepoint ( ) # Update content changed state try : post_command_event ( self . main_window , self . ContentChangedMsg ) except TypeError : # The main window does not exist any more pass
New grid event handler
492
4
230,466
def OnOpen ( self , event ) : # If changes have taken place save of old grid if undo . stack ( ) . haschanged ( ) : save_choice = self . interfaces . get_save_request_from_user ( ) if save_choice is None : # Cancelled close operation return elif save_choice : # User wants to save content post_command_event ( self . main_window , self . main_window . SaveMsg ) # Get filepath from user f2w = get_filetypes2wildcards ( [ "pys" , "pysu" , "xls" , "xlsx" , "ods" , "all" ] ) filetypes = f2w . keys ( ) wildcards = f2w . values ( ) wildcard = "|" . join ( wildcards ) message = _ ( "Choose file to open." ) style = wx . OPEN default_filetype = config [ "default_open_filetype" ] try : default_filterindex = filetypes . index ( default_filetype ) except ValueError : # Be graceful if the user has entered an unkown filetype default_filterindex = 0 get_fp_fidx = self . interfaces . get_filepath_findex_from_user filepath , filterindex = get_fp_fidx ( wildcard , message , style , filterindex = default_filterindex ) if filepath is None : return filetype = filetypes [ filterindex ] # Change the main window filepath state self . main_window . filepath = filepath # Load file into grid post_command_event ( self . main_window , self . main_window . GridActionOpenMsg , attr = { "filepath" : filepath , "filetype" : filetype } ) # Set Window title to new filepath title_text = filepath . split ( "/" ) [ - 1 ] + " - pyspread" post_command_event ( self . main_window , self . main_window . TitleMsg , text = title_text ) self . main_window . grid . ForceRefresh ( ) if is_gtk ( ) : try : wx . Yield ( ) except : pass # Update savepoint and clear the undo stack undo . stack ( ) . clear ( ) undo . stack ( ) . savepoint ( ) # Update content changed state try : post_command_event ( self . main_window , self . ContentChangedMsg ) except TypeError : # The main window does not exist any more pass
File open event handler
546
4
230,467
def OnSave ( self , event ) : try : filetype = event . attr [ "filetype" ] except ( KeyError , AttributeError ) : filetype = None filepath = self . main_window . filepath if filepath is None : filetype = config [ "default_save_filetype" ] if filetype is None : f2w = get_filetypes2wildcards ( [ "pys" , "pysu" , "xls" , "all" ] ) __filetypes = f2w . keys ( ) # Check if the file extension matches any valid save filetype for __filetype in __filetypes : if splitext ( filepath ) [ - 1 ] [ 1 : ] == __filetype : filetype = __filetype break # If there is no filepath or no filetype is found then jump to save as if self . main_window . filepath is None or filetype is None : post_command_event ( self . main_window , self . main_window . SaveAsMsg ) return # Save the grid post_command_event ( self . main_window , self . main_window . GridActionSaveMsg , attr = { "filepath" : self . main_window . filepath , "filetype" : filetype } ) # Update undo stack savepoint undo . stack ( ) . savepoint ( ) # Display file save in status bar statustext = self . main_window . filepath . split ( "/" ) [ - 1 ] + " saved." post_command_event ( self . main_window , self . main_window . StatusBarMsg , text = statustext )
File save event handler
358
4
230,468
def OnSaveAs ( self , event ) : # Get filepath from user f2w = get_filetypes2wildcards ( [ "pys" , "pysu" , "xls" , "all" ] ) filetypes = f2w . keys ( ) wildcards = f2w . values ( ) wildcard = "|" . join ( wildcards ) message = _ ( "Choose filename for saving." ) style = wx . SAVE default_filetype = config [ "default_save_filetype" ] try : default_filterindex = filetypes . index ( default_filetype ) except ValueError : # Be graceful if the user has entered an unkown filetype default_filterindex = 0 get_fp_fidx = self . interfaces . get_filepath_findex_from_user filepath , filterindex = get_fp_fidx ( wildcard , message , style , filterindex = default_filterindex ) if filepath is None : return 0 filetype = filetypes [ filterindex ] # Look if path is already present if os . path . exists ( filepath ) : if not os . path . isfile ( filepath ) : # There is a directory with the same path statustext = _ ( "Directory present. Save aborted." ) post_command_event ( self . main_window , self . main_window . StatusBarMsg , text = statustext ) return 0 # There is a file with the same path message = _ ( "The file {filepath} is already present.\nOverwrite?" ) . format ( filepath = filepath ) short_msg = _ ( "File collision" ) if not self . main_window . interfaces . get_warning_choice ( message , short_msg ) : statustext = _ ( "File present. Save aborted by user." ) post_command_event ( self . main_window , self . main_window . StatusBarMsg , text = statustext ) return 0 # Put pys suffix if wildcard choice is 0 if filterindex == 0 and filepath [ - 4 : ] != ".pys" : filepath += ".pys" # Set the filepath state self . main_window . filepath = filepath # Set Window title to new filepath title_text = filepath . split ( "/" ) [ - 1 ] + " - pyspread" post_command_event ( self . main_window , self . main_window . TitleMsg , text = title_text ) # Now jump to save post_command_event ( self . main_window , self . main_window . SaveMsg , attr = { "filetype" : filetype } )
File save as event handler
580
5
230,469
def OnImport ( self , event ) : # Get filepath from user wildcards = get_filetypes2wildcards ( [ "csv" , "txt" ] ) . values ( ) wildcard = "|" . join ( wildcards ) message = _ ( "Choose file to import." ) style = wx . OPEN filepath , filterindex = self . interfaces . get_filepath_findex_from_user ( wildcard , message , style ) if filepath is None : return # Get generator of import data import_data = self . main_window . actions . import_file ( filepath , filterindex ) if import_data is None : return # Paste import data to grid grid = self . main_window . grid tl_cell = grid . GetGridCursorRow ( ) , grid . GetGridCursorCol ( ) grid . actions . paste ( tl_cell , import_data ) self . main_window . grid . ForceRefresh ( )
File import event handler
208
4
230,470
def OnExport ( self , event ) : code_array = self . main_window . grid . code_array tab = self . main_window . grid . current_table selection = self . main_window . grid . selection # Check if no selection is present selection_bbox = selection . get_bbox ( ) f2w = get_filetypes2wildcards ( [ "csv" , "pdf" , "svg" ] ) filters = f2w . keys ( ) wildcards = f2w . values ( ) wildcard = "|" . join ( wildcards ) if selection_bbox is None : # No selection --> Use smallest filled area for bottom right edge maxrow , maxcol , __ = code_array . get_last_filled_cell ( tab ) ( top , left ) , ( bottom , right ) = ( 0 , 0 ) , ( maxrow , maxcol ) else : ( top , left ) , ( bottom , right ) = selection_bbox # Generator of row and column keys in correct order __top = 0 if top is None else top __bottom = code_array . shape [ 0 ] if bottom is None else bottom + 1 __left = 0 if left is None else left __right = code_array . shape [ 1 ] if right is None else right + 1 def data_gen ( top , bottom , left , right ) : for row in xrange ( top , bottom ) : yield ( code_array [ row , col , tab ] for col in xrange ( left , right ) ) data = data_gen ( __top , __bottom , __left , __right ) preview_data = data_gen ( __top , __bottom , __left , __right ) # Get target filepath from user # No selection --> Provide svg export of current cell # if current cell is a matplotlib figure if selection_bbox is None : cursor = self . main_window . grid . actions . cursor figure = code_array [ cursor ] if Figure is not None and isinstance ( figure , Figure ) : wildcard += "|" + _ ( "SVG of current cell" ) + " (*.svg)|*.svg" + "|" + _ ( "EPS of current cell" ) + " (*.eps)|*.eps" + "|" + _ ( "PS of current cell" ) + " (*.ps)|*.ps" + "|" + _ ( "PDF of current cell" ) + " (*.pdf)|*.pdf" + "|" + _ ( "PNG of current cell" ) + " (*.png)|*.png" filters . append ( "cell_svg" ) filters . append ( "cell_eps" ) filters . append ( "cell_ps" ) filters . append ( "cell_pdf" ) filters . append ( "cell_png" ) message = _ ( "Choose filename for export." ) style = wx . SAVE path , filterindex = self . interfaces . get_filepath_findex_from_user ( wildcard , message , style ) if path is None : return # If an single cell is exported then the selection bbox # has to be changed to the current cell if filters [ filterindex ] . startswith ( "cell_" ) : data = figure # Export file # ----------- self . main_window . actions . export_file ( path , filters [ filterindex ] , data , preview_data )
File export event handler
734
4
230,471
def OnExportPDF ( self , event ) : wildcards = get_filetypes2wildcards ( [ "pdf" ] ) . values ( ) if not wildcards : return wildcard = "|" . join ( wildcards ) # Get filepath from user message = _ ( "Choose file path for PDF export." ) style = wx . SAVE filepath , filterindex = self . interfaces . get_filepath_findex_from_user ( wildcard , message , style ) if filepath is None : return self . main_window . actions . export_cairo ( filepath , "pdf" ) event . Skip ( )
Export PDF event handler
136
4
230,472
def OnApprove ( self , event ) : if not self . main_window . safe_mode : return msg = _ ( u"You are going to approve and trust a file that\n" u"you have not created yourself.\n" u"After proceeding, the file is executed.\n \n" u"It may harm your system as any program can.\n" u"Please check all cells thoroughly before\nproceeding.\n \n" u"Proceed and sign this file as trusted?" ) short_msg = _ ( "Security warning" ) if self . main_window . interfaces . get_warning_choice ( msg , short_msg ) : # Leave safe mode self . main_window . grid . actions . leave_safe_mode ( ) # Display safe mode end in status bar statustext = _ ( "Safe mode deactivated." ) post_command_event ( self . main_window , self . main_window . StatusBarMsg , text = statustext )
File approve event handler
218
4
230,473
def OnClearGlobals ( self , event ) : msg = _ ( "Deleting globals and reloading modules cannot be undone." " Proceed?" ) short_msg = _ ( "Really delete globals and modules?" ) choice = self . main_window . interfaces . get_warning_choice ( msg , short_msg ) if choice : self . main_window . grid . actions . clear_globals_reload_modules ( ) statustext = _ ( "Globals cleared and base modules reloaded." ) post_command_event ( self . main_window , self . main_window . StatusBarMsg , text = statustext )
Clear globals event handler
142
5
230,474
def OnPageSetup ( self , event ) : print_data = self . main_window . print_data new_print_data = self . main_window . interfaces . get_print_setup ( print_data ) self . main_window . print_data = new_print_data
Page setup handler for printing framework
62
6
230,475
def _get_print_area ( self ) : # Get print area from current selection selection = self . main_window . grid . selection print_area = selection . get_bbox ( ) # If there is no selection use the visible area on the screen if print_area is None : print_area = self . main_window . grid . actions . get_visible_area ( ) return print_area
Returns selection bounding box or visible area
86
8
230,476
def OnPrintPreview ( self , event ) : print_area = self . _get_print_area ( ) print_data = self . main_window . print_data self . main_window . actions . print_preview ( print_area , print_data )
Print preview handler
58
3
230,477
def OnPrint ( self , event ) : print_area = self . _get_print_area ( ) print_data = self . main_window . print_data self . main_window . actions . printout ( print_area , print_data )
Print event handler
55
3
230,478
def OnCut ( self , event ) : entry_line = self . main_window . entry_line_panel . entry_line_panel . entry_line if wx . Window . FindFocus ( ) != entry_line : selection = self . main_window . grid . selection with undo . group ( _ ( "Cut" ) ) : data = self . main_window . actions . cut ( selection ) self . main_window . clipboard . set_clipboard ( data ) self . main_window . grid . ForceRefresh ( ) else : entry_line . Cut ( ) event . Skip ( )
Clipboard cut event handler
129
6
230,479
def OnCopy ( self , event ) : focus = self . main_window . FindFocus ( ) if isinstance ( focus , wx . TextCtrl ) : # Copy selection from TextCtrl if in focus focus . Copy ( ) else : selection = self . main_window . grid . selection data = self . main_window . actions . copy ( selection ) self . main_window . clipboard . set_clipboard ( data ) event . Skip ( )
Clipboard copy event handler
95
6
230,480
def OnCopyResult ( self , event ) : selection = self . main_window . grid . selection data = self . main_window . actions . copy_result ( selection ) # Check if result is a bitmap if type ( data ) is wx . _gdi . Bitmap : # Copy bitmap to clipboard self . main_window . clipboard . set_clipboard ( data , datatype = "bitmap" ) else : # Copy string representation of result to clipboard self . main_window . clipboard . set_clipboard ( data , datatype = "text" ) event . Skip ( )
Clipboard copy results event handler
129
7
230,481
def OnPaste ( self , event ) : data = self . main_window . clipboard . get_clipboard ( ) focus = self . main_window . FindFocus ( ) if isinstance ( focus , wx . TextCtrl ) : # Paste into TextCtrl if in focus focus . WriteText ( data ) else : # We got a grid selection key = self . main_window . grid . actions . cursor with undo . group ( _ ( "Paste" ) ) : self . main_window . actions . paste ( key , data ) self . main_window . grid . ForceRefresh ( ) event . Skip ( )
Clipboard paste event handler
133
6
230,482
def OnPasteAs ( self , event ) : data = self . main_window . clipboard . get_clipboard ( ) key = self . main_window . grid . actions . cursor with undo . group ( _ ( "Paste As..." ) ) : self . main_window . actions . paste_as ( key , data ) self . main_window . grid . ForceRefresh ( ) event . Skip ( )
Clipboard paste as event handler
89
7
230,483
def OnSelectAll ( self , event ) : entry_line = self . main_window . entry_line_panel . entry_line_panel . entry_line if wx . Window . FindFocus ( ) != entry_line : self . main_window . grid . SelectAll ( ) else : entry_line . SelectAll ( )
Select all cells event handler
72
5
230,484
def OnFontDialog ( self , event ) : # Get current font data from current cell cursor = self . main_window . grid . actions . cursor attr = self . main_window . grid . code_array . cell_attributes [ cursor ] size , style , weight , font = [ attr [ name ] for name in [ "pointsize" , "fontstyle" , "fontweight" , "textfont" ] ] current_font = wx . Font ( int ( size ) , - 1 , style , weight , 0 , font ) # Get Font from dialog fontdata = wx . FontData ( ) fontdata . EnableEffects ( True ) fontdata . SetInitialFont ( current_font ) dlg = wx . FontDialog ( self . main_window , fontdata ) if dlg . ShowModal ( ) == wx . ID_OK : fontdata = dlg . GetFontData ( ) font = fontdata . GetChosenFont ( ) post_command_event ( self . main_window , self . main_window . FontMsg , font = font . FaceName ) post_command_event ( self . main_window , self . main_window . FontSizeMsg , size = font . GetPointSize ( ) ) post_command_event ( self . main_window , self . main_window . FontBoldMsg , weight = font . GetWeightString ( ) ) post_command_event ( self . main_window , self . main_window . FontItalicsMsg , style = font . GetStyleString ( ) ) if is_gtk ( ) : try : wx . Yield ( ) except : pass self . main_window . grid . update_attribute_toolbar ( )
Event handler for launching font dialog
374
6
230,485
def OnTextColorDialog ( self , event ) : dlg = wx . ColourDialog ( self . main_window ) # Ensure the full colour dialog is displayed, # not the abbreviated version. dlg . GetColourData ( ) . SetChooseFull ( True ) if dlg . ShowModal ( ) == wx . ID_OK : # Fetch color data data = dlg . GetColourData ( ) color = data . GetColour ( ) . GetRGB ( ) post_command_event ( self . main_window , self . main_window . TextColorMsg , color = color ) dlg . Destroy ( )
Event handler for launching text color dialog
141
7
230,486
def OnMacroListLoad ( self , event ) : # Get filepath from user wildcards = get_filetypes2wildcards ( [ "py" , "all" ] ) . values ( ) wildcard = "|" . join ( wildcards ) message = _ ( "Choose macro file." ) style = wx . OPEN filepath , filterindex = self . interfaces . get_filepath_findex_from_user ( wildcard , message , style ) if filepath is None : return # Enter safe mode because macro file could be harmful post_command_event ( self . main_window , self . main_window . SafeModeEntryMsg ) # Load macros from file self . main_window . actions . open_macros ( filepath ) event . Skip ( )
Macro list load event handler
166
6
230,487
def OnMacroListSave ( self , event ) : # Get filepath from user wildcards = get_filetypes2wildcards ( [ "py" , "all" ] ) . values ( ) wildcard = "|" . join ( wildcards ) message = _ ( "Choose macro file." ) style = wx . SAVE filepath , filterindex = self . interfaces . get_filepath_findex_from_user ( wildcard , message , style ) if filepath is None : return # Save macros to file macros = self . main_window . grid . code_array . macros self . main_window . actions . save_macros ( filepath , macros ) event . Skip ( )
Macro list save event handler
151
6
230,488
def OnDependencies ( self , event ) : dlg = DependencyDialog ( self . main_window ) dlg . ShowModal ( ) dlg . Destroy ( )
Display dependency dialog
41
3
230,489
def _add_submenu ( self , parent , data ) : for item in data : obj = item [ 0 ] if obj == wx . Menu : try : __ , menuname , submenu , menu_id = item except ValueError : __ , menuname , submenu = item menu_id = - 1 menu = obj ( ) self . _add_submenu ( menu , submenu ) if parent == self : self . menubar . Append ( menu , menuname ) else : parent . AppendMenu ( menu_id , menuname , menu ) elif obj == wx . MenuItem : try : msgtype , shortcut , helptext , item_id = item [ 1 ] except ValueError : msgtype , shortcut , helptext = item [ 1 ] item_id = wx . NewId ( ) try : style = item [ 2 ] except IndexError : style = wx . ITEM_NORMAL menuitem = obj ( parent , item_id , shortcut , helptext , style ) self . shortcut2menuitem [ shortcut ] = menuitem self . id2menuitem [ item_id ] = menuitem parent . AppendItem ( menuitem ) self . ids_msgs [ item_id ] = msgtype self . parent . Bind ( wx . EVT_MENU , self . OnMenu , id = item_id ) elif obj == "Separator" : parent . AppendSeparator ( ) else : raise TypeError ( _ ( "Menu item unknown" ) )
Adds items in data as a submenu to parent
339
10
230,490
def OnMenu ( self , event ) : msgtype = self . ids_msgs [ event . GetId ( ) ] post_command_event ( self . parent , msgtype )
Menu event handler
40
3
230,491
def OnUpdate ( self , event ) : if wx . ID_UNDO in self . id2menuitem : undo_item = self . id2menuitem [ wx . ID_UNDO ] undo_item . Enable ( undo . stack ( ) . canundo ( ) ) if wx . ID_REDO in self . id2menuitem : redo_item = self . id2menuitem [ wx . ID_REDO ] redo_item . Enable ( undo . stack ( ) . canredo ( ) ) event . Skip ( )
Menu state update
124
3
230,492
def OnFont ( self , event ) : font_data = wx . FontData ( ) # Disable color chooser on Windows font_data . EnableEffects ( False ) if self . chosen_font : font_data . SetInitialFont ( self . chosen_font ) dlg = wx . FontDialog ( self , font_data ) if dlg . ShowModal ( ) == wx . ID_OK : font_data = dlg . GetFontData ( ) font = self . chosen_font = font_data . GetChosenFont ( ) self . font_face = font . GetFaceName ( ) self . font_size = font . GetPointSize ( ) self . font_style = font . GetStyle ( ) self . font_weight = font . GetWeight ( ) dlg . Destroy ( ) post_command_event ( self , self . DrawChartMsg )
Check event handler
193
3
230,493
def OnDirectionChoice ( self , event ) : label = self . direction_choicectrl . GetItems ( ) [ event . GetSelection ( ) ] param = self . choice_label2param [ label ] self . attrs [ "direction" ] = param post_command_event ( self , self . DrawChartMsg )
Direction choice event handler
72
5
230,494
def OnSecondaryCheckbox ( self , event ) : self . attrs [ "top" ] = event . IsChecked ( ) self . attrs [ "right" ] = event . IsChecked ( ) post_command_event ( self , self . DrawChartMsg )
Top Checkbox event handler
60
5
230,495
def OnPadIntCtrl ( self , event ) : self . attrs [ "pad" ] = event . GetValue ( ) post_command_event ( self , self . DrawChartMsg )
Pad IntCtrl event handler
41
5
230,496
def OnLabelSizeIntCtrl ( self , event ) : self . attrs [ "labelsize" ] = event . GetValue ( ) post_command_event ( self , self . DrawChartMsg )
Label size IntCtrl event handler
44
6
230,497
def get_code ( self ) : selection = self . GetSelection ( ) if selection == wx . NOT_FOUND : selection = 0 # Return code string return self . styles [ selection ] [ 1 ]
Returns code representation of value of widget
45
7
230,498
def update ( self , series_data ) : for key in series_data : try : data_list = list ( self . data [ key ] ) data_list [ 2 ] = str ( series_data [ key ] ) self . data [ key ] = tuple ( data_list ) except KeyError : pass
Updates self . data from series data
66
8
230,499
def get_plot_panel ( self ) : plot_type_no = self . chart_type_book . GetSelection ( ) return self . chart_type_book . GetPage ( plot_type_no )
Returns current plot_panel
47
5