source: sasmodels/sasmodels/generate.py @ 7891a2a

core_shell_microgelscostrafo411magnetic_modelrelease_v0.94release_v0.95ticket-1257-vesicle-productticket_1156ticket_1265_superballticket_822_more_unit_tests
Last change on this file since 7891a2a was 7891a2a, checked in by Paul Kienzle <pkienzle@…>, 8 years ago

Merge branch 'master' into polydisp

  • Property mode set to 100644
File size: 24.7 KB
Line 
1"""
2SAS model constructor.
3
4Small angle scattering models are defined by a set of kernel functions:
5
6    *Iq(q, p1, p2, ...)* returns the scattering at q for a form with
7    particular dimensions averaged over all orientations.
8
9    *Iqxy(qx, qy, p1, p2, ...)* returns the scattering at qx, qy for a form
10    with particular dimensions for a single orientation.
11
12    *Imagnetic(qx, qy, result[], p1, p2, ...)* returns the scattering for the
13    polarized neutron spin states (up-up, up-down, down-up, down-down) for
14    a form with particular dimensions for a single orientation.
15
16    *form_volume(p1, p2, ...)* returns the volume of the form with particular
17    dimension, or 1.0 if no volume normalization is required.
18
19    *ER(p1, p2, ...)* returns the effective radius of the form with
20    particular dimensions.
21
22    *VR(p1, p2, ...)* returns the volume ratio for core-shell style forms.
23
24    #define INVALID(v) (expr)  returns False if v.parameter is invalid
25    for some parameter or other (e.g., v.bell_radius < v.radius).  If
26    necessary, the expression can call a function.
27
28These functions are defined in a kernel module .py script and an associated
29set of .c files.  The model constructor will use them to create models with
30polydispersity across volume and orientation parameters, and provide
31scale and background parameters for each model.
32
33*Iq*, *Iqxy*, *Imagnetic* and *form_volume* should be stylized C-99
34functions written for OpenCL.  All functions need prototype declarations
35even if the are defined before they are used.  OpenCL does not support
36*#include* preprocessor directives, so instead the list of includes needs
37to be given as part of the metadata in the kernel module definition.
38The included files should be listed using a path relative to the kernel
39module, or if using "lib/file.c" if it is one of the standard includes
40provided with the sasmodels source.  The includes need to be listed in
41order so that functions are defined before they are used.
42
43Floating point values should be declared as *double*.  For single precision
44calculations, *double* will be replaced by *float*.  The single precision
45conversion will also tag floating point constants with "f" to make them
46single precision constants.  When using integral values in floating point
47expressions, they should be expressed as floating point values by including
48a decimal point.  This includes 0., 1. and 2.
49
50OpenCL has a *sincos* function which can improve performance when both
51the *sin* and *cos* values are needed for a particular argument.  Since
52this function does not exist in C99, all use of *sincos* should be
53replaced by the macro *SINCOS(value, sn, cn)* where *sn* and *cn* are
54previously declared *double* variables.  When compiled for systems without
55OpenCL, *SINCOS* will be replaced by *sin* and *cos* calls.   If *value* is
56an expression, it will appear twice in this case; whether or not it will be
57evaluated twice depends on the quality of the compiler.
58
59If the input parameters are invalid, the scattering calculator should
60return a negative number. Particularly with polydispersity, there are
61some sets of shape parameters which lead to nonsensical forms, such
62as a capped cylinder where the cap radius is smaller than the
63cylinder radius.  The polydispersity calculation will ignore these points,
64effectively chopping the parameter weight distributions at the boundary
65of the infeasible region.  The resulting scattering will be set to
66background.  This will work correctly even when polydispersity is off.
67
68*ER* and *VR* are python functions which operate on parameter vectors.
69The constructor code will generate the necessary vectors for computing
70them with the desired polydispersity.
71The kernel module must set variables defining the kernel meta data:
72
73    *id* is an implicit variable formed from the filename.  It will be
74    a valid python identifier, and will be used as the reference into
75    the html documentation, with '_' replaced by '-'.
76
77    *name* is the model name as displayed to the user.  If it is missing,
78    it will be constructed from the id.
79
80    *title* is a short description of the model, suitable for a tool tip,
81    or a one line model summary in a table of models.
82
83    *description* is an extended description of the model to be displayed
84    while the model parameters are being edited.
85
86    *parameters* is the list of parameters.  Parameters in the kernel
87    functions must appear in the same order as they appear in the
88    parameters list.  Two additional parameters, *scale* and *background*
89    are added to the beginning of the parameter list.  They will show up
90    in the documentation as model parameters, but they are never sent to
91    the kernel functions.  Note that *effect_radius* and *volfraction*
92    must occur first in structure factor calculations.
93
94    *category* is the default category for the model.  The category is
95    two level structure, with the form "group:section", indicating where
96    in the manual the model will be located.  Models are alphabetical
97    within their section.
98
99    *source* is the list of C-99 source files that must be joined to
100    create the OpenCL kernel functions.  The files defining the functions
101    need to be listed before the files which use the functions.
102
103    *ER* is a python function defining the effective radius.  If it is
104    not present, the effective radius is 0.
105
106    *VR* is a python function defining the volume ratio.  If it is not
107    present, the volume ratio is 1.
108
109    *form_volume*, *Iq*, *Iqxy*, *Imagnetic* are strings containing the
110    C source code for the body of the volume, Iq, and Iqxy functions
111    respectively.  These can also be defined in the last source file.
112
113    *Iq* and *Iqxy* also be instead be python functions defining the
114    kernel.  If they are marked as *Iq.vectorized = True* then the
115    kernel is passed the entire *q* vector at once, otherwise it is
116    passed values one *q* at a time.  The performance improvement of
117    this step is significant.
118
119    *demo* is a dictionary of parameter=value defining a set of
120    parameters to use by default when *compare* is called.  Any
121    parameter not set in *demo* gets the initial value from the
122    parameter list.  *demo* is mostly needed to set the default
123    polydispersity values for tests.
124
125A :class:`modelinfo.ModelInfo` structure is constructed from the kernel meta
126data and returned to the caller.
127
128The doc string at the start of the kernel module will be used to
129construct the model documentation web pages.  Embedded figures should
130appear in the subdirectory "img" beside the model definition, and tagged
131with the kernel module name to avoid collision with other models.  Some
132file systems are case-sensitive, so only use lower case characters for
133file names and extensions.
134
135Code follows the C99 standard with the following extensions and conditions::
136
137    M_PI_180 = pi/180
138    M_4PI_3 = 4pi/3
139    square(x) = x*x
140    cube(x) = x*x*x
141    sinc(x) = sin(x)/x, with sin(0)/0 -> 1
142    all double precision constants must include the decimal point
143    all double declarations may be converted to half, float, or long double
144    FLOAT_SIZE is the number of bytes in the converted variables
145
146:func:`load_kernel_module` loads the model definition file and
147:modelinfo:`make_model_info` parses it. :func:`make_source`
148converts C-based model definitions to C source code, including the
149polydispersity integral.  :func:`model_sources` returns the list of
150source files the model depends on, and :func:`timestamp` returns
151the latest time stamp amongst the source files (so you can check if
152the model needs to be rebuilt).
153
154The function :func:`make_doc` extracts the doc string and adds the
155parameter table to the top.  *make_figure* in *sasmodels/doc/genmodel*
156creates the default figure for the model.  [These two sets of code
157should mignrate into docs.py so docs can be updated in one place].
158"""
159from __future__ import print_function
160
161# TODO: determine which functions are useful outside of generate
162#__all__ = ["model_info", "make_doc", "make_source", "convert_type"]
163
164import sys
165from os.path import abspath, dirname, join as joinpath, exists, isdir, getmtime
166import re
167import string
168import warnings
169
170import numpy as np  # type: ignore
171
172from .modelinfo import Parameter
173from .custom import load_custom_kernel_module
174
175try:
176    from typing import Tuple, Sequence, Iterator, Dict
177    from .modelinfo import ModelInfo
178except ImportError:
179    pass
180
181SIBLING_DIR = 'sasmodels-data'
182PACKAGE_PATH = abspath(dirname(__file__))
183SIBLING_PATH = abspath(joinpath(PACKAGE_PATH, '..', 'sasmodels-data'))
184DATA_PATH = SIBLING_PATH if isdir(SIBLING_PATH) else PACKAGE_PATH
185MODEL_PATH = joinpath(DATA_PATH, 'models')
186
187F16 = np.dtype('float16')
188F32 = np.dtype('float32')
189F64 = np.dtype('float64')
190try:  # CRUFT: older numpy does not support float128
191    F128 = np.dtype('float128')
192except TypeError:
193    F128 = None
194
195# Conversion from units defined in the parameter table for each model
196# to units displayed in the sphinx documentation.
197RST_UNITS = {
198    "Ang": "|Ang|",
199    "1/Ang": "|Ang^-1|",
200    "1/Ang^2": "|Ang^-2|",
201    "1e-6/Ang^2": "|1e-6Ang^-2|",
202    "degrees": "degree",
203    "1/cm": "|cm^-1|",
204    "Ang/cm": "|Ang*cm^-1|",
205    "g/cm3": "|g/cm^3|",
206    "mg/m2": "|mg/m^2|",
207    "": "None",
208    }
209
210# Headers for the parameters tables in th sphinx documentation
211PARTABLE_HEADERS = [
212    "Parameter",
213    "Description",
214    "Units",
215    "Default value",
216    ]
217
218# Minimum width for a default value (this is shorter than the column header
219# width, so will be ignored).
220PARTABLE_VALUE_WIDTH = 10
221
222# Documentation header for the module, giving the model name, its short
223# description and its parameter table.  The remainder of the doc comes
224# from the module docstring.
225DOC_HEADER = """.. _%(id)s:
226
227%(name)s
228=======================================================
229
230%(title)s
231
232%(parameters)s
233
234%(returns)s
235
236%(docs)s
237"""
238
239
240def format_units(units):
241    # type: (str) -> str
242    """
243    Convert units into ReStructured Text format.
244    """
245    return "string" if isinstance(units, list) else RST_UNITS.get(units, units)
246
247
248def make_partable(pars):
249    # type: (List[Parameter]) -> str
250    """
251    Generate the parameter table to include in the sphinx documentation.
252    """
253    column_widths = [
254        max(len(p.name) for p in pars),
255        max(len(p.description) for p in pars),
256        max(len(format_units(p.units)) for p in pars),
257        PARTABLE_VALUE_WIDTH,
258        ]
259    column_widths = [max(w, len(h))
260                     for w, h in zip(column_widths, PARTABLE_HEADERS)]
261
262    sep = " ".join("="*w for w in column_widths)
263    lines = [
264        sep,
265        " ".join("%-*s" % (w, h)
266                 for w, h in zip(column_widths, PARTABLE_HEADERS)),
267        sep,
268        ]
269    for p in pars:
270        lines.append(" ".join([
271            "%-*s" % (column_widths[0], p.name),
272            "%-*s" % (column_widths[1], p.description),
273            "%-*s" % (column_widths[2], format_units(p.units)),
274            "%*g" % (column_widths[3], p.default),
275            ]))
276    lines.append(sep)
277    return "\n".join(lines)
278
279
280def _search(search_path, filename):
281    # type: (List[str], str) -> str
282    """
283    Find *filename* in *search_path*.
284
285    Raises ValueError if file does not exist.
286    """
287    for path in search_path:
288        target = joinpath(path, filename)
289        if exists(target):
290            return target
291    raise ValueError("%r not found in %s" % (filename, search_path))
292
293
294def model_sources(model_info):
295    # type: (ModelInfo) -> List[str]
296    """
297    Return a list of the sources file paths for the module.
298    """
299    search_path = [dirname(model_info.filename), MODEL_PATH]
300    return [_search(search_path, f) for f in model_info.source]
301
302
303def timestamp(model_info):
304    # type: (ModelInfo) -> int
305    """
306    Return a timestamp for the model corresponding to the most recently
307    changed file or dependency.
308
309    Note that this does not look at the time stamps for the OpenCL header
310    information since that need not trigger a recompile of the DLL.
311    """
312    source_files = (model_sources(model_info)
313                    + model_templates()
314                    + [model_info.filename])
315    newest = max(getmtime(f) for f in source_files)
316    return newest
317
318
319def model_templates():
320    # type: () -> List[str]
321    # TODO: fails DRY; templates appear two places.
322    # should instead have model_info contain a list of paths
323    # Note: kernel_iq.cl is not on this list because changing it need not
324    # trigger a recompile of the dll.
325    return [joinpath(DATA_PATH, filename)
326            for filename in ('kernel_header.c', 'kernel_iq.c')]
327
328
329def convert_type(source, dtype):
330    # type: (str, np.dtype) -> str
331    """
332    Convert code from double precision to the desired type.
333
334    Floating point constants are tagged with 'f' for single precision or 'L'
335    for long double precision.
336    """
337    if dtype == F16:
338        fbytes = 2
339        source = _convert_type(source, "half", "f")
340    elif dtype == F32:
341        fbytes = 4
342        source = _convert_type(source, "float", "f")
343    elif dtype == F64:
344        fbytes = 8
345        # no need to convert if it is already double
346    elif dtype == F128:
347        fbytes = 16
348        source = _convert_type(source, "long double", "L")
349    else:
350        raise ValueError("Unexpected dtype in source conversion: %s" % dtype)
351    return ("#define FLOAT_SIZE %d\n" % fbytes)+source
352
353
354def _convert_type(source, type_name, constant_flag):
355    # type: (str, str, str) -> str
356    """
357    Replace 'double' with *type_name* in *source*, tagging floating point
358    constants with *constant_flag*.
359    """
360    # Convert double keyword to float/long double/half.
361    # Accept an 'n' # parameter for vector # values, where n is 2, 4, 8 or 16.
362    # Assume complex numbers are represented as cdouble which is typedef'd
363    # to double2.
364    source = re.sub(r'(^|[^a-zA-Z0-9_]c?)double(([248]|16)?($|[^a-zA-Z0-9_]))',
365                    r'\1%s\2'%type_name, source)
366    # Convert floating point constants to single by adding 'f' to the end,
367    # or long double with an 'L' suffix.  OS/X complains if you don't do this.
368    source = re.sub(r'[^a-zA-Z_](\d*[.]\d+|\d+[.]\d*)([eE][+-]?\d+)?',
369                    r'\g<0>%s'%constant_flag, source)
370    return source
371
372
373def kernel_name(model_info, is_2d):
374    # type: (ModelInfo, bool) -> str
375    """
376    Name of the exported kernel symbol.
377    """
378    return model_info.name + "_" + ("Iqxy" if is_2d else "Iq")
379
380
381def indent(s, depth):
382    # type: (str, int) -> str
383    """
384    Indent a string of text with *depth* additional spaces on each line.
385    """
386    spaces = " "*depth
387    sep = "\n" + spaces
388    return spaces + sep.join(s.split("\n"))
389
390
391_template_cache = {}  # type: Dict[str, Tuple[int, str, str]]
392def load_template(filename):
393    # type: (str) -> str
394    path = joinpath(DATA_PATH, filename)
395    mtime = getmtime(path)
396    if filename not in _template_cache or mtime > _template_cache[filename][0]:
397        with open(path) as fid:
398            _template_cache[filename] = (mtime, fid.read(), path)
399    return _template_cache[filename][1], path
400
401
402_FN_TEMPLATE = """\
403double %(name)s(%(pars)s);
404double %(name)s(%(pars)s) {
405#line %(line)d "%(filename)s"
406    %(body)s
407}
408
409"""
410def _gen_fn(name, pars, body, filename, line):
411    # type: (str, List[Parameter], str, str, int) -> str
412    """
413    Generate a function given pars and body.
414
415    Returns the following string::
416
417         double fn(double a, double b, ...);
418         double fn(double a, double b, ...) {
419             ....
420         }
421    """
422    par_decl = ', '.join(p.as_function_argument() for p in pars) if pars else 'void'
423    return _FN_TEMPLATE % {
424        'name': name, 'pars': par_decl, 'body': body,
425        'filename': filename.replace('\\', '\\\\'), 'line': line,
426    }
427
428
429def _call_pars(prefix, pars):
430    # type: (str, List[Parameter]) -> List[str]
431    """
432    Return a list of *prefix.parameter* from parameter items.
433    """
434    return [p.as_call_reference(prefix) for p in pars]
435
436
437_IQXY_PATTERN = re.compile("^((inline|static) )? *(double )? *Iqxy *([(]|$)",
438                           flags=re.MULTILINE)
439def _have_Iqxy(sources):
440    # type: (List[str]) -> bool
441    """
442    Return true if any file defines Iqxy.
443
444    Note this is not a C parser, and so can be easily confused by
445    non-standard syntax.  Also, it will incorrectly identify the following
446    as having Iqxy::
447
448        /*
449        double Iqxy(qx, qy, ...) { ... fill this in later ... }
450        */
451
452    If you want to comment out an Iqxy function, use // on the front of the
453    line instead.
454    """
455    for code, path in sources:
456        if _IQXY_PATTERN.search(code):
457            return True
458    else:
459        return False
460
461
462def _add_source(source, code, path):
463    """
464    Add a file to the list of source code chunks, tagged with path and line.
465    """
466    path = path.replace('\\', '\\\\')
467    source.append('#line 1 "%s"' % path)
468    source.append(code)
469
470
471def make_source(model_info):
472    # type: (ModelInfo) -> str
473    """
474    Generate the OpenCL/ctypes kernel from the module info.
475
476    Uses source files found in the given search path.  Returns None if this
477    is a pure python model, with no C source components.
478    """
479    if callable(model_info.Iq):
480        raise ValueError("can't compile python model")
481
482    # TODO: need something other than volume to indicate dispersion parameters
483    # No volume normalization despite having a volume parameter.
484    # Thickness is labelled a volume in order to trigger polydispersity.
485    # May want a separate dispersion flag, or perhaps a separate category for
486    # disperse, but not volume.  Volume parameters also use relative values
487    # for the distribution rather than the absolute values used by angular
488    # dispersion.  Need to be careful that necessary parameters are available
489    # for computing volume even if we allow non-disperse volume parameters.
490
491    partable = model_info.parameters
492
493    # Load templates and user code
494    kernel_header = load_template('kernel_header.c')
495    dll_code = load_template('kernel_iq.c')
496    ocl_code = load_template('kernel_iq.cl')
497    #ocl_code = load_template('kernel_iq_local.cl')
498    user_code = [(f, open(f).read()) for f in model_sources(model_info)]
499
500    # Build initial sources
501    source = []
502    _add_source(source, *kernel_header)
503    for path, code in user_code:
504        _add_source(source, code, path)
505
506    # Make parameters for q, qx, qy so that we can use them in declarations
507    q, qx, qy = [Parameter(name=v) for v in ('q', 'qx', 'qy')]
508    # Generate form_volume function, etc. from body only
509    if isinstance(model_info.form_volume, str):
510        pars = partable.form_volume_parameters
511        source.append(_gen_fn('form_volume', pars, model_info.form_volume,
512                              model_info.filename, model_info._form_volume_line))
513    if isinstance(model_info.Iq, str):
514        pars = [q] + partable.iq_parameters
515        source.append(_gen_fn('Iq', pars, model_info.Iq,
516                              model_info.filename, model_info._Iq_line))
517    if isinstance(model_info.Iqxy, str):
518        pars = [qx, qy] + partable.iqxy_parameters
519        source.append(_gen_fn('Iqxy', pars, model_info.Iqxy,
520                              model_info.filename, model_info._Iqxy_line))
521
522    # Define the parameter table
523    source.append("#define PARAMETER_TABLE \\")
524    source.append("\\\n".join(p.as_definition()
525                              for p in partable.kernel_parameters))
526
527    # Define the function calls
528    if partable.form_volume_parameters:
529        refs = _call_pars("_v.", partable.form_volume_parameters)
530        call_volume = "#define CALL_VOLUME(_v) form_volume(%s)"%(",".join(refs))
531    else:
532        # Model doesn't have volume.  We could make the kernel run a little
533        # faster by not using/transferring the volume normalizations, but
534        # the ifdef's reduce readability more than is worthwhile.
535        call_volume = "#define CALL_VOLUME(v) 1.0"
536    source.append(call_volume)
537
538    refs = ["_q[_i]"] + _call_pars("_v.", partable.iq_parameters)
539    call_iq = "#define CALL_IQ(_q,_i,_v) Iq(%s)" % (",".join(refs))
540    if _have_Iqxy(user_code):
541        # Call 2D model
542        refs = ["q[2*_i]", "q[2*_i+1]"] + _call_pars("_v.", partable.iqxy_parameters)
543        call_iqxy = "#define CALL_IQ(_q,_i,_v) Iqxy(%s)" % (",".join(refs))
544    else:
545        # Call 1D model with sqrt(qx^2 + qy^2)
546        warnings.warn("Creating Iqxy = Iq(sqrt(qx^2 + qy^2))")
547        # still defined:: refs = ["q[i]"] + _call_pars("v", iq_parameters)
548        pars_sqrt = ["sqrt(_q[2*_i]*_q[2*_i]+_q[2*_i+1]*_q[2*_i+1])"] + refs[1:]
549        call_iqxy = "#define CALL_IQ(_q,_i,_v) Iq(%s)" % (",".join(pars_sqrt))
550
551    # Fill in definitions for numbers of parameters
552    source.append("#define MAX_PD %s"%partable.max_pd)
553    source.append("#define NPARS %d"%partable.npars)
554
555    # TODO: allow mixed python/opencl kernels?
556
557    source.append("#if defined(USE_OPENCL)")
558    source.extend(_add_kernels(ocl_code[0], call_iq, call_iqxy, model_info.name))
559    source.append("#else /* !USE_OPENCL */")
560    source.extend(_add_kernels(dll_code[0], call_iq, call_iqxy, model_info.name))
561    source.append("#endif /* !USE_OPENCL */")
562    return '\n'.join(source)
563
564
565def _add_kernels(kernel_code, call_iq, call_iqxy, name):
566    # type: (str, str, str, str) -> List[str]
567    source = [
568        # define the Iq kernel
569        "#define KERNEL_NAME %s_Iq"%name,
570        call_iq,
571        kernel_code,
572        "#undef CALL_IQ",
573        "#undef KERNEL_NAME",
574
575        # define the Iqxy kernel from the same source with different #defines
576        "#define KERNEL_NAME %s_Iqxy"%name,
577        call_iqxy,
578        kernel_code,
579        "#undef CALL_IQ",
580        "#undef KERNEL_NAME",
581    ]
582    return source
583
584
585def load_kernel_module(model_name):
586    # type: (str) -> module
587    """
588    Return the kernel module named in *model_name*.
589
590    If the name ends in *.py* then load it as a custom model using
591    :func:`sasmodels.custom.load_custom_kernel_module`, otherwise
592    load it from :mod:`sasmodels.models`.
593    """
594    if model_name.endswith('.py'):
595        kernel_module = load_custom_kernel_module(model_name)
596    else:
597        from sasmodels import models
598        __import__('sasmodels.models.'+model_name)
599        kernel_module = getattr(models, model_name, None)
600    return kernel_module
601
602
603section_marker = re.compile(r'\A(?P<first>[%s])(?P=first)*\Z'
604                            % re.escape(string.punctuation))
605def _convert_section_titles_to_boldface(lines):
606    # type: (Sequence[str]) -> Iterator[str]
607    """
608    Do the actual work of identifying and converting section headings.
609    """
610    prior = None
611    for line in lines:
612        if prior is None:
613            prior = line
614        elif section_marker.match(line):
615            if len(line) >= len(prior):
616                yield "".join(("**", prior, "**"))
617                prior = None
618            else:
619                yield prior
620                prior = line
621        else:
622            yield prior
623            prior = line
624    if prior is not None:
625        yield prior
626
627
628def convert_section_titles_to_boldface(s):
629    # type: (str) -> str
630    """
631    Use explicit bold-face rather than section headings so that the table of
632    contents is not polluted with section names from the model documentation.
633
634    Sections are identified as the title line followed by a line of punctuation
635    at least as long as the title line.
636    """
637    return "\n".join(_convert_section_titles_to_boldface(s.split('\n')))
638
639
640def make_doc(model_info):
641    # type: (ModelInfo) -> str
642    """
643    Return the documentation for the model.
644    """
645    Iq_units = "The returned value is scaled to units of |cm^-1| |sr^-1|, absolute scale."
646    Sq_units = "The returned value is a dimensionless structure factor, $S(q)$."
647    docs = convert_section_titles_to_boldface(model_info.docs)
648    pars = make_partable(model_info.parameters.COMMON
649                         + model_info.parameters.kernel_parameters)
650    subst = dict(id=model_info.id.replace('_', '-'),
651                 name=model_info.name,
652                 title=model_info.title,
653                 parameters=pars,
654                 returns=Sq_units if model_info.structure_factor else Iq_units,
655                 docs=docs)
656    return DOC_HEADER % subst
657
658
659def demo_time():
660    # type: () -> None
661    """
662    Show how long it takes to process a model.
663    """
664    import datetime
665    from .modelinfo import make_model_info
666    from .models import cylinder
667
668    tic = datetime.datetime.now()
669    make_source(make_model_info(cylinder))
670    toc = (datetime.datetime.now() - tic).total_seconds()
671    print("time: %g"%toc)
672
673
674def main():
675    # type: () -> None
676    """
677    Program which prints the source produced by the model.
678    """
679    import sys
680    from .modelinfo import make_model_info
681
682    if len(sys.argv) <= 1:
683        print("usage: python -m sasmodels.generate modelname")
684    else:
685        name = sys.argv[1]
686        kernel_module = load_kernel_module(name)
687        model_info = make_model_info(kernel_module)
688        source = make_source(model_info)
689        print(source)
690
691
692if __name__ == "__main__":
693    main()
Note: See TracBrowser for help on using the repository browser.