-
Notifications
You must be signed in to change notification settings - Fork 7
/
bench.py
executable file
·248 lines (225 loc) · 8.02 KB
/
bench.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
# The Alluxio Open Foundation licenses this work under the Apache License, version 2.0
# (the "License"). You may not use this work except in compliance with the License, which is
# available at www.apache.org/licenses/LICENSE-2.0
#
# This software is distributed on an "AS IS" basis, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND,
# either express or implied, as more fully set forth in the License.
#
# See the NOTICE file distributed with this work for information regarding copyright ownership.
#!/bin/python3
import argparse
import json
import logging
import os
import shutil
import time
from enum import Enum
from benchmark.AbstractBench import Metrics
from benchmark.bench import AlluxioFSSpecBench
from benchmark.bench import AlluxioFSSpecTrafficBench
from benchmark.bench import AlluxioRESTBench
from benchmark.bench import RayBench
PROFILE_RESULT_FORMAT = "worker_{}_profile_result.prof"
BENCH_RESULT_FORMAT = "worker_{}_bench_result.json"
DURATION_METRIC_KEY = "duration"
TOTAL_OPS_METRIC_KEY = "total_ops"
TOTAL_BYTES_METRIC_KEY = "total_bytes"
OPS_PER_SECOND_METRIC_KEY = "ops_per_second"
BYTES_PER_SECOND_METRIC_KEY = "bytes_per_second"
class TestSuite(Enum):
REST = "REST"
FSSPEC = "FSSPEC"
FSSPEC_TRAFFIC = "FSSPEC_TRAFFIC"
RAY = "RAY"
def init_main_parser():
parser = argparse.ArgumentParser(description="Main parser")
parser.add_argument(
"--path",
type=str,
required=True,
help="dataset dir uri, e.g. s3://air-example-data-2/10G-xgboost-data.parquet/",
)
parser.add_argument(
"--numjobs",
type=int,
default=1,
required=True,
help="Num of bench jobs(python processes) to spawn",
)
parser.add_argument(
"--testsuite",
choices=[ts.value for ts in TestSuite],
default=TestSuite.REST.name,
required=True,
help="The test suite name, choices:{}".format(list(TestSuite)),
)
parser.add_argument(
"--runtime",
type=int,
required=True,
help="run time in seconds",
)
parser.add_argument(
"--etcd_hosts",
type=str,
required=False,
help="The host address(es) for etcd",
)
parser.add_argument(
"--worker_hosts",
type=str,
required=False,
help="The host address(es) for etcd",
)
parser.add_argument(
"--use-alluxiocommon",
action="store_true",
default=False,
help="Whether to use AlluxioCommon native extensions.",
)
parser.add_argument(
"--page-size",
type=str,
default=False,
help="Size in KB or MB",
)
parser.add_argument(
"--profile",
action="store_true",
default=False,
required=False,
help="Whether to use cProfile to profile the benchmark",
)
parser.add_argument(
"--result_dir",
type=str,
default=os.path.join(os.path.dirname(__file__), "bench_result"),
required=False,
help="The location to store the benchmark result",
)
return parser
def get_test_suite(main_parser, main_args, process_id, num_process):
if main_args.testsuite == TestSuite.REST.name:
suite_parser = AlluxioRESTBench.AlluxioRESTArgumentParser(main_parser)
testsuite = AlluxioRESTBench.AlluxioRESTBench(
process_id, num_process, suite_parser.parse_args()
)
elif main_args.testsuite == TestSuite.FSSPEC.name:
suite_parser = AlluxioFSSpecBench.AlluxioFSSpecArgumentParser(
main_parser
)
testsuite = AlluxioFSSpecBench.AlluxioFSSpecBench(
process_id, num_process, suite_parser.parse_args()
)
elif main_args.testsuite == TestSuite.FSSPEC_TRAFFIC.name:
suite_parser = (
AlluxioFSSpecTrafficBench.AlluxioFSSpecTrafficArgumentParser(
main_parser
)
)
testsuite = AlluxioFSSpecTrafficBench.AlluxioFSSpecTrafficBench(
process_id, num_process, suite_parser.parse_args()
)
elif main_args.testsuite == TestSuite.RAY.name:
suite_parser = RayBench.RayArgumentParser(main_parser)
testsuite = RayBench.RayBench(
process_id, num_process, suite_parser.parse_args()
)
else:
raise ValueError("No test suite specified, bail.")
return testsuite
def runtest(start_time, runtime, test_suite):
while time.time() - start_time < runtime:
test_suite.execute()
def create_empty_dir(path):
if os.path.exists(path):
if os.path.isdir(path):
shutil.rmtree(path)
else:
os.remove(path)
os.makedirs(path, exist_ok=True)
def configure_logging(path):
log_path = os.path.join(path, "bench.log")
logging.basicConfig(
filename=log_path,
level=logging.INFO,
format="%(asctime)s - %(levelname)s - %(name)s - %(message)s",
)
logger = logging.getLogger("bench")
return logger
def main():
main_parser = init_main_parser()
main_args, remaining_args = main_parser.parse_known_args()
create_empty_dir(main_args.result_dir)
logger = configure_logging(main_args.result_dir)
i_am_child = False
for i in range(main_args.numjobs):
processid = os.fork()
if processid <= 0:
i_am_child = True
print(f"Child Process:{i}")
test_suite = get_test_suite(
main_parser, main_args, i, main_args.numjobs
)
test_suite.init()
start_time = time.time()
if main_args.profile:
import cProfile
profile_result_location = os.path.join(
main_args.result_dir, PROFILE_RESULT_FORMAT.format(i)
)
cProfile.runctx(
"runtest(start_time, main_args.runtime, test_suite)",
globals(),
locals(),
filename=profile_result_location,
)
print(
f"Profile result of worker {i} saved to {profile_result_location}"
)
else:
runtest(start_time, main_args.runtime, test_suite)
duration = time.time() - start_time
print(
f"Benchmark against {main_args.testsuite}: "
f"total time: {duration} seconds"
)
result = {
"worker": i,
"op": main_args.testsuite,
"metrics": {
DURATION_METRIC_KEY: duration,
},
}
if test_suite.metrics.get(Metrics.TOTAL_OPS):
total_ops = test_suite.metrics.get(Metrics.TOTAL_OPS)
ops_per_second = total_ops / duration
result["metrics"][TOTAL_OPS_METRIC_KEY] = total_ops
result["metrics"][OPS_PER_SECOND_METRIC_KEY] = ops_per_second
print(
f"{TOTAL_OPS_METRIC_KEY}: {total_ops}, "
f"{OPS_PER_SECOND_METRIC_KEY}: {ops_per_second}"
)
if test_suite.metrics.get(Metrics.TOTAL_BYTES):
total_bytes = test_suite.metrics.get(Metrics.TOTAL_BYTES)
bytes_per_second = total_bytes / duration
result["metrics"][TOTAL_BYTES_METRIC_KEY] = total_bytes
result["metrics"][
BYTES_PER_SECOND_METRIC_KEY
] = bytes_per_second
print(
f"{TOTAL_BYTES_METRIC_KEY}: {total_bytes}, "
f"{BYTES_PER_SECOND_METRIC_KEY}: {bytes_per_second}"
)
json_result_location = os.path.join(
main_args.result_dir, BENCH_RESULT_FORMAT.format(i)
)
with open(json_result_location, "w") as f:
json.dump(result, f)
print(f"Find more benchmark results in dir {main_args.result_dir}")
else:
print(f"Parent Process, {i}th Child process, id:{processid}")
if not i_am_child:
os.wait()
if __name__ == "__main__":
main()