Python wx.WHITE Examples
The following are 30
code examples of wx.WHITE().
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
You may also want to check out all available functions/classes of the module
wx
, or try the search function
.
Example #1
Source File: CustomTable.py From OpenPLC_Editor with GNU General Public License v3.0 | 6 votes |
def _updateColAttrs(self, grid): """ wx.grid.Grid -> update the column attributes to add the appropriate renderer given the column name. Otherwise default to the default renderer. """ for row in range(self.GetNumberRows()): row_highlights = self.Highlights.get(row, {}) for col in range(self.GetNumberCols()): colname = self.GetColLabelValue(col, False) grid.SetReadOnly(row, col, True) grid.SetCellEditor(row, col, None) grid.SetCellRenderer(row, col, None) highlight_colours = row_highlights.get(colname.lower(), [(wx.WHITE, wx.BLACK)])[-1] grid.SetCellBackgroundColour(row, col, highlight_colours[0]) grid.SetCellTextColour(row, col, highlight_colours[1]) self.ResizeRow(grid, row)
Example #2
Source File: commondialogs.py From CANFestivino with GNU Lesser General Public License v2.1 | 6 votes |
def _updateColAttrs(self, grid): """ wx.grid.Grid -> update the column attributes to add the appropriate renderer given the column name. Otherwise default to the default renderer. """ for row in range(self.GetNumberRows()): for col in range(self.GetNumberCols()): editor = wx.grid.GridCellTextEditor() renderer = wx.grid.GridCellStringRenderer() grid.SetReadOnly(row, col, self.Parent.Editable) grid.SetCellEditor(row, col, editor) grid.SetCellRenderer(row, col, renderer) grid.SetCellBackgroundColour(row, col, wx.WHITE)
Example #3
Source File: BacnetSlaveEditor.py From OpenPLC_Editor with GNU General Public License v3.0 | 6 votes |
def _updateColAttrs(self, grid): # wx.grid.Grid -> update the column attributes to add the # appropriate renderer given the column name. # # Otherwise default to the default renderer. # print "ObjectTable._updateColAttrs() called!!!" for row in range(self.GetNumberRows()): for col in range(self.GetNumberCols()): PropertyName = self.BACnetObjectType.PropertyNames[col] PropertyConfig = self.BACnetObjectType.PropertyConfig[PropertyName] grid.SetReadOnly(row, col, False) grid.SetCellEditor(row, col, PropertyConfig["GridCellEditor"]()) grid.SetCellRenderer(row, col, PropertyConfig["GridCellRenderer"]()) grid.SetCellBackgroundColour(row, col, wx.WHITE) grid.SetCellTextColour(row, col, wx.BLACK) if "GridCellEditorParam" in PropertyConfig: grid.GetCellEditor(row, col).SetParameters( PropertyConfig["GridCellEditorParam"]) self.ResizeRow(grid, row)
Example #4
Source File: CustomGrid.py From OpenPLC_Editor with GNU General Public License v3.0 | 6 votes |
def __init__(self, *args, **kwargs): wx.grid.Grid.__init__(self, *args, **kwargs) self.Editable = True self.AddButton = None self.DeleteButton = None self.UpButton = None self.DownButton = None self.SetFont(wx.Font(12, wx.DEFAULT, wx.NORMAL, wx.NORMAL, False, 'Sans')) self.SetLabelFont(wx.Font(10, wx.DEFAULT, wx.NORMAL, wx.NORMAL, False, 'Sans')) self.SetSelectionBackground(wx.WHITE) self.SetSelectionForeground(wx.BLACK) self.DisableDragRowSize() self.Bind(wx.grid.EVT_GRID_SELECT_CELL, self.OnSelectCell) self.Bind(wx.grid.EVT_GRID_EDITOR_HIDDEN, self.OnEditorHidden) self.Bind(wx.EVT_KEY_DOWN, self.OnKeyDown)
Example #5
Source File: matplotlib_example.py From wxGlade with MIT License | 5 votes |
def on_button_plot(self, event): # wxGlade: MyFrame.<event_handler> import numpy xmin = xmax = step = None try: xmin = float( self.text_xmin.GetValue() ) self.text_xmin.SetBackgroundColour(wx.WHITE) except: self.text_xmin.SetBackgroundColour(wx.RED) try: xmax = float( self.text_max.GetValue() ) self.text_max.SetBackgroundColour(wx.WHITE) except: self.text_max.SetBackgroundColour(wx.RED) try: step = float( self.text_xstep.GetValue() ) self.text_xstep.SetBackgroundColour(wx.WHITE) except: self.text_xstep.SetBackgroundColour(wx.RED) x = numpy.arange(xmin, xmax, step) # build globals with some functions g = {} for name in ["sin","cos","tan","ufunc","square"]: g[name] = getattr(numpy, name) y = eval(self.text_function.GetValue(), g, {"numpy":numpy, "x":x}) self.matplotlib_axes.plot(x,y) self.matplotlib_canvas.draw() event.Skip() # end of class MyFrame
Example #6
Source File: DataTypeEditor.py From OpenPLC_Editor with GNU General Public License v3.0 | 5 votes |
def _updateColAttrs(self, grid): """ wx.grid.Grid -> update the column attributes to add the appropriate renderer given the column name. Otherwise default to the default renderer. """ for row in range(self.GetNumberRows()): row_highlights = self.Highlights.get(row, {}) for col in range(self.GetNumberCols()): editor = None renderer = None colname = self.GetColLabelValue(col, False) if col != 0: grid.SetReadOnly(row, col, False) if colname == "Name": editor = wx.grid.GridCellTextEditor() renderer = wx.grid.GridCellStringRenderer() elif colname == "Initial Value": editor = wx.grid.GridCellTextEditor() renderer = wx.grid.GridCellStringRenderer() elif colname == "Type": editor = wx.grid.GridCellTextEditor() else: grid.SetReadOnly(row, col, True) grid.SetCellEditor(row, col, editor) grid.SetCellRenderer(row, col, renderer) highlight_colours = row_highlights.get(colname.lower(), [(wx.WHITE, wx.BLACK)])[-1] grid.SetCellBackgroundColour(row, col, highlight_colours[0]) grid.SetCellTextColour(row, col, highlight_colours[1]) self.ResizeRow(grid, row)
Example #7
Source File: CodeFileEditor.py From OpenPLC_Editor with GNU General Public License v3.0 | 5 votes |
def _updateColAttrs(self, grid): """ wxGrid -> update the column attributes to add the appropriate renderer given the column name. Otherwise default to the default renderer. """ for row in range(self.GetNumberRows()): row_highlights = self.Highlights.get(row, {}) for col in range(self.GetNumberCols()): editor = None renderer = None colname = self.GetColLabelValue(col, False) editortype = self.columnTypes.get(colname, None) if editortype is not None: editor = editortype(self, row, col) grid.SetCellEditor(row, col, editor) grid.SetCellRenderer(row, col, renderer) highlight_colours = row_highlights.get(colname.lower(), [(wx.WHITE, wx.BLACK)])[-1] grid.SetCellBackgroundColour(row, col, highlight_colours[0]) grid.SetCellTextColour(row, col, highlight_colours[1]) self.ResizeRow(grid, row)
Example #8
Source File: ConfigEditor.py From OpenPLC_Editor with GNU General Public License v3.0 | 5 votes |
def GenerateVariablesGridBranch(self, root, entries, colnames, idx=0): item, root_cookie = self.VariablesGrid.GetFirstChild(root) no_more_items = not item.IsOk() for entry in entries: idx += 1 if no_more_items: item = self.VariablesGrid.AppendItem(root, "") for col, colname in enumerate(colnames): if col == 0: self.VariablesGrid.SetItemText(item, str(idx), 0) else: value = entry.get(colname, "") if colname == "Access": value = GetAccessValue(value, entry.get("PDOMapping", "")) self.VariablesGrid.SetItemText(item, value, col) if entry["PDOMapping"] == "": self.VariablesGrid.SetItemBackgroundColour(item, wx.LIGHT_GREY) else: self.VariablesGrid.SetItemBackgroundColour(item, wx.WHITE) self.VariablesGrid.SetItemPyData(item, entry) idx = self.GenerateVariablesGridBranch(item, entry["children"], colnames, idx) if not no_more_items: item, root_cookie = self.VariablesGrid.GetNextChild(root, root_cookie) no_more_items = not item.IsOk() if not no_more_items: to_delete = [] while item.IsOk(): to_delete.append(item) item, root_cookie = self.VariablesGrid.GetNextChild(root, root_cookie) for item in to_delete: self.VariablesGrid.Delete(item) return idx
Example #9
Source File: DebugVariableTextViewer.py From OpenPLC_Editor with GNU General Public License v3.0 | 5 votes |
def __init__(self, parent, window, items=None): """ Constructor @param parent: Parent wx.Window of DebugVariableText @param window: Reference to the Debug Variable Panel @param items: List of DebugVariableItem displayed by Viewer """ DebugVariableViewer.__init__(self, window, items) wx.Panel.__init__(self, parent) # Set panel background colour self.SetBackgroundColour(wx.WHITE) # Define panel drop target self.SetDropTarget(DebugVariableTextDropTarget(self, window)) # Bind events self.Bind(wx.EVT_LEFT_DOWN, self.OnLeftDown) self.Bind(wx.EVT_LEFT_UP, self.OnLeftUp) self.Bind(wx.EVT_LEFT_DCLICK, self.OnLeftDClick) self.Bind(wx.EVT_ENTER_WINDOW, self.OnEnter) self.Bind(wx.EVT_LEAVE_WINDOW, self.OnLeave) self.Bind(wx.EVT_SIZE, self.OnResize) self.Bind(wx.EVT_ERASE_BACKGROUND, self.OnEraseBackground) self.Bind(wx.EVT_PAINT, self.OnPaint) # Define panel min size for parent sizer layout self.SetMinSize(wx.Size(0, 25)) # Add buttons to Viewer for bitmap, callback in [("force", self.OnForceButton), ("release", self.OnReleaseButton), ("delete_graph", self.OnCloseButton)]: self.Buttons.append(GraphButton(0, 0, bitmap, callback))
Example #10
Source File: matplotlib_example_old.py From wxGlade with MIT License | 5 votes |
def on_button_plot(self, event): # wxGlade: MyFrame.<event_handler> import numpy xmin = xmax = step = None try: xmin = float( self.text_xmin.GetValue() ) self.text_xmin.SetBackgroundColour(wx.WHITE) except: self.text_xmin.SetBackgroundColour(wx.RED) try: xmax = float( self.text_max.GetValue() ) self.text_max.SetBackgroundColour(wx.WHITE) except: self.text_max.SetBackgroundColour(wx.RED) try: step = float( self.text_xstep.GetValue() ) self.text_xstep.SetBackgroundColour(wx.WHITE) except: self.text_xstep.SetBackgroundColour(wx.RED) x = numpy.arange(xmin, xmax, step) # build globals with some functions g = {} for name in ["sin","cos","tan","ufunc","square"]: g[name] = getattr(numpy, name) y = eval(self.text_function.GetValue(), g, {"numpy":numpy, "x":x}) self.matplotlib_axes.plot(x,y) self.matplotlib_canvas.draw() event.Skip() # end of class MyFrame
Example #11
Source File: matplotlib_example.py From wxGlade with MIT License | 5 votes |
def on_button_plot(self, event): # wxGlade: MyFrame.<event_handler> import numpy xmin = xmax = step = None try: xmin = float( self.text_xmin.GetValue() ) self.text_xmin.SetBackgroundColour(wx.WHITE) except: self.text_xmin.SetBackgroundColour(wx.RED) try: xmax = float( self.text_max.GetValue() ) self.text_max.SetBackgroundColour(wx.WHITE) except: self.text_max.SetBackgroundColour(wx.RED) try: step = float( self.text_xstep.GetValue() ) self.text_xstep.SetBackgroundColour(wx.WHITE) except: self.text_xstep.SetBackgroundColour(wx.RED) x = numpy.arange(xmin, xmax, step) # build globals with some functions g = {} for name in ["sin","cos","tan","ufunc","square"]: g[name] = getattr(numpy, name) y = eval(self.text_function.GetValue(), g, {"numpy":numpy, "x":x}) self.matplotlib_axes.plot(x,y) self.matplotlib_canvas.draw() event.Skip() # end of class MyFrame
Example #12
Source File: edit_base.py From wxGlade with MIT License | 5 votes |
def _draw_background(self, dc, clear=True): "draw the hatches on device context dc (red if selected)" size = self.widget.GetSize() small = size[0]<10 or size[1]<10 focused = misc.focused_widget is self if clear: if small and focused: dc.SetBackground(wx.Brush(wx.BLUE)) else: dc.SetBackground(wx.Brush(wx.LIGHT_GREY)) dc.Clear() if small and focused: color = wx.WHITE elif small or not focused: color = wx.BLACK else: color = wx.BLUE if focused: hatch = compat.BRUSHSTYLE_CROSSDIAG_HATCH elif not self.parent.IS_SIZER: hatch = compat.BRUSHSTYLE_FDIAGONAL_HATCH else: if not "cols" in self.parent.PROPERTIES: # horizontal/vertical sizer or grid sizer? pos = self.index else: pos = sum( self.sizer._get_row_col(self.index) ) hatch = compat.BRUSHSTYLE_FDIAGONAL_HATCH if pos%2 else compat.BRUSHSTYLE_BDIAGONAL_HATCH brush = wx.Brush(color, hatch) # draw hatched lines in foreground dc.SetBrush(brush) size = self.widget.GetClientSize() dc.DrawRectangle(0, 0, size.width, size.height) # context menu #####################################################################################################
Example #13
Source File: color_dialog.py From wxGlade with MIT License | 5 votes |
def display_sys_color(self, event=None): colour = self.sys_color.GetValue().strip() if colour.startswith("wxSYS_COLOUR_"): colour = getattr(wx, colour[2:], None) else: colour = None if colour: self.sys_color.SetBackgroundColour(wx.WHITE) colour = compat.wx_SystemSettings_GetColour(colour) else: self.sys_color.SetBackgroundColour(wx.RED) colour = wx.NullColour self.sys_color_panel.SetBackgroundColour(colour) self.sys_color_panel.Refresh()
Example #14
Source File: lib_plot_example.py From wxGlade with MIT License | 5 votes |
def on_button_plot(self, event): # wxGlade: MyFrame.<event_handler> import numpy xmin = xmax = step = None try: xmin = float( self.text_xmin.GetValue() ) self.text_xmin.SetBackgroundColour(wx.WHITE) except: self.text_xmin.SetBackgroundColour(wx.RED) try: xmax = float( self.text_max.GetValue() ) self.text_max.SetBackgroundColour(wx.WHITE) except: self.text_max.SetBackgroundColour(wx.RED) try: step = float( self.text_xstep.GetValue() ) self.text_xstep.SetBackgroundColour(wx.WHITE) except: self.text_xstep.SetBackgroundColour(wx.RED) # build globals for the eval() call with some functions g = {} for name in ["sin","cos","tan","ufunc","square"]: g[name] = getattr(numpy, name) # calculate the x and y values x = numpy.arange(xmin, xmax, step) y = eval(self.text_function.GetValue(), g, {"numpy":numpy, "x":x}) data = numpy.stack( (x,y), 1 ) # plot them lines = wx.lib.plot.PolyLine( data, colour=self.choice_colour.GetStringSelection() ) self.plot_datasets.append(lines) graphics = wx.lib.plot.PlotGraphics(self.plot_datasets, "Title", "X", "Y") self.plot_canvas.Draw(graphics) event.Skip() # end of class MyFrame
Example #15
Source File: matplotlib_example.py From wxGlade with MIT License | 5 votes |
def on_button_plot(self, event): import numpy xmin = xmax = step = None try: xmin = float( self.text_xmin.GetValue() ) self.text_xmin.SetBackgroundColour(wx.WHITE) except: self.text_xmin.SetBackgroundColour(wx.RED) try: xmax = float( self.text_max.GetValue() ) self.text_max.SetBackgroundColour(wx.WHITE) except: self.text_max.SetBackgroundColour(wx.RED) try: step = float( self.text_xstep.GetValue() ) self.text_xstep.SetBackgroundColour(wx.WHITE) except: self.text_xstep.SetBackgroundColour(wx.RED) x = numpy.arange(xmin, xmax, step) # build globals with some functions g = {} for name in ["sin","cos","tan","ufunc","square"]: g[name] = getattr(numpy, name) y = eval(self.text_function.GetValue(), g, {"numpy":numpy, "x":x}) self.matplotlib_canvas.axes.plot(x,y) self.matplotlib_canvas.draw() event.Skip()
Example #16
Source File: _explain.py From admin4 with Apache License 2.0 | 5 votes |
def __init__(self, parent): wxOgl.ShapeCanvas.__init__(self, parent) self.SetDiagram(wxOgl.Diagram()) self.GetDiagram().SetCanvas(self) self.SetBackgroundColour(wx.WHITE) self.lastShape=None self.Bind(wx.EVT_MOTION, self.OnMouseMove)
Example #17
Source File: guicontrols.py From wfuzz with GNU General Public License v2.0 | 5 votes |
def __init__(self, parent, interpreter): # begin wxGlade: MyFrame.__init__ wx.Panel.__init__(self, parent, -1) self.history = [] self.index = 0 self.prompt = ">>" self.textctrl = wx.TextCtrl(self, -1, '', style=wx.TE_PROCESS_ENTER | wx.TE_MULTILINE | wx.TE_RICH, size=(-1, 250)) self.textctrl.SetForegroundColour(wx.WHITE) self.textctrl.SetBackgroundColour(wx.BLACK) self.textctrl.AppendText(self.prompt) self.textctrl.Bind(wx.EVT_CHAR, self.__bind_events) sizer = wx.BoxSizer() sizer.Add(self.textctrl, 1, wx.EXPAND) self.SetSizer(sizer) self._interp = interpreter redir = RedirectText(self.textctrl) import sys # Create a replacement for stdin. # self.reader = PseudoFileIn(self.readline, self.readlines) # self.reader.input = '' # self.reader.isreading = False # sys.stdin=self.reader sys.stdout = redir sys.stderr = redir
Example #18
Source File: BacnetSlaveEditor.py From OpenPLC_Editor with GNU General Public License v3.0 | 5 votes |
def HighlightDuplicateObjectIDs(self): if self.Table.GetNumberRows() < 2: # Less than 2 rows. No duplicates are possible! return IDsCount = self.Table.GetObjectIDCount() # check ALL object IDs for duplicates... for row in range(self.Table.GetNumberRows()): obj_id1 = int(self.Table.GetValueByName(row, "Object Identifier")) if IDsCount[obj_id1] > 1: # More than 1 BACnet object using this ID! Let us Highlight this row with errors... # TODO: change the hardcoded column number '0' to a number obtained at runtime # that is guaranteed to match the column titled "Object Identifier" self.SetCellBackgroundColour(row, 0, ERROR_HIGHLIGHT[0]) self.SetCellTextColour(row, 0, ERROR_HIGHLIGHT[1]) else: self.SetCellBackgroundColour(row, 0, wx.WHITE) self.SetCellTextColour(row, 0, wx.BLACK) # Refresh the graphical display to take into account any changes we may # have made self.ForceRefresh() return None # Called when the user changes the name of BACnet object (using the GUI grid) # call graph: ObjectEditor.OnVariablesGridCellChange() --> # --> BacnetSlaveEditorPlug.HighlightAllDuplicateObjectNames() --> # --> ObjectEditor.HighlightDuplicateObjectNames() --> # --> (this method) # Will check whether there is a duplicate BACnet object name, and highlight it if so. # # Since the names of BACnet objects must be unique within the whole bacnet server (and # not just among the BACnet objects of the same class (e.g. Analog Value, Binary Input, ...) # to work properly this method must be passed a list of the names of all BACnet objects # currently configured. # # AllObjectNamesFreq: a dictionary using as key the names of all currently configured BACnet # objects, and value the number of objects using this same name.
Example #19
Source File: ListCtrlPrinter.py From bookhub with MIT License | 5 votes |
def Normal(headerFontName="Gill Sans", rowFontName="Times New Roman"): """ Return a reasonable default format for a report """ fmt = ReportFormat() fmt.IsShrinkToFit = True fmt.PageHeader.Font = wx.FFont(12, wx.FONTFAMILY_DEFAULT, face=headerFontName) fmt.PageHeader.Line(wx.BOTTOM, wx.BLUE, 2, space=5) fmt.PageHeader.Padding = (0, 0, 0, 12) fmt.ListHeader.Font = wx.FFont(26, wx.FONTFAMILY_SWISS, wx.FONTFLAG_BOLD, face=headerFontName) fmt.ListHeader.TextColor = wx.WHITE fmt.ListHeader.Padding = (0, 12, 0, 12) fmt.ListHeader.TextAlignment = wx.ALIGN_LEFT fmt.ListHeader.Background(wx.BLUE, wx.WHITE, space=(16, 4, 0, 4)) fmt.GroupTitle.Font = wx.FFont(14, wx.FONTFAMILY_DEFAULT, face=headerFontName) fmt.GroupTitle.Line(wx.BOTTOM, wx.BLUE, 4, toColor=wx.WHITE, space=5) fmt.GroupTitle.Padding = (0, 12, 0, 12) fmt.PageFooter.Font = wx.FFont(10, wx.FONTFAMILY_DEFAULT, face=headerFontName) fmt.PageFooter.Background(wx.WHITE, wx.BLUE, space=(0, 4, 0, 4)) fmt.ColumnHeader.Font = wx.FFont(14, wx.FONTFAMILY_DEFAULT, wx.FONTFLAG_BOLD, face=headerFontName) fmt.ColumnHeader.CellPadding = 2 fmt.ColumnHeader.Background(wx.Colour(192, 192, 192)) fmt.ColumnHeader.GridPen = wx.Pen(wx.WHITE, 1) fmt.ColumnHeader.Padding = (0, 0, 0, 12) fmt.ColumnHeader.AlwaysCenter = True fmt.Row.Font = wx.FFont(12, wx.FONTFAMILY_DEFAULT, face=rowFontName) fmt.Row.Line(wx.BOTTOM, pen=wx.Pen(wx.BLUE, 1, wx.DOT), space=3) fmt.Row.CellPadding = 2 fmt.Row.CanWrap = True return fmt
Example #20
Source File: Notebook_Test.py From topoflow with MIT License | 4 votes |
def __init__(self, parent, id, log): wx.Notebook.__init__(self, parent, id, size=(21,21), style= wx.BK_DEFAULT #wx.BK_TOP #wx.BK_BOTTOM #wx.BK_LEFT #wx.BK_RIGHT # | wx.NB_MULTILINE ) self.log = log win = self.makeColorPanel(wx.BLUE) self.AddPage(win, "Blue") st = wx.StaticText(win.win, -1, "You can put nearly any type of window here,\n" "and if the platform supports it then the\n" "tabs can be on any side of the notebook.", (10, 10)) st.SetForegroundColour(wx.WHITE) st.SetBackgroundColour(wx.BLUE) # Show how to put an image on one of the notebook tabs, # first make the image list: il = wx.ImageList(16, 16) idx1 = il.Add(images.getSmilesBitmap()) self.AssignImageList(il) # now put an image on the first tab we just created: self.SetPageImage(0, idx1) win = self.makeColorPanel(wx.RED) self.AddPage(win, "Red") win = ScrolledWindow.MyCanvas(self) self.AddPage(win, 'ScrolledWindow') win = self.makeColorPanel(wx.GREEN) self.AddPage(win, "Green") win = GridSimple.SimpleGrid(self, log) self.AddPage(win, "Grid") win = ListCtrl.TestListCtrlPanel(self, log) self.AddPage(win, 'List') win = self.makeColorPanel(wx.CYAN) self.AddPage(win, "Cyan") win = self.makeColorPanel(wx.NamedColour('Midnight Blue')) self.AddPage(win, "Midnight Blue") win = self.makeColorPanel(wx.NamedColour('Indian Red')) self.AddPage(win, "Indian Red") self.Bind(wx.EVT_NOTEBOOK_PAGE_CHANGED, self.OnPageChanged) self.Bind(wx.EVT_NOTEBOOK_PAGE_CHANGING, self.OnPageChanging)
Example #21
Source File: ListCtrlPrinter.py From bookhub with MIT License | 4 votes |
def TooMuch(headerFontName="Chiller", rowFontName="Gill Sans"): """ Return a reasonable default format for a report """ fmt = ReportFormat() fmt.IsShrinkToFit = False fmt.PageHeader.Font = wx.FFont(12, wx.FONTFAMILY_DECORATIVE, wx.FONTFLAG_BOLD, face=headerFontName) fmt.PageHeader.TextColor = wx.WHITE fmt.PageHeader.Background(wx.GREEN, wx.RED, space=(16, 4, 0, 4)) fmt.PageHeader.Padding = (0, 0, 0, 12) fmt.ListHeader.Font = wx.FFont(24, wx.FONTFAMILY_DECORATIVE, face=headerFontName) fmt.ListHeader.TextColor = wx.WHITE fmt.ListHeader.Padding = (0, 12, 0, 12) fmt.ListHeader.TextAlignment = wx.ALIGN_CENTER fmt.ListHeader.Background(wx.RED, wx.GREEN, space=(16, 4, 0, 4)) fmt.GroupTitle.Font = wx.FFont(14, wx.FONTFAMILY_DECORATIVE, wx.FONTFLAG_BOLD, face=headerFontName) fmt.GroupTitle.TextColor = wx.BLUE fmt.GroupTitle.Padding = (0, 12, 0, 12) fmt.GroupTitle.Line(wx.BOTTOM, wx.GREEN, 4, toColor=wx.WHITE, space=5) fmt.PageFooter.Font = wx.FFont(10, wx.FONTFAMILY_DECORATIVE, face=headerFontName) fmt.PageFooter.Line(wx.TOP, wx.GREEN, 2, toColor=wx.RED, space=3) fmt.PageFooter.Padding = (0, 16, 0, 0) fmt.ColumnHeader.Font = wx.FFont(14, wx.FONTFAMILY_SWISS, wx.FONTFLAG_BOLD, face=headerFontName) fmt.ColumnHeader.Background(wx.Colour(255, 215, 0)) fmt.ColumnHeader.CellPadding = 5 fmt.ColumnHeader.GridPen = wx.Pen(wx.Colour(192, 192, 192), 1) fmt.Row.Font = wx.FFont(12, wx.FONTFAMILY_SWISS, face=rowFontName) fmt.Row.CellPadding = 5 fmt.Row.GridPen = wx.Pen(wx.BLUE, 1, wx.DOT) fmt.Row.CanWrap = True fmt.Watermark.TextColor = wx.Colour(233, 150, 122) return fmt #----------------------------------------------------------------------------
Example #22
Source File: BlockPreviewDialog.py From OpenPLC_Editor with GNU General Public License v3.0 | 4 votes |
def __init__(self, parent, controller, tagname, title): """ Constructor @param parent: Parent wx.Window of dialog for modal @param controller: Reference to project controller @param tagname: Tagname of project POU edited @param title: Title of dialog frame """ wx.Dialog.__init__(self, parent, title=title) # Save reference to self.Controller = controller self.TagName = tagname # Label for preview self.PreviewLabel = wx.StaticText(self, label=_('Preview:')) # Create Preview panel self.Preview = wx.Panel(self, style=wx.SIMPLE_BORDER) self.Preview.SetBackgroundColour(wx.WHITE) # Add function to preview panel so that it answers to graphic elements # like Viewer setattr(self.Preview, "GetDrawingMode", lambda: FREEDRAWING_MODE) setattr(self.Preview, "GetScaling", lambda: None) setattr(self.Preview, "GetBlockType", controller.GetBlockType) setattr(self.Preview, "IsOfType", controller.IsOfType) # Bind paint event on Preview panel self.Preview.Bind(wx.EVT_PAINT, self.OnPaint) # Add default dialog buttons sizer self.ButtonSizer = self.CreateButtonSizer(wx.OK | wx.CANCEL | wx.CENTRE) self.Bind(wx.EVT_BUTTON, self.OnOK, self.ButtonSizer.GetAffirmativeButton()) self.Element = None # Graphic element to display in preview self.MinElementSize = None # Graphic element minimal size # Variable containing the graphic element name when dialog is opened self.DefaultElementName = None self.Fit() # List of variables defined in POU {var_name: (var_class, var_type),...} self.VariableList = {}
Example #23
Source File: ActionBlockDialog.py From OpenPLC_Editor with GNU General Public License v3.0 | 4 votes |
def _updateColAttrs(self, grid): """ wx.Grid -> update the column attributes to add the appropriate renderer given the column name. Otherwise default to the default renderer. """ for row in range(self.GetNumberRows()): for col in range(self.GetNumberCols()): editor = None renderer = None readonly = False colname = self.GetColLabelValue(col, False) if colname == "Qualifier": editor = wx.grid.GridCellChoiceEditor() editor.SetParameters(self.Parent.QualifierList) if colname == "Duration": editor = wx.grid.GridCellTextEditor() renderer = wx.grid.GridCellStringRenderer() readonly = not self.Parent.DurationList[self.data[row].qualifier] elif colname == "Type": editor = wx.grid.GridCellChoiceEditor() editor.SetParameters(self.Parent.TypeList) elif colname == "Value": value_type = self.data[row].type if value_type == "Action": editor = wx.grid.GridCellChoiceEditor() editor.SetParameters(self.Parent.ActionList) elif value_type == "Variable": editor = wx.grid.GridCellChoiceEditor() editor.SetParameters(self.Parent.VariableList) elif value_type == "Inline": editor = wx.grid.GridCellTextEditor() renderer = wx.grid.GridCellStringRenderer() elif colname == "Indicator": editor = wx.grid.GridCellChoiceEditor() editor.SetParameters(self.Parent.VariableList) grid.SetCellEditor(row, col, editor) grid.SetCellRenderer(row, col, renderer) grid.SetReadOnly(row, col, readonly) grid.SetCellBackgroundColour(row, col, wx.WHITE) self.ResizeRow(grid, row) # ------------------------------------------------------------------------------- # Action Block Dialog # -------------------------------------------------------------------------------
Example #24
Source File: backend_wx.py From CogAlg with MIT License | 4 votes |
def __init__(self, parent, id, figure): """ Initialise a FigureWx instance. - Initialise the FigureCanvasBase and wxPanel parents. - Set event handlers for: EVT_SIZE (Resize event) EVT_PAINT (Paint event) """ FigureCanvasBase.__init__(self, figure) # Set preferred window size hint - helps the sizer (if one is # connected) l, b, w, h = figure.bbox.bounds w = math.ceil(w) h = math.ceil(h) wx.Panel.__init__(self, parent, id, size=wx.Size(w, h)) # Create the drawing bitmap self.bitmap = wx.Bitmap(w, h) DEBUG_MSG("__init__() - bitmap w:%d h:%d" % (w, h), 2, self) # TODO: Add support for 'point' inspection and plot navigation. self._isDrawn = False self.Bind(wx.EVT_SIZE, self._onSize) self.Bind(wx.EVT_PAINT, self._onPaint) self.Bind(wx.EVT_KEY_DOWN, self._onKeyDown) self.Bind(wx.EVT_KEY_UP, self._onKeyUp) self.Bind(wx.EVT_RIGHT_DOWN, self._onRightButtonDown) self.Bind(wx.EVT_RIGHT_DCLICK, self._onRightButtonDClick) self.Bind(wx.EVT_RIGHT_UP, self._onRightButtonUp) self.Bind(wx.EVT_MOUSEWHEEL, self._onMouseWheel) self.Bind(wx.EVT_LEFT_DOWN, self._onLeftButtonDown) self.Bind(wx.EVT_LEFT_DCLICK, self._onLeftButtonDClick) self.Bind(wx.EVT_LEFT_UP, self._onLeftButtonUp) self.Bind(wx.EVT_MOTION, self._onMotion) self.Bind(wx.EVT_LEAVE_WINDOW, self._onLeave) self.Bind(wx.EVT_ENTER_WINDOW, self._onEnter) # Add middle button events self.Bind(wx.EVT_MIDDLE_DOWN, self._onMiddleButtonDown) self.Bind(wx.EVT_MIDDLE_DCLICK, self._onMiddleButtonDClick) self.Bind(wx.EVT_MIDDLE_UP, self._onMiddleButtonUp) self.Bind(wx.EVT_MOUSE_CAPTURE_CHANGED, self._onCaptureLost) self.Bind(wx.EVT_MOUSE_CAPTURE_LOST, self._onCaptureLost) self.SetBackgroundStyle(wx.BG_STYLE_PAINT) # Reduce flicker. self.SetBackgroundColour(wx.WHITE)
Example #25
Source File: backend_wx.py From coffeegrindsize with MIT License | 4 votes |
def __init__(self, parent, id, figure): """ Initialise a FigureWx instance. - Initialise the FigureCanvasBase and wxPanel parents. - Set event handlers for: EVT_SIZE (Resize event) EVT_PAINT (Paint event) """ FigureCanvasBase.__init__(self, figure) # Set preferred window size hint - helps the sizer (if one is # connected) l, b, w, h = figure.bbox.bounds w = math.ceil(w) h = math.ceil(h) wx.Panel.__init__(self, parent, id, size=wx.Size(w, h)) # Create the drawing bitmap self.bitmap = wx.Bitmap(w, h) DEBUG_MSG("__init__() - bitmap w:%d h:%d" % (w, h), 2, self) # TODO: Add support for 'point' inspection and plot navigation. self._isDrawn = False self.Bind(wx.EVT_SIZE, self._onSize) self.Bind(wx.EVT_PAINT, self._onPaint) self.Bind(wx.EVT_KEY_DOWN, self._onKeyDown) self.Bind(wx.EVT_KEY_UP, self._onKeyUp) self.Bind(wx.EVT_RIGHT_DOWN, self._onRightButtonDown) self.Bind(wx.EVT_RIGHT_DCLICK, self._onRightButtonDClick) self.Bind(wx.EVT_RIGHT_UP, self._onRightButtonUp) self.Bind(wx.EVT_MOUSEWHEEL, self._onMouseWheel) self.Bind(wx.EVT_LEFT_DOWN, self._onLeftButtonDown) self.Bind(wx.EVT_LEFT_DCLICK, self._onLeftButtonDClick) self.Bind(wx.EVT_LEFT_UP, self._onLeftButtonUp) self.Bind(wx.EVT_MOTION, self._onMotion) self.Bind(wx.EVT_LEAVE_WINDOW, self._onLeave) self.Bind(wx.EVT_ENTER_WINDOW, self._onEnter) # Add middle button events self.Bind(wx.EVT_MIDDLE_DOWN, self._onMiddleButtonDown) self.Bind(wx.EVT_MIDDLE_DCLICK, self._onMiddleButtonDClick) self.Bind(wx.EVT_MIDDLE_UP, self._onMiddleButtonUp) self.Bind(wx.EVT_MOUSE_CAPTURE_CHANGED, self._onCaptureLost) self.Bind(wx.EVT_MOUSE_CAPTURE_LOST, self._onCaptureLost) self.SetBackgroundStyle(wx.BG_STYLE_PAINT) # Reduce flicker. self.SetBackgroundColour(wx.WHITE)
Example #26
Source File: backend_wx.py From Mastering-Elasticsearch-7.0 with MIT License | 4 votes |
def __init__(self, parent, id, figure): """ Initialise a FigureWx instance. - Initialise the FigureCanvasBase and wxPanel parents. - Set event handlers for: EVT_SIZE (Resize event) EVT_PAINT (Paint event) """ FigureCanvasBase.__init__(self, figure) # Set preferred window size hint - helps the sizer (if one is # connected) l, b, w, h = figure.bbox.bounds w = math.ceil(w) h = math.ceil(h) wx.Panel.__init__(self, parent, id, size=wx.Size(w, h)) # Create the drawing bitmap self.bitmap = wx.Bitmap(w, h) DEBUG_MSG("__init__() - bitmap w:%d h:%d" % (w, h), 2, self) # TODO: Add support for 'point' inspection and plot navigation. self._isDrawn = False self.Bind(wx.EVT_SIZE, self._onSize) self.Bind(wx.EVT_PAINT, self._onPaint) self.Bind(wx.EVT_KEY_DOWN, self._onKeyDown) self.Bind(wx.EVT_KEY_UP, self._onKeyUp) self.Bind(wx.EVT_RIGHT_DOWN, self._onRightButtonDown) self.Bind(wx.EVT_RIGHT_DCLICK, self._onRightButtonDClick) self.Bind(wx.EVT_RIGHT_UP, self._onRightButtonUp) self.Bind(wx.EVT_MOUSEWHEEL, self._onMouseWheel) self.Bind(wx.EVT_LEFT_DOWN, self._onLeftButtonDown) self.Bind(wx.EVT_LEFT_DCLICK, self._onLeftButtonDClick) self.Bind(wx.EVT_LEFT_UP, self._onLeftButtonUp) self.Bind(wx.EVT_MOTION, self._onMotion) self.Bind(wx.EVT_LEAVE_WINDOW, self._onLeave) self.Bind(wx.EVT_ENTER_WINDOW, self._onEnter) # Add middle button events self.Bind(wx.EVT_MIDDLE_DOWN, self._onMiddleButtonDown) self.Bind(wx.EVT_MIDDLE_DCLICK, self._onMiddleButtonDClick) self.Bind(wx.EVT_MIDDLE_UP, self._onMiddleButtonUp) self.Bind(wx.EVT_MOUSE_CAPTURE_CHANGED, self._onCaptureLost) self.Bind(wx.EVT_MOUSE_CAPTURE_LOST, self._onCaptureLost) self.SetBackgroundStyle(wx.BG_STYLE_PAINT) # Reduce flicker. self.SetBackgroundColour(wx.WHITE)
Example #27
Source File: commondialogs.py From CANFestivino with GNU Lesser General Public License v2.1 | 4 votes |
def _init_ctrls(self, prnt): wx.Dialog.__init__(self, id=ID_DCFENTRYVALUESDIALOG, name='DCFEntryValuesDialog', parent=prnt, pos=wx.Point(376, 223), size=wx.Size(400, 300), style=wx.DEFAULT_DIALOG_STYLE|wx.RESIZE_BORDER, title=_('Edit DCF Entry Values')) self.SetClientSize(wx.Size(400, 300)) self.staticText1 = wx.StaticText(id=ID_VARIABLEEDITORPANELSTATICTEXT1, label=_('Entry Values:'), name='staticText1', parent=self, pos=wx.Point(0, 0), size=wx.Size(95, 17), style=0) self.ValuesGrid = wx.grid.Grid(id=ID_DCFENTRYVALUESDIALOGVALUESGRID, name='ValuesGrid', parent=self, pos=wx.Point(0, 0), size=wx.Size(0, 150), style=wx.VSCROLL) self.ValuesGrid.SetFont(wx.Font(12, 77, wx.NORMAL, wx.NORMAL, False, 'Sans')) self.ValuesGrid.SetLabelFont(wx.Font(10, 77, wx.NORMAL, wx.NORMAL, False, 'Sans')) self.ValuesGrid.SetRowLabelSize(0) self.ValuesGrid.SetSelectionBackground(wx.WHITE) self.ValuesGrid.SetSelectionForeground(wx.BLACK) if wx.VERSION >= (2, 6, 0): self.ValuesGrid.Bind(wx.grid.EVT_GRID_CELL_CHANGE, self.OnValuesGridCellChange) self.ValuesGrid.Bind(wx.grid.EVT_GRID_SELECT_CELL, self.OnValuesGridSelectCell) else: wx.grid.EVT_GRID_CELL_CHANGE(self.ValuesGrid, self.OnValuesGridCellChange) wx.grid.EVT_GRID_SELECT_CELL(self.ValuesGrid, self.OnValuesGridSelectCell) self.AddButton = wx.Button(id=ID_DCFENTRYVALUESDIALOGADDBUTTON, label=_('Add'), name='AddButton', parent=self, pos=wx.Point(0, 0), size=wx.Size(72, 32), style=0) self.Bind(wx.EVT_BUTTON, self.OnAddButton, id=ID_DCFENTRYVALUESDIALOGADDBUTTON) self.DeleteButton = wx.Button(id=ID_DCFENTRYVALUESDIALOGDELETEBUTTON, label=_('Delete'), name='DeleteButton', parent=self, pos=wx.Point(0, 0), size=wx.Size(72, 32), style=0) self.Bind(wx.EVT_BUTTON, self.OnDeleteButton, id=ID_DCFENTRYVALUESDIALOGDELETEBUTTON) self.UpButton = wx.Button(id=ID_DCFENTRYVALUESDIALOGUPBUTTON, label='^', name='UpButton', parent=self, pos=wx.Point(0, 0), size=wx.Size(32, 32), style=0) self.Bind(wx.EVT_BUTTON, self.OnUpButton, id=ID_DCFENTRYVALUESDIALOGUPBUTTON) self.DownButton = wx.Button(id=ID_DCFENTRYVALUESDIALOGDOWNBUTTON, label='v', name='DownButton', parent=self, pos=wx.Point(0, 0), size=wx.Size(32, 32), style=0) self.Bind(wx.EVT_BUTTON, self.OnDownButton, id=ID_DCFENTRYVALUESDIALOGDOWNBUTTON) self.ButtonSizer = self.CreateButtonSizer(wx.OK|wx.CANCEL|wx.CENTRE) self._init_sizers()
Example #28
Source File: squaremap.py From pyFileFixity with MIT License | 4 votes |
def __init__( self, parent=None, id=-1, pos=wx.DefaultPosition, size=wx.DefaultSize, style=wx.TAB_TRAVERSAL|wx.NO_BORDER|wx.FULL_REPAINT_ON_RESIZE, name='SquareMap', model = None, adapter = None, labels = True, highlight = True, padding = 2, margin = 0, square_style = False, ): """Initialise the SquareMap adapter -- a DefaultAdapter or same-interface instance providing SquareMap data api labels -- set to True (default) to draw textual labels within the boxes highlight -- set to True (default) to highlight nodes on mouse-over padding -- spacing within each square and its children (within the square's border) margin -- spacing around each square (on all sides) square_style -- use a more-recursive, less-linear, more "square" layout style which works better on objects with large numbers of children, such as Meliae memory dumps, works fine on profile views as well, but the layout is less obvious wrt what node is "next" "previous" etc. """ super( SquareMap, self ).__init__( parent, id, pos, size, style, name ) self.model = model self.padding = padding self.square_style = square_style self.margin = margin self.labels = labels self.highlight = highlight self.selectedNode = None self.highlightedNode = None self._buffer = wx.EmptyBitmap(20, 20) # Have a default buffer ready self.Bind( wx.EVT_PAINT, self.OnPaint) self.Bind( wx.EVT_SIZE, self.OnSize ) if highlight: self.Bind( wx.EVT_MOTION, self.OnMouse ) self.Bind( wx.EVT_LEFT_UP, self.OnClickRelease ) self.Bind( wx.EVT_LEFT_DCLICK, self.OnDoubleClick ) self.Bind( wx.EVT_KEY_UP, self.OnKeyUp ) self.hot_map = [] self.adapter = adapter or DefaultAdapter() self.DEFAULT_PEN = wx.Pen( wx.BLACK, 1, wx.SOLID ) self.SELECTED_PEN = wx.Pen( wx.WHITE, 2, wx.SOLID ) self.OnSize(None)
Example #29
Source File: backend_wx.py From python3_ios with BSD 3-Clause "New" or "Revised" License | 4 votes |
def __init__(self, parent, id, figure): """ Initialise a FigureWx instance. - Initialise the FigureCanvasBase and wxPanel parents. - Set event handlers for: EVT_SIZE (Resize event) EVT_PAINT (Paint event) """ FigureCanvasBase.__init__(self, figure) # Set preferred window size hint - helps the sizer (if one is # connected) l, b, w, h = figure.bbox.bounds w = math.ceil(w) h = math.ceil(h) wx.Panel.__init__(self, parent, id, size=wx.Size(w, h)) # Create the drawing bitmap self.bitmap = wx.Bitmap(w, h) DEBUG_MSG("__init__() - bitmap w:%d h:%d" % (w, h), 2, self) # TODO: Add support for 'point' inspection and plot navigation. self._isDrawn = False self.Bind(wx.EVT_SIZE, self._onSize) self.Bind(wx.EVT_PAINT, self._onPaint) self.Bind(wx.EVT_KEY_DOWN, self._onKeyDown) self.Bind(wx.EVT_KEY_UP, self._onKeyUp) self.Bind(wx.EVT_RIGHT_DOWN, self._onRightButtonDown) self.Bind(wx.EVT_RIGHT_DCLICK, self._onRightButtonDClick) self.Bind(wx.EVT_RIGHT_UP, self._onRightButtonUp) self.Bind(wx.EVT_MOUSEWHEEL, self._onMouseWheel) self.Bind(wx.EVT_LEFT_DOWN, self._onLeftButtonDown) self.Bind(wx.EVT_LEFT_DCLICK, self._onLeftButtonDClick) self.Bind(wx.EVT_LEFT_UP, self._onLeftButtonUp) self.Bind(wx.EVT_MOTION, self._onMotion) self.Bind(wx.EVT_LEAVE_WINDOW, self._onLeave) self.Bind(wx.EVT_ENTER_WINDOW, self._onEnter) # Add middle button events self.Bind(wx.EVT_MIDDLE_DOWN, self._onMiddleButtonDown) self.Bind(wx.EVT_MIDDLE_DCLICK, self._onMiddleButtonDClick) self.Bind(wx.EVT_MIDDLE_UP, self._onMiddleButtonUp) self.Bind(wx.EVT_MOUSE_CAPTURE_CHANGED, self._onCaptureLost) self.Bind(wx.EVT_MOUSE_CAPTURE_LOST, self._onCaptureLost) self.SetBackgroundStyle(wx.BG_STYLE_PAINT) # Reduce flicker. self.SetBackgroundColour(wx.WHITE)
Example #30
Source File: backend_wx.py From GraphicDesignPatternByPython with MIT License | 4 votes |
def __init__(self, parent, id, figure): """ Initialise a FigureWx instance. - Initialise the FigureCanvasBase and wxPanel parents. - Set event handlers for: EVT_SIZE (Resize event) EVT_PAINT (Paint event) """ FigureCanvasBase.__init__(self, figure) # Set preferred window size hint - helps the sizer (if one is # connected) l, b, w, h = figure.bbox.bounds w = math.ceil(w) h = math.ceil(h) wx.Panel.__init__(self, parent, id, size=wx.Size(w, h)) # Create the drawing bitmap self.bitmap = wx.Bitmap(w, h) DEBUG_MSG("__init__() - bitmap w:%d h:%d" % (w, h), 2, self) # TODO: Add support for 'point' inspection and plot navigation. self._isDrawn = False self.Bind(wx.EVT_SIZE, self._onSize) self.Bind(wx.EVT_PAINT, self._onPaint) self.Bind(wx.EVT_KEY_DOWN, self._onKeyDown) self.Bind(wx.EVT_KEY_UP, self._onKeyUp) self.Bind(wx.EVT_RIGHT_DOWN, self._onRightButtonDown) self.Bind(wx.EVT_RIGHT_DCLICK, self._onRightButtonDClick) self.Bind(wx.EVT_RIGHT_UP, self._onRightButtonUp) self.Bind(wx.EVT_MOUSEWHEEL, self._onMouseWheel) self.Bind(wx.EVT_LEFT_DOWN, self._onLeftButtonDown) self.Bind(wx.EVT_LEFT_DCLICK, self._onLeftButtonDClick) self.Bind(wx.EVT_LEFT_UP, self._onLeftButtonUp) self.Bind(wx.EVT_MOTION, self._onMotion) self.Bind(wx.EVT_LEAVE_WINDOW, self._onLeave) self.Bind(wx.EVT_ENTER_WINDOW, self._onEnter) # Add middle button events self.Bind(wx.EVT_MIDDLE_DOWN, self._onMiddleButtonDown) self.Bind(wx.EVT_MIDDLE_DCLICK, self._onMiddleButtonDClick) self.Bind(wx.EVT_MIDDLE_UP, self._onMiddleButtonUp) self.Bind(wx.EVT_MOUSE_CAPTURE_CHANGED, self._onCaptureLost) self.Bind(wx.EVT_MOUSE_CAPTURE_LOST, self._onCaptureLost) self.SetBackgroundStyle(wx.BG_STYLE_PAINT) # Reduce flicker. self.SetBackgroundColour(wx.WHITE)