-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathparse-results-whisper-log.py
More file actions
193 lines (155 loc) · 6.46 KB
/
parse-results-whisper-log.py
File metadata and controls
193 lines (155 loc) · 6.46 KB
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
193
import csv
import re
import ast
import sys
import matplotlib.pyplot as plt
import numpy as np
from matplotlib.ticker import MaxNLocator
import math
def parse_results_from_file(file_path, generate_plot=True):
try:
# Read the file content
with open(file_path, 'r') as file:
file_content = file.read()
# Check if the file contains the app_type for chatbot
pattern = r"app_type: LiveCaptions"
match = re.search(pattern, file_content)
if not match:
return True
# Extract the results part using regular expressions
pattern = r"Task .* results:\s*(.*)"
match = re.search(pattern, file_content)
if not match:
raise ValueError(f"Could not find 'Task live_captions results:' in the file {file_path}")
# Parse the extracted string as a Python list
results_list = ast.literal_eval(match.group(1))
# The first element is -1 and the last is True, so we skip those
# The remaining elements are dictionaries with the metrics
metrics_dicts = results_list[1:-1]
# get directory of file
output_dir = file_path.split("/")[:-1]
if len(output_dir) > 0:
output_dir = "/".join(output_dir)
base_filename = file_path.split("/")[-1].split(".")[0]
output_filename = f'{output_dir}/{base_filename}.csv'
base_filename = f'{output_dir}/{base_filename}'
with open(output_filename, 'w', newline='') as csvfile:
writer = csv.writer(csvfile)
# Write header
writer.writerow(['request_idx', 'time'])
# Write data rows
num_requests = 1
for i, metrics in enumerate(metrics_dicts, 1):
for chunk_idx, time in metrics.items():
if chunk_idx.startswith('processing'):
chunk_idx = int(chunk_idx.split('_')[2]) + 1 + ((i - 1) * (len(metrics_dicts[0]) - 1))
writer.writerow([num_requests, time])
num_requests += 1
# print(metrics)
print(f"Successfully created {output_filename} with {len(metrics_dicts)} requests")
# Generate plot if requested
if generate_plot:
create_plot(metrics_dicts, base_filename)
return True
except FileNotFoundError:
print(f"Error: File '{file_path}' not found.")
return False
except ValueError as e:
print(f"Error: {e}")
return False
except Exception as e:
print(f"Unexpected error: {e}")
return False
def create_plot(metrics_dicts, base_filename):
# Extract data
request_nums = []
time_values = []
request_idx = 1
for i, metrics in enumerate(metrics_dicts, 1):
for chunk_idx, time in metrics.items():
if chunk_idx.startswith('processing'):
request_nums.append(request_idx)
time_values.append(time)
request_idx += 1
# Define SLO values
time_slo = 2.0
# Set style and colors
import seaborn as sns
# Use seaborn's native styling functions
sns.set_style("darkgrid")
plt.rcParams['figure.figsize'] = (14, 10)
plt.rcParams['font.family'] = 'DejaVu Sans'
# Color palette
compliant_color = '#4CAF50' # Green
non_compliant_color = '#F44336' # Red
slo_line_color = '#FF9800' # Orange
# Create figure and axes
fig, ax1 = plt.subplots(1, 1)
fig.suptitle('Whisper Performance Metrics', fontsize=20, fontweight='bold', y=0.98)
# Add a subtle background color
fig.patch.set_facecolor('#F5F5F5')
# TTFT Plot
ttft_colors = [compliant_color if val <= time_slo else non_compliant_color for val in time_values]
print("plotting...")
bars1 = ax1.bar(
request_nums,
time_values,
color=ttft_colors,
alpha=0.85,
width=0.7,
edgecolor='white',
linewidth=1
)
# SLO line with shading
ax1.axhline(y=time_slo, color=slo_line_color, linestyle='-', linewidth=2.5,
label=f'SLO Threshold: {time_slo}s')
ax1.fill_between(
[0, len(request_nums) + 1],
0, time_slo,
color=slo_line_color,
alpha=0.1
)
ax1.set_yscale('log')
ax1.set_ylim(0.1, 700)
scale_type = "Logarithmic"
# Add more tick marks for better readability
from matplotlib.ticker import LogLocator, SymmetricalLogLocator
ax1.yaxis.set_major_locator(LogLocator(base=10, numticks=10))
ax1.yaxis.set_minor_locator(LogLocator(base=10, subs=np.arange(0.1, 1, 0.1), numticks=20))
# Formatting TTFT plot
ax1.set_title(f'Time to Process ({scale_type} Scale)', fontsize=16, pad=15)
ax1.set_ylabel('Seconds', fontsize=14)
ax1.tick_params(axis='both', labelsize=12)
ax1.set_xlim(0.25, len(request_nums) + 0.75)
ax1.xaxis.set_major_locator(MaxNLocator(integer=True))
# Add legend
ax1.legend(fontsize=12, loc='upper right')
# Add summary stats as text
time_compliance = sum(1 for v in time_values if v <= time_slo) / len(time_values) * 100
summary_text = (
f"Summary Statistics:\n"
f"Time - Avg: {np.mean(time_values):.2f}s, Max: {max(time_values):.2f}s, SLO Compliance: {time_compliance:.1f}%\n"
)
fig.text(0.5, 0.01, summary_text, ha='center', fontsize=12,
bbox=dict(facecolor='white', alpha=0.8, boxstyle='round,pad=0.5'))
plt.tight_layout()
plt.subplots_adjust(top=0.9, bottom=0.12)
# Save the plot with high DPI for better quality
plot_filename = f'{base_filename}_log.png'
plt.savefig(plot_filename, dpi=300, bbox_inches='tight')
print(f"Successfully created enhanced plot: {plot_filename}")
# Also save as PDF for better scalability
pdf_filename = f'{base_filename}_log.pdf'
plt.savefig(pdf_filename, format='pdf', bbox_inches='tight')
print(f"Successfully created PDF plot: {pdf_filename}")
# Show the plot (optional, comment out if running in a non-interactive environment)
# plt.show()
plt.close()
if __name__ == "__main__":
# Check if a file path was provided as command line argument
if len(sys.argv) > 1:
file_path = sys.argv[1]
parse_results_from_file(file_path)
else:
print("Usage: python script_name.py <path_to_results_file>")
print("Example: python parse_results.py log_file.txt")