etisserant@14: """ etisserant@14: Base definitions for beremiz plugins etisserant@14: """ etisserant@14: etisserant@178: import os,sys,traceback lbessard@17: import plugins etisserant@14: import types etisserant@14: import shutil etisserant@14: from xml.dom import minidom etisserant@22: import wx etisserant@20: etisserant@20: #Quick hack to be able to find Beremiz IEC tools. Should be config params. etisserant@20: base_folder = os.path.split(sys.path[0])[0] etisserant@20: sys.path.append(os.path.join(base_folder, "plcopeneditor")) greg@126: sys.path.append(os.path.join(base_folder, "docutils")) greg@126: greg@126: from docpdf import * etisserant@14: from xmlclass import GenerateClassesFromXSDstring etisserant@110: from wxPopen import ProcessLogger etisserant@14: greg@274: from PLCControler import PLCControler greg@274: etisserant@14: _BaseParamsClass = GenerateClassesFromXSDstring(""" etisserant@14: etisserant@14: etisserant@14: lbessard@86: lbessard@17: lbessard@86: etisserant@14: etisserant@14: lbessard@86: """)["BaseParams"] etisserant@14: etisserant@14: NameTypeSeparator = '@' etisserant@14: lbessard@65: class MiniTextControler: lbessard@65: lbessard@65: def __init__(self, filepath): lbessard@65: self.FilePath = filepath lbessard@65: lbessard@74: def SetEditedElementText(self, tagname, text): lbessard@65: file = open(self.FilePath, "w") lbessard@65: file.write(text) lbessard@65: file.close() lbessard@65: greg@273: def GetEditedElementText(self, tagname, debug = False): lbessard@65: if os.path.isfile(self.FilePath): lbessard@65: file = open(self.FilePath, "r") lbessard@65: text = file.read() lbessard@65: file.close() lbessard@65: return text lbessard@65: return "" lbessard@65: greg@273: def GetEditedElementInterfaceVars(self, tagname, debug = False): lbessard@74: return [] lbessard@74: greg@273: def GetEditedElementType(self, tagname, debug = False): lbessard@74: return "program" lbessard@74: greg@273: def GetBlockTypes(self, tagname = "", debug = False): lbessard@74: return [] lbessard@74: greg@273: def GetEnumeratedDataValues(self, debug = False): lbessard@74: return [] lbessard@74: lbessard@65: def StartBuffering(self): lbessard@65: pass lbessard@65: lbessard@65: def EndBuffering(self): lbessard@65: pass lbessard@65: lbessard@65: def BufferProject(self): lbessard@65: pass lbessard@65: etisserant@203: # helper func to get path to images etisserant@203: def opjimg(imgname): etisserant@203: return os.path.join("images",imgname) etisserant@203: etisserant@14: class PlugTemplate: etisserant@14: """ etisserant@14: This class is the one that define plugins. etisserant@14: """ etisserant@14: etisserant@14: XSD = None etisserant@14: PlugChildsTypes = [] etisserant@14: PlugMaxCount = None etisserant@14: PluginMethods = [] greg@274: LibraryControler = None etisserant@14: etisserant@14: def _AddParamsMembers(self): lbessard@19: self.PlugParams = None etisserant@29: if self.XSD: lbessard@86: Classes = GenerateClassesFromXSDstring(self.XSD) etisserant@29: Classes = [(name, XSDclass) for name, XSDclass in Classes.items() if XSDclass.IsBaseClass] etisserant@29: if len(Classes) == 1: etisserant@29: name, XSDclass = Classes[0] etisserant@29: obj = XSDclass() etisserant@29: self.PlugParams = (name, obj) etisserant@29: setattr(self, name, obj) lbessard@17: lbessard@17: def __init__(self): etisserant@14: # Create BaseParam etisserant@14: self.BaseParams = _BaseParamsClass() lbessard@17: self.MandatoryParams = ("BaseParams", self.BaseParams) etisserant@14: self._AddParamsMembers() etisserant@14: self.PluggedChilds = {} etisserant@106: # copy PluginMethods so that it can be later customized etisserant@106: self.PluginMethods = [dic.copy() for dic in self.PluginMethods] lbessard@17: lbessard@17: def PluginBaseXmlFilePath(self, PlugName=None): lbessard@17: return os.path.join(self.PlugPath(PlugName), "baseplugin.xml") etisserant@14: etisserant@14: def PluginXmlFilePath(self, PlugName=None): etisserant@14: return os.path.join(self.PlugPath(PlugName), "plugin.xml") etisserant@14: greg@274: def PluginLibraryFilePath(self, PlugName=None): greg@274: return os.path.join(os.path.join(os.path.split(__file__)[0], "plugins", self.PlugType, "pous.xml")) greg@274: etisserant@14: def PlugPath(self,PlugName=None): etisserant@14: if not PlugName: etisserant@14: PlugName = self.BaseParams.getName() etisserant@203: return os.path.join(self.PlugParent.PlugPath(), etisserant@203: PlugName + NameTypeSeparator + self.PlugType) etisserant@14: etisserant@14: def PlugTestModified(self): etisserant@118: return self.ChangesToSave etisserant@118: etisserant@118: def ProjectTestModified(self): etisserant@118: """ etisserant@118: recursively check modified status etisserant@118: """ etisserant@118: if self.PlugTestModified(): etisserant@118: return True etisserant@118: etisserant@118: for PlugChild in self.IterChilds(): etisserant@118: if PlugChild.ProjectTestModified(): etisserant@118: return True etisserant@118: etisserant@14: return False etisserant@14: etisserant@14: def OnPlugSave(self): etisserant@20: #Default, do nothing and return success etisserant@14: return True etisserant@14: lbessard@19: def GetParamsAttributes(self, path = None): lbessard@19: if path: lbessard@19: parts = path.split(".", 1) lbessard@19: if self.MandatoryParams and parts[0] == self.MandatoryParams[0]: lbessard@19: return self.MandatoryParams[1].getElementInfos(parts[0], parts[1]) lbessard@19: elif self.PlugParams and parts[0] == self.PlugParams[0]: lbessard@19: return self.PlugParams[1].getElementInfos(parts[0], parts[1]) lbessard@17: else: lbessard@19: params = [] lbessard@82: if wx.VERSION < (2, 8, 0) and self.MandatoryParams: lbessard@19: params.append(self.MandatoryParams[1].getElementInfos(self.MandatoryParams[0])) lbessard@19: if self.PlugParams: lbessard@19: params.append(self.PlugParams[1].getElementInfos(self.PlugParams[0])) lbessard@19: return params lbessard@19: etisserant@203: def SetParamsAttribute(self, path, value): etisserant@118: self.ChangesToSave = True etisserant@29: # Filter IEC_Channel and Name, that have specific behavior etisserant@29: if path == "BaseParams.IEC_Channel": etisserant@203: return self.FindNewIEC_Channel(value), True etisserant@29: elif path == "BaseParams.Name": etisserant@203: res = self.FindNewName(value) etisserant@29: self.PlugRequestSave() etisserant@118: return res, True etisserant@29: lbessard@19: parts = path.split(".", 1) lbessard@19: if self.MandatoryParams and parts[0] == self.MandatoryParams[0]: lbessard@19: self.MandatoryParams[1].setElementValue(parts[1], value) lbessard@19: elif self.PlugParams and parts[0] == self.PlugParams[0]: lbessard@19: self.PlugParams[1].setElementValue(parts[1], value) etisserant@29: return value, False lbessard@17: etisserant@14: def PlugRequestSave(self): etisserant@14: # If plugin do not have corresponding directory lbessard@17: plugpath = self.PlugPath() lbessard@17: if not os.path.isdir(plugpath): etisserant@14: # Create it lbessard@17: os.mkdir(plugpath) lbessard@17: lbessard@17: # generate XML for base XML parameters controller of the plugin etisserant@20: if self.MandatoryParams: etisserant@20: BaseXMLFile = open(self.PluginBaseXmlFilePath(),'w') lbessard@17: BaseXMLFile.write("\n") lbessard@17: BaseXMLFile.write(self.MandatoryParams[1].generateXMLText(self.MandatoryParams[0], 0)) lbessard@17: BaseXMLFile.close() lbessard@17: lbessard@17: # generate XML for XML parameters controller of the plugin etisserant@20: if self.PlugParams: etisserant@20: XMLFile = open(self.PluginXmlFilePath(),'w') lbessard@17: XMLFile.write("\n") lbessard@17: XMLFile.write(self.PlugParams[1].generateXMLText(self.PlugParams[0], 0)) lbessard@17: XMLFile.close() etisserant@14: etisserant@14: # Call the plugin specific OnPlugSave method lbessard@17: result = self.OnPlugSave() lbessard@17: if not result: lbessard@250: return "Error while saving \"%s\"\n"%self.PlugPath() etisserant@118: etisserant@118: # mark plugin as saved etisserant@118: self.ChangesToSave = False etisserant@14: # go through all childs and do the same etisserant@14: for PlugChild in self.IterChilds(): lbessard@17: result = PlugChild.PlugRequestSave() lbessard@17: if result: lbessard@17: return result lbessard@17: return None etisserant@14: etisserant@14: def PlugImport(self, src_PlugPath): etisserant@14: shutil.copytree(src_PlugPath, self.PlugPath) etisserant@14: return True etisserant@14: etisserant@203: def PlugGenerate_C(self, buildpath, locations): etisserant@14: """ etisserant@14: Generate C code etisserant@14: @param locations: List of complete variables locations \ etisserant@22: [{"IEC_TYPE" : the IEC type (i.e. "INT", "STRING", ...) etisserant@22: "NAME" : name of the variable (generally "__IW0_1_2" style) etisserant@22: "DIR" : direction "Q","I" or "M" etisserant@22: "SIZE" : size "X", "B", "W", "D", "L" etisserant@22: "LOC" : tuple of interger for IEC location (0,1,2,...) etisserant@22: }, ...] etisserant@18: @return: [(C_file_name, CFLAGS),...] , LDFLAGS_TO_APPEND etisserant@18: """ etisserant@203: self.logger.write_warning(".".join(map(lambda x:str(x), self.GetCurrentLocation())) + " -> Nothing to do\n") etisserant@51: return [],"",False etisserant@14: etisserant@203: def _Generate_C(self, buildpath, locations): etisserant@203: # Generate plugins [(Cfiles, CFLAGS)], LDFLAGS, DoCalls, extra_files etisserant@203: # extra_files = [(fname,fobject), ...] etisserant@203: gen_result = self.PlugGenerate_C(buildpath, locations) etisserant@203: PlugCFilesAndCFLAGS, PlugLDFLAGS, DoCalls = gen_result[:3] etisserant@203: extra_files = gen_result[3:] etisserant@47: # if some files heve been generated put them in the list with their location etisserant@47: if PlugCFilesAndCFLAGS: etisserant@51: LocationCFilesAndCFLAGS = [(self.GetCurrentLocation(), PlugCFilesAndCFLAGS, DoCalls)] etisserant@47: else: etisserant@47: LocationCFilesAndCFLAGS = [] etisserant@47: etisserant@115: # plugin asks for some LDFLAGS etisserant@47: if PlugLDFLAGS: etisserant@47: # LDFLAGS can be either string etisserant@47: if type(PlugLDFLAGS)==type(str()): etisserant@47: LDFLAGS=[PlugLDFLAGS] etisserant@47: #or list of strings etisserant@47: elif type(PlugLDFLAGS)==type(list()): etisserant@47: LDFLAGS=PlugLDFLAGS[:] etisserant@47: else: etisserant@47: LDFLAGS=[] etisserant@47: etisserant@14: # recurse through all childs, and stack their results etisserant@47: for PlugChild in self.IECSortedChilds(): etisserant@24: new_location = PlugChild.GetCurrentLocation() etisserant@24: # How deep are we in the tree ? etisserant@24: depth=len(new_location) etisserant@203: _LocationCFilesAndCFLAGS, _LDFLAGS, _extra_files = \ etisserant@14: PlugChild._Generate_C( etisserant@14: #keep the same path etisserant@14: buildpath, etisserant@14: # filter locations that start with current IEC location etisserant@203: [loc for loc in locations if loc["LOC"][0:depth] == new_location ]) etisserant@14: # stack the result etisserant@47: LocationCFilesAndCFLAGS += _LocationCFilesAndCFLAGS etisserant@47: LDFLAGS += _LDFLAGS etisserant@203: extra_files += _extra_files etisserant@203: etisserant@203: return LocationCFilesAndCFLAGS, LDFLAGS, extra_files etisserant@14: etisserant@14: def BlockTypesFactory(self): greg@274: if self.LibraryControler is not None: greg@274: return [{"name" : "%s POUs" % self.PlugType, "list": self.LibraryControler.Project.GetCustomBlockTypes()}] etisserant@14: return [] etisserant@14: etisserant@14: def STLibraryFactory(self): greg@274: if self.LibraryControler is not None: greg@274: return self.LibraryControler.GenerateProgram() etisserant@14: return "" etisserant@14: etisserant@14: def IterChilds(self): etisserant@14: for PlugType, PluggedChilds in self.PluggedChilds.items(): etisserant@14: for PlugInstance in PluggedChilds: lbessard@250: yield PlugInstance etisserant@14: etisserant@47: def IECSortedChilds(self): etisserant@47: # reorder childs by IEC_channels etisserant@47: ordered = [(chld.BaseParams.getIEC_Channel(),chld) for chld in self.IterChilds()] etisserant@47: if ordered: etisserant@47: ordered.sort() etisserant@47: return zip(*ordered)[1] etisserant@47: else: etisserant@47: return [] etisserant@47: etisserant@47: def _GetChildBySomething(self, something, toks): lbessard@17: for PlugInstance in self.IterChilds(): etisserant@14: # if match component of the name etisserant@14: if getattr(PlugInstance.BaseParams, something) == toks[0]: etisserant@14: # if Name have other components etisserant@47: if len(toks) >= 2: etisserant@14: # Recurse in order to find the latest object etisserant@47: return PlugInstance._GetChildBySomething( something, toks[1:]) etisserant@14: # No sub name -> found etisserant@14: return PlugInstance etisserant@14: # Not found etisserant@14: return None etisserant@14: etisserant@14: def GetChildByName(self, Name): etisserant@47: if Name: etisserant@47: toks = Name.split('.') etisserant@47: return self._GetChildBySomething("Name", toks) etisserant@47: else: etisserant@47: return self etisserant@14: etisserant@14: def GetChildByIECLocation(self, Location): etisserant@47: if Location: etisserant@47: return self._GetChildBySomething("IEC_Channel", Location) etisserant@47: else: etisserant@47: return self etisserant@14: etisserant@23: def GetCurrentLocation(self): etisserant@24: """ etisserant@24: @return: Tupple containing plugin IEC location of current plugin : %I0.0.4.5 => (0,0,4,5) etisserant@24: """ etisserant@23: return self.PlugParent.GetCurrentLocation() + (self.BaseParams.getIEC_Channel(),) etisserant@23: etisserant@47: def GetCurrentName(self): etisserant@47: """ etisserant@47: @return: String "ParentParentName.ParentName.Name" etisserant@47: """ etisserant@47: return self.PlugParent._GetCurrentName() + self.BaseParams.getName() etisserant@47: etisserant@47: def _GetCurrentName(self): etisserant@47: """ etisserant@47: @return: String "ParentParentName.ParentName.Name." etisserant@47: """ etisserant@47: return self.PlugParent._GetCurrentName() + self.BaseParams.getName() + "." etisserant@47: etisserant@23: def GetPlugRoot(self): etisserant@23: return self.PlugParent.GetPlugRoot() etisserant@23: lbessard@97: def GetFullIEC_Channel(self): lbessard@97: return ".".join([str(i) for i in self.GetCurrentLocation()]) + ".x" lbessard@97: lbessard@97: def GetLocations(self): lbessard@97: location = self.GetCurrentLocation() lbessard@97: return [loc for loc in self.PlugParent.GetLocations() if loc["LOC"][0:len(location)] == location] lbessard@97: lbessard@17: def GetPlugInfos(self): lbessard@17: childs = [] etisserant@33: # reorder childs by IEC_channels etisserant@47: for child in self.IECSortedChilds(): etisserant@47: childs.append(child.GetPlugInfos()) lbessard@82: if wx.VERSION < (2, 8, 0): lbessard@82: return {"name" : "%d-%s"%(self.BaseParams.getIEC_Channel(),self.BaseParams.getName()), "type" : self.BaseParams.getName(), "values" : childs} lbessard@82: else: lbessard@82: return {"name" : self.BaseParams.getName(), "channel" : self.BaseParams.getIEC_Channel(), "enabled" : self.BaseParams.getEnabled(), "parent" : len(self.PlugChildsTypes) > 0, "type" : self.BaseParams.getName(), "values" : childs} lbessard@17: etisserant@203: def FindNewName(self, DesiredName): etisserant@29: """ etisserant@29: Changes Name to DesiredName if available, Name-N if not. etisserant@29: @param DesiredName: The desired Name (string) etisserant@29: """ etisserant@29: # Get Current Name etisserant@29: CurrentName = self.BaseParams.getName() etisserant@29: # Do nothing if no change etisserant@29: #if CurrentName == DesiredName: return CurrentName etisserant@29: # Build a list of used Name out of parent's PluggedChilds etisserant@29: AllNames=[] etisserant@29: for PlugInstance in self.PlugParent.IterChilds(): etisserant@29: if PlugInstance != self: etisserant@29: AllNames.append(PlugInstance.BaseParams.getName()) etisserant@29: etisserant@29: # Find a free name, eventually appending digit etisserant@29: res = DesiredName etisserant@29: suffix = 1 etisserant@29: while res in AllNames: etisserant@29: res = "%s-%d"%(DesiredName, suffix) etisserant@29: suffix += 1 etisserant@29: etisserant@29: # Get old path etisserant@29: oldname = self.PlugPath() etisserant@29: # Check previous plugin existance etisserant@29: dontexist = self.BaseParams.getName() == "__unnamed__" etisserant@29: # Set the new name etisserant@29: self.BaseParams.setName(res) etisserant@29: # Rename plugin dir if exist etisserant@29: if not dontexist: etisserant@29: shutil.move(oldname, self.PlugPath()) etisserant@29: # warn user he has two left hands etisserant@29: if DesiredName != res: etisserant@203: self.logger.write_warning("A child names \"%s\" already exist -> \"%s\"\n"%(DesiredName,res)) etisserant@29: return res etisserant@29: etisserant@203: def FindNewIEC_Channel(self, DesiredChannel): etisserant@14: """ etisserant@14: Changes IEC Channel number to DesiredChannel if available, nearest available if not. etisserant@14: @param DesiredChannel: The desired IEC channel (int) etisserant@14: """ etisserant@14: # Get Current IEC channel etisserant@14: CurrentChannel = self.BaseParams.getIEC_Channel() etisserant@14: # Do nothing if no change etisserant@29: #if CurrentChannel == DesiredChannel: return CurrentChannel etisserant@14: # Build a list of used Channels out of parent's PluggedChilds etisserant@14: AllChannels=[] etisserant@14: for PlugInstance in self.PlugParent.IterChilds(): etisserant@14: if PlugInstance != self: etisserant@14: AllChannels.append(PlugInstance.BaseParams.getIEC_Channel()) etisserant@14: AllChannels.sort() etisserant@14: etisserant@14: # Now, try to guess the nearest available channel etisserant@14: res = DesiredChannel etisserant@14: while res in AllChannels: # While channel not free etisserant@14: if res < CurrentChannel: # Want to go down ? etisserant@14: res -= 1 # Test for n-1 etisserant@33: if res < 0 : etisserant@203: self.logger.write_warning("Cannot find lower free IEC channel than %d\n"%CurrentChannel) etisserant@33: return CurrentChannel # Can't go bellow 0, do nothing etisserant@14: else : # Want to go up ? etisserant@14: res += 1 # Test for n-1 etisserant@14: # Finally set IEC Channel etisserant@14: self.BaseParams.setIEC_Channel(res) etisserant@203: if DesiredChannel != res: etisserant@203: self.logger.write_warning("A child with IEC channel %d already exist -> %d\n"%(DesiredChannel,res)) etisserant@14: return res etisserant@14: etisserant@14: def OnPlugClose(self): etisserant@14: return True etisserant@14: etisserant@14: def _doRemoveChild(self, PlugInstance): etisserant@14: # Remove all childs of child etisserant@14: for SubPlugInstance in PlugInstance.IterChilds(): etisserant@14: PlugInstance._doRemoveChild(SubPlugInstance) etisserant@14: # Call the OnCloseMethod etisserant@14: PlugInstance.OnPlugClose() etisserant@14: # Delete plugin dir etisserant@14: shutil.rmtree(PlugInstance.PlugPath()) etisserant@14: # Remove child of PluggedChilds etisserant@14: self.PluggedChilds[PlugInstance.PlugType].remove(PlugInstance) etisserant@14: # Forget it... (View have to refresh) etisserant@14: etisserant@51: def PlugRemove(self): etisserant@14: # Fetch the plugin etisserant@51: #PlugInstance = self.GetChildByName(PlugName) etisserant@14: # Ask to his parent to remove it etisserant@51: self.PlugParent._doRemoveChild(self) etisserant@14: etisserant@203: def PlugAddChild(self, PlugName, PlugType): etisserant@14: """ etisserant@14: Create the plugins that may be added as child to this node self etisserant@14: @param PlugType: string desining the plugin class name (get name from PlugChildsTypes) etisserant@14: @param PlugName: string for the name of the plugin instance etisserant@14: """ etisserant@106: # reorgabize self.PlugChildsTypes tuples from (name, PlugClass, Help) etisserant@106: # to ( name, (PlugClass, Help)), an make a dict etisserant@106: transpose = zip(*self.PlugChildsTypes) etisserant@106: PlugChildsTypes = dict(zip(transpose[0],zip(transpose[1],transpose[2]))) etisserant@14: # Check that adding this plugin is allowed etisserant@14: try: etisserant@106: PlugClass, PlugHelp = PlugChildsTypes[PlugType] etisserant@14: except KeyError: etisserant@14: raise Exception, "Cannot create child %s of type %s "%(PlugName, PlugType) etisserant@14: etisserant@14: # if PlugClass is a class factory, call it. (prevent unneeded imports) etisserant@14: if type(PlugClass) == types.FunctionType: etisserant@14: PlugClass = PlugClass() etisserant@14: etisserant@14: # Eventualy Initialize child instance list for this class of plugin lbessard@17: PluggedChildsWithSameClass = self.PluggedChilds.setdefault(PlugType, list()) etisserant@14: # Check count lbessard@17: if getattr(PlugClass, "PlugMaxCount", None) and len(PluggedChildsWithSameClass) >= PlugClass.PlugMaxCount: lbessard@17: raise Exception, "Max count (%d) reached for this plugin of type %s "%(PlugClass.PlugMaxCount, PlugType) etisserant@14: etisserant@14: # create the final class, derived of provided plugin and template etisserant@14: class FinalPlugClass(PlugClass, PlugTemplate): etisserant@14: """ etisserant@14: Plugin class is derivated into FinalPlugClass before being instanciated etisserant@14: This way __init__ is overloaded to ensure PlugTemplate.__init__ is called etisserant@14: before PlugClass.__init__, and to do the file related stuff. etisserant@14: """ etisserant@14: def __init__(_self): etisserant@14: # self is the parent etisserant@14: _self.PlugParent = self etisserant@203: # self is the parent etisserant@203: _self.logger = self.logger etisserant@14: # Keep track of the plugin type name etisserant@14: _self.PlugType = PlugType etisserant@106: # remind the help string, for more fancy display etisserant@106: _self.PlugHelp = PlugHelp etisserant@14: # Call the base plugin template init - change XSD into class members etisserant@14: PlugTemplate.__init__(_self) etisserant@29: # check name is unique etisserant@203: NewPlugName = _self.FindNewName(PlugName) etisserant@14: # If dir have already be made, and file exist etisserant@29: if os.path.isdir(_self.PlugPath(NewPlugName)): #and os.path.isfile(_self.PluginXmlFilePath(PlugName)): etisserant@14: #Load the plugin.xml file into parameters members etisserant@203: _self.LoadXMLParams(NewPlugName) etisserant@20: # Basic check. Better to fail immediately. etisserant@29: if (_self.BaseParams.getName() != NewPlugName): etisserant@29: raise Exception, "Project tree layout do not match plugin.xml %s!=%s "%(NewPlugName, _self.BaseParams.getName()) etisserant@20: etisserant@20: # Now, self.PlugPath() should be OK etisserant@20: etisserant@15: # Check that IEC_Channel is not already in use. etisserant@203: _self.FindNewIEC_Channel(_self.BaseParams.getIEC_Channel()) etisserant@14: # Call the plugin real __init__ lbessard@17: if getattr(PlugClass, "__init__", None): lbessard@17: PlugClass.__init__(_self) etisserant@14: #Load and init all the childs etisserant@203: _self.LoadChilds() etisserant@118: #just loaded, nothing to saved etisserant@118: _self.ChangesToSave = False etisserant@14: else: etisserant@14: # If plugin do not have corresponding file/dirs - they will be created on Save lbessard@17: os.mkdir(_self.PlugPath()) etisserant@14: # Find an IEC number greg@253: _self.FindNewIEC_Channel(0) etisserant@14: # Call the plugin real __init__ lbessard@17: if getattr(PlugClass, "__init__", None): lbessard@17: PlugClass.__init__(_self) lbessard@17: _self.PlugRequestSave() etisserant@118: #just created, must be saved etisserant@118: _self.ChangesToSave = True lbessard@77: lbessard@77: def _getBuildPath(_self): lbessard@77: return self._getBuildPath() lbessard@77: etisserant@14: # Create the object out of the resulting class etisserant@14: newPluginOpj = FinalPlugClass() etisserant@14: # Store it in PluggedChils etisserant@14: PluggedChildsWithSameClass.append(newPluginOpj) etisserant@14: etisserant@14: return newPluginOpj etisserant@14: etisserant@14: etisserant@203: def LoadXMLParams(self, PlugName = None): etisserant@105: methode_name = os.path.join(self.PlugPath(PlugName), "methods.py") etisserant@105: if os.path.isfile(methode_name): etisserant@105: execfile(methode_name) greg@274: greg@274: # Get library blocks if plcopen library exist greg@274: library_path = self.PluginLibraryFilePath(PlugName) greg@274: if os.path.isfile(library_path): greg@274: self.LibraryControler = PLCControler() greg@274: self.LibraryControler.OpenXMLFile(library_path) greg@274: lbessard@17: # Get the base xml tree etisserant@20: if self.MandatoryParams: etisserant@203: try: etisserant@106: basexmlfile = open(self.PluginBaseXmlFilePath(PlugName), 'r') etisserant@106: basetree = minidom.parse(basexmlfile) etisserant@106: self.MandatoryParams[1].loadXMLTree(basetree.childNodes[0]) etisserant@106: basexmlfile.close() etisserant@203: except Exception, exc: etisserant@203: self.logger.write_error("Couldn't load plugin base parameters %s :\n %s" % (PlugName, str(exc))) etisserant@203: self.logger.write_error(traceback.format_exc()) lbessard@17: etisserant@14: # Get the xml tree etisserant@20: if self.PlugParams: etisserant@203: try: etisserant@106: xmlfile = open(self.PluginXmlFilePath(PlugName), 'r') etisserant@106: tree = minidom.parse(xmlfile) etisserant@106: self.PlugParams[1].loadXMLTree(tree.childNodes[0]) etisserant@106: xmlfile.close() etisserant@203: except Exception, exc: etisserant@203: self.logger.write_error("Couldn't load plugin parameters %s :\n %s" % (PlugName, str(exc))) etisserant@203: self.logger.write_error(traceback.format_exc()) etisserant@203: etisserant@203: def LoadChilds(self): etisserant@14: # Iterate over all PlugName@PlugType in plugin directory, and try to open them etisserant@14: for PlugDir in os.listdir(self.PlugPath()): lbessard@17: if os.path.isdir(os.path.join(self.PlugPath(), PlugDir)) and \ etisserant@14: PlugDir.count(NameTypeSeparator) == 1: etisserant@24: pname, ptype = PlugDir.split(NameTypeSeparator) etisserant@203: try: etisserant@203: self.PlugAddChild(pname, ptype) etisserant@203: except Exception, exc: etisserant@203: self.logger.write_error("Could not add child \"%s\", type %s :\n%s\n"%(pname, ptype, str(exc))) etisserant@203: self.logger.write_error(traceback.format_exc()) etisserant@13: etisserant@109: def EnableMethod(self, method, value): etisserant@109: for d in self.PluginMethods: etisserant@109: if d["method"]==method: etisserant@109: d["enabled"]=value etisserant@109: return True etisserant@109: return False etisserant@109: etisserant@203: def ShowMethod(self, method, value): etisserant@203: for d in self.PluginMethods: etisserant@203: if d["method"]==method: etisserant@203: d["shown"]=value etisserant@203: return True etisserant@203: return False etisserant@203: lbessard@17: def _GetClassFunction(name): lbessard@17: def GetRootClass(): lbessard@17: return getattr(__import__("plugins." + name), name).RootClass lbessard@17: return GetRootClass lbessard@17: etisserant@20: etisserant@20: #################################################################################### etisserant@20: #################################################################################### etisserant@20: #################################################################################### etisserant@20: ################################### ROOT ###################################### etisserant@20: #################################################################################### etisserant@20: #################################################################################### etisserant@20: #################################################################################### etisserant@20: etisserant@81: if wx.Platform == '__WXMSW__': etisserant@75: exe_ext=".exe" etisserant@75: else: etisserant@75: exe_ext="" etisserant@75: etisserant@75: iec2c_path = os.path.join(base_folder, "matiec", "iec2c"+exe_ext) etisserant@20: ieclib_path = os.path.join(base_folder, "matiec", "lib") etisserant@20: etisserant@20: # import for project creation timestamping etisserant@239: from threading import Timer, Lock, Thread, Semaphore etisserant@20: from time import localtime etisserant@20: from datetime import datetime etisserant@20: # import necessary stuff from PLCOpenEditor etisserant@20: from PLCOpenEditor import PLCOpenEditor, ProjectDialog etisserant@20: from TextViewer import TextViewer etisserant@203: from plcopen.structures import IEC_KEYWORDS, TypeHierarchy_list etisserant@203: etisserant@203: # Construct debugger natively supported types etisserant@203: DebugTypes = [t for t in zip(*TypeHierarchy_list)[0] if not t.startswith("ANY")] + \ etisserant@203: ["STEP","TRANSITION","ACTION"] etisserant@203: etisserant@22: import re etisserant@203: import targets etisserant@203: import connectors etisserant@203: from discovery import DiscoveryDialog etisserant@235: from weakref import WeakKeyDictionary etisserant@20: lbessard@41: class PluginsRoot(PlugTemplate, PLCControler): etisserant@20: """ etisserant@20: This class define Root object of the plugin tree. etisserant@20: It is responsible of : etisserant@20: - Managing project directory etisserant@20: - Building project etisserant@20: - Handling PLCOpenEditor controler and view etisserant@20: - Loading user plugins and instanciante them as childs etisserant@20: - ... etisserant@20: etisserant@20: """ etisserant@13: etisserant@14: # For root object, available Childs Types are modules of the plugin packages. etisserant@106: PlugChildsTypes = [(name, _GetClassFunction(name), help) for name, help in zip(plugins.__all__,plugins.helps)] etisserant@13: etisserant@13: XSD = """ etisserant@13: etisserant@13: etisserant@13: lbessard@86: lbessard@86: lbessard@86: lbessard@86: etisserant@203: """+targets.targetchoices+""" etisserant@106: etisserant@106: etisserant@106: lbessard@86: greg@204: etisserant@13: etisserant@13: etisserant@13: etisserant@13: """ etisserant@13: etisserant@227: def __init__(self, frame, logger, runtime_port): lbessard@41: PLCControler.__init__(self) etisserant@227: etisserant@227: self.runtime_port = runtime_port etisserant@20: self.MandatoryParams = None etisserant@20: self.AppFrame = frame etisserant@203: self.logger = logger etisserant@203: self._builder = None etisserant@203: self._connector = None etisserant@203: etisserant@203: # Setup debug information etisserant@227: self.IECdebug_datas = {} etisserant@227: self.IECdebug_lock = Lock() etisserant@222: etisserant@235: self.DebugTimer=None etisserant@203: self.ResetIECProgramsAndVariables() etisserant@203: etisserant@203: #This method are not called here... but in NewProject and OpenProject etisserant@203: #self._AddParamsMembers() etisserant@203: #self.PluggedChilds = {} etisserant@203: etisserant@118: # In both new or load scenario, no need to save etisserant@118: self.ChangesToSave = False etisserant@23: # root have no parent etisserant@13: self.PlugParent = None etisserant@13: # Keep track of the plugin type name etisserant@13: self.PlugType = "Beremiz" etisserant@20: # After __init__ root plugin is not valid etisserant@20: self.ProjectPath = None greg@256: self.BuildPath = None etisserant@20: self.PLCEditor = None lbessard@243: self.PLCDebug = None etisserant@286: self.DebugThread = None etisserant@286: self.debug_break = False etisserant@106: # copy PluginMethods so that it can be later customized etisserant@106: self.PluginMethods = [dic.copy() for dic in self.PluginMethods] etisserant@110: greg@274: def PluginLibraryFilePath(self, PlugName=None): greg@274: return os.path.join(os.path.join(os.path.split(__file__)[0], "pous.xml")) greg@274: etisserant@118: def PlugTestModified(self): etisserant@118: return self.ChangesToSave or not self.ProjectIsSaved() etisserant@118: etisserant@23: def GetPlugRoot(self): etisserant@23: return self etisserant@23: etisserant@23: def GetCurrentLocation(self): etisserant@23: return () etisserant@47: etisserant@47: def GetCurrentName(self): etisserant@47: return "" etisserant@47: etisserant@47: def _GetCurrentName(self): etisserant@47: return "" etisserant@47: lbessard@17: def GetProjectPath(self): lbessard@17: return self.ProjectPath etisserant@51: etisserant@51: def GetProjectName(self): etisserant@51: return os.path.split(self.ProjectPath)[1] lbessard@17: etisserant@20: def GetPlugInfos(self): etisserant@20: childs = [] etisserant@20: for child in self.IterChilds(): etisserant@20: childs.append(child.GetPlugInfos()) etisserant@51: return {"name" : "PLC (%s)"%self.GetProjectName(), "type" : None, "values" : childs} etisserant@20: greg@256: def NewProject(self, ProjectPath, BuildPath=None): lbessard@17: """ lbessard@17: Create a new project in an empty folder lbessard@17: @param ProjectPath: path of the folder where project have to be created lbessard@17: @param PLCParams: properties of the PLCOpen program created lbessard@17: """ lbessard@17: # Verify that choosen folder is empty lbessard@17: if not os.path.isdir(ProjectPath) or len(os.listdir(ProjectPath)) > 0: lbessard@17: return "Folder choosen isn't empty. You can't use it for a new project!" etisserant@20: etisserant@20: dialog = ProjectDialog(self.AppFrame) etisserant@20: if dialog.ShowModal() == wx.ID_OK: etisserant@20: values = dialog.GetValues() etisserant@20: values["creationDateTime"] = datetime(*localtime()[:6]) etisserant@20: dialog.Destroy() etisserant@20: else: etisserant@20: dialog.Destroy() etisserant@20: return "Project not created" etisserant@20: lbessard@41: # Create PLCOpen program etisserant@113: self.CreateNewProject(values) etisserant@13: # Change XSD into class members etisserant@13: self._AddParamsMembers() etisserant@13: self.PluggedChilds = {} lbessard@17: # Keep track of the root plugin (i.e. project path) lbessard@17: self.ProjectPath = ProjectPath greg@256: self.BuildPath = BuildPath etisserant@114: # get plugins bloclist (is that usefull at project creation?) lbessard@41: self.RefreshPluginsBlockLists() etisserant@114: # this will create files base XML files etisserant@114: self.SaveProject() lbessard@17: return None lbessard@17: greg@256: def LoadProject(self, ProjectPath, BuildPath=None): lbessard@17: """ lbessard@17: Load a project contained in a folder lbessard@17: @param ProjectPath: path of the project folder lbessard@17: """ lbessard@190: if os.path.basename(ProjectPath) == "": lbessard@190: ProjectPath = os.path.dirname(ProjectPath) etisserant@203: # Verify that project contains a PLCOpen program lbessard@17: plc_file = os.path.join(ProjectPath, "plc.xml") lbessard@17: if not os.path.isfile(plc_file): lbessard@17: return "Folder choosen doesn't contain a program. It's not a valid project!" lbessard@17: # Load PLCOpen file lbessard@41: result = self.OpenXMLFile(plc_file) lbessard@17: if result: lbessard@17: return result lbessard@17: # Change XSD into class members lbessard@17: self._AddParamsMembers() lbessard@17: self.PluggedChilds = {} lbessard@17: # Keep track of the root plugin (i.e. project path) lbessard@17: self.ProjectPath = ProjectPath greg@256: self.BuildPath = BuildPath etisserant@13: # If dir have already be made, and file exist lbessard@17: if os.path.isdir(self.PlugPath()) and os.path.isfile(self.PluginXmlFilePath()): etisserant@13: #Load the plugin.xml file into parameters members etisserant@203: result = self.LoadXMLParams() lbessard@17: if result: lbessard@17: return result etisserant@13: #Load and init all the childs etisserant@203: self.LoadChilds() lbessard@41: self.RefreshPluginsBlockLists() etisserant@203: etisserant@203: if os.path.exists(self._getBuildPath()): etisserant@203: self.EnableMethod("_Clean", True) etisserant@203: etisserant@203: if os.path.isfile(self._getIECrawcodepath()): etisserant@203: self.ShowMethod("_showIECcode", True) etisserant@203: lbessard@17: return None lbessard@17: lbessard@17: def SaveProject(self): lbessard@41: if not self.SaveXMLFile(): lbessard@41: self.SaveXMLFile(os.path.join(self.ProjectPath, 'plc.xml')) lbessard@25: if self.PLCEditor: lbessard@25: self.PLCEditor.RefreshTitle() lbessard@250: result = self.PlugRequestSave() lbessard@250: if result: lbessard@250: self.logger.write_error(result) lbessard@17: lbessard@41: # Update PLCOpenEditor Plugin Block types from loaded plugins lbessard@41: def RefreshPluginsBlockLists(self): lbessard@62: if getattr(self, "PluggedChilds", None) is not None: lbessard@202: self.ClearPluginTypes() lbessard@202: self.AddPluginBlockList(self.BlockTypesFactory()) lbessard@62: for child in self.IterChilds(): lbessard@202: self.AddPluginBlockList(child.BlockTypesFactory()) lbessard@62: if self.PLCEditor is not None: lbessard@62: self.PLCEditor.RefreshEditor() lbessard@41: lbessard@17: def PlugPath(self, PlugName=None): etisserant@13: return self.ProjectPath lbessard@17: etisserant@13: def PluginXmlFilePath(self, PlugName=None): etisserant@13: return os.path.join(self.PlugPath(PlugName), "beremiz.xml") etisserant@18: etisserant@20: def _getBuildPath(self): greg@256: if self.BuildPath is None: greg@256: return os.path.join(self.ProjectPath, "build") greg@256: return self.BuildPath etisserant@20: etisserant@203: def _getExtraFilesPath(self): etisserant@203: return os.path.join(self._getBuildPath(), "extra_files") etisserant@203: etisserant@20: def _getIECcodepath(self): etisserant@20: # define name for IEC code file etisserant@20: return os.path.join(self._getBuildPath(), "plc.st") etisserant@20: lbessard@65: def _getIECgeneratedcodepath(self): lbessard@65: # define name for IEC generated code file lbessard@65: return os.path.join(self._getBuildPath(), "generated_plc.st") lbessard@65: lbessard@65: def _getIECrawcodepath(self): lbessard@65: # define name for IEC raw code file etisserant@203: return os.path.join(self.PlugPath(), "raw_plc.st") lbessard@65: etisserant@283: def _getPYTHONcodepath(self): etisserant@283: # define name for IEC raw code file etisserant@283: return os.path.join(self.PlugPath(), "runtime.py") etisserant@283: lbessard@97: def GetLocations(self): lbessard@97: locations = [] lbessard@97: filepath = os.path.join(self._getBuildPath(),"LOCATED_VARIABLES.h") lbessard@97: if os.path.isfile(filepath): lbessard@97: # IEC2C compiler generate a list of located variables : LOCATED_VARIABLES.h lbessard@97: location_file = open(os.path.join(self._getBuildPath(),"LOCATED_VARIABLES.h")) lbessard@97: # each line of LOCATED_VARIABLES.h declares a located variable lbessard@97: lines = [line.strip() for line in location_file.readlines()] lbessard@97: # This regular expression parses the lines genereated by IEC2C lbessard@97: LOCATED_MODEL = re.compile("__LOCATED_VAR\((?P[A-Z]*),(?P[_A-Za-z0-9]*),(?P[QMI])(?:,(?P[XBWD]))?,(?P[,0-9]*)\)") lbessard@97: for line in lines: lbessard@97: # If line match RE, lbessard@97: result = LOCATED_MODEL.match(line) lbessard@97: if result: lbessard@97: # Get the resulting dict lbessard@97: resdict = result.groupdict() lbessard@97: # rewrite string for variadic location as a tuple of integers lbessard@97: resdict['LOC'] = tuple(map(int,resdict['LOC'].split(','))) lbessard@97: # set located size to 'X' if not given lbessard@97: if not resdict['SIZE']: lbessard@97: resdict['SIZE'] = 'X' lbessard@97: # finally store into located variable list lbessard@97: locations.append(resdict) lbessard@97: return locations lbessard@97: etisserant@203: def _Generate_SoftPLC(self): etisserant@20: """ lbessard@64: Generate SoftPLC ST/IL/SFC code out of PLCOpenEditor controller, and compile it with IEC2C etisserant@20: @param buildpath: path where files should be created etisserant@20: """ etisserant@20: lbessard@41: # Update PLCOpenEditor Plugin Block types before generate ST code lbessard@41: self.RefreshPluginsBlockLists() lbessard@41: etisserant@203: self.logger.write("Generating SoftPLC IEC-61131 ST/IL/SFC code...\n") etisserant@20: buildpath = self._getBuildPath() etisserant@20: # ask PLCOpenEditor controller to write ST/IL/SFC code file lbessard@65: result = self.GenerateProgram(self._getIECgeneratedcodepath()) etisserant@113: if result is not None: etisserant@20: # Failed ! etisserant@203: self.logger.write_error("Error in ST/IL/SFC code generator :\n%s\n"%result) etisserant@20: return False lbessard@65: plc_file = open(self._getIECcodepath(), "w") greg@274: if getattr(self, "PluggedChilds", None) is not None: greg@274: # Add ST Library from plugins greg@274: plc_file.write(self.STLibraryFactory()) greg@274: plc_file.write("\n") greg@274: for child in self.IterChilds(): greg@274: plc_file.write(child.STLibraryFactory()) greg@274: plc_file.write("\n") lbessard@65: if os.path.isfile(self._getIECrawcodepath()): lbessard@65: plc_file.write(open(self._getIECrawcodepath(), "r").read()) lbessard@65: plc_file.write("\n") lbessard@65: plc_file.write(open(self._getIECgeneratedcodepath(), "r").read()) lbessard@65: plc_file.close() etisserant@203: self.logger.write("Compiling IEC Program in to C code...\n") etisserant@20: # Now compile IEC code into many C files etisserant@20: # files are listed to stdout, and errors to stderr. etisserant@110: status, result, err_result = ProcessLogger( etisserant@203: self.logger, lbessard@202: "\"%s\" -f \"%s\" -I \"%s\" \"%s\""%( etisserant@110: iec2c_path, etisserant@110: self._getIECcodepath(), etisserant@110: ieclib_path, buildpath), etisserant@110: no_stdout=True).spin() etisserant@20: if status: etisserant@20: # Failed ! etisserant@203: self.logger.write_error("Error : IEC to C compiler returned %d\n"%status) etisserant@20: return False etisserant@20: # Now extract C files of stdout etisserant@113: C_files = [ fname for fname in result.splitlines() if fname[-2:]==".c" or fname[-2:]==".C" ] etisserant@20: # remove those that are not to be compiled because included by others etisserant@20: C_files.remove("POUS.c") etisserant@115: if not C_files: etisserant@203: self.logger.write_error("Error : At least one configuration and one ressource must be declared in PLC !\n") etisserant@115: return False etisserant@20: # transform those base names to full names with path etisserant@23: C_files = map(lambda filename:os.path.join(buildpath, filename), C_files) etisserant@203: self.logger.write("Extracting Located Variables...\n") lbessard@97: # Keep track of generated located variables for later use by self._Generate_C lbessard@97: self.PLCGeneratedLocatedVars = self.GetLocations() etisserant@20: # Keep track of generated C files for later use by self.PlugGenerate_C etisserant@18: self.PLCGeneratedCFiles = C_files etisserant@49: # compute CFLAGS for plc etisserant@203: self.plcCFLAGS = "\"-I"+ieclib_path+"\"" etisserant@18: return True etisserant@18: etisserant@203: def GetBuilder(self): etisserant@203: """ etisserant@203: Return a Builder (compile C code into machine code) etisserant@203: """ etisserant@203: # Get target, module and class name etisserant@203: targetname = self.BeremizRoot.getTargetType().getcontent()["name"] etisserant@203: modulename = "targets." + targetname etisserant@203: classname = targetname + "_target" etisserant@203: etisserant@203: # Get module reference etisserant@203: try : etisserant@203: targetmodule = getattr(__import__(modulename), targetname) etisserant@203: etisserant@203: except Exception, msg: etisserant@203: self.logger.write_error("Can't find module for target %s!\n"%targetname) etisserant@203: self.logger.write_error(str(msg)) etisserant@203: return None etisserant@203: etisserant@203: # Get target class etisserant@203: targetclass = getattr(targetmodule, classname) etisserant@203: etisserant@203: # if target already etisserant@203: if self._builder is None or not isinstance(self._builder,targetclass): etisserant@203: # Get classname instance etisserant@203: self._builder = targetclass(self) etisserant@203: return self._builder etisserant@203: etisserant@203: def GetLastBuildMD5(self): etisserant@203: builder=self.GetBuilder() etisserant@203: if builder is not None: etisserant@203: return builder.GetBinaryCodeMD5() etisserant@203: else: etisserant@203: return None etisserant@203: etisserant@203: ####################################################################### etisserant@203: # etisserant@203: # C CODE GENERATION METHODS etisserant@203: # etisserant@203: ####################################################################### etisserant@203: etisserant@203: def PlugGenerate_C(self, buildpath, locations): etisserant@203: """ etisserant@203: Return C code generated by iec2c compiler etisserant@203: when _generate_softPLC have been called etisserant@203: @param locations: ignored etisserant@203: @return: [(C_file_name, CFLAGS),...] , LDFLAGS_TO_APPEND etisserant@203: """ etisserant@283: etisserant@283: res = ([(C_file_name, self.plcCFLAGS) etisserant@283: for C_file_name in self.PLCGeneratedCFiles ], etisserant@283: "", # no ldflags etisserant@283: False) # do not expose retreive/publish calls etisserant@283: etisserant@283: pyfile=self._getPYTHONcodepath() etisserant@283: if os.path.exists(pyfile): etisserant@283: res += (("runtime.py", file(pyfile,"rb")),) etisserant@283: etisserant@283: return res etisserant@283: etisserant@203: etisserant@203: def ResetIECProgramsAndVariables(self): etisserant@203: """ etisserant@203: Reset variable and program list that are parsed from etisserant@203: CSV file generated by IEC2C compiler. etisserant@203: """ etisserant@203: self._ProgramList = None etisserant@203: self._VariablesList = None etisserant@203: self._IECPathToIdx = None etisserant@235: self.TracedIECPath = [] etisserant@235: etisserant@203: def GetIECProgramsAndVariables(self): etisserant@203: """ etisserant@203: Parse CSV-like file VARIABLES.csv resulting from IEC2C compiler. etisserant@203: Each section is marked with a line staring with '//' etisserant@203: list of all variables used in various POUs etisserant@203: """ etisserant@203: if self._ProgramList is None or self._VariablesList is None: etisserant@203: try: etisserant@203: csvfile = os.path.join(self._getBuildPath(),"VARIABLES.csv") etisserant@203: # describes CSV columns etisserant@203: ProgramsListAttributeName = ["num", "C_path", "type"] etisserant@203: VariablesListAttributeName = ["num", "vartype", "IEC_path", "C_path", "type"] etisserant@203: self._ProgramList = [] etisserant@203: self._VariablesList = [] etisserant@203: self._IECPathToIdx = {} etisserant@203: etisserant@203: # Separate sections etisserant@203: ListGroup = [] etisserant@203: for line in open(csvfile,'r').xreadlines(): etisserant@203: strippedline = line.strip() etisserant@203: if strippedline.startswith("//"): etisserant@203: # Start new section etisserant@203: ListGroup.append([]) etisserant@203: elif len(strippedline) > 0 and len(ListGroup) > 0: etisserant@203: # append to this section etisserant@203: ListGroup[-1].append(strippedline) etisserant@203: etisserant@203: # first section contains programs etisserant@203: for line in ListGroup[0]: etisserant@203: # Split and Maps each field to dictionnary entries etisserant@203: attrs = dict(zip(ProgramsListAttributeName,line.strip().split(';'))) etisserant@203: # Truncate "C_path" to remove conf an ressources names etisserant@203: attrs["C_path"] = '__'.join(attrs["C_path"].split(".",2)[1:]) etisserant@203: # Push this dictionnary into result. etisserant@203: self._ProgramList.append(attrs) etisserant@203: etisserant@203: # second section contains all variables etisserant@203: for line in ListGroup[1]: etisserant@203: # Split and Maps each field to dictionnary entries etisserant@203: attrs = dict(zip(VariablesListAttributeName,line.strip().split(';'))) etisserant@203: # Truncate "C_path" to remove conf an ressources names etisserant@203: attrs["C_path"] = '__'.join(attrs["C_path"].split(".",2)[1:]) etisserant@203: # Push this dictionnary into result. etisserant@203: self._VariablesList.append(attrs) etisserant@203: # Fill in IEC<->C translation dicts etisserant@203: IEC_path=attrs["IEC_path"] etisserant@203: Idx=int(attrs["num"]) etisserant@203: self._IECPathToIdx[IEC_path]=Idx etisserant@203: except Exception,e: etisserant@203: self.logger.write_error("Cannot open/parse VARIABLES.csv!\n") etisserant@203: self.logger.write_error(traceback.format_exc()) etisserant@203: self.ResetIECProgramsAndVariables() etisserant@203: return False etisserant@203: etisserant@203: return True etisserant@203: etisserant@203: def Generate_plc_debugger(self): etisserant@203: """ etisserant@203: Generate trace/debug code out of PLC variable list etisserant@203: """ etisserant@203: self.GetIECProgramsAndVariables() etisserant@203: etisserant@203: # prepare debug code etisserant@209: debug_code = targets.code("plc_debug") % { etisserant@203: "programs_declarations": etisserant@203: "\n".join(["extern %(type)s %(C_path)s;"%p for p in self._ProgramList]), etisserant@203: "extern_variables_declarations":"\n".join([ etisserant@203: {"PT":"extern %(type)s *%(C_path)s;", etisserant@203: "VAR":"extern %(type)s %(C_path)s;"}[v["vartype"]]%v lbessard@275: for v in self._VariablesList if v["vartype"] != "FB" and v["C_path"].find('.')<0]), etisserant@203: "subscription_table_count": etisserant@203: len(self._VariablesList), etisserant@203: "variables_pointer_type_table_count": etisserant@203: len(self._VariablesList), etisserant@203: "variables_pointer_type_table_initializer":"\n".join([ etisserant@203: {"PT":" variable_table[%(num)s].ptrvalue = (void*)(%(C_path)s);\n", etisserant@203: "VAR":" variable_table[%(num)s].ptrvalue = (void*)(&%(C_path)s);\n"}[v["vartype"]]%v + etisserant@203: " variable_table[%(num)s].type = %(type)s_ENUM;\n"%v lbessard@275: for v in self._VariablesList if v["vartype"] != "FB" and v["type"] in DebugTypes ])} etisserant@203: etisserant@203: return debug_code etisserant@203: etisserant@280: def Generate_plc_python(self): etisserant@280: """ etisserant@280: Generate trace/debug code out of PLC variable list etisserant@280: """ etisserant@280: self.GetIECProgramsAndVariables() etisserant@280: etisserant@280: python_eval_fb_list = [] etisserant@280: for v in self._VariablesList : etisserant@280: if v["vartype"] == "FB" and v["type"] == "PYTHON_EVAL": etisserant@280: python_eval_fb_list.append(v) lbessard@288: python_eval_fb_count = max(1, len(python_eval_fb_list)) etisserant@280: etisserant@280: # prepare debug code etisserant@280: python_code = targets.code("plc_python") % { etisserant@280: "python_eval_fb_count": python_eval_fb_count} etisserant@280: return python_code etisserant@280: etisserant@203: def Generate_plc_common_main(self): etisserant@203: """ etisserant@203: Use plugins layout given in LocationCFilesAndCFLAGS to etisserant@203: generate glue code that dispatch calls to all plugins etisserant@203: """ etisserant@203: # filter location that are related to code that will be called etisserant@203: # in retreive, publish, init, cleanup etisserant@203: locstrs = map(lambda x:"_".join(map(str,x)), etisserant@203: [loc for loc,Cfiles,DoCalls in self.LocationCFilesAndCFLAGS if loc and DoCalls]) etisserant@203: etisserant@203: # Generate main, based on template etisserant@209: plc_main_code = targets.code("plc_common_main") % { etisserant@203: "calls_prototypes":"\n".join([( etisserant@203: "int __init_%(s)s(int argc,char **argv);\n"+ etisserant@203: "void __cleanup_%(s)s();\n"+ etisserant@203: "void __retrieve_%(s)s();\n"+ etisserant@203: "void __publish_%(s)s();")%{'s':locstr} for locstr in locstrs]), etisserant@203: "retrieve_calls":"\n ".join([ etisserant@203: "__retrieve_%s();"%locstr for locstr in locstrs]), etisserant@203: "publish_calls":"\n ".join([ #Call publish in reverse order etisserant@203: "__publish_%s();"%locstrs[i-1] for i in xrange(len(locstrs), 0, -1)]), etisserant@203: "init_calls":"\n ".join([ greg@228: "init_level=%d; "%(i+1)+ etisserant@203: "if(res = __init_%s(argc,argv)){"%locstr + etisserant@203: #"printf(\"%s\"); "%locstr + #for debug etisserant@203: "return res;}" for i,locstr in enumerate(locstrs)]), etisserant@203: "cleanup_calls":"\n ".join([ etisserant@203: "if(init_level >= %d) "%i+ etisserant@203: "__cleanup_%s();"%locstrs[i-1] for i in xrange(len(locstrs), 0, -1)]) etisserant@203: } etisserant@203: etisserant@203: target_name = self.BeremizRoot.getTargetType().getcontent()["name"] etisserant@209: plc_main_code += targets.targetcode(target_name) etisserant@203: return plc_main_code etisserant@203: etisserant@203: etisserant@203: def _build(self): etisserant@20: """ etisserant@20: Method called by user to (re)build SoftPLC and plugin tree etisserant@20: """ lbessard@202: if self.PLCEditor is not None: lbessard@202: self.PLCEditor.ClearErrors() lbessard@202: etisserant@20: buildpath = self._getBuildPath() etisserant@20: etisserant@20: # Eventually create build dir etisserant@18: if not os.path.exists(buildpath): etisserant@18: os.mkdir(buildpath) etisserant@203: # There is something to clean etisserant@110: self.EnableMethod("_Clean", True) etisserant@203: etisserant@203: self.logger.flush() etisserant@203: self.logger.write("Start build in %s\n" % buildpath) etisserant@203: etisserant@203: # Generate SoftPLC IEC code etisserant@203: IECGenRes = self._Generate_SoftPLC() etisserant@203: self.ShowMethod("_showIECcode", True) etisserant@203: etisserant@203: # If IEC code gen fail, bail out. etisserant@203: if not IECGenRes: etisserant@203: self.logger.write_error("IEC-61131-3 code generation failed !\n") etisserant@20: return False etisserant@20: etisserant@203: # Reset variable and program list that are parsed from etisserant@203: # CSV file generated by IEC2C compiler. etisserant@203: self.ResetIECProgramsAndVariables() etisserant@18: etisserant@20: # Generate C code and compilation params from plugin hierarchy etisserant@203: self.logger.write("Generating plugins C code\n") etisserant@24: try: etisserant@203: self.LocationCFilesAndCFLAGS, self.LDFLAGS, ExtraFiles = self._Generate_C( etisserant@24: buildpath, etisserant@203: self.PLCGeneratedLocatedVars) etisserant@178: except Exception, exc: etisserant@203: self.logger.write_error("Plugins code generation failed !\n") etisserant@203: self.logger.write_error(traceback.format_exc()) etisserant@24: return False etisserant@18: etisserant@203: # Get temprary directory path etisserant@203: extrafilespath = self._getExtraFilesPath() etisserant@203: # Remove old directory etisserant@203: if os.path.exists(extrafilespath): etisserant@203: shutil.rmtree(extrafilespath) etisserant@203: # Recreate directory etisserant@203: os.mkdir(extrafilespath) etisserant@203: # Then write the files etisserant@203: for fname,fobject in ExtraFiles: etisserant@203: fpath = os.path.join(extrafilespath,fname) etisserant@203: open(fpath, "wb").write(fobject.read()) etisserant@203: # Now we can forget ExtraFiles (will close files object) etisserant@203: del ExtraFiles etisserant@203: etisserant@203: # Template based part of C code generation etisserant@203: # files are stacked at the beginning, as files of plugin tree root etisserant@203: for generator, filename, name in [ etisserant@203: # debugger code etisserant@203: (self.Generate_plc_debugger, "plc_debugger.c", "Debugger"), etisserant@280: # IEC<->python gateway code etisserant@280: (self.Generate_plc_python, "plc_python.c", "IEC-Python gateway"), etisserant@203: # init/cleanup/retrieve/publish, run and align code etisserant@203: (self.Generate_plc_common_main,"plc_common_main.c","Common runtime")]: etisserant@203: try: etisserant@203: # Do generate etisserant@203: code = generator() etisserant@203: code_path = os.path.join(buildpath,filename) etisserant@203: open(code_path, "w").write(code) etisserant@203: # Insert this file as first file to be compiled at root plugin etisserant@203: self.LocationCFilesAndCFLAGS[0][1].insert(0,(code_path, self.plcCFLAGS)) etisserant@203: except Exception, exc: etisserant@203: self.logger.write_error(name+" generation failed !\n") etisserant@203: self.logger.write_error(traceback.format_exc()) etisserant@203: return False etisserant@203: etisserant@203: self.logger.write("C code generated successfully.\n") etisserant@203: etisserant@203: # Get current or fresh builder etisserant@203: builder = self.GetBuilder() etisserant@203: if builder is None: etisserant@203: self.logger.write_error("Fatal : cannot get builder.\n") etisserant@51: return False etisserant@203: etisserant@203: # Build etisserant@203: try: etisserant@203: if not builder.build() : etisserant@203: self.logger.write_error("C Build failed.\n") etisserant@203: return False etisserant@203: except Exception, exc: etisserant@203: self.logger.write_error("C Build crashed !\n") etisserant@203: self.logger.write_error(traceback.format_exc()) etisserant@203: return False etisserant@203: etisserant@203: # Update GUI status about need for transfer etisserant@203: self.CompareLocalAndRemotePLC() etisserant@49: return True lbessard@202: lbessard@202: def ShowError(self, logger, from_location, to_location): lbessard@202: chunk_infos = self.GetChunkInfos(from_location, to_location) lbessard@215: self._EditPLC() lbessard@202: for infos, (start_row, start_col) in chunk_infos: lbessard@202: start = (from_location[0] - start_row, from_location[1] - start_col) lbessard@202: end = (to_location[0] - start_row, to_location[1] - start_col) lbessard@202: self.PLCEditor.ShowError(infos, start, end) etisserant@203: etisserant@203: def _showIECcode(self): etisserant@20: plc_file = self._getIECcodepath() lbessard@173: new_dialog = wx.Frame(self.AppFrame) lbessard@74: ST_viewer = TextViewer(new_dialog, "", None, None) etisserant@20: #ST_viewer.Enable(False) etisserant@20: ST_viewer.SetKeywords(IEC_KEYWORDS) etisserant@20: try: etisserant@20: text = file(plc_file).read() etisserant@20: except: etisserant@20: text = '(* No IEC code have been generated at that time ! *)' lbessard@65: ST_viewer.SetText(text = text) lbessard@65: lbessard@65: new_dialog.Show() lbessard@65: etisserant@203: def _editIECrawcode(self): lbessard@173: new_dialog = wx.Frame(self.AppFrame) lbessard@66: lbessard@65: controler = MiniTextControler(self._getIECrawcodepath()) lbessard@74: ST_viewer = TextViewer(new_dialog, "", None, controler) lbessard@65: #ST_viewer.Enable(False) lbessard@65: ST_viewer.SetKeywords(IEC_KEYWORDS) lbessard@65: ST_viewer.RefreshView() etisserant@20: etisserant@20: new_dialog.Show() etisserant@20: etisserant@283: def _editPYTHONcode(self): etisserant@283: from PythonSTC import PythonCodePanel etisserant@283: new_dialog = wx.Frame(self.AppFrame) etisserant@283: etisserant@283: PYTHON_viewer = PythonCodePanel(new_dialog, self.AppFrame) etisserant@283: #ST_viewer.Enable(False) etisserant@283: pyfile=self._getPYTHONcodepath() etisserant@283: PYTHON_viewer.LoadSourceFile(pyfile) etisserant@283: etisserant@283: new_dialog.Show() etisserant@283: etisserant@203: def _EditPLC(self): lbessard@62: if self.PLCEditor is None: lbessard@41: self.RefreshPluginsBlockLists() lbessard@25: def _onclose(): lbessard@25: self.PLCEditor = None lbessard@25: def _onsave(): lbessard@25: self.SaveProject() lbessard@41: self.PLCEditor = PLCOpenEditor(self.AppFrame, self) lbessard@25: self.PLCEditor._onclose = _onclose lbessard@25: self.PLCEditor._onsave = _onsave etisserant@20: self.PLCEditor.Show() etisserant@20: etisserant@203: def _Clean(self): greg@108: if os.path.isdir(os.path.join(self._getBuildPath())): etisserant@203: self.logger.write("Cleaning the build directory\n") greg@108: shutil.rmtree(os.path.join(self._getBuildPath())) greg@108: else: etisserant@203: self.logger.write_error("Build directory already clean\n") etisserant@203: self.ShowMethod("_showIECcode", False) etisserant@110: self.EnableMethod("_Clean", False) etisserant@286: # kill the builder etisserant@286: self._builder = None etisserant@203: self.CompareLocalAndRemotePLC() etisserant@203: etisserant@203: ############# Real PLC object access ############# etisserant@203: def UpdateMethodsFromPLCStatus(self): etisserant@203: # Get PLC state : Running or Stopped etisserant@203: # TODO : use explicit status instead of boolean etisserant@203: if self._connector is not None: etisserant@203: status = self._connector.GetPLCstatus() etisserant@203: self.logger.write("PLC is %s\n"%status) greg@107: else: etisserant@203: status = "Disconnected" etisserant@203: for args in { etisserant@203: "Started":[("_Run", False), etisserant@203: ("_Debug", False), etisserant@203: ("_Stop", True)], etisserant@203: "Stopped":[("_Run", True), etisserant@203: ("_Debug", True), etisserant@203: ("_Stop", False)], etisserant@203: "Empty": [("_Run", False), etisserant@203: ("_Debug", False), etisserant@203: ("_Stop", False)], etisserant@203: "Dirty": [("_Run", True), etisserant@203: ("_Debug", True), etisserant@203: ("_Stop", False)], etisserant@203: "Disconnected": [("_Run", False), etisserant@203: ("_Debug", False), etisserant@203: ("_Stop", False)], etisserant@203: }.get(status,[]): etisserant@203: self.ShowMethod(*args) etisserant@203: etisserant@203: def _Run(self): etisserant@203: """ etisserant@203: Start PLC etisserant@203: """ etisserant@203: if self._connector.StartPLC(): etisserant@203: self.logger.write("Starting PLC\n") etisserant@203: else: etisserant@203: self.logger.write_error("Couldn't start PLC !\n") etisserant@203: self.UpdateMethodsFromPLCStatus() etisserant@203: etisserant@239: def RegisterDebugVarToConnector(self): etisserant@239: self.DebugTimer=None etisserant@239: Idxs = [] etisserant@239: self.TracedIECPath = [] etisserant@239: if self._connector is not None: etisserant@239: self.IECdebug_lock.acquire() etisserant@239: IECPathsToPop = [] etisserant@239: for IECPath,data_tuple in self.IECdebug_datas.iteritems(): etisserant@239: WeakCallableDict, data_log, status = data_tuple etisserant@239: if len(WeakCallableDict) == 0: etisserant@239: # Callable Dict is empty. etisserant@239: # This variable is not needed anymore! etisserant@239: #print "Unused : " + IECPath etisserant@239: IECPathsToPop.append(IECPath) etisserant@239: else: etisserant@239: # Convert etisserant@239: Idx = self._IECPathToIdx.get(IECPath,None) etisserant@239: if Idx is not None: etisserant@239: Idxs.append(Idx) etisserant@239: self.TracedIECPath.append(IECPath) etisserant@239: else: etisserant@239: self.logger.write_warning("Debug : Unknown variable %s\n"%IECPath) etisserant@239: for IECPathToPop in IECPathsToPop: etisserant@239: self.IECdebug_datas.pop(IECPathToPop) etisserant@239: etisserant@239: self._connector.SetTraceVariablesList(Idxs) etisserant@239: self.IECdebug_lock.release() lbessard@243: lbessard@243: #for IEC_path, IECdebug_data in self.IECdebug_datas.iteritems(): lbessard@243: # print IEC_path, IECdebug_data[0].keys() lbessard@243: lbessard@243: def ReArmDebugRegisterTimer(self): lbessard@243: if self.DebugTimer is not None: lbessard@243: self.DebugTimer.cancel() lbessard@243: lbessard@243: # Timer to prevent rapid-fire when registering many variables lbessard@243: # use wx.CallAfter use keep using same thread. TODO : use wx.Timer instead lbessard@243: self.DebugTimer=Timer(0.5,wx.CallAfter,args = [self.RegisterDebugVarToConnector]) lbessard@243: # Rearm anti-rapid-fire timer lbessard@243: self.DebugTimer.start() lbessard@243: etisserant@239: etisserant@239: def SubscribeDebugIECVariable(self, IECPath, callableobj, *args, **kwargs): etisserant@239: """ etisserant@239: Dispatching use a dictionnary linking IEC variable paths etisserant@239: to a WeakKeyDictionary linking etisserant@239: weakly referenced callables to optionnal args etisserant@239: """ lbessard@246: if self._IECPathToIdx.get(IECPath, None) is None: lbessard@246: return None lbessard@246: etisserant@239: self.IECdebug_lock.acquire() etisserant@239: # If no entry exist, create a new one with a fresh WeakKeyDictionary etisserant@239: IECdebug_data = self.IECdebug_datas.get(IECPath, None) etisserant@239: if IECdebug_data is None: etisserant@239: IECdebug_data = [ etisserant@239: WeakKeyDictionary(), # Callables etisserant@239: [], # Data storage [(tick, data),...] etisserant@239: "Registered"] # Variable status etisserant@239: self.IECdebug_datas[IECPath] = IECdebug_data etisserant@239: etisserant@239: IECdebug_data[0][callableobj]=(args, kwargs) etisserant@239: etisserant@239: self.IECdebug_lock.release() lbessard@243: lbessard@243: self.ReArmDebugRegisterTimer() lbessard@243: etisserant@239: return IECdebug_data[1] etisserant@239: etisserant@239: def UnsubscribeDebugIECVariable(self, IECPath, callableobj): lbessard@243: #print "Unsubscribe", IECPath, callableobj lbessard@243: self.IECdebug_lock.acquire() etisserant@239: IECdebug_data = self.IECdebug_datas.get(IECPath, None) lbessard@243: if IECdebug_data is not None: etisserant@239: IECdebug_data[0].pop(callableobj,None) lbessard@243: self.IECdebug_lock.release() lbessard@243: lbessard@243: self.ReArmDebugRegisterTimer() etisserant@239: etisserant@235: def DebugThreadProc(self): etisserant@239: """ etisserant@239: This thread waid PLC debug data, and dispatch them to subscribers etisserant@239: """ etisserant@239: # This lock is used to avoid flooding wx event stack calling callafter etisserant@239: self.DebugThreadSlowDownLock = Semaphore(0) etisserant@286: self.debug_break = False etisserant@286: while (not self.debug_break) and (self._connector is not None): etisserant@235: debug_tick, debug_vars = self._connector.GetTraceVariables() etisserant@239: #print debug_tick, debug_vars lbessard@243: self.IECdebug_lock.acquire() etisserant@235: if debug_vars is not None and \ etisserant@235: len(debug_vars) == len(self.TracedIECPath): etisserant@235: for IECPath,value in zip(self.TracedIECPath, debug_vars): etisserant@235: data_tuple = self.IECdebug_datas.get(IECPath, None) etisserant@235: if data_tuple is not None: etisserant@235: WeakCallableDict, data_log, status = data_tuple etisserant@235: data_log.append((debug_tick, value)) etisserant@235: for weakcallable,(args,kwargs) in WeakCallableDict.iteritems(): etisserant@239: # delegate call to wx event loop greg@244: #print weakcallable, value, args, kwargs greg@244: wx.CallAfter(weakcallable.SetValue, value, *args, **kwargs) etisserant@239: # This will block thread if more than one call is waiting etisserant@235: elif debug_vars is not None: etisserant@235: wx.CallAfter(self.logger.write_warning, etisserant@280: "Debug data not coherent %d != %d\n"%(len(debug_vars), len(self.TracedIECPath))) lbessard@243: elif debug_tick == -1: etisserant@235: #wx.CallAfter(self.logger.write, "Debugger unavailable\n") lbessard@243: pass etisserant@235: else: etisserant@235: wx.CallAfter(self.logger.write, "Debugger disabled\n") etisserant@286: self.debug_break = True lbessard@243: self.IECdebug_lock.release() greg@244: wx.CallAfter(self.DebugThreadSlowDownLock.release) greg@244: self.DebugThreadSlowDownLock.acquire() etisserant@235: etisserant@286: def KillDebugThread(self): etisserant@286: self.debug_break = True etisserant@286: self.DebugThreadSlowDownLock.release() etisserant@286: self.DebugThread.join(timeout=1) etisserant@286: if self.DebugThread.isAlive(): etisserant@286: self.logger.write_warning("Debug Thread couldn't be killed") etisserant@286: self.DebugThread = None etisserant@286: etisserant@235: def _Debug(self): etisserant@203: """ etisserant@203: Start PLC (Debug Mode) etisserant@203: """ etisserant@235: if self.GetIECProgramsAndVariables() and \ etisserant@235: self._connector.StartPLC(debug=True): etisserant@203: self.logger.write("Starting PLC (debug mode)\n") etisserant@239: self.TracedIECPath = [] lbessard@243: if self.PLCDebug is None: lbessard@243: self.RefreshPluginsBlockLists() lbessard@243: def _onclose(): lbessard@243: self.PLCDebug = None lbessard@243: self.PLCDebug = PLCOpenEditor(self.AppFrame, self, debug=True) lbessard@243: self.PLCDebug._onclose = _onclose lbessard@243: self.PLCDebug.Show() etisserant@235: self.DebugThread = Thread(target=self.DebugThreadProc) etisserant@235: self.DebugThread.start() etisserant@203: else: etisserant@203: self.logger.write_error("Couldn't start PLC debug !\n") etisserant@203: self.UpdateMethodsFromPLCStatus() etisserant@235: etisserant@286: etisserant@235: # def _Do_Test_Debug(self): etisserant@235: # # debug code etisserant@235: # self.temporary_non_weak_callable_refs = [] etisserant@235: # for IEC_Path, idx in self._IECPathToIdx.iteritems(): etisserant@235: # class tmpcls: etisserant@239: # def __init__(_self): greg@244: # _self.buf = None etisserant@239: # def setbuf(_self,buf): greg@244: # _self.buf = buf etisserant@239: # def SetValue(_self, value, idx, name): etisserant@239: # self.logger.write("debug call: %s %d %s\n"%(repr(value), idx, name)) etisserant@239: # #self.logger.write("debug call: %s %d %s %s\n"%(repr(value), idx, name, repr(self.buf))) etisserant@235: # a = tmpcls() etisserant@235: # res = self.SubscribeDebugIECVariable(IEC_Path, a, idx, IEC_Path) etisserant@235: # a.setbuf(res) etisserant@235: # self.temporary_non_weak_callable_refs.append(a) etisserant@203: etisserant@203: def _Stop(self): etisserant@203: """ etisserant@203: Stop PLC etisserant@203: """ etisserant@286: if self.DebugThread is not None: etisserant@286: self.logger.write("Stopping debug\n") etisserant@286: self.KillDebugThread() etisserant@286: etisserant@203: if self._connector.StopPLC(): etisserant@203: self.logger.write("Stopping PLC\n") etisserant@203: else: etisserant@203: self.logger.write_error("Couldn't stop PLC !\n") etisserant@203: self.UpdateMethodsFromPLCStatus() etisserant@203: etisserant@203: def _Connect(self): etisserant@203: # don't accept re-connetion is already connected etisserant@203: if self._connector is not None: etisserant@203: self.logger.write_error("Already connected. Please disconnect\n") etisserant@203: return etisserant@203: etisserant@203: # Get connector uri etisserant@203: uri = self.\ etisserant@203: BeremizRoot.\ etisserant@203: getURI_location().\ etisserant@203: strip() etisserant@203: etisserant@203: # if uri is empty launch discovery dialog etisserant@203: if uri == "": etisserant@203: # Launch Service Discovery dialog etisserant@203: dia = DiscoveryDialog(self.AppFrame) etisserant@203: dia.ShowModal() etisserant@203: uri = dia.GetResult() etisserant@203: # Nothing choosed or cancel button etisserant@203: if uri is None: etisserant@203: return etisserant@203: else: etisserant@203: self.\ etisserant@203: BeremizRoot.\ etisserant@203: setURI_location(uri) etisserant@203: etisserant@203: # Get connector from uri etisserant@203: try: etisserant@203: self._connector = connectors.ConnectorFactory(uri, self) etisserant@203: except Exception, msg: etisserant@203: self.logger.write_error("Exception while connecting %s!\n"%uri) etisserant@203: self.logger.write_error(traceback.format_exc()) etisserant@203: etisserant@203: # Did connection success ? etisserant@203: if self._connector is None: etisserant@203: # Oups. etisserant@203: self.logger.write_error("Connection failed to %s!\n"%uri) etisserant@203: else: etisserant@203: self.ShowMethod("_Connect", False) etisserant@203: self.ShowMethod("_Disconnect", True) etisserant@203: self.ShowMethod("_Transfer", True) etisserant@203: etisserant@203: self.CompareLocalAndRemotePLC() etisserant@203: self.UpdateMethodsFromPLCStatus() etisserant@203: etisserant@203: def CompareLocalAndRemotePLC(self): etisserant@203: if self._connector is None: etisserant@203: return etisserant@203: # We are now connected. Update button status etisserant@203: MD5 = self.GetLastBuildMD5() etisserant@203: # Check remote target PLC correspondance to that md5 etisserant@203: if MD5 is not None: etisserant@203: if not self._connector.MatchMD5(MD5): etisserant@203: self.logger.write_warning( etisserant@203: "Latest build do not match with target, please transfer.\n") etisserant@203: self.EnableMethod("_Transfer", True) etisserant@203: else: etisserant@203: self.logger.write( etisserant@203: "Latest build match target, no transfer needed.\n") etisserant@203: self.EnableMethod("_Transfer", True) etisserant@203: #self.EnableMethod("_Transfer", False) etisserant@203: else: etisserant@203: self.logger.write_warning( etisserant@203: "Cannot compare latest build to target. Please build.\n") etisserant@203: self.EnableMethod("_Transfer", False) etisserant@203: etisserant@203: etisserant@203: def _Disconnect(self): etisserant@203: self._connector = None etisserant@203: self.ShowMethod("_Transfer", False) etisserant@203: self.ShowMethod("_Connect", True) etisserant@203: self.ShowMethod("_Disconnect", False) etisserant@203: self.UpdateMethodsFromPLCStatus() etisserant@203: etisserant@203: def _Transfer(self): etisserant@203: # Get the last build PLC's etisserant@203: MD5 = self.GetLastBuildMD5() etisserant@203: etisserant@203: # Check if md5 file is empty : ask user to build PLC etisserant@203: if MD5 is None : etisserant@203: self.logger.write_error("Failed : Must build before transfer.\n") etisserant@203: return False etisserant@203: etisserant@203: # Compare PLC project with PLC on target etisserant@203: if self._connector.MatchMD5(MD5): etisserant@203: self.logger.write( etisserant@203: "Latest build already match current target. Transfering anyway...\n") etisserant@203: etisserant@203: # Get temprary directory path etisserant@203: extrafilespath = self._getExtraFilesPath() etisserant@203: extrafiles = [(name, open(os.path.join(extrafilespath, name), etisserant@203: 'rb').read()) \ etisserant@203: for name in os.listdir(extrafilespath) \ etisserant@203: if not name=="CVS"] etisserant@203: etisserant@203: # Send PLC on target etisserant@203: builder = self.GetBuilder() etisserant@203: if builder is not None: etisserant@203: data = builder.GetBinaryCode() etisserant@203: if data is not None : etisserant@203: if self._connector.NewPLC(MD5, data, extrafiles): lbessard@246: self.ProgramTransferred() etisserant@203: self.logger.write("Transfer completed successfully.\n") etisserant@203: else: etisserant@203: self.logger.write_error("Transfer failed\n") etisserant@203: else: etisserant@203: self.logger.write_error("No PLC to transfer (did build success ?)\n") etisserant@203: self.UpdateMethodsFromPLCStatus() etisserant@105: lbessard@65: PluginMethods = [ etisserant@203: {"bitmap" : opjimg("editPLC"), lbessard@65: "name" : "Edit PLC", lbessard@65: "tooltip" : "Edit PLC program with PLCOpenEditor", etisserant@105: "method" : "_EditPLC"}, etisserant@203: {"bitmap" : opjimg("Build"), lbessard@65: "name" : "Build", lbessard@65: "tooltip" : "Build project into build folder", etisserant@105: "method" : "_build"}, etisserant@203: {"bitmap" : opjimg("Clean"), lbessard@65: "name" : "Clean", etisserant@203: "enabled" : False, lbessard@65: "tooltip" : "Clean project build folder", etisserant@105: "method" : "_Clean"}, etisserant@203: {"bitmap" : opjimg("Run"), lbessard@65: "name" : "Run", etisserant@203: "shown" : False, etisserant@203: "tooltip" : "Start PLC", etisserant@105: "method" : "_Run"}, etisserant@203: {"bitmap" : opjimg("Debug"), etisserant@203: "name" : "Debug", etisserant@203: "shown" : False, etisserant@203: "tooltip" : "Start PLC (debug mode)", etisserant@203: "method" : "_Debug"}, etisserant@235: # {"bitmap" : opjimg("Debug"), etisserant@235: # "name" : "Do_Test_Debug", etisserant@235: # "tooltip" : "Test debug mode)", etisserant@235: # "method" : "_Do_Test_Debug"}, etisserant@203: {"bitmap" : opjimg("Stop"), etisserant@105: "name" : "Stop", etisserant@203: "shown" : False, etisserant@105: "tooltip" : "Stop Running PLC", etisserant@105: "method" : "_Stop"}, etisserant@203: {"bitmap" : opjimg("Connect"), etisserant@203: "name" : "Connect", etisserant@203: "tooltip" : "Connect to the target PLC", etisserant@203: "method" : "_Connect"}, etisserant@203: {"bitmap" : opjimg("Transfer"), etisserant@203: "name" : "Transfer", etisserant@203: "shown" : False, etisserant@203: "tooltip" : "Transfer PLC", etisserant@203: "method" : "_Transfer"}, etisserant@203: {"bitmap" : opjimg("Disconnect"), etisserant@203: "name" : "Disconnect", etisserant@203: "shown" : False, etisserant@203: "tooltip" : "Disconnect from PLC", etisserant@203: "method" : "_Disconnect"}, etisserant@203: {"bitmap" : opjimg("ShowIECcode"), etisserant@199: "name" : "Show code", etisserant@203: "shown" : False, lbessard@65: "tooltip" : "Show IEC code generated by PLCGenerator", etisserant@105: "method" : "_showIECcode"}, etisserant@203: {"bitmap" : opjimg("editIECrawcode"), etisserant@283: "name" : "Raw IEC code", lbessard@74: "tooltip" : "Edit raw IEC code added to code generated by PLCGenerator", etisserant@203: "method" : "_editIECrawcode"}, etisserant@283: {"bitmap" : opjimg("editPYTHONcode"), etisserant@283: "name" : "Python code", etisserant@283: "tooltip" : "Write Python runtime code, for use with python_eval FBs", etisserant@283: "method" : "_editPYTHONcode"}, lbessard@65: ]