xref: /petsc/config/gmakegentest.py (revision daba9d70159ea2f6905738fcbec7404635487b2b)
1df3bd252SSatish Balay#!/usr/bin/env python3
229921a8fSScott Kruger
35b6bfdb9SJed Brownfrom __future__ import print_function
46f5e9bd5SScott Krugerimport pickle
529921a8fSScott Krugerimport os,shutil, string, re
629921a8fSScott Krugerimport sys
76ac365aeSScott Krugerimport logging, time
829921a8fSScott Krugerimport types
9fa236c6aSJacob Faibussowitschimport shlex
1029921a8fSScott Krugersys.path.insert(0, os.path.abspath(os.path.dirname(__file__)))
117b8851e6SJed Brownfrom collections import defaultdict
1229921a8fSScott Krugerfrom gmakegen import *
1329921a8fSScott Kruger
1429921a8fSScott Krugerimport inspect
1529921a8fSScott Krugerthisscriptdir = os.path.dirname(os.path.abspath(inspect.getfile(inspect.currentframe())))
1629921a8fSScott Krugersys.path.insert(0,thisscriptdir)
1729921a8fSScott Krugerimport testparse
1829921a8fSScott Krugerimport example_template
1929921a8fSScott Kruger
204ff3c6a1SScott Kruger"""
214ff3c6a1SScott Kruger
228e69c5ecSJed BrownThere are 2 modes of running tests: Normal builds and run from prefix of
238e69c5ecSJed Browninstall.  They affect where to find things:
244ff3c6a1SScott Kruger
254ff3c6a1SScott KrugerCase 1.  Normal builds:
264ff3c6a1SScott Kruger
274ff3c6a1SScott Kruger     +---------------------+----------------------------------+
284ff3c6a1SScott Kruger     | PETSC_DIR           | <git dir>                        |
294ff3c6a1SScott Kruger     +---------------------+----------------------------------+
304ff3c6a1SScott Kruger     | PETSC_ARCH          | arch-foo                         |
314ff3c6a1SScott Kruger     +---------------------+----------------------------------+
324ff3c6a1SScott Kruger     | PETSC_LIBDIR        | PETSC_DIR/PETSC_ARCH/lib         |
334ff3c6a1SScott Kruger     +---------------------+----------------------------------+
344ff3c6a1SScott Kruger     | PETSC_EXAMPLESDIR   | PETSC_DIR/src                    |
354ff3c6a1SScott Kruger     +---------------------+----------------------------------+
364ff3c6a1SScott Kruger     | PETSC_TESTDIR       | PETSC_DIR/PETSC_ARCH/tests       |
374ff3c6a1SScott Kruger     +---------------------+----------------------------------+
384ff3c6a1SScott Kruger     | PETSC_GMAKEFILETEST | PETSC_DIR/gmakefile.test         |
394ff3c6a1SScott Kruger     +---------------------+----------------------------------+
404ff3c6a1SScott Kruger     | PETSC_GMAKEGENTEST  | PETSC_DIR/config/gmakegentest.py |
414ff3c6a1SScott Kruger     +---------------------+----------------------------------+
424ff3c6a1SScott Kruger
438e69c5ecSJed BrownCase 2.  From install dir:
444ff3c6a1SScott Kruger
454ff3c6a1SScott Kruger     +---------------------+-------------------------------------------------------+
464ff3c6a1SScott Kruger     | PETSC_DIR           | <prefix dir>                                          |
474ff3c6a1SScott Kruger     +---------------------+-------------------------------------------------------+
484ff3c6a1SScott Kruger     | PETSC_ARCH          | ''                                                    |
494ff3c6a1SScott Kruger     +---------------------+-------------------------------------------------------+
504ff3c6a1SScott Kruger     | PETSC_LIBDIR        | PETSC_DIR/PETSC_ARCH/lib                              |
514ff3c6a1SScott Kruger     +---------------------+-------------------------------------------------------+
524ff3c6a1SScott Kruger     | PETSC_EXAMPLESDIR   | PETSC_DIR/share/petsc/examples/src                    |
534ff3c6a1SScott Kruger     +---------------------+-------------------------------------------------------+
544ff3c6a1SScott Kruger     | PETSC_TESTDIR       | PETSC_DIR/PETSC_ARCH/tests                            |
554ff3c6a1SScott Kruger     +---------------------+-------------------------------------------------------+
564ff3c6a1SScott Kruger     | PETSC_GMAKEFILETEST | PETSC_DIR/share/petsc/examples/gmakefile.test         |
574ff3c6a1SScott Kruger     +---------------------+-------------------------------------------------------+
584ff3c6a1SScott Kruger     | PETSC_GMAKEGENTEST  | PETSC_DIR/share/petsc/examples/config/gmakegentest.py |
594ff3c6a1SScott Kruger     +---------------------+-------------------------------------------------------+
604ff3c6a1SScott Kruger
614ff3c6a1SScott Kruger"""
628e69c5ecSJed Brown
638e69c5ecSJed Browndef install_files(source, destdir):
648e69c5ecSJed Brown  """Install file or directory 'source' to 'destdir'.  Does not preserve
658e69c5ecSJed Brown  mode (permissions).
668e69c5ecSJed Brown  """
678e69c5ecSJed Brown  if not os.path.isdir(destdir):
688e69c5ecSJed Brown    os.makedirs(destdir)
698e69c5ecSJed Brown  if os.path.isdir(source):
708e69c5ecSJed Brown    for name in os.listdir(source):
718e69c5ecSJed Brown      install_files(os.path.join(source, name), os.path.join(destdir, os.path.basename(source)))
728e69c5ecSJed Brown  else:
738e69c5ecSJed Brown    shutil.copyfile(source, os.path.join(destdir, os.path.basename(source)))
748e69c5ecSJed Brown
756f5e9bd5SScott Krugerdef nameSpace(srcfile,srcdir):
766f5e9bd5SScott Kruger  """
776f5e9bd5SScott Kruger  Because the scripts have a non-unique naming, the pretty-printing
786f5e9bd5SScott Kruger  needs to convey the srcdir and srcfile.  There are two ways of doing this.
796f5e9bd5SScott Kruger  """
806f5e9bd5SScott Kruger  if srcfile.startswith('run'): srcfile=re.sub('^run','',srcfile)
81c4762a1bSJed Brown  prefix=srcdir.replace("/","_")+"-"
826f5e9bd5SScott Kruger  nameString=prefix+srcfile
836f5e9bd5SScott Kruger  return nameString
846f5e9bd5SScott Kruger
8529921a8fSScott Krugerclass generateExamples(Petsc):
8629921a8fSScott Kruger  """
8729921a8fSScott Kruger    gmakegen.py has basic structure for finding the files, writing out
8829921a8fSScott Kruger      the dependencies, etc.
8929921a8fSScott Kruger  """
905e361860SScott Kruger  def __init__(self,petsc_dir=None, petsc_arch=None, pkg_dir=None, pkg_arch=None, pkg_name=None, pkg_pkgs=None, testdir='tests', verbose=False, single_ex=False, srcdir=None, check=False):
91a95bf149SBarry Smith    super(generateExamples, self).__init__(petsc_dir=petsc_dir, petsc_arch=petsc_arch, pkg_dir=pkg_dir, pkg_arch=pkg_arch, pkg_name=pkg_name, pkg_pkgs=pkg_pkgs)
9229921a8fSScott Kruger
9329921a8fSScott Kruger    self.single_ex=single_ex
94add6df95SStefano Zampini    self.srcdir=srcdir
955e361860SScott Kruger    self.check_output=check
96e551db17SScott Kruger
97c173c275SScott Kruger    # Set locations to handle movement
98fc46264cSScott Kruger    self.inInstallDir=self.getInInstallDir(thisscriptdir)
994ff3c6a1SScott Kruger
1002b66ce00SSatish Balay    # Special configuration for CI testing
1012b66ce00SSatish Balay    if self.petsc_arch.find('valgrind') >= 0:
1022b66ce00SSatish Balay      self.conf['PETSCTEST_VALGRIND']=1
1032b66ce00SSatish Balay
1048e69c5ecSJed Brown    if self.inInstallDir:
1054ff3c6a1SScott Kruger      # Case 2 discussed above
106c173c275SScott Kruger      # set PETSC_ARCH to install directory to allow script to work in both
107c173c275SScott Kruger      dirlist=thisscriptdir.split(os.path.sep)
108c173c275SScott Kruger      installdir=os.path.sep.join(dirlist[0:len(dirlist)-4])
109e551db17SScott Kruger      self.arch_dir=installdir
110add6df95SStefano Zampini      if self.srcdir is None:
111c173c275SScott Kruger        self.srcdir=os.path.join(os.path.dirname(thisscriptdir),'src')
1128e69c5ecSJed Brown    else:
1138e69c5ecSJed Brown      if petsc_arch == '':
1148e69c5ecSJed Brown        raise RuntimeError('PETSC_ARCH must be set when running from build directory')
1158e69c5ecSJed Brown      # Case 1 discussed above
1168e69c5ecSJed Brown      self.arch_dir=os.path.join(self.petsc_dir,self.petsc_arch)
117add6df95SStefano Zampini      if self.srcdir is None:
1188e69c5ecSJed Brown        self.srcdir=os.path.join(self.petsc_dir,'src')
119e551db17SScott Kruger
12094666443SJed Brown    self.testroot_dir=os.path.abspath(testdir)
121e551db17SScott Kruger
122cadd188bSScott Kruger    self.verbose=verbose
12329921a8fSScott Kruger    # Whether to write out a useful debugging
124cadd188bSScott Kruger    self.summarize=True if verbose else False
12529921a8fSScott Kruger
12629921a8fSScott Kruger    # For help in setting the requirements
127f573d068SPierre Jolivet    self.precision_types="__fp16 single double __float128".split()
12812a1f506SLisandro Dalcin    self.integer_types="int32 int64 long32 long64".split()
12928f796eaSScott Kruger    self.languages="fortran cuda hip sycl cxx cpp".split()    # Always requires C so do not list
13029921a8fSScott Kruger
13129921a8fSScott Kruger    # Things that are not test
13229921a8fSScott Kruger    self.buildkeys=testparse.buildkeys
13329921a8fSScott Kruger
13429921a8fSScott Kruger    # Adding a dictionary for storing sources, objects, and tests
13529921a8fSScott Kruger    # to make building the dependency tree easier
13629921a8fSScott Kruger    self.sources={}
13729921a8fSScott Kruger    self.objects={}
13829921a8fSScott Kruger    self.tests={}
13947fd361eSStefano Zampini    for pkg in self.pkg_pkgs:
14029921a8fSScott Kruger      self.sources[pkg]={}
14129921a8fSScott Kruger      self.objects[pkg]=[]
14229921a8fSScott Kruger      self.tests[pkg]={}
14329921a8fSScott Kruger      for lang in LANGS:
14429921a8fSScott Kruger        self.sources[pkg][lang]={}
14529921a8fSScott Kruger        self.sources[pkg][lang]['srcs']=[]
14629921a8fSScott Kruger        self.tests[pkg][lang]={}
14729921a8fSScott Kruger
14829921a8fSScott Kruger    if not os.path.isdir(self.testroot_dir): os.makedirs(self.testroot_dir)
1490357d61fSScott Kruger
1500357d61fSScott Kruger    self.indent="   "
151cadd188bSScott Kruger    if self.verbose: print('Finishing the constructor')
15229921a8fSScott Kruger    return
15329921a8fSScott Kruger
154c173c275SScott Kruger  def srcrelpath(self,rdir):
155c173c275SScott Kruger    """
156c173c275SScott Kruger    Get relative path to source directory
157c173c275SScott Kruger    """
15894666443SJed Brown    return os.path.relpath(rdir,self.srcdir)
159c173c275SScott Kruger
160fc46264cSScott Kruger  def getInInstallDir(self,thisscriptdir):
161c173c275SScott Kruger    """
162f0b74427SPierre Jolivet    When PETSc is installed then this file in installed in:
163c173c275SScott Kruger         <PREFIX>/share/petsc/examples/config/gmakegentest.py
164c173c275SScott Kruger    otherwise the path is:
165c173c275SScott Kruger         <PETSC_DIR>/config/gmakegentest.py
166c173c275SScott Kruger    We use this difference to determine if we are in installdir
167c173c275SScott Kruger    """
168c173c275SScott Kruger    dirlist=thisscriptdir.split(os.path.sep)
169c173c275SScott Kruger    if len(dirlist)>4:
170c173c275SScott Kruger      lastfour=os.path.sep.join(dirlist[len(dirlist)-4:])
171c173c275SScott Kruger      if lastfour==os.path.join('share','petsc','examples','config'):
172c173c275SScott Kruger        return True
173c173c275SScott Kruger      else:
174c173c275SScott Kruger        return False
175c173c275SScott Kruger    else:
176c173c275SScott Kruger      return False
177c173c275SScott Kruger
17829921a8fSScott Kruger  def getLanguage(self,srcfile):
17929921a8fSScott Kruger    """
18029921a8fSScott Kruger    Based on the source, determine associated language as found in gmakegen.LANGS
1813be2e2fdSJose E. Roman    Can we just return srcext[1:] now?
18229921a8fSScott Kruger    """
18329921a8fSScott Kruger    langReq=None
184c0558f20SBarry Smith    srcext = getlangext(srcfile)
18529921a8fSScott Kruger    if srcext in ".F90".split(): langReq="F90"
18629921a8fSScott Kruger    if srcext in ".F".split(): langReq="F"
18729921a8fSScott Kruger    if srcext in ".cxx".split(): langReq="cxx"
188c0558f20SBarry Smith    if srcext in ".kokkos.cxx".split(): langReq="kokkos_cxx"
189*d52a580bSJunchao Zhang    if srcext in ".hip.cxx".split(): langReq="hip_cxx"
190d23021a0SBarry Smith    if srcext in ".raja.cxx".split(): langReq="raja_cxx"
19147fd361eSStefano Zampini    if srcext in ".cpp".split(): langReq="cpp"
19229921a8fSScott Kruger    if srcext == ".cu": langReq="cu"
19329921a8fSScott Kruger    if srcext == ".c": langReq="c"
19431ad0a39SScott Kruger    #if not langReq: print("ERROR: ", srcext, srcfile)
19529921a8fSScott Kruger    return langReq
19629921a8fSScott Kruger
1972bbaaa9fSScott Kruger  def _getAltList(self,output_file,srcdir):
1982bbaaa9fSScott Kruger    ''' Calculate AltList based on output file-- see
1992bbaaa9fSScott Kruger       src/snes/tutorials/output/ex22*.out
2002bbaaa9fSScott Kruger    '''
2012bbaaa9fSScott Kruger    altlist=[output_file]
202c0558f20SBarry Smith    basefile = getlangsplit(output_file)
2032bbaaa9fSScott Kruger    for i in range(1,9):
2042bbaaa9fSScott Kruger      altroot=basefile+"_alt"
2052bbaaa9fSScott Kruger      if i > 1: altroot=altroot+"_"+str(i)
2062bbaaa9fSScott Kruger      af=altroot+".out"
2072bbaaa9fSScott Kruger      srcaf=os.path.join(srcdir,af)
2082bbaaa9fSScott Kruger      fullaf=os.path.join(self.petsc_dir,srcaf)
2092bbaaa9fSScott Kruger      if os.path.isfile(fullaf): altlist.append(srcaf)
2102bbaaa9fSScott Kruger
2112bbaaa9fSScott Kruger    return altlist
2122bbaaa9fSScott Kruger
21396d5c3b5SScott Kruger  def _getLoopVars(self,inDict,testname, isSubtest=False):
214e9b06b45SScott Kruger    """
215e9b06b45SScott Kruger    Given: 'args: -bs {{1 2 3 4 5}} -pc_type {{cholesky sor}} -ksp_monitor'
216e9b06b45SScott Kruger    Return:
21796d5c3b5SScott Kruger      inDict['args']: -ksp_monitor
21896d5c3b5SScott Kruger      inDict['subargs']: -bs ${bs} -pc_type ${pc_type}
2190357d61fSScott Kruger      loopVars['subargs']['varlist']=['bs' 'pc_type']   # Don't worry about OrderedDict
2207827e0d6SScott Kruger      loopVars['subargs']['bs']=[["bs"],["1 2 3 4 5"]]
2217827e0d6SScott Kruger      loopVars['subargs']['pc_type']=[["pc_type"],["cholesky sor"]]
22296d5c3b5SScott Kruger    subst should be passed in instead of inDict
223e9b06b45SScott Kruger    """
2242d1d28dbSJed Brown    loopVars={}; newargs=[]
225feeaa4f6SScott Kruger    lsuffix='+'
226671702b8SJed Brown    argregex = re.compile(' (?=-[a-zA-Z])')
227aae9f2d9SScott Kruger    from testparse import parseLoopArgs
2286a044f4fSJed Brown    for key in inDict:
2296a044f4fSJed Brown      if key in ('SKIP', 'regexes'):
2306a044f4fSJed Brown        continue
2310357d61fSScott Kruger      akey=('subargs' if key=='args' else key)  # what to assign
232862148f4SScott Kruger      if akey not in inDict: inDict[akey]=''
2336a044f4fSJed Brown      if akey == 'nsize' and not inDict['nsize'].startswith('{{'):
2346a044f4fSJed Brown        # Always generate a loop over nsize, even if there is only one value
2356a044f4fSJed Brown        inDict['nsize'] = '{{' + inDict['nsize'] + '}}'
2366a044f4fSJed Brown      keystr = str(inDict[key])
2370357d61fSScott Kruger      varlist = []
238089fa112SScott Kruger      for varset in argregex.split(keystr):
239e9b06b45SScott Kruger        if not varset.strip(): continue
240aae9f2d9SScott Kruger        if '{{' in varset:
241aae9f2d9SScott Kruger          keyvar,lvars,ftype=parseLoopArgs(varset)
242862148f4SScott Kruger          if akey not in loopVars: loopVars[akey]={}
2437827e0d6SScott Kruger          varlist.append(keyvar)
2442521ea3cSScott Kruger          loopVars[akey][keyvar]=[keyvar,lvars]
2457827e0d6SScott Kruger          if akey=='nsize':
2466a044f4fSJed Brown            if len(lvars.split()) > 1:
2472bbaaa9fSScott Kruger              lsuffix += akey +'-${i' + keyvar + '}'
2487827e0d6SScott Kruger          else:
2492bbaaa9fSScott Kruger            inDict[akey] += ' -'+keyvar+' ${i' + keyvar + '}'
2502bbaaa9fSScott Kruger            lsuffix+=keyvar+'-${i' + keyvar + '}_'
2517827e0d6SScott Kruger        else:
2522d1d28dbSJed Brown          if key=='args':
2532d1d28dbSJed Brown            newargs.append(varset.strip())
2542d1d28dbSJed Brown        if varlist:
2552d1d28dbSJed Brown          loopVars[akey]['varlist']=varlist
2568ba3acebSToby Isaac
2570357d61fSScott Kruger    # For subtests, args are always substituted in (not top level)
2580357d61fSScott Kruger    if isSubtest:
2595e361860SScott Kruger      inDict['subargs'] += " "+" ".join(newargs)
26096d5c3b5SScott Kruger      inDict['args']=''
261862148f4SScott Kruger      if 'label_suffix' in inDict:
262feeaa4f6SScott Kruger        inDict['label_suffix']+=lsuffix.rstrip('+').rstrip('_')
2630357d61fSScott Kruger      else:
264feeaa4f6SScott Kruger        inDict['label_suffix']=lsuffix.rstrip('+').rstrip('_')
26596d5c3b5SScott Kruger    else:
2662b757757SJed Brown      if loopVars:
2672d1d28dbSJed Brown        inDict['args'] = ' '.join(newargs)
268feeaa4f6SScott Kruger        inDict['label_suffix']=lsuffix.rstrip('+').rstrip('_')
269e9b06b45SScott Kruger    return loopVars
2708ba3acebSToby Isaac
27129921a8fSScott Kruger  def getArgLabel(self,testDict):
27229921a8fSScott Kruger    """
27329921a8fSScott Kruger    In all of the arguments in the test dictionary, create a simple
27429921a8fSScott Kruger    string for searching within the makefile system.  For simplicity in
27529921a8fSScott Kruger    search, remove "-", for strings, etc.
27629921a8fSScott Kruger    Also, concatenate the arg commands
27729921a8fSScott Kruger    For now, ignore nsize -- seems hard to search for anyway
27829921a8fSScott Kruger    """
27929921a8fSScott Kruger    # Collect all of the args associated with a test
280862148f4SScott Kruger    argStr=("" if 'args' not in testDict else testDict['args'])
281862148f4SScott Kruger    if 'subtests' in testDict:
28229921a8fSScott Kruger      for stest in testDict["subtests"]:
28329921a8fSScott Kruger         sd=testDict[stest]
284862148f4SScott Kruger         argStr=argStr+("" if 'args' not in sd else sd['args'])
28529921a8fSScott Kruger
28629921a8fSScott Kruger    # Now go through and cleanup
28729921a8fSScott Kruger    argStr=re.sub('{{(.*?)}}',"",argStr)
28829921a8fSScott Kruger    argStr=re.sub('-'," ",argStr)
28929921a8fSScott Kruger    for digit in string.digits: argStr=re.sub(digit," ",argStr)
2903be2e2fdSJose E. Roman    argStr=re.sub(r"\.","",argStr)
29129921a8fSScott Kruger    argStr=re.sub(",","",argStr)
2923be2e2fdSJose E. Roman    argStr=re.sub(r'\+',' ',argStr)
29329921a8fSScott Kruger    argStr=re.sub(' +',' ',argStr)  # Remove repeated white space
29429921a8fSScott Kruger    return argStr.strip()
29529921a8fSScott Kruger
29631ad0a39SScott Kruger  def addToSources(self,exfile,rpath,srcDict):
29729921a8fSScott Kruger    """
29829921a8fSScott Kruger      Put into data structure that allows easy generation of makefile
29929921a8fSScott Kruger    """
30094666443SJed Brown    pkg=rpath.split(os.path.sep)[0]
301e551db17SScott Kruger    relpfile=os.path.join(rpath,exfile)
30229921a8fSScott Kruger    lang=self.getLanguage(exfile)
3030aac2865SBarry Smith    if not lang: return
30447fd361eSStefano Zampini    if pkg not in self.sources: return
30529921a8fSScott Kruger    self.sources[pkg][lang]['srcs'].append(relpfile)
306fa9d32b8SSatish Balay    self.sources[pkg][lang][relpfile] = []
307862148f4SScott Kruger    if 'depends' in srcDict:
308fa9d32b8SSatish Balay      depSrcList=srcDict['depends'].split()
309fa9d32b8SSatish Balay      for depSrc in depSrcList:
310c0558f20SBarry Smith        depObj = getlangsplit(depSrc)+'.o'
311fa9d32b8SSatish Balay        self.sources[pkg][lang][relpfile].append(os.path.join(rpath,depObj))
31229921a8fSScott Kruger
31329921a8fSScott Kruger    # In gmakefile, ${TESTDIR} var specifies the object compilation
31431ad0a39SScott Kruger    testsdir=rpath+"/"
315c0558f20SBarry Smith    objfile="${TESTDIR}/"+testsdir+getlangsplit(exfile)+'.o'
31629921a8fSScott Kruger    self.objects[pkg].append(objfile)
31729921a8fSScott Kruger    return
31829921a8fSScott Kruger
31931ad0a39SScott Kruger  def addToTests(self,test,rpath,exfile,execname,testDict):
32029921a8fSScott Kruger    """
32129921a8fSScott Kruger      Put into data structure that allows easy generation of makefile
32229921a8fSScott Kruger      Organized by languages to allow testing of languages
32329921a8fSScott Kruger    """
32494666443SJed Brown    pkg=rpath.split("/")[0]
32529921a8fSScott Kruger    nmtest=os.path.join(rpath,test)
32629921a8fSScott Kruger    lang=self.getLanguage(exfile)
3270aac2865SBarry Smith    if not lang: return
32847fd361eSStefano Zampini    if pkg not in self.tests: return
32929921a8fSScott Kruger    self.tests[pkg][lang][nmtest]={}
33029921a8fSScott Kruger    self.tests[pkg][lang][nmtest]['exfile']=os.path.join(rpath,exfile)
33129921a8fSScott Kruger    self.tests[pkg][lang][nmtest]['exec']=execname
33229921a8fSScott Kruger    self.tests[pkg][lang][nmtest]['argLabel']=self.getArgLabel(testDict)
33329921a8fSScott Kruger    return
33429921a8fSScott Kruger
33531ad0a39SScott Kruger  def getExecname(self,exfile,rpath):
33629921a8fSScott Kruger    """
33729921a8fSScott Kruger      Generate bash script using template found next to this file.
33829921a8fSScott Kruger      This file is read in at constructor time to avoid file I/O
33929921a8fSScott Kruger    """
34029921a8fSScott Kruger    if self.single_ex:
34129921a8fSScott Kruger      execname=rpath.split("/")[1]+"-ex"
34229921a8fSScott Kruger    else:
343c0558f20SBarry Smith      execname=getlangsplit(exfile)
34429921a8fSScott Kruger    return execname
34529921a8fSScott Kruger
3462ef0b79dSStefano Zampini  def getSubstVars(self,testDict,rpath,testname):
34729921a8fSScott Kruger    """
34829921a8fSScott Kruger      Create a dictionary with all of the variables that get substituted
34929921a8fSScott Kruger      into the template commands found in example_template.py
35029921a8fSScott Kruger    """
35196d5c3b5SScott Kruger    # Handle defaults of testparse.acceptedkeys (e.g., ignores subtests)
3526a044f4fSJed Brown    if 'nsize' not in testDict: testDict['nsize'] = '1'
3530a091e3eSScott Kruger    if 'timeoutfactor' not in testDict: testDict['timeoutfactor']="1"
354fa236c6aSJacob Faibussowitsch    subst = {key : testDict.get(key, '') for key in testparse.acceptedkeys if key != 'test'}
35596d5c3b5SScott Kruger
35696d5c3b5SScott Kruger    # Now do other variables
357fa236c6aSJacob Faibussowitsch    subst['env'] = '\n'.join('export '+cmd for cmd in shlex.split(subst['env']))
35896d5c3b5SScott Kruger    subst['execname']=testDict['execname']
3591725bfbfSScott Kruger    subst['error']=''
360862148f4SScott Kruger    if 'filter' in testDict:
3611725bfbfSScott Kruger      if testDict['filter'].startswith("Error:"):
3621725bfbfSScott Kruger        subst['error']="Error"
3631725bfbfSScott Kruger        subst['filter']=testDict['filter'].lstrip("Error:")
3641725bfbfSScott Kruger      else:
3651725bfbfSScott Kruger        subst['filter']=testDict['filter']
36668a9e459SScott Kruger
36796d5c3b5SScott Kruger    # Others
36896d5c3b5SScott Kruger    subst['subargs']=''  # Default.  For variables override
3696a8d6e79SJakub Kruzik    subst['srcdir']=os.path.join(self.srcdir, rpath)
37068a9e459SScott Kruger    subst['label_suffix']=''
37196d5c3b5SScott Kruger    subst['comments']="\n#".join(subst['comments'].split("\n"))
37268a9e459SScott Kruger    if subst['comments']: subst['comments']="#"+subst['comments']
3732ef0b79dSStefano Zampini    subst['executable']="../"+subst['execname']
37429921a8fSScott Kruger    subst['testroot']=self.testroot_dir
37529921a8fSScott Kruger    subst['testname']=testname
37609cf0baaSJed Brown    dp = self.conf.get('DATAFILESPATH','')
37709cf0baaSJed Brown    subst['datafilespath_line'] = 'DATAFILESPATH=${DATAFILESPATH:-"'+dp+'"}'
37829921a8fSScott Kruger
3790bcc1aabSScott Kruger    # This is used to label some matrices
3800bcc1aabSScott Kruger    subst['petsc_index_size']=str(self.conf['PETSC_INDEX_SIZE'])
3810bcc1aabSScott Kruger    subst['petsc_scalar_size']=str(self.conf['PETSC_SCALAR_SIZE'])
3820bcc1aabSScott Kruger
3834161761dSBarry Smith    subst['petsc_test_options']=self.conf['PETSC_TEST_OPTIONS']
3844161761dSBarry Smith
38529921a8fSScott Kruger    #Conf vars
38626646c0bSSatish Balay    if self.petsc_arch.find('valgrind')>=0:
38726646c0bSSatish Balay      subst['mpiexec']='petsc_mpiexec_valgrind ' + self.conf['MPIEXEC']
38826646c0bSSatish Balay    else:
38926646c0bSSatish Balay      subst['mpiexec']=self.conf['MPIEXEC']
39064f7b273SJunchao Zhang    subst['mpiexec_tail']=self.conf['MPIEXEC_TAIL']
391db65e477SStefano Zampini    subst['pkg_name']=self.pkg_name
392db65e477SStefano Zampini    subst['pkg_dir']=self.pkg_dir
393241f4c85SJose E. Roman    subst['pkg_arch']=self.pkg_arch
39403c53decSJakub Kruzik    subst['CONFIG_DIR']=thisscriptdir
395c3a89c15SBarry Smith    subst['PETSC_BINDIR']=os.path.join(self.petsc_dir,'lib','petsc','bin')
39629921a8fSScott Kruger    subst['diff']=self.conf['DIFF']
39729921a8fSScott Kruger    subst['rm']=self.conf['RM']
39829921a8fSScott Kruger    subst['grep']=self.conf['GREP']
399d6f00007SSatish Balay    subst['petsc_lib_dir']=self.conf['PETSC_LIB_DIR']
4000eb9b082SSatish Balay    subst['wpetsc_dir']=self.conf['wPETSC_DIR']
40129921a8fSScott Kruger
4023bcca444SScott Kruger    # Output file is special because of subtests override
4035e361860SScott Kruger    defroot = testparse.getDefaultOutputFileRoot(testname)
404862148f4SScott Kruger    if 'output_file' not in testDict:
4053bcca444SScott Kruger      subst['output_file']="output/"+defroot+".out"
4065e361860SScott Kruger    subst['redirect_file']=defroot+".tmp"
4076f5e9bd5SScott Kruger    subst['label']=nameSpace(defroot,self.srcrelpath(subst['srcdir']))
4085e361860SScott Kruger
4093bcca444SScott Kruger    # Add in the full path here.
4103bcca444SScott Kruger    subst['output_file']=os.path.join(subst['srcdir'],subst['output_file'])
41131ad0a39SScott Kruger
41231ad0a39SScott Kruger    subst['regexes']={}
41331ad0a39SScott Kruger    for subkey in subst:
41431ad0a39SScott Kruger      if subkey=='regexes': continue
41531ad0a39SScott Kruger      if not isinstance(subst[subkey],str): continue
41631ad0a39SScott Kruger      patt="@"+subkey.upper()+"@"
41731ad0a39SScott Kruger      subst['regexes'][subkey]=re.compile(patt)
4183bcca444SScott Kruger
41929921a8fSScott Kruger    return subst
42029921a8fSScott Kruger
42131ad0a39SScott Kruger  def _substVars(self,subst,origStr):
42231ad0a39SScott Kruger    """
42331ad0a39SScott Kruger      Substitute variables
42431ad0a39SScott Kruger    """
42531ad0a39SScott Kruger    Str=origStr
426fa236c6aSJacob Faibussowitsch    for subkey, subvalue in subst.items():
42731ad0a39SScott Kruger      if subkey=='regexes': continue
428fa236c6aSJacob Faibussowitsch      if not isinstance(subvalue,str): continue
42931ad0a39SScott Kruger      if subkey.upper() not in Str: continue
430fa236c6aSJacob Faibussowitsch      Str=subst['regexes'][subkey].sub(lambda x: subvalue,Str)
43131ad0a39SScott Kruger    return Str
43231ad0a39SScott Kruger
4332bbaaa9fSScott Kruger  def getCmds(self,subst,i, debug=False):
43429921a8fSScott Kruger    """
43529921a8fSScott Kruger      Generate bash script using template found next to this file.
43629921a8fSScott Kruger      This file is read in at constructor time to avoid file I/O
43729921a8fSScott Kruger    """
4380357d61fSScott Kruger    nindnt=i # the start and has to be consistent with below
4397a853109SScott Kruger    cmdindnt=self.indent*nindnt
44029921a8fSScott Kruger    cmdLines=""
44168a9e459SScott Kruger
44229921a8fSScott Kruger    # MPI is the default -- but we have a few odd commands
443d68d54c7SToby Isaac    if subst['temporaries']:
444d68d54c7SToby Isaac      if '*' in subst['temporaries']:
445d68d54c7SToby Isaac        raise RuntimeError('{}/{}: list of temporary files to remove may not include wildcards'.format(subst['srcdir'], subst['execname']))
446d68d54c7SToby Isaac      cmd=cmdindnt+self._substVars(subst,example_template.preclean)
447d68d54c7SToby Isaac      cmdLines+=cmd+"\n"
44896d5c3b5SScott Kruger    if not subst['command']:
4497a853109SScott Kruger      cmd=cmdindnt+self._substVars(subst,example_template.mpitest)
45029921a8fSScott Kruger    else:
4517a853109SScott Kruger      cmd=cmdindnt+self._substVars(subst,example_template.commandtest)
4527a853109SScott Kruger    cmdLines+=cmd+"\n"+cmdindnt+"res=$?\n\n"
45329921a8fSScott Kruger
4547a853109SScott Kruger    cmdLines+=cmdindnt+'if test $res = 0; then\n'
4557a853109SScott Kruger    diffindnt=self.indent*(nindnt+1)
4562bbaaa9fSScott Kruger
4572bbaaa9fSScott Kruger    # Do some checks on existence of output_file and alt files
4582bbaaa9fSScott Kruger    if not os.path.isfile(os.path.join(self.petsc_dir,subst['output_file'])):
4592bbaaa9fSScott Kruger      if not subst['TODO']:
4602bbaaa9fSScott Kruger        print("Warning: "+subst['output_file']+" not found.")
4612bbaaa9fSScott Kruger    altlist=self._getAltList(subst['output_file'], subst['srcdir'])
4622bbaaa9fSScott Kruger
4632bbaaa9fSScott Kruger    # altlist always has output_file
4642bbaaa9fSScott Kruger    if len(altlist)==1:
4657a853109SScott Kruger      cmd=diffindnt+self._substVars(subst,example_template.difftest)
46664ca018dSScott Kruger    else:
4672bbaaa9fSScott Kruger      if debug: print("Found alt files: ",altlist)
4683bcca444SScott Kruger      # Have to do it by hand a bit because of variable number of alt files
4693bcca444SScott Kruger      rf=subst['redirect_file']
4707a853109SScott Kruger      cmd=diffindnt+example_template.difftest.split('@')[0]
4712bbaaa9fSScott Kruger      for i in range(len(altlist)):
4722bbaaa9fSScott Kruger        af=altlist[i]
473886063b6SScott Kruger        cmd+=af+' '+rf
4742bbaaa9fSScott Kruger        if i!=len(altlist)-1:
475886063b6SScott Kruger          cmd+=' > diff-${testname}-'+str(i)+'.out 2> diff-${testname}-'+str(i)+'.out'
476886063b6SScott Kruger          cmd+=' || ${diff_exe} '
4773bcca444SScott Kruger        else:
4783bcca444SScott Kruger          cmd+='" diff-${testname}.out diff-${testname}.out diff-${label}'
4793bcca444SScott Kruger          cmd+=subst['label_suffix']+' ""'  # Quotes are painful
48068a9e459SScott Kruger    cmdLines+=cmd+"\n"
4817a853109SScott Kruger    cmdLines+=cmdindnt+'else\n'
4825e361860SScott Kruger    cmdLines+=diffindnt+'petsc_report_tapoutput "" ${label} "SKIP Command failed so no diff"\n'
4837a853109SScott Kruger    cmdLines+=cmdindnt+'fi\n'
48429921a8fSScott Kruger    return cmdLines
48529921a8fSScott Kruger
48609cf0baaSJed Brown  def _writeTodoSkip(self,fh,tors,reasons,footer):
48768a9e459SScott Kruger    """
48868a9e459SScott Kruger    Write out the TODO and SKIP lines in the file
48968a9e459SScott Kruger    The TODO or SKIP variable, tors, should be lower case
49068a9e459SScott Kruger    """
49168a9e459SScott Kruger    TORS=tors.upper()
49268a9e459SScott Kruger    template=eval("example_template."+tors+"line")
49309cf0baaSJed Brown    tsStr=re.sub("@"+TORS+"COMMENT@",', '.join(reasons),template)
49409cf0baaSJed Brown    tab = ''
4952f2809e3SToby Isaac    if reasons:
4962f2809e3SToby Isaac      fh.write('if ! $force; then\n')
4972f2809e3SToby Isaac      tab = tab + '    '
49809cf0baaSJed Brown    if reasons == ["Requires DATAFILESPATH"]:
49909cf0baaSJed Brown      # The only reason not to run is DATAFILESPATH, which we check at run-time
5002f2809e3SToby Isaac      fh.write(tab + 'if test -z "${DATAFILESPATH}"; then\n')
5012f2809e3SToby Isaac      tab = tab + '    '
50209cf0baaSJed Brown    if reasons:
5032f2809e3SToby Isaac      fh.write(tab+tsStr+"\n" + tab + "total=1; "+tors+"=1\n")
50409cf0baaSJed Brown      fh.write(tab+footer+"\n")
50509cf0baaSJed Brown      fh.write(tab+"exit\n")
50609cf0baaSJed Brown    if reasons == ["Requires DATAFILESPATH"]:
50709cf0baaSJed Brown      fh.write('    fi\n')
5082f2809e3SToby Isaac    if reasons:
5092f2809e3SToby Isaac      fh.write('fi\n')
51009cf0baaSJed Brown    fh.write('\n\n')
51168a9e459SScott Kruger    return
51268a9e459SScott Kruger
5131fc39a0eSScott Kruger  def getLoopVarsHead(self,loopVars,i,usedVars={}):
5140357d61fSScott Kruger    """
5150357d61fSScott Kruger    Generate a nicely indented string with the format loops
5160357d61fSScott Kruger    Here is what the data structure looks like
5170357d61fSScott Kruger      loopVars['subargs']['varlist']=['bs' 'pc_type']   # Don't worry about OrderedDict
5180357d61fSScott Kruger      loopVars['subargs']['bs']=["i","1 2 3 4 5"]
5190357d61fSScott Kruger      loopVars['subargs']['pc_type']=["j","cholesky sor"]
5200357d61fSScott Kruger    """
5210357d61fSScott Kruger    outstr=''; indnt=self.indent
5229aa7185eSScott Kruger
5238ba3acebSToby Isaac    for key in loopVars:
5240357d61fSScott Kruger      for var in loopVars[key]['varlist']:
5250357d61fSScott Kruger        varval=loopVars[key][var]
5269aa7185eSScott Kruger        outstr += "{0}_in=${{{0}:-{1}}}\n".format(*varval)
5279aa7185eSScott Kruger    outstr += "\n\n"
5289aa7185eSScott Kruger
5299aa7185eSScott Kruger    for key in loopVars:
5309aa7185eSScott Kruger      for var in loopVars[key]['varlist']:
5319aa7185eSScott Kruger        varval=loopVars[key][var]
5322bbaaa9fSScott Kruger        outstr += indnt * i + "for i{0} in ${{{0}_in}}; do\n".format(*varval)
5338ba3acebSToby Isaac        i = i + 1
5348ba3acebSToby Isaac    return (outstr,i)
5358ba3acebSToby Isaac
5368ba3acebSToby Isaac  def getLoopVarsFoot(self,loopVars,i):
5370357d61fSScott Kruger    outstr=''; indnt=self.indent
5388ba3acebSToby Isaac    for key in loopVars:
5390357d61fSScott Kruger      for var in loopVars[key]['varlist']:
5408ba3acebSToby Isaac        i = i - 1
5410357d61fSScott Kruger        outstr += indnt * i + "done\n"
5428ba3acebSToby Isaac    return (outstr,i)
5438ba3acebSToby Isaac
54429921a8fSScott Kruger  def genRunScript(self,testname,root,isRun,srcDict):
54529921a8fSScott Kruger    """
54629921a8fSScott Kruger      Generate bash script using template found next to this file.
54729921a8fSScott Kruger      This file is read in at constructor time to avoid file I/O
54829921a8fSScott Kruger    """
54961c69bfbSJacob Faibussowitsch    def opener(path,flags,*args,**kwargs):
55061c69bfbSJacob Faibussowitsch      kwargs.setdefault('mode',0o755)
55161c69bfbSJacob Faibussowitsch      return os.open(path,flags,*args,**kwargs)
55261c69bfbSJacob Faibussowitsch
55329921a8fSScott Kruger    # runscript_dir directory has to be consistent with gmakefile
55429921a8fSScott Kruger    testDict=srcDict[testname]
555c173c275SScott Kruger    rpath=self.srcrelpath(root)
55629921a8fSScott Kruger    runscript_dir=os.path.join(self.testroot_dir,rpath)
55729921a8fSScott Kruger    if not os.path.isdir(runscript_dir): os.makedirs(runscript_dir)
55861c69bfbSJacob Faibussowitsch    with open(os.path.join(runscript_dir,testname+".sh"),"w",opener=opener) as fh:
55929921a8fSScott Kruger
56096d5c3b5SScott Kruger      # Get variables to go into shell scripts.  last time testDict used
5612ef0b79dSStefano Zampini      subst=self.getSubstVars(testDict,rpath,testname)
56296d5c3b5SScott Kruger      loopVars = self._getLoopVars(subst,testname)  # Alters subst as well
563a449fbaeSJed Brown      if 'subtests' in testDict:
564a449fbaeSJed Brown        # The subtests inherit inDict, so we don't need top-level loops.
565a449fbaeSJed Brown        loopVars = {}
56629921a8fSScott Kruger
56764ca018dSScott Kruger      #Handle runfiles
568862148f4SScott Kruger      for lfile in subst.get('localrunfiles','').split():
569ed81ced6SJed Brown        install_files(os.path.join(root, lfile),
570ed81ced6SJed Brown                      os.path.join(runscript_dir, os.path.dirname(lfile)))
57164ca018dSScott Kruger      # Check subtests for local runfiles
572862148f4SScott Kruger      for stest in subst.get("subtests",[]):
573862148f4SScott Kruger        for lfile in testDict[stest].get('localrunfiles','').split():
574ed81ced6SJed Brown          install_files(os.path.join(root, lfile),
575ed81ced6SJed Brown                        os.path.join(runscript_dir, os.path.dirname(lfile)))
57664ca018dSScott Kruger
57729921a8fSScott Kruger      # Now substitute the key variables into the header and footer
57829921a8fSScott Kruger      header=self._substVars(subst,example_template.header)
5790bcc1aabSScott Kruger      # The header is done twice to enable @...@ in header
5800bcc1aabSScott Kruger      header=self._substVars(subst,header)
5815e7f8670SScott Kruger      footer=re.sub('@TESTROOT@',subst['testroot'],example_template.footer)
58229921a8fSScott Kruger
58329921a8fSScott Kruger      # Start writing the file
58429921a8fSScott Kruger      fh.write(header+"\n")
58529921a8fSScott Kruger
58629921a8fSScott Kruger      # If there is a TODO or a SKIP then we do it before writing out the
58729921a8fSScott Kruger      # rest of the command (which is useful for working on the test)
58829921a8fSScott Kruger      # SKIP and TODO can be for the source file or for the runs
58909cf0baaSJed Brown      self._writeTodoSkip(fh,'todo',[s for s in [srcDict.get('TODO',''), testDict.get('TODO','')] if s],footer)
59009cf0baaSJed Brown      self._writeTodoSkip(fh,'skip',srcDict.get('SKIP',[]) + testDict.get('SKIP',[]),footer)
59129921a8fSScott Kruger
59229921a8fSScott Kruger      j=0  # for indentation
59329921a8fSScott Kruger
5940357d61fSScott Kruger      if loopVars:
5958ba3acebSToby Isaac        (loopHead,j) = self.getLoopVarsHead(loopVars,j)
5968ba3acebSToby Isaac        if (loopHead): fh.write(loopHead+"\n")
59729921a8fSScott Kruger
59829921a8fSScott Kruger      # Subtests are special
5991fc39a0eSScott Kruger      allLoopVars=list(loopVars.keys())
600862148f4SScott Kruger      if 'subtests' in testDict:
60129921a8fSScott Kruger        substP=subst   # Subtests can inherit args but be careful
6024fedfc52SScott Kruger        k=0  # for label suffixes
60329921a8fSScott Kruger        for stest in testDict["subtests"]:
6041e4ea733SToby Isaac          subst=substP.copy()
6050357d61fSScott Kruger          subst.update(testDict[stest])
606feeaa4f6SScott Kruger          subst['label_suffix']='+'+string.ascii_letters[k]; k+=1
6077827e0d6SScott Kruger          sLoopVars = self._getLoopVars(subst,testname,isSubtest=True)
6080357d61fSScott Kruger          if sLoopVars:
6091fc39a0eSScott Kruger            (sLoopHead,j) = self.getLoopVarsHead(sLoopVars,j,allLoopVars)
6101fc39a0eSScott Kruger            allLoopVars+=list(sLoopVars.keys())
6110357d61fSScott Kruger            fh.write(sLoopHead+"\n")
6120357d61fSScott Kruger          fh.write(self.getCmds(subst,j)+"\n")
6130357d61fSScott Kruger          if sLoopVars:
6148ba3acebSToby Isaac            (sLoopFoot,j) = self.getLoopVarsFoot(sLoopVars,j)
6150357d61fSScott Kruger            fh.write(sLoopFoot+"\n")
61629921a8fSScott Kruger      else:
61729921a8fSScott Kruger        fh.write(self.getCmds(subst,j)+"\n")
6188ba3acebSToby Isaac
6190357d61fSScott Kruger      if loopVars:
6208ba3acebSToby Isaac        (loopFoot,j) = self.getLoopVarsFoot(loopVars,j)
6210357d61fSScott Kruger        fh.write(loopFoot+"\n")
62229921a8fSScott Kruger
62329921a8fSScott Kruger      fh.write(footer+"\n")
62429921a8fSScott Kruger    return
62529921a8fSScott Kruger
62629921a8fSScott Kruger  def  genScriptsAndInfo(self,exfile,root,srcDict):
62729921a8fSScott Kruger    """
62829921a8fSScott Kruger    Generate scripts from the source file, determine if built, etc.
62929921a8fSScott Kruger     For every test in the exfile with info in the srcDict:
63029921a8fSScott Kruger      1. Determine if it needs to be run for this arch
63129921a8fSScott Kruger      2. Generate the script
63229921a8fSScott Kruger      3. Generate the data needed to write out the makefile in a
63329921a8fSScott Kruger         convenient way
63429921a8fSScott Kruger     All tests are *always* run, but some may be SKIP'd per the TAP standard
63529921a8fSScott Kruger    """
63629921a8fSScott Kruger    debug=False
63731ad0a39SScott Kruger    rpath=self.srcrelpath(root)
63831ad0a39SScott Kruger    execname=self.getExecname(exfile,rpath)
63929921a8fSScott Kruger    isBuilt=self._isBuilt(exfile,srcDict)
64060a8f35eSBarry Smith    for test in srcDict.copy():
64129921a8fSScott Kruger      if test in self.buildkeys: continue
64229921a8fSScott Kruger      isRun=self._isRun(srcDict[test])
64360a8f35eSBarry Smith      # if the next two lines are dropped all scripts are generating included the unneeded
64460a8f35eSBarry Smith      # if the unneeded are generated when run they will skip their tests automatically
64560a8f35eSBarry Smith      # not generating them saves setup time
646cf9fd96eSMatthew G. Knepley      allow = False
647cf9fd96eSMatthew G. Knepley      if 'SKIP' in srcDict[test]:
648cf9fd96eSMatthew G. Knepley        allow = srcDict[test]['SKIP'] in [['Requires DATAFILESPATH'], ['PETSC_HAVE_PYVISTA requirement not met']]
649cf9fd96eSMatthew G. Knepley      if not isRun and not allow:
65060a8f35eSBarry Smith        del srcDict[test]
65160a8f35eSBarry Smith        continue
65260a8f35eSBarry Smith      if 'TODO' in srcDict[test]:
65360a8f35eSBarry Smith        del srcDict[test]
65460a8f35eSBarry Smith        continue
65560a8f35eSBarry Smith      srcDict[test]['execname']=execname   # Convenience in generating scripts
65629921a8fSScott Kruger      self.genRunScript(test,root,isRun,srcDict)
65729921a8fSScott Kruger      srcDict[test]['isrun']=isRun
65831ad0a39SScott Kruger      self.addToTests(test,rpath,exfile,execname,srcDict[test])
65929921a8fSScott Kruger
66029921a8fSScott Kruger    # This adds to datastructure for building deps
66131ad0a39SScott Kruger    if isBuilt: self.addToSources(exfile,rpath,srcDict)
66229921a8fSScott Kruger    return
66329921a8fSScott Kruger
66429921a8fSScott Kruger  def _isBuilt(self,exfile,srcDict):
66529921a8fSScott Kruger    """
66629921a8fSScott Kruger    Determine if this file should be built.
66729921a8fSScott Kruger    """
66829921a8fSScott Kruger    # Get the language based on file extension
66909cf0baaSJed Brown    srcDict['SKIP'] = []
67029921a8fSScott Kruger    lang=self.getLanguage(exfile)
671c2426ab2SScott Kruger    if (lang=="F" or lang=="F90"):
672c2426ab2SScott Kruger      if not self.have_fortran:
67309cf0baaSJed Brown        srcDict["SKIP"].append("Fortran required for this test")
674862148f4SScott Kruger    if lang=="cu" and 'PETSC_HAVE_CUDA' not in self.conf:
67509cf0baaSJed Brown      srcDict["SKIP"].append("CUDA required for this test")
67628f796eaSScott Kruger    if lang=="hip" and 'PETSC_HAVE_HIP' not in self.conf:
67728f796eaSScott Kruger      srcDict["SKIP"].append("HIP required for this test")
67828f796eaSScott Kruger    if lang=="sycl" and 'PETSC_HAVE_SYCL' not in self.conf:
67928f796eaSScott Kruger      srcDict["SKIP"].append("SYCL required for this test")
680c0558f20SBarry Smith    if lang=="kokkos_cxx" and 'PETSC_HAVE_KOKKOS' not in self.conf:
681c0558f20SBarry Smith      srcDict["SKIP"].append("KOKKOS required for this test")
682d23021a0SBarry Smith    if lang=="raja_cxx" and 'PETSC_HAVE_RAJA' not in self.conf:
683d23021a0SBarry Smith      srcDict["SKIP"].append("RAJA required for this test")
684862148f4SScott Kruger    if lang=="cxx" and 'PETSC_HAVE_CXX' not in self.conf:
68509cf0baaSJed Brown      srcDict["SKIP"].append("C++ required for this test")
68647fd361eSStefano Zampini    if lang=="cpp" and 'PETSC_HAVE_CXX' not in self.conf:
68747fd361eSStefano Zampini      srcDict["SKIP"].append("C++ required for this test")
68829921a8fSScott Kruger
68929921a8fSScott Kruger    # Deprecated source files
69009cf0baaSJed Brown    if srcDict.get("TODO"):
69109cf0baaSJed Brown      return False
69229921a8fSScott Kruger
69329921a8fSScott Kruger    # isRun can work with srcDict to handle the requires
694862148f4SScott Kruger    if "requires" in srcDict:
695cadd188bSScott Kruger      if srcDict["requires"]:
69629921a8fSScott Kruger        return self._isRun(srcDict)
69729921a8fSScott Kruger
69809cf0baaSJed Brown    return srcDict['SKIP'] == []
69929921a8fSScott Kruger
700e4653983SScott Kruger  def _isRun(self,testDict, debug=False):
70129921a8fSScott Kruger    """
70229921a8fSScott Kruger    Based on the requirements listed in the src file and the petscconf.h
70329921a8fSScott Kruger    info, determine whether this test should be run or not.
70429921a8fSScott Kruger    """
70529921a8fSScott Kruger    indent="  "
70629921a8fSScott Kruger
70709cf0baaSJed Brown    if 'SKIP' not in testDict:
70809cf0baaSJed Brown      testDict['SKIP'] = []
70929921a8fSScott Kruger    # MPI requirements
7105b08e527SSatish Balay    if 'MPI_IS_MPIUNI' in self.conf:
7116a044f4fSJed Brown      if testDict.get('nsize', '1') != '1':
71209cf0baaSJed Brown        testDict['SKIP'].append("Parallel test with serial build")
71329921a8fSScott Kruger
71429921a8fSScott Kruger      # The requirements for the test are the sum of all the run subtests
715862148f4SScott Kruger      if 'subtests' in testDict:
716862148f4SScott Kruger        if 'requires' not in testDict: testDict['requires']=""
71729921a8fSScott Kruger        for stest in testDict['subtests']:
718862148f4SScott Kruger          if 'requires' in testDict[stest]:
719862148f4SScott Kruger            testDict['requires']+=" "+testDict[stest]['requires']
7207054dcc0SScott Kruger          if testDict[stest].get('nsize', '1') != '1':
72173de2b55SScott Kruger            testDict['SKIP'].append("Parallel test with serial build")
7225b08e527SSatish Balay            break
72329921a8fSScott Kruger
72429921a8fSScott Kruger    # Now go through all requirements
725862148f4SScott Kruger    if 'requires' in testDict:
72629921a8fSScott Kruger      for requirement in testDict['requires'].split():
72729921a8fSScott Kruger        requirement=requirement.strip()
72829921a8fSScott Kruger        if not requirement: continue
7295b6bfdb9SJed Brown        if debug: print(indent+"Requirement: ", requirement)
73029921a8fSScott Kruger        isNull=False
73129921a8fSScott Kruger        if requirement.startswith("!"):
73229921a8fSScott Kruger          requirement=requirement[1:]; isNull=True
7337de69702SBarry Smith        # 32-bit vs 64-bit pointers
7349fd2a872SSatish Balay        if requirement == "64bitptr":
7359fd2a872SSatish Balay          if self.conf['PETSC_SIZEOF_VOID_P']==8:
7369fd2a872SSatish Balay            if isNull:
7379fd2a872SSatish Balay              testDict['SKIP'].append("not 64bit-ptr required")
7389fd2a872SSatish Balay              continue
7399fd2a872SSatish Balay            continue  # Success
7409fd2a872SSatish Balay          elif not isNull:
7419fd2a872SSatish Balay            testDict['SKIP'].append("64bit-ptr required")
7429fd2a872SSatish Balay            continue
74329921a8fSScott Kruger        # Precision requirement for reals
74429921a8fSScott Kruger        if requirement in self.precision_types:
74529921a8fSScott Kruger          if self.conf['PETSC_PRECISION']==requirement:
74609cf0baaSJed Brown            if isNull:
74709cf0baaSJed Brown              testDict['SKIP'].append("not "+requirement+" required")
74809cf0baaSJed Brown              continue
7494bb4d03dSScott Kruger            continue  # Success
75009cf0baaSJed Brown          elif not isNull:
75109cf0baaSJed Brown            testDict['SKIP'].append(requirement+" required")
75209cf0baaSJed Brown            continue
75329921a8fSScott Kruger        # Precision requirement for ints
75429921a8fSScott Kruger        if requirement in self.integer_types:
75529921a8fSScott Kruger          if requirement=="int32":
75629921a8fSScott Kruger            if self.conf['PETSC_SIZEOF_INT']==4:
75709cf0baaSJed Brown              if isNull:
75809cf0baaSJed Brown                testDict['SKIP'].append("not int32 required")
75909cf0baaSJed Brown                continue
7604bb4d03dSScott Kruger              continue  # Success
76109cf0baaSJed Brown            elif not isNull:
76209cf0baaSJed Brown              testDict['SKIP'].append("int32 required")
76309cf0baaSJed Brown              continue
76429921a8fSScott Kruger          if requirement=="int64":
76529921a8fSScott Kruger            if self.conf['PETSC_SIZEOF_INT']==8:
76609cf0baaSJed Brown              if isNull:
76709cf0baaSJed Brown                testDict['SKIP'].append("NOT int64 required")
76809cf0baaSJed Brown                continue
7694bb4d03dSScott Kruger              continue  # Success
77009cf0baaSJed Brown            elif not isNull:
77109cf0baaSJed Brown              testDict['SKIP'].append("int64 required")
77209cf0baaSJed Brown              continue
77312a1f506SLisandro Dalcin          if requirement.startswith("long"):
77412a1f506SLisandro Dalcin            reqsize = int(requirement[4:])//8
77512a1f506SLisandro Dalcin            longsize = int(self.conf['PETSC_SIZEOF_LONG'].strip())
77612a1f506SLisandro Dalcin            if longsize==reqsize:
77712a1f506SLisandro Dalcin              if isNull:
77812a1f506SLisandro Dalcin                testDict['SKIP'].append("not %s required" % requirement)
77912a1f506SLisandro Dalcin                continue
78012a1f506SLisandro Dalcin              continue  # Success
78112a1f506SLisandro Dalcin            elif not isNull:
78212a1f506SLisandro Dalcin              testDict['SKIP'].append("%s required" % requirement)
78312a1f506SLisandro Dalcin              continue
78429921a8fSScott Kruger        # Datafilespath
78509cf0baaSJed Brown        if requirement=="datafilespath" and not isNull:
78609cf0baaSJed Brown          testDict['SKIP'].append("Requires DATAFILESPATH")
78709cf0baaSJed Brown          continue
78829921a8fSScott Kruger        # Defines -- not sure I have comments matching
789dfd57a17SPierre Jolivet        if "defined(" in requirement.lower():
79029921a8fSScott Kruger          reqdef=requirement.split("(")[1].split(")")[0]
79109cf0baaSJed Brown          if reqdef in self.conf:
79229921a8fSScott Kruger            if isNull:
79309cf0baaSJed Brown              testDict['SKIP'].append("Null requirement not met: "+requirement)
79409cf0baaSJed Brown              continue
7954bb4d03dSScott Kruger            continue  # Success
7964bb4d03dSScott Kruger          elif not isNull:
79709cf0baaSJed Brown            testDict['SKIP'].append("Required: "+requirement)
79809cf0baaSJed Brown            continue
79929921a8fSScott Kruger
80029921a8fSScott Kruger        # Rest should be packages that we can just get from conf
801942263caSJose E. Roman        if requirement in ["complex","debug"]:
802942263caSJose E. Roman          petscconfvar="PETSC_USE_"+requirement.upper()
803942263caSJose E. Roman          pkgconfvar=self.pkg_name.upper()+"_USE_"+requirement.upper()
80409cf0baaSJed Brown        else:
80509cf0baaSJed Brown          petscconfvar="PETSC_HAVE_"+requirement.upper()
806ece5ceb9SStefano Zampini          pkgconfvar=self.pkg_name.upper()+'_HAVE_'+requirement.upper()
807ece5ceb9SStefano Zampini        petsccv = self.conf.get(petscconfvar)
808ece5ceb9SStefano Zampini        pkgcv = self.conf.get(pkgconfvar)
809ece5ceb9SStefano Zampini
810ece5ceb9SStefano Zampini        if petsccv or pkgcv:
81129921a8fSScott Kruger          if isNull:
812ece5ceb9SStefano Zampini            if petsccv:
81309cf0baaSJed Brown              testDict['SKIP'].append("Not "+petscconfvar+" requirement not met")
81409cf0baaSJed Brown              continue
815ece5ceb9SStefano Zampini            else:
816ece5ceb9SStefano Zampini              testDict['SKIP'].append("Not "+pkgconfvar+" requirement not met")
817ece5ceb9SStefano Zampini              continue
8184bb4d03dSScott Kruger          continue  # Success
819df3aec83SJed Brown        elif not isNull:
820ece5ceb9SStefano Zampini          if not petsccv and not pkgcv:
8215b6bfdb9SJed Brown            if debug: print("requirement not found: ", requirement)
822ece5ceb9SStefano Zampini            if self.pkg_name == 'petsc':
82309cf0baaSJed Brown              testDict['SKIP'].append(petscconfvar+" requirement not met")
824ece5ceb9SStefano Zampini            else:
825ece5ceb9SStefano Zampini              testDict['SKIP'].append(petscconfvar+" or "+pkgconfvar+" requirement not met")
82609cf0baaSJed Brown            continue
82709cf0baaSJed Brown    return testDict['SKIP'] == []
82829921a8fSScott Kruger
8295e361860SScott Kruger  def  checkOutput(self,exfile,root,srcDict):
8305e361860SScott Kruger    """
831c0558f20SBarry Smith     Check and make sure the output files are in the output directory
8325e361860SScott Kruger    """
8335e361860SScott Kruger    debug=False
8345e361860SScott Kruger    rpath=self.srcrelpath(root)
8355e361860SScott Kruger    for test in srcDict:
8365e361860SScott Kruger      if test in self.buildkeys: continue
8375e361860SScott Kruger      if debug: print(rpath, exfile, test)
8385e361860SScott Kruger      if 'output_file' in srcDict[test]:
8395e361860SScott Kruger        output_file=srcDict[test]['output_file']
8405e361860SScott Kruger      else:
8415e361860SScott Kruger        defroot = testparse.getDefaultOutputFileRoot(test)
8425e361860SScott Kruger        if 'TODO' in srcDict[test]: continue
8435e361860SScott Kruger        output_file="output/"+defroot+".out"
8445e361860SScott Kruger
8455e361860SScott Kruger      fullout=os.path.join(root,output_file)
8465e361860SScott Kruger      if debug: print("---> ",fullout)
8475e361860SScott Kruger      if not os.path.exists(fullout):
8485e361860SScott Kruger        self.missing_files.append(fullout)
8495e361860SScott Kruger
8505e361860SScott Kruger    return
8515e361860SScott Kruger
85229921a8fSScott Kruger  def genPetscTests_summarize(self,dataDict):
85329921a8fSScott Kruger    """
85429921a8fSScott Kruger    Required method to state what happened
85529921a8fSScott Kruger    """
85629921a8fSScott Kruger    if not self.summarize: return
85729921a8fSScott Kruger    indent="   "
858cfaa06beSSatish Balay    fhname=os.path.join(self.testroot_dir,'GenPetscTests_summarize.txt')
859021a2b48SJed Brown    with open(fhname, "w") as fh:
86029921a8fSScott Kruger      for root in dataDict:
861c173c275SScott Kruger        relroot=self.srcrelpath(root)
86229921a8fSScott Kruger        pkg=relroot.split("/")[1]
8632022a217SBarry Smith        if not pkg in self.sources: continue
86429921a8fSScott Kruger        fh.write(relroot+"\n")
86529921a8fSScott Kruger        allSrcs=[]
866e551db17SScott Kruger        for lang in LANGS: allSrcs+=self.sources[pkg][lang]['srcs']
86729921a8fSScott Kruger        for exfile in dataDict[root]:
86829921a8fSScott Kruger          # Basic  information
869c173c275SScott Kruger          rfile=os.path.join(relroot,exfile)
87029921a8fSScott Kruger          builtStatus=(" Is built" if rfile in allSrcs else " Is NOT built")
87129921a8fSScott Kruger          fh.write(indent+exfile+indent*4+builtStatus+"\n")
87229921a8fSScott Kruger          for test in dataDict[root][exfile]:
87329921a8fSScott Kruger            if test in self.buildkeys: continue
87429921a8fSScott Kruger            line=indent*2+test
87529921a8fSScott Kruger            fh.write(line+"\n")
87629921a8fSScott Kruger            # Looks nice to have the keys in order
87729921a8fSScott Kruger            #for key in dataDict[root][exfile][test]:
87829921a8fSScott Kruger            for key in "isrun abstracted nsize args requires script".split():
879862148f4SScott Kruger              if key not in dataDict[root][exfile][test]: continue
88029921a8fSScott Kruger              line=indent*3+key+": "+str(dataDict[root][exfile][test][key])
88129921a8fSScott Kruger              fh.write(line+"\n")
88229921a8fSScott Kruger            fh.write("\n")
88329921a8fSScott Kruger          fh.write("\n")
88429921a8fSScott Kruger        fh.write("\n")
88529921a8fSScott Kruger    return
88629921a8fSScott Kruger
88729921a8fSScott Kruger  def genPetscTests(self,root,dirs,files,dataDict):
88829921a8fSScott Kruger    """
88929921a8fSScott Kruger     Go through and parse the source files in the directory to generate
89029921a8fSScott Kruger     the examples based on the metadata contained in the source files
89129921a8fSScott Kruger    """
89229921a8fSScott Kruger    debug=False
89329921a8fSScott Kruger
894fa236c6aSJacob Faibussowitsch    data = {}
89529921a8fSScott Kruger    for exfile in files:
896d5b43468SJose E. Roman      #TST: Until we replace files, still leaving the originals as is
89729921a8fSScott Kruger      #if not exfile.startswith("new_"+"ex"): continue
89862197512SBarry Smith      #if not exfile.startswith("ex"): continue
89929921a8fSScott Kruger
900e4653983SScott Kruger      # Ignore emacs and other temporary files
901fa236c6aSJacob Faibussowitsch      if exfile.startswith((".", "#")) or exfile.endswith("~"): continue
90231ad0a39SScott Kruger      # Only parse source files
903c0558f20SBarry Smith      ext=getlangext(exfile).lstrip('.').replace('.','_')
90431ad0a39SScott Kruger      if ext not in LANGS: continue
90513ddbc6dSScott Kruger
90629921a8fSScott Kruger      # Convenience
90729921a8fSScott Kruger      fullex=os.path.join(root,exfile)
908cadd188bSScott Kruger      if self.verbose: print('   --> '+fullex)
909fa236c6aSJacob Faibussowitsch      data.update(testparse.parseTestFile(fullex,0))
910fa236c6aSJacob Faibussowitsch      if exfile in data:
911fa236c6aSJacob Faibussowitsch        if self.check_output:
912fa236c6aSJacob Faibussowitsch          self.checkOutput(exfile,root,data[exfile])
9135e361860SScott Kruger        else:
914fa236c6aSJacob Faibussowitsch          self.genScriptsAndInfo(exfile,root,data[exfile])
91529921a8fSScott Kruger
916fa236c6aSJacob Faibussowitsch    dataDict[root] = data
91729921a8fSScott Kruger    return
91829921a8fSScott Kruger
919cadd188bSScott Kruger  def walktree(self,top):
92029921a8fSScott Kruger    """
92129921a8fSScott Kruger    Walk a directory tree, starting from 'top'
92229921a8fSScott Kruger    """
9235e361860SScott Kruger    if self.check_output:
9245e361860SScott Kruger      print("Checking for missing output files")
9255e361860SScott Kruger      self.missing_files=[]
9265e361860SScott Kruger
92729921a8fSScott Kruger    # Goal of action is to fill this dictionary
92829921a8fSScott Kruger    dataDict={}
929f98eef70SScott Kruger    for root, dirs, files in os.walk(top, topdown=True):
93009a6cbfcSBernhard M. Wiedemann      dirs.sort()
93109a6cbfcSBernhard M. Wiedemann      files.sort()
932c4762a1bSJed Brown      if "/tests" not in root and "/tutorials" not in root: continue
933f98eef70SScott Kruger      if "dSYM" in root: continue
934f22bedf1SBarry Smith      if "tutorials"+os.sep+"build" in root: continue
935f98eef70SScott Kruger      if os.path.basename(root.rstrip("/")) == 'output': continue
936cadd188bSScott Kruger      if self.verbose: print(root)
937b6d69c80SScott Kruger      self.genPetscTests(root,dirs,files,dataDict)
9385e361860SScott Kruger
9395e361860SScott Kruger    # If checking output, report results
9405e361860SScott Kruger    if self.check_output:
9415e361860SScott Kruger      if self.missing_files:
9425e361860SScott Kruger        for file in set(self.missing_files):  # set uniqifies
9435e361860SScott Kruger          print(file)
9445e361860SScott Kruger        sys.exit(1)
9455e361860SScott Kruger
94629921a8fSScott Kruger    # Now summarize this dictionary
94731ad0a39SScott Kruger    if self.verbose: self.genPetscTests_summarize(dataDict)
94829921a8fSScott Kruger    return dataDict
94929921a8fSScott Kruger
950b0790570SJed Brown  def gen_gnumake(self, fd):
95129921a8fSScott Kruger    """
95229921a8fSScott Kruger     Overwrite of the method in the base PETSc class
95329921a8fSScott Kruger    """
95429921a8fSScott Kruger    def write(stem, srcs):
95529921a8fSScott Kruger      for lang in LANGS:
9562ae8c56aSScott Kruger        if srcs[lang]['srcs']:
957c0558f20SBarry Smith          fd.write('%(stem)s.%(lang)s := %(srcs)s\n' % dict(stem=stem, lang=lang.replace('_','.'), srcs=' '.join(srcs[lang]['srcs'])))
95847fd361eSStefano Zampini    for pkg in self.pkg_pkgs:
95929921a8fSScott Kruger        srcs = self.gen_pkg(pkg)
960b0790570SJed Brown        write('testsrcs-' + pkg, srcs)
9612ae8c56aSScott Kruger        # Handle dependencies
9622ae8c56aSScott Kruger        for lang in LANGS:
9632ae8c56aSScott Kruger            for exfile in srcs[lang]['srcs']:
9642ae8c56aSScott Kruger                if exfile in srcs[lang]:
965c0558f20SBarry Smith                    ex='$(TESTDIR)/'+getlangsplit(exfile)
966c0558f20SBarry Smith                    exfo=ex+'.o'
96749defe6fSJed Brown                    deps = [os.path.join('$(TESTDIR)', dep) for dep in srcs[lang][exfile]]
96849defe6fSJed Brown                    if deps:
96949defe6fSJed Brown                        # The executable literally depends on the object file because it is linked
97049defe6fSJed Brown                        fd.write(ex   +": " + " ".join(deps) +'\n')
97149defe6fSJed Brown                        # The object file containing 'main' does not normally depend on other object
97249defe6fSJed Brown                        # files, but it does when it includes their modules.  This dependency is
97349defe6fSJed Brown                        # overly blunt and could be reduced to only depend on object files for
97449defe6fSJed Brown                        # modules that are used, like "*f90aux.o".
97549defe6fSJed Brown                        fd.write(exfo +": " + " ".join(deps) +'\n')
9762ae8c56aSScott Kruger
97729921a8fSScott Kruger    return self.gendeps
97829921a8fSScott Kruger
97929921a8fSScott Kruger  def gen_pkg(self, pkg):
98029921a8fSScott Kruger    """
98129921a8fSScott Kruger     Overwrite of the method in the base PETSc class
98229921a8fSScott Kruger    """
98329921a8fSScott Kruger    return self.sources[pkg]
98429921a8fSScott Kruger
9858e69c5ecSJed Brown  def write_gnumake(self, dataDict, output=None):
98629921a8fSScott Kruger    """
98729921a8fSScott Kruger     Write out something similar to files from gmakegen.py
98829921a8fSScott Kruger
98929921a8fSScott Kruger     Test depends on script which also depends on source
99029921a8fSScott Kruger     file, but since I don't have a good way generating
99129921a8fSScott Kruger     acting on a single file (oops) just depend on
99229921a8fSScott Kruger     executable which in turn will depend on src file
99329921a8fSScott Kruger    """
99468f6ad6bSScott Kruger    # Different options for how to set up the targets
99568f6ad6bSScott Kruger    compileExecsFirst=False
99668f6ad6bSScott Kruger
99729921a8fSScott Kruger    # Open file
998021a2b48SJed Brown    with open(output, 'w') as fd:
99929921a8fSScott Kruger      # Write out the sources
1000b0790570SJed Brown      gendeps = self.gen_gnumake(fd)
100129921a8fSScott Kruger
100229921a8fSScott Kruger      # Write out the tests and execname targets
100329921a8fSScott Kruger      fd.write("\n#Tests and executables\n")    # Delimiter
100429921a8fSScott Kruger
100547fd361eSStefano Zampini      for pkg in self.pkg_pkgs:
100629921a8fSScott Kruger        # These grab the ones that are built
100729921a8fSScott Kruger        for lang in LANGS:
100885a27222SJed Brown          testdeps=[]
100929921a8fSScott Kruger          for ftest in self.tests[pkg][lang]:
101029921a8fSScott Kruger            test=os.path.basename(ftest)
101129921a8fSScott Kruger            basedir=os.path.dirname(ftest)
10126f5e9bd5SScott Kruger            testdeps.append(nameSpace(test,basedir))
1013c0558f20SBarry Smith          fd.write("test-"+pkg+"."+lang.replace('_','.')+" := "+' '.join(testdeps)+"\n")
1014c0558f20SBarry Smith          fd.write('test-%s.%s : $(test-%s.%s)\n' % (pkg, lang.replace('_','.'), pkg, lang.replace('_','.')))
101529921a8fSScott Kruger
101629921a8fSScott Kruger          # test targets
101729921a8fSScott Kruger          for ftest in self.tests[pkg][lang]:
101829921a8fSScott Kruger            test=os.path.basename(ftest)
101929921a8fSScott Kruger            basedir=os.path.dirname(ftest)
102029921a8fSScott Kruger            testdir="${TESTDIR}/"+basedir+"/"
10216f5e9bd5SScott Kruger            nmtest=nameSpace(test,basedir)
102229921a8fSScott Kruger            rundir=os.path.join(testdir,test)
102329921a8fSScott Kruger            script=test+".sh"
102429921a8fSScott Kruger
102529921a8fSScott Kruger            # Deps
102629921a8fSScott Kruger            exfile=self.tests[pkg][lang][ftest]['exfile']
102794666443SJed Brown            fullex=os.path.join(self.srcdir,exfile)
102829921a8fSScott Kruger            localexec=self.tests[pkg][lang][ftest]['exec']
102929921a8fSScott Kruger            execname=os.path.join(testdir,localexec)
103068f6ad6bSScott Kruger            fullscript=os.path.join(testdir,script)
103168f6ad6bSScott Kruger            tmpfile=os.path.join(testdir,test,test+".tmp")
103229921a8fSScott Kruger
1033b91d4a07SJed Brown            # *.counts depends on the script and either executable (will
1034b91d4a07SJed Brown            # be run) or the example source file (SKIP or TODO)
1035fa9d32b8SSatish Balay            fd.write('%s.counts : %s %s'
1036b91d4a07SJed Brown                % (os.path.join('$(TESTDIR)/counts', nmtest),
1037b91d4a07SJed Brown                   fullscript,
10384fedfc52SScott Kruger                   execname if exfile in self.sources[pkg][lang]['srcs'] else fullex)
10394fedfc52SScott Kruger                )
1040fa9d32b8SSatish Balay            if exfile in self.sources[pkg][lang]:
1041fa9d32b8SSatish Balay              for dep in self.sources[pkg][lang][exfile]:
1042fa9d32b8SSatish Balay                fd.write(' %s' % os.path.join('$(TESTDIR)',dep))
1043fa9d32b8SSatish Balay            fd.write('\n')
10444fedfc52SScott Kruger
104529921a8fSScott Kruger            # Now write the args:
1046612eee3eSJed Brown            fd.write(nmtest+"_ARGS := '"+self.tests[pkg][lang][ftest]['argLabel']+"'\n")
1047df2e1f37SScott Kruger
104829921a8fSScott Kruger    return
104929921a8fSScott Kruger
10506f5e9bd5SScott Kruger  def write_db(self, dataDict, testdir):
10516f5e9bd5SScott Kruger    """
10526f5e9bd5SScott Kruger     Write out the dataDict into a pickle file
10536f5e9bd5SScott Kruger    """
1054021a2b48SJed Brown    with open(os.path.join(testdir,'datatest.pkl'), 'wb') as fd:
10556f5e9bd5SScott Kruger      pickle.dump(dataDict,fd)
10566f5e9bd5SScott Kruger    return
10576f5e9bd5SScott Kruger
10585e361860SScott Krugerdef main(petsc_dir=None, petsc_arch=None, pkg_dir=None, pkg_arch=None,
10595e361860SScott Kruger         pkg_name=None, pkg_pkgs=None, verbose=False, single_ex=False,
10605e361860SScott Kruger         srcdir=None, testdir=None, check=False):
1061c173c275SScott Kruger    # Allow petsc_arch to have both petsc_dir and petsc_arch for convenience
1062add6df95SStefano Zampini    testdir=os.path.normpath(testdir)
1063cadd188bSScott Kruger    if petsc_arch:
1064add6df95SStefano Zampini        petsc_arch=petsc_arch.rstrip(os.path.sep)
1065c173c275SScott Kruger        if len(petsc_arch.split(os.path.sep))>1:
1066add6df95SStefano Zampini            petsc_dir,petsc_arch=os.path.split(petsc_arch)
10678e69c5ecSJed Brown    output = os.path.join(testdir, 'testfiles')
106829921a8fSScott Kruger
1069e551db17SScott Kruger    pEx=generateExamples(petsc_dir=petsc_dir, petsc_arch=petsc_arch,
1070ece5ceb9SStefano Zampini                         pkg_dir=pkg_dir, pkg_arch=pkg_arch, pkg_name=pkg_name, pkg_pkgs=pkg_pkgs,
1071e551db17SScott Kruger                         verbose=verbose, single_ex=single_ex, srcdir=srcdir,
10725e361860SScott Kruger                         testdir=testdir,check=check)
1073cadd188bSScott Kruger    dataDict=pEx.walktree(os.path.join(pEx.srcdir))
1074bd540d5bSScott Kruger    if not pEx.check_output:
10758e69c5ecSJed Brown        pEx.write_gnumake(dataDict, output)
10766f5e9bd5SScott Kruger        pEx.write_db(dataDict, testdir)
107729921a8fSScott Kruger
107829921a8fSScott Krugerif __name__ == '__main__':
107929921a8fSScott Kruger    import optparse
108029921a8fSScott Kruger    parser = optparse.OptionParser()
108129921a8fSScott Kruger    parser.add_option('--verbose', help='Show mismatches between makefiles and the filesystem', action='store_true', default=False)
10824ff3c6a1SScott Kruger    parser.add_option('--petsc-dir', help='Set PETSC_DIR different from environment', default=os.environ.get('PETSC_DIR'))
108329921a8fSScott Kruger    parser.add_option('--petsc-arch', help='Set PETSC_ARCH different from environment', default=os.environ.get('PETSC_ARCH'))
1084e551db17SScott Kruger    parser.add_option('--srcdir', help='Set location of sources different from PETSC_DIR/src', default=None)
108529921a8fSScott Kruger    parser.add_option('-s', '--single_executable', dest='single_executable', action="store_false", help='Whether there should be single executable per src subdir.  Default is false')
10868e69c5ecSJed Brown    parser.add_option('-t', '--testdir', dest='testdir',  help='Test directory [$PETSC_ARCH/tests]')
10875e361860SScott Kruger    parser.add_option('-c', '--check-output', dest='check_output', action="store_true",
1088407b358cSPierre Jolivet                      help='Check whether output files are in output directory')
1089ece5ceb9SStefano Zampini    parser.add_option('--pkg-dir', help='Set the directory of the package (different from PETSc) you want to generate the makefile rules for', default=None)
1090ece5ceb9SStefano Zampini    parser.add_option('--pkg-name', help='Set the name of the package you want to generate the makefile rules for', default=None)
1091ece5ceb9SStefano Zampini    parser.add_option('--pkg-arch', help='Set the package arch name you want to generate the makefile rules for', default=None)
109247fd361eSStefano Zampini    parser.add_option('--pkg-pkgs', help='Set the package folders (comma separated list, different from the usual sys,vec,mat etc) you want to generate the makefile rules for', default=None)
10934ff3c6a1SScott Kruger
109429921a8fSScott Kruger    opts, extra_args = parser.parse_args()
109529921a8fSScott Kruger    if extra_args:
109629921a8fSScott Kruger        import sys
109729921a8fSScott Kruger        sys.stderr.write('Unknown arguments: %s\n' % ' '.join(extra_args))
109829921a8fSScott Kruger        exit(1)
10998e69c5ecSJed Brown    if opts.testdir is None:
11008e69c5ecSJed Brown      opts.testdir = os.path.join(opts.petsc_arch, 'tests')
11014ff3c6a1SScott Kruger
11024ff3c6a1SScott Kruger    main(petsc_dir=opts.petsc_dir, petsc_arch=opts.petsc_arch,
1103ece5ceb9SStefano Zampini         pkg_dir=opts.pkg_dir,pkg_arch=opts.pkg_arch,pkg_name=opts.pkg_name,pkg_pkgs=opts.pkg_pkgs,
11048e69c5ecSJed Brown         verbose=opts.verbose,
11054ff3c6a1SScott Kruger         single_ex=opts.single_executable, srcdir=opts.srcdir,
11065e361860SScott Kruger         testdir=opts.testdir, check=opts.check_output)
1107