forked from SvenskaSpel/locust-plugins
-
Notifications
You must be signed in to change notification settings - Fork 0
/
transaction_manager.py
253 lines (223 loc) · 10.1 KB
/
transaction_manager.py
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
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
from locust import events
from time import time
from datetime import datetime
from csv import writer as csv_writer
from io import StringIO
import locust.stats
from locust.runners import WorkerRunner
class TransactionManager:
"""
Transaction Manager allows transactions spanning multiple tasks to be logged
using start_transaction and end_transaction methods
Stats are written to file when using --log-transactions-in-file
otherwise, two web endpoints are available to collect full and summary stats:
/stats/transactions/csv and /stats/transactions/all/csv
when running in master/worker mode, all data is sent to the master during execution
"""
transactions_filename = ""
transactions_summary_filename = ""
flush_size = 100
field_delimiter = ","
row_delimiter = "\n"
timestamp_format = "%Y-%m-%d %H:%M:%S"
transactions = []
completed_transactions = {}
user_count = 0
csv_headers = [
"start_time",
"duration",
"transaction_name",
"user_count",
"success",
"failure_message",
]
def __init__(self):
self.transaction_count = 0
self.inprogress_transactions = {}
def start_transaction(self, transaction_name):
now = time()
transaction = {}
transaction["transaction_name"] = transaction_name
transaction["start_time"] = now
transaction["user_count"] = self.runner.user_count if self.runner else 0
self.inprogress_transactions[transaction_name] = transaction
return transaction_name
def end_transaction(self, transaction_name, success=True, failure_message=""):
now = time()
t = self.inprogress_transactions[transaction_name]
t["end_time"] = now
start_time = t["start_time"]
t["duration"] = round((now - start_time) * 1000)
t["success"] = success
t["failure_message"] = failure_message
self.transactions.append(
[
datetime.fromtimestamp(t["start_time"]).strftime(self.timestamp_format),
round(t["duration"]),
t["transaction_name"],
t["user_count"],
t["success"],
t["failure_message"],
]
)
if t["transaction_name"] not in self.completed_transactions:
self.completed_transactions[t["transaction_name"]] = []
self.completed_transactions[t["transaction_name"]].append(t)
del self.inprogress_transactions[transaction_name]
if (
len(self.transactions) >= self.flush_size
and self.log_transactions_in_file
and not isinstance(self.env.runner, WorkerRunner)
):
self._flush_to_log()
@classmethod
def _command_line_parser(cls, parser):
group = None
if parser._action_groups:
group = next((x for x in parser._action_groups if x.title == "Request statistics options"), None)
if not group:
group = parser.add_argument_group(title="Request statistics options")
group.add_argument(
"--log-transactions-in-file",
help="Log transactions in a file rather than using the web ui (added by locust-plugins)",
action="store_true",
default=False,
)
@classmethod
def _create_results_log(cls):
cls.results_file = open(cls.transactions_filename, "w")
cls.results_file_writer = cls._create_csv_writer(cls.results_file)
cls.results_file_writer.writerow(cls.csv_headers)
cls.results_file.flush()
@classmethod
def _create_csv_writer(cls, buffer):
return csv_writer(buffer, delimiter=cls.field_delimiter, lineterminator=cls.row_delimiter)
@classmethod
def _flush_to_log(cls):
cls.results_file_writer.writerows(cls.transactions)
cls.results_file.flush()
cls.transactions = []
@classmethod
def _write_final_log(cls, **kwargs):
if not isinstance(cls.env.runner, WorkerRunner):
if cls.log_transactions_in_file and not cls.results_file.closed:
cls.results_file_writer.writerows(cls.transactions)
cls.results_file.close()
# also write summary file in stats.py style
with open(cls.transactions_summary_filename, "w") as f:
writer = cls._create_csv_writer(f)
writer.writerows(cls._get_transactions_summary())
@classmethod
def _init_filenames(cls):
# determine whether to output to file, (if options parsed)
if cls.env.parsed_options:
cls.log_transactions_in_file = cls.env.parsed_options.log_transactions_in_file
if cls.env.parsed_options.csv_prefix:
cls.transactions_filename = f"{cls.env.parsed_options.csv_prefix}_transactions.csv"
cls.transactions_summary_filename = f"{cls.env.parsed_options.csv_prefix}_transactions_summary.csv"
else:
cls.log_transactions_in_file = False
if cls.log_transactions_in_file and not cls.transactions_filename:
timestamp = datetime.fromtimestamp(time()).strftime("%Y_%m_%d_%H_%M_%S")
cls.transactions_filename = f"transactions_{timestamp}.csv"
cls.transactions_summary_filename = f"transactions_summary_{timestamp}.csv"
@classmethod
def on_locust_init(cls, environment, runner, **kwargs):
cls.env = environment
cls.runner = runner
cls._init_filenames()
if cls.log_transactions_in_file and not isinstance(cls.env.runner, WorkerRunner):
cls._create_results_log()
if cls.env.web_ui:
# this route available if a csv isn't being written to (--log-transactions-in-file is omitted)
@cls.env.web_ui.app.route("/stats/transactions/all/csv")
def _transactions_results_page():
headers = {}
headers["Content-type"] = "text/csv"
headers["Content-disposition"] = f"attachment;filename={cls.transactions_filename}"
with StringIO() as buffer:
writer = cls._create_csv_writer(buffer)
writer.writerows([cls.csv_headers] + cls.transactions)
response = buffer.getvalue()
return cls.env.web_ui.app.response_class(
response=response,
headers=headers,
status=200,
mimetype="text/csv",
)
# provides summary stats like requests endpoint
@cls.env.web_ui.app.route("/stats/transactions/csv")
def _transactions_summary_page():
headers = {}
headers["Content-type"] = "text/csv"
headers["Content-disposition"] = f"attachment;filename={cls.transactions_summary_filename}"
with StringIO() as buffer:
writer = cls._create_csv_writer(buffer)
writer.writerows(cls._get_transactions_summary())
response = buffer.getvalue()
return cls.env.web_ui.app.response_class(
response=response,
headers=headers,
status=200,
mimetype="text/csv",
)
@classmethod
def _get_transactions_summary(cls):
# create a summary in the same format as used for requests in stats.py
summary = []
summary.append(
[
"Type",
"Name",
"Request Count",
"Failure Count",
"Median Response Time",
"Average Response Time",
"Min Response Time",
"Max Response Time",
]
+ locust.stats.get_readable_percentiles(locust.stats.PERCENTILES_TO_REPORT)
)
for tname in cls.completed_transactions: # pylint: disable=consider-using-dict-items
fields = []
# fill the field that holds request method
fields.append("Transaction")
fields.append(tname)
durations = [sub["duration"] for sub in cls.completed_transactions[tname]]
fields.append(str(len(durations)))
successes = [sub["success"] for sub in cls.completed_transactions[tname]]
failure_count = successes.count(False)
fields.append(str(failure_count))
sorted_durations = sorted(durations)
median = sorted_durations[int(0.5 * len(sorted_durations))]
fields.append(str(median))
avg = round(sum(sorted_durations) / len(sorted_durations))
fields.append(str(avg))
fields.append(str(round(sorted_durations[0])))
fields.append(str(round(sorted_durations[-1])))
# loop through the other metrics set out in stats.py
for p in locust.stats.PERCENTILES_TO_REPORT:
fields.append(str(sorted_durations[int(p * len(sorted_durations)) - 1]))
summary.append(fields)
return summary
@classmethod
def _report_to_master(cls, data, **kwargs):
data["transactions"] = cls.transactions
cls.transactions = []
data["completed_transactions"] = cls.completed_transactions
cls.completed_transactions = {}
@classmethod
def _worker_report(cls, data, **kwargs):
if "transactions" in data:
transactions = data["transactions"]
cls.transactions += transactions
completed_transactions = data["completed_transactions"]
for t in completed_transactions:
if t not in cls.completed_transactions:
cls.completed_transactions[t] = []
cls.completed_transactions[t] += completed_transactions[t]
events.init.add_listener(TransactionManager.on_locust_init)
events.init_command_line_parser.add_listener(TransactionManager._command_line_parser)
events.report_to_master.add_listener(TransactionManager._report_to_master)
events.worker_report.add_listener(TransactionManager._worker_report)
events.test_stop.add_listener(TransactionManager._write_final_log)