コード例 #1
0
ファイル: summary_images.py プロジェクト: elcritch/scilab
def process_test(testinfo, testfolder, report):

    # debug(testinfo)

    print(mdHeader(2, "Test: " + str(testinfo)), file=report)

    details = print_datasheet(testinfo, testfolder, report)

    print_csv_data(testinfo, testfolder, details, report)

    testImages = findFilesIn(testfolder.images, kind='JPG')
    # testImages = testfolder.images.glob('*.png')
    testGraphs = findFilesIn(testfolder.graphs, kind='png')

    import urllib.parse

    print(mdHeader(3, "Graphs"), file=report)

    stepLastGraph = next((g for g in testGraphs if 'step last' in g.name),
                         None)
    reportdir = Path(report.name).parent
    debug(stepLastGraph, reportdir)

    if stepLastGraph:
        stepLastGraph = '..' / stepLastGraph.absolute().relative_to(
            testfolder.project_dir)
        print('![%s](%s)' %
              (stepLastGraph.name, urllib.parse.quote(str(stepLastGraph))),
              file=report)
コード例 #2
0
ファイル: summary_images.py プロジェクト: manasdas17/scilab-2
def process_test(testinfo, testfolder, report):

    # debug(testinfo)

    print(mdHeader(2, "Test: " + str(testinfo) ), file=report)

    details = print_datasheet(testinfo, testfolder, report)
    
    print_csv_data(testinfo, testfolder, details, report)
    
    
    testImages = findFilesIn(testfolder.images, kind='JPG')
    # testImages = testfolder.images.glob('*.png')
    testGraphs = findFilesIn(testfolder.graphs, kind='png')
    
    import urllib.parse 
    
    print(mdHeader(3, "Graphs" ), file=report)
    
    stepLastGraph = next((g for g in testGraphs if 'step last' in g.name), None)
    reportdir = Path(report.name).parent
    debug(stepLastGraph, reportdir)
    
    if stepLastGraph:
        stepLastGraph = '..' / stepLastGraph.absolute().relative_to(testfolder.project_dir) 
        print( '![%s](%s)'%(stepLastGraph.name, urllib.parse.quote(str(stepLastGraph))), file=report)
コード例 #3
0
def output_table(args):

    # if True: return

    project = Path(RAWDATA) / args.project

    print('\n\n## Summary Table \n\n')
    summary_table = args.state.summaryTable.generateTable().format()
    print(summary_table)

    ## Make summary markdown
    summaryFile = "test_summary_table.md"
    summarySections = (
        mdHeader(1, "Meniscus Fatigue Expr 1 - Pretrial"),
        mdBlock('\n\n\n'),
        mdHeader(2, "Summary Table"),
        mdBlock(summary_table),
        mdBlock('\n\nDone...\n\n'),
    )

    # writeImageTable(project, summaryFile, summarySections, writemode='w')

    ## Make images markdown
    # imagesMarkdown = os.sep.join(RAWDATA,args.project,"test_all_images.md")
    # writeImageTable(args, imagesMarkdown)

    testDetails, testImages = args.state.testDetails, args.state.testImages

    def makeTestSection(test, details, images):
        section = ""
        section += mdHeader(3, "Test: " + test)
        section += mdBlock(details)
        section += mdBlock(
            images.generateTable(columns=2, directory=str(project)))
        return section

    testSections = (makeTestSection(test, details, images) for (
        test,
        details), (_, images) in zip(testDetails.items(), testImages.items()))

    import itertools

    writeImageTable(project,
                    summaryFile,
                    itertools.chain(summarySections, testSections),
                    writemode='w')

    print(subprocess.call(['open', '-a', 'Marked',
                           str(project / summaryFile)]))
コード例 #4
0
def processTest(coun,test):

    pd = test.parent / 'processed'
    if not pd.exists():
        pd.mkdir()

    print(mdHeader(1, "Test {}: {} ({})".format(count,test.info.name, test.info.short) ) )

    locations = scilab.tools.jsonutils.load_json(
                        str(test.parent / 'measured'),
                        json_url="hand.measurements.json")

    orient = test.info.orientation
    pixel_ratio = DIMS['pixel_ratio']
    front, figname1 = process(pd, test.full.front, DIMS,orient,'front', locations)
    fail, figname2 = process(pd, test.full.fail, DIMS,orient,'front', min_size=200, locations=locations)
    side, figname3 = process(pd, test.full.side, DIMS,orient,'side', locations)

    measures = DataTree(front=front,fail=fail,side=side)

    for k,measure in measures.items():
        print("## Processing:", k)
        if not measure: continue
#         print("Measurements:\n",flatten(measure.mm.summaries,sep='.'))

    scilab.tools.jsonutils.write_json(pd, measures)
    summaries = DataTree(**{ k: v.mm.summaries for k,v in measures.items() if v })
    summaries.units = 'mm'
    summaries.info = test.info
    summariesName = '{}.measurements.json'.format(test.info.name)

    scilab.tools.jsonutils.write_json(testDataDir, summaries, json_url=summariesName)
    print("Wrote json:", testDataDir)
コード例 #5
0
ファイル: run_image_measure.py プロジェクト: elcritch/scilab
def processSpecimenImages(testinfo, testfolder, testimages):

    pd = testfolder.images / 'processed'
    if not pd.exists(): pd.mkdir()

    print(mdHeader(1, "Test {}: {}".format(testinfo.name, testinfo.short) ) )

    orient = testinfo.orientation
    locations=None

# processedDir, testpaths, imgPath, dims, orientation, aspect,      locations
    front, figname1 = process(pd, testfolder, testimages.front, DIMS, orient, 'front', locations)
