File size: 8,501 Bytes
e38de99
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
"""

Test to verify JSON structure is correct after fixes

"""
import json

def check_json_structure(json_file_path):
    """

    Verify the JSON structure matches requirements:

    1. No duplicate maintenanceActions or futureFaultsPdf

    2. They should be INSIDE aiVerdict only

    3. No breakerId or operator fields

    4. Proper aiVerdict field ordering (related fields consecutive)

    5. Coil descriptions populated

    6. Overall healthScore averaging R, Y, B phases

    """
    with open(json_file_path, 'r', encoding='utf-8') as f:
        data = json.load(f)
    
    issues = []
    
    print(f"\n{'='*60}")
    print("TOP LEVEL STRUCTURE CHECK")
    print(f"{'='*60}")
    
    # Check for overall healthScore
    if "healthScore" in data:
        print(f"βœ… Overall healthScore found: {data['healthScore']}")
        
        # Verify it's an average of R, Y, B
        phase_scores = []
        for phase in ['r', 'y', 'b']:
            if phase in data and "healthScore" in data[phase]:
                phase_scores.append(data[phase]["healthScore"])
        
        if phase_scores:
            calculated_avg = round(sum(phase_scores) / len(phase_scores), 1)
            if abs(data["healthScore"] - calculated_avg) < 0.2:  # Allow small rounding differences
                print(f"βœ… healthScore ({data['healthScore']}) is correct average of R={phase_scores[0] if len(phase_scores)>0 else 'N/A'}, Y={phase_scores[1] if len(phase_scores)>1 else 'N/A'}, B={phase_scores[2] if len(phase_scores)>2 else 'N/A'}")
            else:
                issues.append(f"⚠️  healthScore ({data['healthScore']}) doesn't match calculated average ({calculated_avg})")
    else:
        issues.append("❌ Overall healthScore NOT found at top level")
    
    # Check top level should NOT have these
    if "breakerId" in data:
        issues.append("❌ breakerId found at top level (should be removed)")
    else:
        print(f"βœ… No breakerId field at top level")
        
    if "operator" in data:
        issues.append("❌ operator found at top level (should be removed)")
    else:
        print(f"βœ… No operator field at top level")
    
    # Check each phase (r, y, b)
    for phase in ['r', 'y', 'b']:
        if phase not in data:
            continue
            
        phase_data = data[phase]
        print(f"\n{'='*60}")
        print(f"Checking Phase: {phase.upper()}")
        print(f"{'='*60}")
        
        # Check for removed fields
        if "breakerId" in phase_data:
            issues.append(f"❌ [{phase.upper()}] breakerId found (should be removed)")
        else:
            print(f"βœ… [{phase.upper()}] No breakerId field")
            
        if "operator" in phase_data:
            issues.append(f"❌ [{phase.upper()}] operator found (should be removed)")
        else:
            print(f"βœ… [{phase.upper()}] No operator field")
        
        # Check top level should NOT have these
        if "maintenanceActions" in phase_data and "aiVerdict" in phase_data:
            issues.append(f"❌ [{phase.upper()}] maintenanceActions at top level (should be ONLY in aiVerdict)")
        
        if "futureFaultsPdf" in phase_data and "aiVerdict" in phase_data:
            issues.append(f"❌ [{phase.upper()}] futureFaultsPdf at top level (should be ONLY in aiVerdict)")
        
        # Check aiVerdict structure
        if "aiVerdict" in phase_data:
            ai_verdict = phase_data["aiVerdict"]
            
            # Check they exist inside aiVerdict
            if "maintenanceActions" not in ai_verdict:
                issues.append(f"❌ [{phase.upper()}] maintenanceActions NOT in aiVerdict")
            else:
                print(f"βœ… [{phase.upper()}] maintenanceActions found in aiVerdict")
                
            if "futureFaultsPdf" not in ai_verdict:
                issues.append(f"❌ [{phase.upper()}] futureFaultsPdf NOT in aiVerdict")
            else:
                print(f"βœ… [{phase.upper()}] futureFaultsPdf found in aiVerdict")
            
            # Check field ordering - related fields should be consecutive
            actual_keys = list(ai_verdict.keys())
            print(f"   Field order: {actual_keys[:10]}")
            
            # Check that core verdict fields are together
            core_fields = ["confidence", "faultLabel", "severity", "severityReason", "rulEstimate", "uncertainty"]
            core_indices = []
            for field in core_fields:
                if field in actual_keys:
                    core_indices.append(actual_keys.index(field))
            
            if core_indices:
                # Check if they are consecutive
                if core_indices == list(range(min(core_indices), min(core_indices) + len(core_indices))):
                    print(f"βœ… [{phase.upper()}] Core verdict fields are CONSECUTIVE (indices: {core_indices})")
                else:
                    issues.append(f"⚠️  [{phase.upper()}] Core verdict fields are NOT consecutive (indices: {core_indices})")
            
            # Check formats
            if "maintenanceActions" in ai_verdict:
                actions = ai_verdict["maintenanceActions"]
                if actions and len(actions) > 0:
                    first_action = actions[0]
                    if "actions" in first_action and "priority" in first_action and "color" in first_action:
                        print(f"βœ… [{phase.upper()}] maintenanceActions format is CORRECT")
                    else:
                        issues.append(f"❌ [{phase.upper()}] maintenanceActions has wrong format")
            
            if "futureFaultsPdf" in ai_verdict:
                faults = ai_verdict["futureFaultsPdf"]
                if faults and len(faults) > 0:
                    first_fault = faults[0]
                    required_keys = ["id", "fault", "probability", "timeline", "evidence", "color"]
                    missing = [k for k in required_keys if k not in first_fault]
                    if not missing:
                        print(f"βœ… [{phase.upper()}] futureFaultsPdf format is CORRECT")
                    else:
                        issues.append(f"❌ [{phase.upper()}] futureFaultsPdf missing keys: {missing}")
        
        # Check phaseWiseAnalysis coil descriptions
        if "phaseWiseAnalysis" in phase_data:
            phases_list = phase_data["phaseWiseAnalysis"]
            has_descriptions = False
            for p in phases_list:
                if "waveformAnalysis" in p and "coilAnalysis" in p["waveformAnalysis"]:
                    coils = p["waveformAnalysis"]["coilAnalysis"]
                    for coil_name in ["closeCoil", "tripCoil1", "tripCoil2"]:
                        if coil_name in coils and "description" in coils[coil_name]:
                            desc = coils[coil_name]["description"]
                            if desc and len(desc) > 0:
                                has_descriptions = True
                                break
                    if has_descriptions:
                        break
            
            if has_descriptions:
                print(f"βœ… [{phase.upper()}] Coil descriptions are populated")
            else:
                issues.append(f"⚠️  [{phase.upper()}] Coil descriptions appear to be empty")
        
        print()
    
    # Summary
    print(f"\n{'='*60}")
    print("FINAL SUMMARY")
    print(f"{'='*60}")
    if issues:
        print(f"❌ {len(issues)} ISSUE(S) FOUND:")
        for issue in issues:
            print(f"  {issue}")
    else:
        print("βœ… ALL CHECKS PASSED!")
        print("βœ… Overall healthScore present and correct")
        print("βœ… No duplicates found")
        print("βœ… Correct field placement")
        print("βœ… Core verdict fields are consecutive")
        print("βœ… No breakerId or operator fields")
        print("βœ… Coil descriptions populated")
    print(f"{'='*60}")
    
    return len(issues) == 0

if __name__ == "__main__":
    import sys
    
    # Test with the new file
    json_path = "c:/Users/rkhanke/Downloads/dcrm_three_phase_1764926929196.json"
    
    if len(sys.argv) > 1:
        json_path = sys.argv[1]
    
    print(f"Checking: {json_path}\n")
    check_json_structure(json_path)