source: sasview/fittingview/src/sans/perspectives/fitting/models.py @ 48c547b

ESS_GUIESS_GUI_DocsESS_GUI_batch_fittingESS_GUI_bumps_abstractionESS_GUI_iss1116ESS_GUI_iss879ESS_GUI_iss959ESS_GUI_openclESS_GUI_orderingESS_GUI_sync_sascalccostrafo411magnetic_scattrelease-4.1.1release-4.1.2release-4.2.2release_4.0.1ticket-1009ticket-1094-headlessticket-1242-2d-resolutionticket-1243ticket-1249ticket885unittest-saveload
Last change on this file since 48c547b was a8d3b4f, checked in by Kieran Campbell <kieranrcampbell@…>, 12 years ago

Added star polymer with gaussian statistics model

  • Property mode set to 100644
File size: 34.3 KB
Line 
1"""
2    Utilities to manage models
3"""
4import wx
5import imp
6import os
7import sys
8import math
9import os.path
10# Time is needed by the log method
11import time
12import logging
13import py_compile
14import shutil
15from sans.guiframe.events import StatusEvent
16# Explicitly import from the pluginmodel module so that py2exe
17# places it in the distribution. The Model1DPlugin class is used
18# as the base class of plug-in models.
19from sans.models.pluginmodel import Model1DPlugin
20   
21PLUGIN_DIR = 'plugin_models'
22
23
24def log(message):
25    """
26        Log a message in a file located in the user's home directory
27    """
28    dir = os.path.join(os.path.expanduser("~"), '.sansview', PLUGIN_DIR)
29    out = open(os.path.join(dir, "plugins.log"), 'a')
30    out.write("%10g%s\n" % (time.clock(), message))
31    out.close()
32
33
34def _check_plugin(model, name):
35    """
36    Do some checking before model adding plugins in the list
37   
38    :param model: class model to add into the plugin list
39    :param name:name of the module plugin
40   
41    :return model: model if valid model or None if not valid
42   
43    """
44    #Check is the plugin is of type Model1DPlugin
45    if not issubclass(model, Model1DPlugin):
46        msg = "Plugin %s must be of type Model1DPlugin \n" % str(name)
47        log(msg)
48        return None
49    if model.__name__ != "Model":
50        msg = "Plugin %s class name must be Model \n" % str(name)
51        log(msg)
52        return None
53    try:
54        new_instance = model()
55    except:
56        msg = "Plugin %s error in __init__ \n\t: %s %s\n" % (str(name),
57                                    str(sys.exc_type), sys.exc_value)
58        log(msg)
59        return None
60   
61    if hasattr(new_instance, "function"):
62        try:
63            value = new_instance.function()
64        except:
65            msg = "Plugin %s: error writing function \n\t :%s %s\n " % (str(name),
66                                    str(sys.exc_type), sys.exc_value)
67            log(msg)
68            return None
69    else:
70        msg = "Plugin  %s needs a method called function \n" % str(name)
71        log(msg)
72        return None
73    return model
74 
75 
76def find_plugins_dir():
77    """
78        Find path of the plugins directory.
79        The plugin directory is located in the user's home directory.
80    """
81    dir = os.path.join(os.path.expanduser("~"), '.sansview', PLUGIN_DIR)
82   
83    # If the plugin directory doesn't exist, create it
84    if not os.path.isdir(dir):
85        os.makedirs(dir)
86       
87    # Find paths needed
88    try:
89        # For source
90        if os.path.isdir(os.path.dirname(__file__)):
91            p_dir = os.path.join(os.path.dirname(__file__), PLUGIN_DIR)
92        else:
93            raise
94    except:
95        # Check for data path next to exe/zip file.
96        #Look for maximum n_dir up of the current dir to find plugins dir
97        n_dir = 12
98        p_dir = None
99        f_dir = os.path.join(os.path.dirname(__file__))
100        for i in range(n_dir):
101            if i > 1:
102                f_dir, _ = os.path.split(f_dir)
103            plugin_path = os.path.join(f_dir, PLUGIN_DIR)
104            if os.path.isdir(plugin_path):
105                p_dir = plugin_path
106                break
107        if not p_dir:
108            raise
109    # Place example user models as needed
110    if os.path.isdir(p_dir):
111        for file in os.listdir(p_dir):
112            file_path = os.path.join(p_dir, file)
113            if os.path.isfile(file_path):
114                if file.split(".")[-1] == 'py' and\
115                    file.split(".")[0] != '__init__':
116                    if not os.path.isfile(os.path.join(dir, file)):
117                        shutil.copy(file_path, dir)
118
119    return dir
120
121
122class ReportProblem:
123    def __nonzero__(self):
124        type, value, traceback = sys.exc_info()
125        if type is not None and issubclass(type, py_compile.PyCompileError):
126            print "Problem with", repr(value)
127            raise type, value, traceback
128        return 1
129   
130report_problem = ReportProblem()
131
132
133def compile_file(dir):
134    """
135    Compile a py file
136    """
137    try:
138        import compileall
139        compileall.compile_dir(dir=dir, ddir=dir, force=1,
140                               quiet=report_problem)
141    except:
142        type, value, traceback = sys.exc_info()
143        return value
144    return None
145
146
147def _findModels(dir):
148    """
149    """
150    # List of plugin objects
151    plugins = {}
152    # Go through files in plug-in directory
153    #always recompile the folder plugin
154    dir = find_plugins_dir()
155    if not os.path.isdir(dir):
156        msg = "SansView couldn't locate Model plugin folder."
157        msg += """ "%s" does not exist""" % dir
158        logging.warning(msg)
159        return plugins
160    else:
161        log("looking for models in: %s" % str(dir))
162        compile_file(dir)
163        logging.info("pluging model dir: %s\n" % str(dir))
164    try:
165        list = os.listdir(dir)
166        for item in list:
167            toks = os.path.splitext(os.path.basename(item))
168            if toks[1] == '.py' and not toks[0] == '__init__':
169                name = toks[0]
170           
171                path = [os.path.abspath(dir)]
172                file = None
173                try:
174                    (file, path, info) = imp.find_module(name, path)
175                    module = imp.load_module(name, file, item, info)
176                    if hasattr(module, "Model"):
177                        try:
178                            if _check_plugin(module.Model, name) != None:
179                                plugins[name] = module.Model
180                        except:
181                            msg = "Error accessing Model"
182                            msg += "in %s\n  %s %s\n" % (name,
183                                    str(sys.exc_type), sys.exc_value)
184                            log(msg)
185                except:
186                    msg = "Error accessing Model"
187                    msg += " in %s\n  %s %s \n" % (name,
188                                    str(sys.exc_type), sys.exc_value)
189                    log(msg)
190                finally:
191             
192                    if not file == None:
193                        file.close()
194    except:
195        # Don't deal with bad plug-in imports. Just skip.
196        msg = "Could not import model plugin: %s\n" % sys.exc_value
197        log(msg)
198        pass
199    return plugins
200
201
202class ModelList(object):
203    """
204    Contains dictionary of model and their type
205    """
206    def __init__(self):
207        """
208        """
209        self.mydict = {}
210       
211    def set_list(self, name, mylist):
212        """
213        :param name: the type of the list
214        :param mylist: the list to add
215       
216        """
217        if name not in self.mydict.keys():
218            self.reset_list(name, mylist)
219           
220    def reset_list(self, name, mylist):
221        """
222        :param name: the type of the list
223        :param mylist: the list to add
224        """
225        self.mydict[name] = mylist
226           
227    def get_list(self):
228        """
229        return all the list stored in a dictionary object
230        """
231        return self.mydict
232       
233       
234class ModelManagerBase:
235    """
236        Base class for the model manager
237    """
238    ## external dict for models
239    model_combobox = ModelList()
240    ## Dictionary of form models
241    form_factor_dict = {}
242    ## dictionary of other
243    struct_factor_dict = {}
244    ##list of form factors
245    shape_list = []
246    ## independent shape model list
247    shape_indep_list = []
248    ##list of structure factors
249    struct_list = []
250    ##list of model allowing multiplication
251    multiplication_factor = []
252    ##list of multifunctional shapes
253    multi_func_list = []
254    ## list of added models
255    plugins = []
256    ## Event owner (guiframe)
257    event_owner = None
258    last_time_dir_modified = 0
259   
260    def __init__(self):
261        """
262        """
263        self.stored_plugins = {}
264        self._getModelList()
265       
266    def findModels(self):
267        """
268        find  plugin model in directory of plugin .recompile all file
269        in the directory if file were modified
270        """
271        temp = {}
272        if self.is_changed():
273            return  _findModels(dir)
274        logging.info("pluging model : %s\n" % str(temp))
275        return temp
276       
277    def _getModelList(self):
278        """
279        List of models we want to make available by default
280        for this application
281   
282        :return: the next free event ID following the new menu events
283       
284        """
285        # regular model names only
286        self.model_name_list = []
287        from sans.models.SphereModel import SphereModel
288        self.shape_list.append(SphereModel)
289        self.multiplication_factor.append(SphereModel)
290        self.model_name_list.append(SphereModel.__name__)
291       
292        from sans.models.BinaryHSModel import BinaryHSModel
293        self.shape_list.append(BinaryHSModel)
294        self.model_name_list.append(BinaryHSModel.__name__)
295                       
296        from sans.models.FuzzySphereModel import FuzzySphereModel
297        self.shape_list.append(FuzzySphereModel)
298        self.multiplication_factor.append(FuzzySphereModel)
299        self.model_name_list.append(FuzzySphereModel.__name__)
300                       
301        from sans.models.RaspBerryModel import RaspBerryModel
302        self.shape_list.append(RaspBerryModel)
303        self.model_name_list.append(RaspBerryModel.__name__)
304               
305        from sans.models.CoreShellModel import CoreShellModel
306        self.shape_list.append(CoreShellModel)
307        self.multiplication_factor.append(CoreShellModel)
308        self.model_name_list.append(CoreShellModel.__name__)
309       
310        from sans.models.Core2ndMomentModel import Core2ndMomentModel
311        self.shape_list.append(Core2ndMomentModel)
312        self.model_name_list.append(Core2ndMomentModel.__name__)
313       
314        from sans.models.CoreMultiShellModel import CoreMultiShellModel
315        self.shape_list.append(CoreMultiShellModel)
316        self.multiplication_factor.append(CoreMultiShellModel)
317        self.multi_func_list.append(CoreMultiShellModel)
318
319        from sans.models.VesicleModel import VesicleModel
320        self.shape_list.append(VesicleModel)
321        self.multiplication_factor.append(VesicleModel)
322        self.model_name_list.append(VesicleModel.__name__)
323       
324        from sans.models.MultiShellModel import MultiShellModel
325        self.shape_list.append(MultiShellModel)
326        self.multiplication_factor.append(MultiShellModel)
327        self.model_name_list.append(MultiShellModel.__name__)
328       
329        from sans.models.OnionExpShellModel import OnionExpShellModel
330        self.shape_list.append(OnionExpShellModel)
331        self.multiplication_factor.append(OnionExpShellModel)
332        self.multi_func_list.append(OnionExpShellModel)
333                         
334        from sans.models.SphericalSLDModel import SphericalSLDModel
335        self.shape_list.append(SphericalSLDModel)
336        self.multiplication_factor.append(SphericalSLDModel)
337        self.multi_func_list.append(SphericalSLDModel)
338
339        from sans.models.StarPolymer import StarPolymer
340        self.shape_list.append(StarPolymer)
341        self.model_name_list.append(StarPolymer.__name__)
342       
343        from sans.models.LinearPearlsModel import LinearPearlsModel
344        self.shape_list.append(LinearPearlsModel)
345        self.model_name_list.append(LinearPearlsModel.__name__)
346         
347        from sans.models.PearlNecklaceModel import PearlNecklaceModel
348        self.shape_list.append(PearlNecklaceModel)
349        self.model_name_list.append(PearlNecklaceModel.__name__)
350        #self.multiplication_factor.append(PearlNecklaceModel)
351       
352        from sans.models.CylinderModel import CylinderModel
353        self.shape_list.append(CylinderModel)
354        self.multiplication_factor.append(CylinderModel)
355        self.model_name_list.append(CylinderModel.__name__)
356       
357        from sans.models.CoreShellCylinderModel import CoreShellCylinderModel
358        self.shape_list.append(CoreShellCylinderModel)
359        self.multiplication_factor.append(CoreShellCylinderModel)
360        self.model_name_list.append(CoreShellCylinderModel.__name__)
361       
362        from sans.models.CoreShellBicelleModel import CoreShellBicelleModel
363        self.shape_list.append(CoreShellBicelleModel)
364        self.multiplication_factor.append(CoreShellBicelleModel)
365        self.model_name_list.append(CoreShellBicelleModel.__name__)
366               
367        from sans.models.HollowCylinderModel import HollowCylinderModel
368        self.shape_list.append(HollowCylinderModel)
369        self.multiplication_factor.append(HollowCylinderModel)
370        self.model_name_list.append(HollowCylinderModel.__name__)
371             
372        from sans.models.FlexibleCylinderModel import FlexibleCylinderModel
373        self.shape_list.append(FlexibleCylinderModel)
374        self.model_name_list.append(FlexibleCylinderModel.__name__)
375
376        from sans.models.FlexCylEllipXModel import FlexCylEllipXModel
377        self.shape_list.append(FlexCylEllipXModel)
378        self.model_name_list.append(FlexCylEllipXModel.__name__)
379       
380        from sans.models.StackedDisksModel import StackedDisksModel
381        self.shape_list.append(StackedDisksModel)
382        self.multiplication_factor.append(StackedDisksModel)
383        self.model_name_list.append(StackedDisksModel.__name__)
384       
385        from sans.models.ParallelepipedModel import ParallelepipedModel
386        self.shape_list.append(ParallelepipedModel)
387        self.multiplication_factor.append(ParallelepipedModel)
388        self.model_name_list.append(ParallelepipedModel.__name__)
389       
390        from sans.models.CSParallelepipedModel import CSParallelepipedModel
391        self.shape_list.append(CSParallelepipedModel)
392        self.multiplication_factor.append(CSParallelepipedModel)
393        self.model_name_list.append(CSParallelepipedModel.__name__)
394       
395        from sans.models.EllipticalCylinderModel import EllipticalCylinderModel
396        self.shape_list.append(EllipticalCylinderModel)
397        self.multiplication_factor.append(EllipticalCylinderModel)
398        self.model_name_list.append(EllipticalCylinderModel.__name__)
399       
400        from sans.models.BarBellModel import BarBellModel
401        self.shape_list.append(BarBellModel)
402        self.model_name_list.append(BarBellModel.__name__)
403        # not implemeted yet!
404        #self.multiplication_factor.append(BarBellModel)
405       
406        from sans.models.CappedCylinderModel import CappedCylinderModel
407        self.shape_list.append(CappedCylinderModel)
408        self.model_name_list.append(CappedCylinderModel.__name__)
409        # not implemeted yet!
410        #self.multiplication_factor.append(CappedCylinderModel)
411       
412        from sans.models.EllipsoidModel import EllipsoidModel
413        self.shape_list.append(EllipsoidModel)
414        self.multiplication_factor.append(EllipsoidModel)
415        self.model_name_list.append(EllipsoidModel.__name__)
416     
417        from sans.models.CoreShellEllipsoidModel import CoreShellEllipsoidModel
418        self.shape_list.append(CoreShellEllipsoidModel)
419        self.multiplication_factor.append(CoreShellEllipsoidModel)
420        self.model_name_list.append(CoreShellEllipsoidModel.__name__)
421         
422        from sans.models.TriaxialEllipsoidModel import TriaxialEllipsoidModel
423        self.shape_list.append(TriaxialEllipsoidModel)
424        self.multiplication_factor.append(TriaxialEllipsoidModel)
425        self.model_name_list.append(TriaxialEllipsoidModel.__name__)
426       
427        from sans.models.LamellarModel import LamellarModel
428        self.shape_list.append(LamellarModel)
429        self.model_name_list.append(LamellarModel.__name__)
430       
431        from sans.models.LamellarFFHGModel import LamellarFFHGModel
432        self.shape_list.append(LamellarFFHGModel)
433        self.model_name_list.append(LamellarFFHGModel.__name__)
434       
435        from sans.models.LamellarPSModel import LamellarPSModel
436        self.shape_list.append(LamellarPSModel)
437        self.model_name_list.append(LamellarPSModel.__name__)
438     
439        from sans.models.LamellarPSHGModel import LamellarPSHGModel
440        self.shape_list.append(LamellarPSHGModel)
441        self.model_name_list.append(LamellarPSHGModel.__name__)
442       
443        from sans.models.LamellarPCrystalModel import LamellarPCrystalModel
444        self.shape_list.append(LamellarPCrystalModel)
445        self.model_name_list.append(LamellarPCrystalModel.__name__)
446       
447        from sans.models.SCCrystalModel import SCCrystalModel
448        self.shape_list.append(SCCrystalModel)
449        self.model_name_list.append(SCCrystalModel.__name__)
450       
451        from sans.models.FCCrystalModel import FCCrystalModel
452        self.shape_list.append(FCCrystalModel)
453        self.model_name_list.append(FCCrystalModel.__name__)
454       
455        from sans.models.BCCrystalModel import BCCrystalModel
456        self.shape_list.append(BCCrystalModel)
457        self.model_name_list.append(BCCrystalModel.__name__)
458     
459        ## Structure factor
460        from sans.models.SquareWellStructure import SquareWellStructure
461        self.struct_list.append(SquareWellStructure)
462        self.model_name_list.append(SquareWellStructure.__name__)
463       
464        from sans.models.HardsphereStructure import HardsphereStructure
465        self.struct_list.append(HardsphereStructure)
466        self.model_name_list.append(HardsphereStructure.__name__)
467         
468        from sans.models.StickyHSStructure import StickyHSStructure
469        self.struct_list.append(StickyHSStructure)
470        self.model_name_list.append(StickyHSStructure.__name__)
471       
472        from sans.models.HayterMSAStructure import HayterMSAStructure
473        self.struct_list.append(HayterMSAStructure)
474        self.model_name_list.append(HayterMSAStructure.__name__)
475
476
477        ##shape-independent models
478        from sans.models.PowerLawAbsModel import PowerLawAbsModel
479        self.shape_indep_list.append(PowerLawAbsModel)
480        self.model_name_list.append(PowerLawAbsModel.__name__)
481       
482        from sans.models.BEPolyelectrolyte import BEPolyelectrolyte
483        self.shape_indep_list.append(BEPolyelectrolyte)
484        self.model_name_list.append(BEPolyelectrolyte.__name__)
485        self.form_factor_dict[str(wx.NewId())] =  [SphereModel]
486       
487        from sans.models.BroadPeakModel import BroadPeakModel
488        self.shape_indep_list.append(BroadPeakModel)
489        self.model_name_list.append(BroadPeakModel.__name__)
490       
491        from sans.models.CorrLengthModel import CorrLengthModel
492        self.shape_indep_list.append(CorrLengthModel)
493        self.model_name_list.append(CorrLengthModel.__name__)
494       
495        from sans.models.DABModel import DABModel
496        self.shape_indep_list.append(DABModel)
497        self.model_name_list.append(DABModel.__name__)
498       
499        from sans.models.DebyeModel import DebyeModel
500        self.shape_indep_list.append(DebyeModel)
501        self.model_name_list.append(DebyeModel.__name__)
502       
503        from sans.models.FractalModel import FractalModel
504        self.shape_indep_list.append(FractalModel)
505        self.model_name_list.append(FractalModel.__name__)
506       
507        from sans.models.FractalCoreShellModel import FractalCoreShellModel
508        self.shape_indep_list.append(FractalCoreShellModel)
509        self.model_name_list.append(FractalCoreShellModel.__name__)
510       
511        from sans.models.GaussLorentzGelModel import GaussLorentzGelModel
512        self.shape_indep_list.append(GaussLorentzGelModel)
513        self.model_name_list.append(GaussLorentzGelModel.__name__)
514               
515        from sans.models.GuinierModel import GuinierModel
516        self.shape_indep_list.append(GuinierModel)
517        self.model_name_list.append(GuinierModel.__name__)
518       
519        from sans.models.GuinierPorodModel import GuinierPorodModel
520        self.shape_indep_list.append(GuinierPorodModel)
521        self.model_name_list.append(GuinierPorodModel.__name__)
522
523        from sans.models.LorentzModel import LorentzModel
524        self.shape_indep_list.append(LorentzModel)
525        self.model_name_list.append(LorentzModel.__name__)
526
527        from sans.models.MassFractalModel import MassFractalModel
528        self.shape_indep_list.append(MassFractalModel)
529        self.model_name_list.append(MassFractalModel.__name__)
530       
531        from sans.models.MassSurfaceFractal import MassSurfaceFractal
532        self.shape_indep_list.append(MassSurfaceFractal)
533        self.model_name_list.append(MassSurfaceFractal.__name__)
534       
535        from sans.models.PeakGaussModel import PeakGaussModel
536        self.shape_indep_list.append(PeakGaussModel)
537        self.model_name_list.append(PeakGaussModel.__name__)
538       
539        from sans.models.PeakLorentzModel import PeakLorentzModel
540        self.shape_indep_list.append(PeakLorentzModel)
541        self.model_name_list.append(PeakLorentzModel.__name__)
542       
543        from sans.models.Poly_GaussCoil import Poly_GaussCoil
544        self.shape_indep_list.append(Poly_GaussCoil)
545        self.model_name_list.append(Poly_GaussCoil.__name__)
546       
547        from sans.models.PolymerExclVolume import PolymerExclVolume
548        self.shape_indep_list.append(PolymerExclVolume)
549        self.model_name_list.append(PolymerExclVolume.__name__)
550       
551        from sans.models.PorodModel import PorodModel
552        self.shape_indep_list.append(PorodModel)
553        self.model_name_list.append(PorodModel.__name__)
554       
555        from sans.models.RPA10Model import RPA10Model
556        self.shape_indep_list.append(RPA10Model)
557        self.multi_func_list.append(RPA10Model)
558
559        from sans.models.SurfaceFractalModel import SurfaceFractalModel
560        self.shape_indep_list.append(SurfaceFractalModel)
561        self.model_name_list.append(SurfaceFractalModel.__name__)
562       
563        from sans.models.TeubnerStreyModel import TeubnerStreyModel
564        self.shape_indep_list.append(TeubnerStreyModel)
565        self.model_name_list.append(TeubnerStreyModel.__name__)
566
567        from sans.models.TwoLorentzianModel import TwoLorentzianModel
568        self.shape_indep_list.append(TwoLorentzianModel)
569        self.model_name_list.append(TwoLorentzianModel.__name__)
570       
571        from sans.models.TwoPowerLawModel import TwoPowerLawModel
572        self.shape_indep_list.append(TwoPowerLawModel)
573        self.model_name_list.append(TwoPowerLawModel.__name__)
574       
575        from sans.models.UnifiedPowerRgModel import UnifiedPowerRgModel
576        self.shape_indep_list.append(UnifiedPowerRgModel)
577        self.multi_func_list.append(UnifiedPowerRgModel)
578
579        from sans.models.LineModel import LineModel
580        self.shape_indep_list.append(LineModel)
581        self.model_name_list.append(LineModel.__name__)
582       
583        from sans.models.ReflectivityModel import ReflectivityModel
584        self.shape_indep_list.append(ReflectivityModel)
585        self.multi_func_list.append(ReflectivityModel)
586       
587        from sans.models.ReflectivityIIModel import ReflectivityIIModel
588        self.shape_indep_list.append(ReflectivityIIModel)
589        self.multi_func_list.append(ReflectivityIIModel)
590       
591        from sans.models.GelFitModel import GelFitModel
592        self.shape_indep_list.append(GelFitModel)
593        self.model_name_list.append(GelFitModel.__name__)
594       
595        from sans.models.FractalO_Z import FractalO_Z
596        self.shape_indep_list.append(FractalO_Z)
597        self.model_name_list.append(FractalO_Z.__name__)
598   
599        #Looking for plugins
600        self.stored_plugins = self.findModels()
601        self.plugins = self.stored_plugins.values()
602
603        self._get_multifunc_models()
604       
605        return 0
606
607    def is_changed(self):
608        """
609        check the last time the plugin dir has changed and return true
610         is the directory was modified else return false
611        """
612        is_modified = False
613        plugin_dir = find_plugins_dir()
614        if os.path.isdir(plugin_dir):
615            temp = os.path.getmtime(plugin_dir)
616            if  self.last_time_dir_modified != temp:
617                is_modified = True
618                self.last_time_dir_modified = temp
619       
620        return is_modified
621   
622    def update(self):
623        """
624        return a dictionary of model if
625        new models were added else return empty dictionary
626        """
627        new_plugins = self.findModels()
628        if len(new_plugins) > 0:
629            for name, plug in  new_plugins.iteritems():
630                if name not in self.stored_plugins.keys():
631                    self.stored_plugins[name] = plug
632                    self.plugins.append(plug)
633            self.model_combobox.set_list("Customized Models", self.plugins)
634            return self.model_combobox.get_list()
635        else:
636            return {}
637   
638    def pulgins_reset(self):
639        """
640        return a dictionary of model
641        """
642        self.plugins = []
643        new_plugins = _findModels(dir)
644        for name, plug in  new_plugins.iteritems():
645            for stored_name, stored_plug in self.stored_plugins.iteritems():
646                if name == stored_name:
647                    del self.stored_plugins[name]
648                    break
649            self.stored_plugins[name] = plug
650            self.plugins.append(plug)
651
652        self.model_combobox.reset_list("Customized Models", self.plugins)
653        return self.model_combobox.get_list()
654       
655    def populate_menu(self, modelmenu, event_owner):
656        """
657        Populate a menu with our models
658       
659        :param id: first menu event ID to use when binding the menu events
660        :param modelmenu: wx.Menu object to populate
661        :param event_owner: wx object to bind the menu events to
662       
663        :return: the next free event ID following the new menu events
664       
665        """
666        ## Fill model lists
667        self._getModelList()
668        ## store reference to model menu of guiframe
669        self.modelmenu = modelmenu
670        ## guiframe reference
671        self.event_owner = event_owner
672       
673        shape_submenu = wx.Menu()
674        shape_indep_submenu = wx.Menu()
675        structure_factor = wx.Menu()
676        added_models = wx.Menu()
677        multip_models = wx.Menu()
678        ## create menu with shape
679        self._fill_simple_menu(menuinfo=["Shapes",
680                                         shape_submenu,
681                                         " simple shape"],
682                         list1=self.shape_list)
683       
684        self._fill_simple_menu(menuinfo=["Shape-Independent",
685                                         shape_indep_submenu,
686                                         "List of shape-independent models"],
687                         list1=self.shape_indep_list)
688       
689        self._fill_simple_menu(menuinfo=["Structure Factors",
690                                         structure_factor,
691                                         "List of Structure factors models"],
692                                list1=self.struct_list)
693       
694        self._fill_plugin_menu(menuinfo=["Customized Models", added_models,
695                                            "List of additional models"],
696                                 list1=self.plugins)
697       
698        self._fill_menu(menuinfo=["P(Q)*S(Q)", multip_models,
699                                  "mulplication of 2 models"],
700                                   list1=self.multiplication_factor,
701                                   list2=self.struct_list)
702        return 0
703   
704    def _fill_plugin_menu(self, menuinfo, list1):
705        """
706        fill the plugin menu with costumized models
707        """
708        if len(list1) == 0:
709            id = wx.NewId()
710            msg = "No model available check plugins.log for errors to fix problem"
711            menuinfo[1].Append(int(id), "Empty", msg)
712        self._fill_simple_menu(menuinfo, list1)
713       
714    def _fill_simple_menu(self, menuinfo, list1):
715        """
716        Fill the menu with list item
717       
718        :param modelmenu: the menu to fill
719        :param menuinfo: submenu item for the first column of this modelmenu
720                         with info.Should be a list :
721                         [name(string) , menu(wx.menu), help(string)]
722        :param list1: contains item (form factor )to fill modelmenu second column
723       
724        """
725        if len(list1) > 0:
726            self.model_combobox.set_list(menuinfo[0], list1)
727           
728            for item in list1:
729                try:
730                    id = wx.NewId()
731                    struct_factor = item()
732                    struct_name = struct_factor.__class__.__name__
733                    if hasattr(struct_factor, "name"):
734                        struct_name = struct_factor.name
735                       
736                    menuinfo[1].Append(int(id), struct_name, struct_name)
737                    if not  item in self.struct_factor_dict.itervalues():
738                        self.struct_factor_dict[str(id)] = item
739                    wx.EVT_MENU(self.event_owner, int(id), self._on_model)
740                except:
741                    msg = "Error Occured: %s" % sys.exc_value
742                    wx.PostEvent(self.event_owner, StatusEvent(status=msg))
743               
744        id = wx.NewId()
745        self.modelmenu.AppendMenu(id, menuinfo[0], menuinfo[1], menuinfo[2])
746       
747    def _fill_menu(self, menuinfo, list1, list2):
748        """
749        Fill the menu with list item
750       
751        :param menuinfo: submenu item for the first column of this modelmenu
752                         with info.Should be a list :
753                         [name(string) , menu(wx.menu), help(string)]
754        :param list1: contains item (form factor )to fill modelmenu second column
755        :param list2: contains item (Structure factor )to fill modelmenu
756                third column
757               
758        """
759        if len(list1) > 0:
760            self.model_combobox.set_list(menuinfo[0], list1)
761           
762            for item in list1:
763                form_factor = item()
764                form_name = form_factor.__class__.__name__
765                if hasattr(form_factor, "name"):
766                    form_name = form_factor.name
767                ### store form factor to return to other users
768                newmenu = wx.Menu()
769                if len(list2) > 0:
770                    for model  in list2:
771                        id = wx.NewId()
772                        struct_factor = model()
773                        name = struct_factor.__class__.__name__
774                        if hasattr(struct_factor, "name"):
775                            name = struct_factor.name
776                        newmenu.Append(id, name, name)
777                        wx.EVT_MENU(self.event_owner, int(id), self._on_model)
778                        ## save form_fact and struct_fact
779                        self.form_factor_dict[int(id)] = [form_factor,
780                                                          struct_factor]
781                       
782                form_id = wx.NewId()
783                menuinfo[1].AppendMenu(int(form_id), form_name,
784                                       newmenu, menuinfo[2])
785        id = wx.NewId()
786        self.modelmenu.AppendMenu(id, menuinfo[0], menuinfo[1], menuinfo[2])
787       
788    def _on_model(self, evt):
789        """
790        React to a model menu event
791       
792        :param event: wx menu event
793       
794        """
795        if int(evt.GetId()) in self.form_factor_dict.keys():
796            from sans.models.MultiplicationModel import MultiplicationModel
797            model1, model2 = self.form_factor_dict[int(evt.GetId())]
798            model = MultiplicationModel(model1, model2)
799        else:
800            model = self.struct_factor_dict[str(evt.GetId())]()
801       
802        #TODO: investigate why the following two lines were left in the code
803        #      even though the ModelEvent class doesn't exist
804        #evt = ModelEvent(model=model)
805        #wx.PostEvent(self.event_owner, evt)
806       
807    def _get_multifunc_models(self):
808        """
809        Get the multifunctional models
810        """
811        for item in self.plugins:
812            try:
813                # check the multiplicity if any
814                if item.multiplicity_info[0] > 1:
815                    self.multi_func_list.append(item)
816            except:
817                # pass to other items
818                pass
819                   
820    def get_model_list(self):
821        """
822        return dictionary of models for fitpanel use
823       
824        """
825        self.model_combobox.set_list("Shapes", self.shape_list)
826        self.model_combobox.set_list("Shape-Independent",
827                                     self.shape_indep_list)
828        self.model_combobox.set_list("Structure Factors", self.struct_list)
829        self.model_combobox.set_list("Customized Models", self.plugins)
830        self.model_combobox.set_list("P(Q)*S(Q)", self.multiplication_factor)
831        self.model_combobox.set_list("multiplication",
832                                     self.multiplication_factor)
833        self.model_combobox.set_list("Multi-Functions", self.multi_func_list)
834        return self.model_combobox.get_list()
835   
836    def get_model_name_list(self):
837        """
838        return regular model name list
839        """
840        return self.model_name_list
841 
842       
843class ModelManager(object):
844    """
845    implement model
846    """
847    __modelmanager = ModelManagerBase()
848   
849    def findModels(self):
850        return self.__modelmanager.findModels()
851   
852    def _getModelList(self):
853        return self.__modelmanager._getModelList()
854   
855    def is_changed(self):
856        return self.__modelmanager.is_changed()
857   
858    def update(self):
859        return self.__modelmanager.update()
860   
861    def pulgins_reset(self):
862        return self.__modelmanager.pulgins_reset()
863   
864    def populate_menu(self, modelmenu, event_owner):
865        return self.__modelmanager.populate_menu(modelmenu, event_owner)
866   
867    def _on_model(self, evt):
868        return self.__modelmanager._on_model(evt)
869   
870    def _get_multifunc_models(self):
871        return self.__modelmanager._get_multifunc_models()
872   
873    def get_model_list(self):
874        return self.__modelmanager.get_model_list()
875   
876    def get_model_name_list(self):
877        return self.__modelmanager.get_model_name_list()
Note: See TracBrowser for help on using the repository browser.