#    fail, figname2 = process(pd, test.full.fail, DIMS, orient, 'front', min_size=200)
    side, figname3 = process(pd, testfolder, testimages.side, DIMS, orient, 'side', locations)

    measures = DataTree(front=front,side=side)

    for k,measure in measures.items():
        print("## Processing:", k)
        if not measure: continue
#         print("Measurements:\n",flatten(measure.mm.summaries,sep='.'))

    scilab.tools.jsonutils.write_json(pd, measures)
    summaries = DataTree(**{ k: v.mm.summaries for k,v in measures.items() if v })
    summaries.units = 'mm'
    summaries.info = testinfo
    summariesName = '{}.measurements.json'.format(testinfo.name)

    debug(summaries)
    scilab.tools.jsonutils.write_json(testfolder.jsoncalc, summaries, json_url=summariesName)

    print("Wrote json:", testfolder.jsoncalc)

    return summaries
コード例 #6
0
 def makeTestSection(test, details, images):
     section = ""
     section += mdHeader(3, "Test: " + test)
     section += mdBlock(details)
     section += mdBlock(
         images.generateTable(columns=2, directory=str(project)))
     return section
コード例 #7
0
def processTest(coun, test):

    pd = test.parent / 'processed'
    if not pd.exists():
        pd.mkdir()

    print(
        mdHeader(
            1, "Test {}: {} ({})".format(count, test.info.name,
                                         test.info.short)))

    locations = scilab.tools.jsonutils.load_json(
        str(test.parent / 'measured'), json_url="hand.measurements.json")

    orient = test.info.orientation
    pixel_ratio = DIMS['pixel_ratio']
    front, figname1 = process(pd, test.full.front, DIMS, orient, 'front',
                              locations)
    fail, figname2 = process(pd,
                             test.full.fail,
                             DIMS,
                             orient,
                             'front',
                             min_size=200,
                             locations=locations)
    side, figname3 = process(pd, test.full.side, DIMS, orient, 'side',
                             locations)

    measures = DataTree(front=front, fail=fail, side=side)

    for k, measure in measures.items():
        print("## Processing:", k)
        if not measure: continue


#         print("Measurements:\n",flatten(measure.mm.summaries,sep='.'))

    scilab.tools.jsonutils.write_json(pd, measures)
    summaries = DataTree(
        **{k: v.mm.summaries
           for k, v in measures.items() if v})
    summaries.units = 'mm'
    summaries.info = test.info
    summariesName = '{}.measurements.json'.format(test.info.name)

    scilab.tools.jsonutils.write_json(testDataDir,
                                      summaries,
                                      json_url=summariesName)
    print("Wrote json:", testDataDir)

    #     clear_output()
    for fig in [figname1, figname2, figname3]:
        if fig:
            fig = (pd / '..' / '..' / fig).resolve()

            display(Image(str(fig), width=600))
コード例 #8
0
 def test(test):
     try:
         testinfo = UtsTestInfo(name=test.name)
         print(mdHeader(2, str(testinfo)))
         # print(str(testinfo),end=', ')
         print('.', end='')
         errs = testinfo.validate()
         if errs:
             print(testinfo.name)
             print("Validaton errors:", errs)
         return testinfo
     except Exception as err:
         logging.warn(err)
コード例 #9
0
 def test(test):
     try:
         testinfo = UtsTestInfo(name=test.name)
         print(mdHeader(2,str(testinfo)))
         # print(str(testinfo),end=', ')
         print('.',end='')
         errs = testinfo.validate()
         if errs:
             print(testinfo.name)
             print("Validaton errors:",errs)
         return testinfo
     except Exception as err:
         logging.warn(err)
コード例 #10
0
ファイル: graph_runner2.py プロジェクト: elcritch/scilab
def main():

    fs = fatigue_cycles.FileStructure('fatigue failure (cycles, expr1)',
                                      'cycles-expr2')
    # fs = fatigue_uts.FileStructure('fatigue failure (uts, expr1)', 'fatigue-test-2')
    # Test test images for now
    test_dir = fs.test_parent.resolve()

    testitemsd = fs.testitemsd()

    import seaborn as sns
    sns.set_style("whitegrid")
    # sns.set_style("ticks")
    # sns.set_style("dark")

    testitems = list(testitemsd.items())
    debug('\n'.join([l.name for l in testitemsd]))

    tempreports = fs.results_dir / 'Temp Reports'
    if not tempreports.is_dir():
        tempreports.mkdir()

    with (tempreports / 'Excel Data Sheet Results.md').open('w') as report:

        for testinfo, testfile in testitems[:]:
            # for testinfo, testfile  in testitems[ :2 ]:
            # for testinfo, testfile  in testitems[ : len(testitems)//2 ]:
            # for testinfo, testfile  in testitems[ len(testitems)//2-1 : ]:

            # if testinfo.orientation == 'lg':
            # if testinfo.orientation == 'tr':
            # continue
            # if testinfo.name != 'nov28(gf10.1-llm)-wa-tr-l4-x2':
            #     continue

            testfolder = fs.testfolder(testinfo=testinfo,
                                       ensure_folders_exists=False)

            print(mdHeader(3, testinfo))

            # if any( testfolder.jsoncalc.glob('*.summaries.calculated.json') ):
            #     logging.info("SKIPPING: "+str(testinfo))
            #     continue

            try:
                res = process_test(testinfo, testfolder, reportfile=report)
                print(res)

            except Exception as err:
                logging.warn("Error processing tests %s: %s", testinfo, err)
                raise err
コード例 #11
0
ファイル: graph_runner2.py プロジェクト: manasdas17/scilab-2
def main():
    
    fs = fatigue_cycles.FileStructure('fatigue failure (cycles, expr1)', 'cycles-expr2')
    # fs = fatigue_uts.FileStructure('fatigue failure (uts, expr1)', 'fatigue-test-2')
    # Test test images for now
    test_dir = fs.test_parent.resolve()
    
    
    testitemsd = fs.testitemsd()

    import seaborn as sns
    sns.set_style("whitegrid")
    # sns.set_style("ticks")
    # sns.set_style("dark")
    
    testitems = list(testitemsd.items())
    debug('\n'.join([l.name for l in testitemsd ]))
    
    tempreports = fs.results_dir/'Temp Reports'
    if not tempreports.is_dir():
        tempreports.mkdir()
    
    with (tempreports/'Excel Data Sheet Results.md').open('w') as report:
    
        for testinfo, testfile  in testitems[ : ]:
        # for testinfo, testfile  in testitems[ :2 ]:
        # for testinfo, testfile  in testitems[ : len(testitems)//2 ]:
        # for testinfo, testfile  in testitems[ len(testitems)//2-1 : ]:

            # if testinfo.orientation == 'lg':
            # if testinfo.orientation == 'tr':
                # continue
            # if testinfo.name != 'nov28(gf10.1-llm)-wa-tr-l4-x2':
            #     continue
            
            testfolder = fs.testfolder(testinfo=testinfo, ensure_folders_exists=False)
            
            print(mdHeader(3, testinfo))
            
            # if any( testfolder.jsoncalc.glob('*.summaries.calculated.json') ):
            #     logging.info("SKIPPING: "+str(testinfo))
            #     continue
            
            try:
                res = process_test(testinfo, testfolder, reportfile=report)
                print(res)
            
            except Exception as err:
                logging.warn("Error processing tests %s: %s", testinfo, err)
                raise err
コード例 #12
0
 def checkBaseline(baseline, name, fileList):
     print(mdHeader(2, "Checking: "+name))
     fileSet = toset(fileList)
     
     print(len(baseline), len(fileSet))
     
     # print()
     # for i,j,k in zip(sorted(baseline), sorted(fileSet), sorted(grab(0,fileList))):
     #     print(i,j, k.parent.name+'/'+k.name, sep=' | ')
     # print()
     
     diff = baseline-fileSet
     
     print("Missing in fileset:",diff,sep='\n')
     print("In: ", list((d,d in baseline) for d in diff))
コード例 #13
0
    def checkBaseline(baseline, name, fileList):
        print(mdHeader(2, "Checking: " + name))
        fileSet = toset(fileList)

        print(len(baseline), len(fileSet))

        # print()
        # for i,j,k in zip(sorted(baseline), sorted(fileSet), sorted(grab(0,fileList))):
        #     print(i,j, k.parent.name+'/'+k.name, sep=' | ')
        # print()

        diff = baseline - fileSet

        print("Missing in fileset:", diff, sep='\n')
        print("In: ", list((d, d in baseline) for d in diff))
コード例 #14
0
ファイル: summary_images.py プロジェクト: manasdas17/scilab-2
def print_csv_data(testinfo, testfolder, details, report):
    
    fatigue_data = """
        Short Name,set,location,sample,Test Name,Level,Area,DM3,Pred UTS,Orient,Cycles (1st Quartile),Cycles (4th Quartile),UTS Load,Max Strain
        1002-1LG-1001,1002,1LG,1001,,90%,0.788,120.33,12.635,,29,39,,
        1002-1LG-701,1002,1LG,701,,60%,1.13,160.73,17.66,LG,972,975,,
        1002-1LG-702,1002,1LG,702,,70%,1.466,141.22,15.716,,,,25,
        1002-1LG-902,1002,1LG,902,,80%,0.931,136.98,15.293,LG,104,105,,
        1002-1TR-601,1002,1TR,601,,60%,0.16894,5.563,0.5,,,,2.1,
        1002-1TR-602,1002,1TR,602,,70%,1.1296,12.035,5.4,,11,12,,
        1002-1TR-603,1002,1TR,603,,70%,1.02,5.433,1.056,,,,1.7,
        1002-1TR-801,1002,1TR,801,,80%,0.7912,5.319,1.016,,3790,3791,,
        1006-1TR-501,1006,1TR,501,,90%,0.713,4.942,0.884,,,,,
        1006-1TR-502,1006,1TR,502,,80%,0.555,4.72,0.644,,1,21,,
        1006-1TR-701,1006,1TR,701,,70%,0.786,8.083,1.39,,1597,1598,,
        1006-1TR-702,1006,1TR,702,,60%,0.701,10.939,2.988,,6620,6630,,
        1009-1LG-1002,1009,1LG,1002,jan10(gf10.9-llm)-wa-lg-l10-x2,60%,1.02,133.97,14.994,LG,,,14,
        1009-1LG-1003,1009,1LG,1003,jan10(gf10.9-llm)-wa-lg-l10-x3,70%,0.72,156.2,17.208,LG,98,99,,
        1009-1LG-1201,1009,1LG,1201,jan10(gf10.9-llm)-wa-lg-l12-x1,80%,1.2,192.6,20.83,LG,,,38,
        1009-1LG-1202,1009,1LG,1202,jan10(gf10.9-llm)-wa-lg-l12-x2,90%,1.36,118.05,13.407,LG,184,185,,
        1009-1LG-1203,1009,1LG,1203,jan10(gf10.9-llm)-wa-lg-l12-x3,80%,1.1,97.07,11.317,LG,559,560,,
        1009-1TR-1101,1009,1TR,1101,,70%,0.79,9.742,2.568,,,,5,
        1009-1TR-1102,1009,1TR,1102,,60%,1.02,9.632,2.529,,,,6.7,
        1009-1TR-902,1009,1TR,902,,90%,0.87,7.029,1.615,,,,3.4,
        1009-1TR-903,1009,1TR,903,,90%,0.88,14.487,4.233,,1,1,,
        1104-1LG-501,1104,1LG,501,jan11(gf11.4-llm)-wa-lg-l5-x1,90%,1.1,113.96,12.99,LG,1,17,,
        1104-1LG-502,1104,1LG,502,jan11(gf11.4-llm)-wa-lg-l5-x2,80%,1.56,64.166,8.03,LG,102,126,,
        1104-1LG-701,1104,1LG,701,jan11(gf11.4-llm)-wa-lg-l7-x1,70%,1.26,207.92,22.361,LG,,,12,
        1104-1LG-702,1104,1LG,702,jan11(gf11.4-llm)-wa-lg-l7-x2,60%,1.26,113.76,12.98,LG,,,12,
        1105-1LG-601,1105,1LG,601,jan11(gf11.5-llm)-wa-lg-l6-x1,60%,0.88,250.89,26.642,LG,,,24,
        1105-1LG-602,1105,1LG,602,jan11(gf11.5-llm)-wa-lg-l6-x2,70%,0.93,171.9,18.772,LG,198,199,,
        1105-1LG-801,1105,1LG,801,jan11(gf11.5-llm)-wa-lg-l8-x1,80%,1.23,19.789,19.789,LG,751,752,,
        1105-1LG-802,1105,1LG,802,jan11(gf11.5-llm)-wa-lg-l8-x2,90%,1.81,143.35,15.928,LG,25,26,,
        1105-1TR-501,1105,1TR,501,,90%,0.52,8.92,2.279,,104,105,,
        1105-1TR-502,1105,1TR,502,,80%,0.38,7.899,1.921,,7,8,,
        1105-1TR-701,1105,1TR,701,,70%,0.67,11.912,3.329,,16,18,,
        1105-1TR-702,1105,1TR,702,,60%,0.629,8.977,2.3,,143,145,,
        """
    
    def values(v):
        try:
            return int(v)
        except:
            try:
                return float(v)
            except:
                return v

    fatigue_header, *fatigue_rows = [ l.strip().split(',') for l in fatigue_data.strip().split('\n') ]
    # debug(fatigue_header)
    
    fatigue_dicts = [ { k:values(i) for k,i in zip(fatigue_header, r) } for r in fatigue_rows ]
    fatigue_dicts = DataTree(**{ r['Short Name']:r for r in fatigue_dicts })
    
    # debug(fatigue_dicts)
    
    
    
    print(mdHeader(3, "CSV Data" ), file=report)
    
    # KeyError: "Key 'elapsedStep' not found in: step, loadLinearLoad1Maximum, displacementLinearDigitalPositionMinimum, rotationRotaryRotationMinimum, torqueRotaryTorqueMinimum, rotationRotaryRotationMaximum, torqueRotaryTorqueMaximum, indices, positionLinearPositionMaximum, rotaryDisplacementRotaryDigitalRotationMaximum, rotaryDisplacementRotaryDigitalRotationMinimum, loadLinearLoadMaximum, loadLinearLoad1Minimum, elapsedCycles, pc|frequency, _matrix, _InstronMatrixData__slices, displacementLinearDigitalPositionMaximum, totalCycles, loadLinearLoadMinimum, positionLinearPositionMinimum, pc|cycleStartTime"

    if testinfo.orientation == 'lg':
        trendsfolder = testfolder.raws.cycles_lg_csv
        loads = ['loadLinearLoadMaximum','loadLinearLoadMinimum']        
        loadsTracking = 'loadLinearLoad'        
    elif testinfo.orientation == 'tr':
        trendsfolder = testfolder.raws.cycles_tr_csv
        loads = ['loadLinearLoad1Maximum','loadLinearLoad1Maximum']
        loadsTracking = 'loadLinearLoad1'
    
    debug(testinfo.short, trendsfolder)
    
    if not trendsfolder.trends or not trendsfolder.trends.exists():
        print("Error: couldn't find trend files! (%s)"%(str(testinfo),), file=report)
        return 
        
    trends = csvread(str(trendsfolder.trends))
    
    indicies = trends._getslices('step')
    debug(indicies)
    
    sl_fatigue = indicies[5]
    # sl_uts = indicies[7]
    
    def fmt(name, N=-25, O=-1):
        if hasattr(name, '__call__'):
            return name(trends, N, O)[1]
        return trends[name].array[N:O]
        
    columns = [
        'elapsedCycles', 
        'step', 
        'displacementLinearDigitalPositionMinimum', 
        'displacementLinearDigitalPositionMaximum',
        lambda x,N,O: ('Min Strain', x['displacementLinearDigitalPositionMinimum'].array[N:O]/details.gauge.value),
        lambda x,N,O: ('Max Strain', x['displacementLinearDigitalPositionMaximum'].array[N:O]/details.gauge.value),
        ]+loads
        
    def short(name, N=-1, O=-1):
        if hasattr(name, '__call__'):
            return name(trends, N, O)[0]
        return name.replace('Linear', '').replace('displacement', 'disp').replace('DigitalPosition','')
    
    
    fatigue_dict = fatigue_dicts.get(testinfo.short,None) 
    quartile1 = 'Cycles (1st Quartile)'
    quartile4 = 'Cycles (4th Quartile)'
    print(mdBlock("Fatigue Data:"+str(fatigue_dict)), file=report)

    
    if fatigue_dict and fatigue_dict[quartile4]:
        
        startEndCycleIdx = find_index(fatigue_dict[quartile1], trends['elapsedCycles'].array[sl_fatigue])
        lastCycleIdx = find_index(fatigue_dict[quartile4], trends['elapsedCycles'].array[sl_fatigue])
        N, O = startEndCycleIdx-1, lastCycleIdx
        
        if not lastCycleIdx:
            debug(trends['elapsedCycles'].array[sl_fatigue])
            
        debug(startEndCycleIdx, lastCycleIdx, N, O)
        
        lastCycleMaxPosition = (trends['displacementLinearDigitalPositionMaximum'].array[sl_fatigue])[lastCycleIdx]
        
        debug(lastCycleMaxPosition, fatigue_dict)
        
        print(mdBlock("**Fatigue Cycle**: {'id': '%s', 'loc': '%s', 'max disp': %.3f, 'max strain':%.3f, 'lastCycle': %d, 'timeLast': %.3f} "%(
                    fatigue_dict['Short Name'],
                    fatigue_dict['location'],
                    lastCycleMaxPosition,
                    lastCycleMaxPosition/details.gauge.value,
                    fatigue_dict[quartile4],
                    trends['pc|cycleStartTime'].array[sl_fatigue][lastCycleIdx]
                    ),
                ), file=report)
    else:
        N, O = -25, -1
    
    if fatigue_dict and fatigue_dict['UTS Load']:
        
        tracking = csvread(str(trendsfolder.tracking))
        
        track_indicies = trends._getslices('step')
        sl_uts = track_indicies[7]
        debug(track_indicies, sl_uts)
            
        maxload = data_find_max(tracking[loadsTracking].array[sl_uts])
        debug(maxload)
        
        maxes = DataTree()
        maxes.load = maxload.value
        maxes.stress = maxes.load / details.measurements.area.value

        maxes.displacement = tracking.displacement.array[sl_uts][maxload.idx]
        maxes.strain = maxes.displacement / details.gauge.value

        debug(maxes)
                
        print(mdBlock("**UTS Load**: %s: %s, %s, %.3f, %.3f, %.3f, %.3f, , %.3f, %.3f, %d, %.3f "%(
                    'Name, Orient, UTS Load (manual), UTS Stress (manual), disp, strain, load, stress, idx, time',
                    fatigue_dict['Short Name'],
                    fatigue_dict['location'],
                    fatigue_dict['UTS Load'],
                    fatigue_dict['UTS Load']/details.gauge.value,
                    maxes.displacement,
                    maxes.strain,
                    maxes.load,
                    maxes.stress,
                    maxload.idx,
                    tracking.totalTime.array[sl_uts][maxload.idx],
                    )), file=report)    
    
    tabledata = OrderedDict([(short(col), fmt(col, N, O)) for col in columns ])    
    print(tabulate(tabledata, headers="keys", numalign="right", floatfmt=".2f"), file=report)
    
    
    print(mdBlock("Steps: "), set(trends['step'].array.tolist()), file=report)
コード例 #15
0
ファイル: summary_images.py プロジェクト: elcritch/scilab
def print_datasheet(testinfo, testfolder, report):

    print(mdHeader(3, "DataSheet Info"), file=report)
    details = Json.load_json(testfolder.json,
                             json_url=testinfo.name + '.calculated.json')

    # debug(details)
    fdetails = flatten(details, sep='.')
    # debug(fdetails)

    name = OrderedDict()
    # name["Short Name"] = "Short Name"
    # name["info.name"] = "info.name"
    # name["linear_modulus.value"] = "Toe Linear Modulus"
    # name["linear_modulus.slope_strain"] = "TLM Strain Slope"
    # name["linear_modulus.slope_stress"] = "TLM Stress Slope"
    # name["calculations.maxes.displacement.value"] = "displacement.value"
    # name["calculations.maxes.load.value"] = "load.value"
    # name["calculations.maxes.strain.value"] = "strain.value"
    # name["calculations.maxes.stress.value"] = "stress.value"
    name["measurements.area.units"] = "area.units"
    name["measurements.area.value"] = "area.value"
    name["measurements.depth.stdev"] = "depth.stdev"
    name["measurements.depth.value"] = "depth.value"
    name["measurements.width.stdev"] = "width.stdev"
    name["measurements.width.value"] = "width.value"
    name["gauge.base"] = "gauge.base"
    name["gauge.preloaded"] = "gauge.preloaded"
    name["gauge.value"] = "gauge.value"
    # name["info.sample"] = "info.sample"
    # name["info.layer"] = "info.layer"
    # name["info.orientation"] = "info.orientation"
    # name["info.wedge"] = "info.wedge"
    # name["info.side"] = "info.side"
    # name["info.set"] = "info.set"
    # name["info.date"] = "info.date"
    # name["info.run"] = "info.run"
    # name["name"] = "File Name"

    for k, v in name.items():
        v = v.replace('.value', '').split('.')
        name[k] = ' '.join([s[0].upper() + s[1:] for s in v])

    # print(*name.values(),sep='\n')
    # make table
    def values(v):
        try:
            if type(v) == float:
                return "%.3f" % v
            elif type(v) == int:
                return "%d" % v
        except:
            return v

    data = [(k, values(fdetails.get(k, None))) for k in name]

    # debug(data)

    print(tabulate(data,
                   headers=['Name', 'Value'],
                   numalign="right",
                   floatfmt=".2f"),
          file=report)

    return details
コード例 #16
0
ファイル: summary_images.py プロジェクト: manasdas17/scilab-2
def print_datasheet(testinfo, testfolder, report):
    
    print(mdHeader(3, "DataSheet Info" ), file=report)
    details = Json.load_json(testfolder.json, json_url=testinfo.name+'.calculated.json') 

    # debug(details)
    fdetails = flatten(details, sep='.')
    # debug(fdetails)


    name = OrderedDict()
    # name["Short Name"] = "Short Name"
    # name["info.name"] = "info.name"
    # name["linear_modulus.value"] = "Toe Linear Modulus"
    # name["linear_modulus.slope_strain"] = "TLM Strain Slope"
    # name["linear_modulus.slope_stress"] = "TLM Stress Slope"
    # name["calculations.maxes.displacement.value"] = "displacement.value"
    # name["calculations.maxes.load.value"] = "load.value"
    # name["calculations.maxes.strain.value"] = "strain.value"
    # name["calculations.maxes.stress.value"] = "stress.value"
    name["measurements.area.units"] = "area.units"
    name["measurements.area.value"] = "area.value"
    name["measurements.depth.stdev"] = "depth.stdev"
    name["measurements.depth.value"] = "depth.value"
    name["measurements.width.stdev"] = "width.stdev"
    name["measurements.width.value"] = "width.value"
    name["gauge.base"] = "gauge.base"
    name["gauge.preloaded"] = "gauge.preloaded"
    name["gauge.value"] = "gauge.value"
    # name["info.sample"] = "info.sample"
    # name["info.layer"] = "info.layer"
    # name["info.orientation"] = "info.orientation"
    # name["info.wedge"] = "info.wedge"
    # name["info.side"] = "info.side"
    # name["info.set"] = "info.set"
    # name["info.date"] = "info.date"
    # name["info.run"] = "info.run"
    # name["name"] = "File Name"

    for k,v in name.items():
        v = v.replace('.value','').split('.')
        name[k] = ' '.join( [ s[0].upper()+s[1:] for s in v ] )

    

    # print(*name.values(),sep='\n')
    # make table
    def values(v):
        try:
            if type(v) == float:
                return "%.3f"%v
            elif type(v) == int:
                return "%d"%v
        except:
            return v
        
    data =  [ (k, values(fdetails.get(k,None))) for k in name ]

    # debug(data)
    
    print(tabulate(data, headers=['Name', 'Value'], numalign="right", floatfmt=".2f"), file=report)

    return details
コード例 #17
0
ファイル: summary_images.py プロジェクト: elcritch/scilab
def print_csv_data(testinfo, testfolder, details, report):

    fatigue_data = """
        Short Name,set,location,sample,Test Name,Level,Area,DM3,Pred UTS,Orient,Cycles (1st Quartile),Cycles (4th Quartile),UTS Load,Max Strain
        1002-1LG-1001,1002,1LG,1001,,90%,0.788,120.33,12.635,,29,39,,
        1002-1LG-701,1002,1LG,701,,60%,1.13,160.73,17.66,LG,972,975,,
        1002-1LG-702,1002,1LG,702,,70%,1.466,141.22,15.716,,,,25,
        1002-1LG-902,1002,1LG,902,,80%,0.931,136.98,15.293,LG,104,105,,
        1002-1TR-601,1002,1TR,601,,60%,0.16894,5.563,0.5,,,,2.1,
        1002-1TR-602,1002,1TR,602,,70%,1.1296,12.035,5.4,,11,12,,
        1002-1TR-603,1002,1TR,603,,70%,1.02,5.433,1.056,,,,1.7,
        1002-1TR-801,1002,1TR,801,,80%,0.7912,5.319,1.016,,3790,3791,,
        1006-1TR-501,1006,1TR,501,,90%,0.713,4.942,0.884,,,,,
        1006-1TR-502,1006,1TR,502,,80%,0.555,4.72,0.644,,1,21,,
        1006-1TR-701,1006,1TR,701,,70%,0.786,8.083,1.39,,1597,1598,,
        1006-1TR-702,1006,1TR,702,,60%,0.701,10.939,2.988,,6620,6630,,
        1009-1LG-1002,1009,1LG,1002,jan10(gf10.9-llm)-wa-lg-l10-x2,60%,1.02,133.97,14.994,LG,,,14,
        1009-1LG-1003,1009,1LG,1003,jan10(gf10.9-llm)-wa-lg-l10-x3,70%,0.72,156.2,17.208,LG,98,99,,
        1009-1LG-1201,1009,1LG,1201,jan10(gf10.9-llm)-wa-lg-l12-x1,80%,1.2,192.6,20.83,LG,,,38,
        1009-1LG-1202,1009,1LG,1202,jan10(gf10.9-llm)-wa-lg-l12-x2,90%,1.36,118.05,13.407,LG,184,185,,
        1009-1LG-1203,1009,1LG,1203,jan10(gf10.9-llm)-wa-lg-l12-x3,80%,1.1,97.07,11.317,LG,559,560,,
        1009-1TR-1101,1009,1TR,1101,,70%,0.79,9.742,2.568,,,,5,
        1009-1TR-1102,1009,1TR,1102,,60%,1.02,9.632,2.529,,,,6.7,
        1009-1TR-902,1009,1TR,902,,90%,0.87,7.029,1.615,,,,3.4,
        1009-1TR-903,1009,1TR,903,,90%,0.88,14.487,4.233,,1,1,,
        1104-1LG-501,1104,1LG,501,jan11(gf11.4-llm)-wa-lg-l5-x1,90%,1.1,113.96,12.99,LG,1,17,,
        1104-1LG-502,1104,1LG,502,jan11(gf11.4-llm)-wa-lg-l5-x2,80%,1.56,64.166,8.03,LG,102,126,,
        1104-1LG-701,1104,1LG,701,jan11(gf11.4-llm)-wa-lg-l7-x1,70%,1.26,207.92,22.361,LG,,,12,
        1104-1LG-702,1104,1LG,702,jan11(gf11.4-llm)-wa-lg-l7-x2,60%,1.26,113.76,12.98,LG,,,12,
        1105-1LG-601,1105,1LG,601,jan11(gf11.5-llm)-wa-lg-l6-x1,60%,0.88,250.89,26.642,LG,,,24,
        1105-1LG-602,1105,1LG,602,jan11(gf11.5-llm)-wa-lg-l6-x2,70%,0.93,171.9,18.772,LG,198,199,,
        1105-1LG-801,1105,1LG,801,jan11(gf11.5-llm)-wa-lg-l8-x1,80%,1.23,19.789,19.789,LG,751,752,,
        1105-1LG-802,1105,1LG,802,jan11(gf11.5-llm)-wa-lg-l8-x2,90%,1.81,143.35,15.928,LG,25,26,,
        1105-1TR-501,1105,1TR,501,,90%,0.52,8.92,2.279,,104,105,,
        1105-1TR-502,1105,1TR,502,,80%,0.38,7.899,1.921,,7,8,,
        1105-1TR-701,1105,1TR,701,,70%,0.67,11.912,3.329,,16,18,,
        1105-1TR-702,1105,1TR,702,,60%,0.629,8.977,2.3,,143,145,,
        """

    def values(v):
        try:
            return int(v)
        except:
            try:
                return float(v)
            except:
                return v

    fatigue_header, *fatigue_rows = [
        l.strip().split(',') for l in fatigue_data.strip().split('\n')
    ]
    # debug(fatigue_header)

    fatigue_dicts = [{k: values(i)
                      for k, i in zip(fatigue_header, r)}
                     for r in fatigue_rows]
    fatigue_dicts = DataTree(**{r['Short Name']: r for r in fatigue_dicts})

    # debug(fatigue_dicts)

    print(mdHeader(3, "CSV Data"), file=report)

    # KeyError: "Key 'elapsedStep' not found in: step, loadLinearLoad1Maximum, displacementLinearDigitalPositionMinimum, rotationRotaryRotationMinimum, torqueRotaryTorqueMinimum, rotationRotaryRotationMaximum, torqueRotaryTorqueMaximum, indices, positionLinearPositionMaximum, rotaryDisplacementRotaryDigitalRotationMaximum, rotaryDisplacementRotaryDigitalRotationMinimum, loadLinearLoadMaximum, loadLinearLoad1Minimum, elapsedCycles, pc|frequency, _matrix, _InstronMatrixData__slices, displacementLinearDigitalPositionMaximum, totalCycles, loadLinearLoadMinimum, positionLinearPositionMinimum, pc|cycleStartTime"

    if testinfo.orientation == 'lg':
        trendsfolder = testfolder.raws.cycles_lg_csv
        loads = ['loadLinearLoadMaximum', 'loadLinearLoadMinimum']
        loadsTracking = 'loadLinearLoad'
    elif testinfo.orientation == 'tr':
        trendsfolder = testfolder.raws.cycles_tr_csv
        loads = ['loadLinearLoad1Maximum', 'loadLinearLoad1Maximum']
        loadsTracking = 'loadLinearLoad1'

    debug(testinfo.short, trendsfolder)

    if not trendsfolder.trends or not trendsfolder.trends.exists():
        print("Error: couldn't find trend files! (%s)" % (str(testinfo), ),
              file=report)
        return

    trends = csvread(str(trendsfolder.trends))

    indicies = trends._getslices('step')
    debug(indicies)

    sl_fatigue = indicies[5]

    # sl_uts = indicies[7]

    def fmt(name, N=-25, O=-1):
        if hasattr(name, '__call__'):
            return name(trends, N, O)[1]
        return trends[name].array[N:O]

    columns = [
        'elapsedCycles',
        'step',
        'displacementLinearDigitalPositionMinimum',
        'displacementLinearDigitalPositionMaximum',
        lambda x, N, O:
        ('Min Strain', x['displacementLinearDigitalPositionMinimum'].array[N:O]
         / details.gauge.value),
        lambda x, N, O:
        ('Max Strain', x['displacementLinearDigitalPositionMaximum'].array[N:O]
         / details.gauge.value),
    ] + loads

    def short(name, N=-1, O=-1):
        if hasattr(name, '__call__'):
            return name(trends, N, O)[0]
        return name.replace('Linear',
                            '').replace('displacement',
                                        'disp').replace('DigitalPosition', '')

    fatigue_dict = fatigue_dicts.get(testinfo.short, None)
    quartile1 = 'Cycles (1st Quartile)'
    quartile4 = 'Cycles (4th Quartile)'
    print(mdBlock("Fatigue Data:" + str(fatigue_dict)), file=report)

    if fatigue_dict and fatigue_dict[quartile4]:

        startEndCycleIdx = find_index(
            fatigue_dict[quartile1], trends['elapsedCycles'].array[sl_fatigue])
        lastCycleIdx = find_index(fatigue_dict[quartile4],
                                  trends['elapsedCycles'].array[sl_fatigue])
        N, O = startEndCycleIdx - 1, lastCycleIdx

        if not lastCycleIdx:
            debug(trends['elapsedCycles'].array[sl_fatigue])

        debug(startEndCycleIdx, lastCycleIdx, N, O)

        lastCycleMaxPosition = (
            trends['displacementLinearDigitalPositionMaximum'].
            array[sl_fatigue])[lastCycleIdx]

        debug(lastCycleMaxPosition, fatigue_dict)

        print(mdBlock(
            "**Fatigue Cycle**: {'id': '%s', 'loc': '%s', 'max disp': %.3f, 'max strain':%.3f, 'lastCycle': %d, 'timeLast': %.3f} "
            % (fatigue_dict['Short Name'], fatigue_dict['location'],
               lastCycleMaxPosition, lastCycleMaxPosition /
               details.gauge.value, fatigue_dict[quartile4],
               trends['pc|cycleStartTime'].array[sl_fatigue][lastCycleIdx]), ),
              file=report)
    else:
        N, O = -25, -1

    if fatigue_dict and fatigue_dict['UTS Load']:

        tracking = csvread(str(trendsfolder.tracking))

        track_indicies = trends._getslices('step')
        sl_uts = track_indicies[7]
        debug(track_indicies, sl_uts)

        maxload = data_find_max(tracking[loadsTracking].array[sl_uts])
        debug(maxload)

        maxes = DataTree()
        maxes.load = maxload.value
        maxes.stress = maxes.load / details.measurements.area.value

        maxes.displacement = tracking.displacement.array[sl_uts][maxload.idx]
        maxes.strain = maxes.displacement / details.gauge.value

        debug(maxes)

        print(mdBlock(
            "**UTS Load**: %s: %s, %s, %.3f, %.3f, %.3f, %.3f, , %.3f, %.3f, %d, %.3f "
            % (
                'Name, Orient, UTS Load (manual), UTS Stress (manual), disp, strain, load, stress, idx, time',
                fatigue_dict['Short Name'],
                fatigue_dict['location'],
                fatigue_dict['UTS Load'],
                fatigue_dict['UTS Load'] / details.gauge.value,
                maxes.displacement,
                maxes.strain,
                maxes.load,
                maxes.stress,
                maxload.idx,
                tracking.totalTime.array[sl_uts][maxload.idx],
            )),
              file=report)

    tabledata = OrderedDict([(short(col), fmt(col, N, O)) for col in columns])
    print(tabulate(tabledata, headers="keys", numalign="right",
                   floatfmt=".2f"),
          file=report)

    print(mdBlock("Steps: "), set(trends['step'].array.tolist()), file=report)
コード例 #18
0
         testinfo = UtsTestInfo(name=test.name)
         print(mdHeader(2,str(testinfo)))
         # print(str(testinfo),end=', ')
         print('.',end='')
         errs = testinfo.validate()
         if errs:
             print(testinfo.name)
             print("Validaton errors:",errs)
         return testinfo
     except Exception as err:
         logging.warn(err)
     
 baselineExcels = list(EXPER_EXCEL.glob('*.xlsx'))
 
 print()    
 print(mdHeader(1,"Excel"))
 
 baselineExcelsTests = [ (f,test(f)) for f in EXPER_EXCEL.glob('*.xlsx') ]
 
 print()    
 print(mdHeader(1,"Images"))
 imageTest = [ (f,test(f)) for f in EXPER_SPECIMENIMAGES.glob('*') if f.is_dir() ]
 imageTestInfoCheck = [ (f,test(Path(f.name[len('DSC00208')+1:]))) for f in itertools.chain(*(d.glob('D*.info.JPG') for d in EXPER_SPECIMENIMAGES.glob('*') if d.is_dir())) ]
 
 print()
 print(mdHeader(1,EXPER_UTS_CSV.name))
 utsTest04 = [ (f,test(f)) for f in EXPER_UTS_CSV.glob('*') if f.is_dir() ]
 
 
 print()
 print(mdHeader(1,EXPER_PRELOAD_CSV.name))
コード例 #19
0
            testinfo = UtsTestInfo(name=test.name)
            print(mdHeader(2, str(testinfo)))
            # print(str(testinfo),end=', ')
            print('.', end='')
            errs = testinfo.validate()
            if errs:
                print(testinfo.name)
                print("Validaton errors:", errs)
            return testinfo
        except Exception as err:
            logging.warn(err)

    baselineExcels = list(EXPER_EXCEL.glob('*.xlsx'))

    print()
    print(mdHeader(1, "Excel"))

    baselineExcelsTests = [(f, test(f)) for f in EXPER_EXCEL.glob('*.xlsx')]

    print()
    print(mdHeader(1, "Images"))
    imageTest = [(f, test(f)) for f in EXPER_SPECIMENIMAGES.glob('*')
                 if f.is_dir()]
    imageTestInfoCheck = [
        (f, test(Path(f.name[len('DSC00208') + 1:])))
        for f in itertools.chain(*(d.glob('D*.info.JPG')
                                   for d in EXPER_SPECIMENIMAGES.glob('*')
                                   if d.is_dir()))
    ]

    print()
コード例 #20
0
def handler(test: Path, args: dict):

    data_json = Json.load_data_path(test)

    ## Details

    ### lookup details
    detailValues = [
        part.strip() if type(part) is str else part
        for column in args.state.jsonColumns.values()
        for part in [attributesAccessor(data_json, column)]
    ]

    testName = "Test {}".format(test.stems())

    if 'n/a' in detailValues:
        debug(detailValues)
        logging.error("Skipping:" + testName + " due to missing details: " +
                      repr(detailValues))
        return

    ### details table
    detailsTable = MarkdownTable(headers=['Detail', 'Value'])
    detailsTable.add_rows(zip(args.state.jsonColumns.keys(), detailValues))

    details = detailsTable.generateTable(headers=['Name', 'Value']).format()
    args.state.testDetails[testName] = details

    ## Overview Images

    ### test overview images
    testOverviewImages = ImageTable()\
        .addImageGlob(str(test.parent), 'img', '*.png')\
        .addImageGlob(str(test.parent), "img","overview","*Stress*last*.png")\
        .addImageGlob(str(test.parent), "img","overview","*Stress*all*.png")\
        .addImageGlob(str(test.parent), "img","trends","*Stress*all*.png")\
        .addImageGlob(str(test.parent), "img","trends","*Stress*last*.png")

    ### add details and images to test section
    args.state.testImages[testName] = testOverviewImages

    # args.state.tests[testFolder] = [details, images]

    ### summary details
    # debug(detailValues)
    attribs, testId = parse_test_name(test.parent.stems())
    args.state.summaryTable.add_row(
        [testId, test.parent.stems(), attribs.orientation] + detailValues)

    ## all test images
    allImagesTable = ImageTable().addImageGlob(str(test.parent), 'img',
                                               '**/*.png')
    allImages = allImagesTable.generateTable(columns=2,
                                             directory=str(
                                                 test.parent)).format()

    testDetails = [
        mdHeader(2, 'Test: ' + testName),
        mdBlock(details),
        mdHeader(2, 'All Images'), allImages
    ]

    writeImageTable(test.parent, 'Test Images ({}).md'.format(testName),
                    testDetails)

    # print
    print("## CSV Data")
    print('>', ','.join(map(str, detailValues)))

    return