forked from shuaimu/rococo
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathrun.py
executable file
·1059 lines (940 loc) · 42.4 KB
/
run.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
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python
# python system modules
import os
import sys
import time
import shutil
import logging
import subprocess
import multiprocessing
from optparse import OptionParser
from multiprocessing import Value
from multiprocessing import Lock
import xml.etree.ElementTree as ET
# third-party python modules
from tabulate import tabulate
# deptran python modules
sys.path += os.path.abspath(os.path.join(os.path.split(__file__)[0], "./rrr/pylib")),
sys.path += os.path.abspath(os.path.join(os.path.split(__file__)[0], "./deptran")),
from simplerpc import Client
from simplerpc.marshal import Marshal
from deptran.rcc_rpc import ServerControlProxy
from deptran.rcc_rpc import ClientControlProxy
cwd = os.getcwd()
deptran_home, ff = os.path.split(os.path.realpath(__file__))
g_log_dir = deptran_home + "/log"
g_latencies_percentage = [0.5, 0.9, 0.99, 0.999]
g_latencies_header = [str(x * 100) + "% LATENCY" for x in g_latencies_percentage]
g_att_latencies_percentage = [0.5, 0.9, 0.99, 0.999]
g_att_latencies_header = [str(x * 100) + "% ATT_LT" for x in g_att_latencies_percentage]
g_n_try_percentage = [0.5, 0.9, 0.99, 0.999]
g_n_try_header = [str(x * 100) + "% N_TRY" for x in g_n_try_percentage]
g_interest_txn = "NEW ORDER"
g_max_latency = 99999.9
g_max_try = 99999.9
hosts_path_g = ""
hosts_map_g = dict()
class TxnInfo(object):
def __init__(self, txn_type, txn_name, interest):
self.txn_type = txn_type
self.start_txn = 0
self.pre_start_txn = 0
self.total_txn = 0
self.pre_total_txn = 0
self.total_try = 0
self.pre_total_try = 0
self.commit_txn = 0
self.pre_commit_txn = 0
self.txn_name = txn_name
self.max_data = list()
self.max_interval = 0.0
self.interest = interest
self.last_interval_start = 0
self.this_latencies = []
self.last_latencies = []
self.attempt_latencies = []
self.n_try = []
self.min_interval = 0.0
self.update_latency = False
self.mid_status = 0 # 0: not started, 1: ongoing, 3: end
self.mid_pre_start_txn = 0
self.mid_start_txn = 0
self.mid_pre_total_txn = 0
self.mid_total_txn = 0
self.mid_pre_total_try = 0
self.mid_total_try = 0
self.mid_pre_commit_txn = 0
self.mid_commit_txn = 0
self.mid_time = 0.0
self.mid_latencies = []
self.mid_attempt_latencies = []
self.mid_n_try = []
def set_mid_status(self):
self.mid_status += 1
def clear(self):
self.start_txn = 0
self.total_txn = 0
self.total_try = 0
self.commit_txn = 0
self.this_latencies = []
self.min_interval = g_max_latency
self.attempt_latencies = []
self.n_try = []
if self.mid_status == 0:
self.mid_pre_start_txn = 0
self.mid_pre_total_txn = 0
self.mid_pre_total_try = 0
self.mid_pre_commit_txn = 0
elif self.mid_status == 1:
self.mid_start_txn = 0
self.mid_total_txn = 0
self.mid_total_try = 0
self.mid_commit_txn = 0
def push_res(self, start_txn, total_txn, total_try, commit_txn,
this_latencies, last_latencies, latencies,
attempt_latencies, interval_time, n_tried):
self.start_txn += start_txn
self.total_txn += total_txn
self.total_try += total_try
self.commit_txn += commit_txn
#self.this_latencies.extend(this_latencies)
#self.last_latencies.extend(last_latencies)
if self.min_interval > interval_time:
self.min_interval = interval_time
#self.attempt_latencies.extend(attempt_latencies)
#self.n_try.extend(n_tried)
if self.mid_status == 0:
self.mid_pre_start_txn += start_txn
self.mid_pre_total_txn += total_txn
self.mid_pre_total_try += total_try
self.mid_pre_commit_txn += commit_txn
elif self.mid_status == 1:
self.mid_latencies.extend(latencies)
self.mid_attempt_latencies.extend(attempt_latencies)
self.mid_time += interval_time
self.mid_n_try.extend(n_tried)
self.mid_start_txn += start_txn
self.mid_total_txn += total_txn
self.mid_total_try += total_try
self.mid_commit_txn += commit_txn
def get_res(self, interval_time, total_time, set_max,
all_total_commits, all_interval_commits, do_sample, do_sample_lock):
#self.last_latencies.sort()
min_latency = g_max_latency
max_latency = g_max_latency
#self.last_latencies.extend([self.min_interval*1000.0] * (self.last_interval_start - len(self.last_latencies)))
latencies_size = len(self.last_latencies)
#if (latencies_size > 0):
# min_latency = self.last_latencies[0]
# max_latency = self.last_latencies[latencies_size - 1]
#latencies_sample_size = [int(x * latencies_size) for x in g_latencies_percentage]
#interval_latencies = []
interval_latencies = [g_max_latency for x in g_latencies_percentage]
#for s_size in latencies_sample_size:
# if s_size != 0:
# interval_latencies.append(sum(self.last_latencies[0:s_size]) / s_size)
# else:
# interval_latencies.append(g_max_latency)
#self.attempt_latencies.sort()
#attempt_latencies_size = len(self.attempt_latencies)
#attempt_latencies_sample_size = [int(x * attempt_latencies_size) for x in g_att_latencies_percentage]
#interval_attempt_latencies = []
interval_attempt_latencies = [g_max_latency for x in g_att_latencies_percentage]
#for s_size in attempt_latencies_sample_size:
# if s_size != 0:
# interval_attempt_latencies.append(sum(self.attempt_latencies[0:s_size]) / s_size)
# else:
# interval_attempt_latencies.append(g_max_latency)
#self.n_try.sort()
#n_try_size = len(self.n_try)
#n_try_sample_size = [int(x * n_try_size) for x in g_n_try_percentage]
#int_n_try = []
int_n_try = [g_max_try for x in g_n_try_percentage]
#for s_size in n_try_sample_size:
# if s_size != 0:
# int_n_try.append(sum(self.n_try[0:s_size]) * 1.0 / s_size)
# else:
# int_n_try.append(g_max_try)
interval_tps = int(round((self.commit_txn - self.pre_commit_txn) / interval_time))
interval_commits = self.commit_txn - self.pre_commit_txn
if all_total_commits > 0:
total_ret = [str(round(self.commit_txn * 100.0 / all_total_commits, 2)) + "%", self.txn_name, self.start_txn, self.total_txn, self.total_try, self.commit_txn, int(round(self.commit_txn / total_time))]
else:
total_ret = ["----", self.txn_name, self.start_txn, self.total_txn, self.total_try, self.commit_txn, int(round(self.commit_txn / total_time))]
if all_interval_commits > 0:
interval_ret = [str(round(interval_commits * 100.0 / all_interval_commits, 2)) + "%", self.txn_name, self.start_txn - self.pre_start_txn, self.total_txn - self.pre_total_txn, self.total_try - self.pre_total_try, interval_commits, interval_tps, min_latency, max_latency]
else:
interval_ret = ["----", self.txn_name, self.start_txn - self.pre_start_txn, self.total_txn - self.pre_total_txn, self.total_try - self.pre_total_try, interval_commits, interval_tps, min_latency, max_latency]
interval_ret.extend(interval_latencies)
interval_ret.extend(interval_attempt_latencies)
interval_ret.extend(int_n_try)
ret = [total_ret, interval_ret]
if (self.update_latency):
self.update_latency = False
ul_index = 9
while ul_index < len(ret[1]):
self.max_data[ul_index] = ret[1][ul_index]
ul_index += 1
if (set_max):
if (len(self.max_data) == 0 or self.max_data[6] < interval_tps):
self.max_data = ret[1]
self.max_interval = interval_time
self.update_latency = True
#if self.interest:
#do_sample_lock.acquire()
#do_sample.value = 1
#do_sample_lock.release()
self.last_interval_start = self.start_txn - self.pre_start_txn
self.pre_start_txn = self.start_txn
self.pre_total_txn = self.total_txn
self.pre_total_try = self.total_try
self.pre_commit_txn = self.commit_txn
#self.last_latencies = self.this_latencies #XXX
self.this_latencies = []
return ret
def print_mid(self, num_clients):
start_txn = str(self.mid_start_txn - self.mid_pre_start_txn)
total_txn = str(self.mid_total_txn - self.mid_pre_total_txn)
tries = str(self.mid_total_try - self.mid_pre_total_try)
commit_txn = str(self.mid_commit_txn - self.mid_pre_commit_txn)
self.mid_time /= num_clients
tps = str(int(round((self.mid_commit_txn - self.mid_pre_commit_txn) / self.mid_time)))
self.mid_latencies.sort()
self.mid_attempt_latencies.sort()
self.mid_n_try.sort()
min_latency = g_max_latency
max_latency = g_max_latency
latency_str = ""
latencies_size = len(self.mid_latencies)
if (latencies_size > 0):
min_latency = self.mid_latencies[0]
max_latency = self.mid_latencies[latencies_size - 1]
latencies_sample_size = [int(x * latencies_size) for x in g_latencies_percentage]
i = 0
while i < len(g_latencies_header):
latency_str += "; " + g_latencies_header[i] + ": "
s_size = latencies_sample_size[i]
if s_size != 0:
latency_str += str(sum(self.mid_latencies[0:s_size]) / s_size)
else:
latency_str += str(g_max_latency)
i += 1
attempt_latencies_size = len(self.mid_attempt_latencies)
attempt_latencies_sample_size = [int(x * attempt_latencies_size) for x in g_att_latencies_percentage]
i = 0
while i < len(g_att_latencies_header):
latency_str += "; " + g_att_latencies_header[i] + ": "
s_size = attempt_latencies_sample_size[i]
if s_size != 0:
latency_str += str(sum(self.mid_attempt_latencies[0:s_size]) / s_size)
else:
latency_str += str(g_max_latency)
i += 1
n_tried_str = ""
n_try_size = len(self.mid_n_try)
n_try_sample_size = [int(x * n_try_size) for x in g_n_try_percentage]
i = 0
while i < len(g_n_try_header):
n_tried_str += "; " + g_n_try_header[i] + ": "
s_size = n_try_sample_size[i]
if s_size != 0:
n_tried_str += str(sum(self.mid_n_try[0:s_size]) * 1.0 / s_size)
else:
n_tried_str += str(g_max_try)
i += 1
print "RECORDING_RESULT: TXN: <" + self.txn_name + ">; STARTED_TXNS: " + start_txn + "; FINISHED_TXNS: " + total_txn + "; ATTEMPTS: " + tries + "; COMMITS: " + commit_txn + "; TPS: " + tps + latency_str + "; TIME: " + str(self.mid_time) + "; LATENCY MIN: " + str(min_latency) + "; LATENCY MAX: " + str(max_latency) + n_tried_str
def print_max(self):
latency_str = ""
i = 0
for l_str in g_latencies_header:
latency_str += "; " + l_str + ": " + str(self.max_data[9 + i])
i += 1
i = 0
latency_size = len(g_latencies_header)
for l_str in g_att_latencies_header:
latency_str += "; " + l_str + ": " + str(self.max_data[9 + latency_size + i])
i += 1
n_tried_str = ""
i = 0
att_latency_size = len(g_att_latencies_header)
for l_str in g_n_try_header:
n_tried_str += "; " + l_str + ": " + str(self.max_data[9 + latency_size + att_latency_size + i])
i += 1
print "RECORDING_RESULT: TXN: <" + str(self.max_data[1]) + ">; STARTED_TXNS: " + str(self.max_data[2]) + "; FINISHED_TXNS: " + str(self.max_data[3]) + "; ATTEMPTS: " + str(self.max_data[4]) + "; COMMITS: " + str(self.max_data[5]) + "; TPS: " + str(self.max_data[6]) + latency_str + "; TIME: " + str(self.max_interval) + "; LATENCY MIN: " + str(self.max_data[7]) + "; LATENCY MAX: " + str(self.max_data[8]) + n_tried_str
class ClientController(object):
def __init__(self, benchmark, timeout, c_info, duration,
single_server, taskset, log_dir, interest_txn, recording_path):
self.print_max = False
self.benchmark = benchmark
self.timeout = timeout
self.c_info = c_info
self.duration = duration
self.start_time = 0
self.txn_infos = dict()
self.finish_set = set()
self.rpc_proxy = dict()
self.pre_start_txn = 0
self.start_txn = 0
self.pre_total_txn = 0
self.total_txn = 0
self.pre_total_try = 0
self.total_try = 0
self.pre_commit_txn = 0
self.commit_txn = 0
self.run_sec = 0
self.pre_run_sec = 0
self.run_nsec = 0
self.pre_run_nsec = 0
self.n_asking = 0;
self.single_server = str(single_server)
self.machine_n_cores = dict()
self.taskset = taskset
self.log_dir = log_dir
self.recording_period = False
self.max_tps = 0
self.max_data = list()
self.txn_names = dict()
self.interest_txn = interest_txn
self.recording_path = recording_path
def taskset_func(self, m_id):
if (self.taskset):
if (self.c_info[m_id][0] in self.machine_n_cores):
m_info = self.machine_n_cores[self.c_info[m_id][0]]
ret = m_info[0]
m_info[0] += 1
if (m_info[0] > m_info[1]):
m_info[0] = 0
return "taskset -c " + str(ret)
else:
n_cores = subprocess.check_output('ssh ' + self.c_info[m_id][0] + ' "cat /proc/cpuinfo | grep processor | tail -n1 | sed \'s/.*processor\\s*:\\s*\\([0-9]\\+\\)/\\1/g\'"', shell=True)
tmp_lst = [1, int(n_cores)]
if (1 > tmp_lst[1]):
tmp_lst[0] = 0
self.machine_n_cores[self.c_info[m_id][0]] = tmp_lst
return "taskset -c 0"
else:
return ""
def start(self, filename):
i = 0
while (i < len(self.c_info)):
cmd = ""
recording = ""
if (len(self.recording_path) != 0):
recording = " -r '" + self.recording_path + "/deptran_client_" + str(i) + "' "
cmd += "mkdir -p '" + self.recording_path + "'; "
cmd += "cd " + deptran_home + "; " \
+ " nohup " + self.taskset_func(i) + " ./build/deptran_client " \
+ " -c " + str(i) \
+ " -d " + str(self.duration) \
+ " -f " + filename \
+ " -p " + self.c_info[i][1] \
+ " -t " + str(self.timeout) \
+ " -H " + hosts_path_g \
+ " -S " + self.single_server \
+ " -b " \
+ recording \
+ " 1>\"" + self.log_dir + "/client-" + str(i) + ".log\"" \
+ " 2>\"" + self.log_dir + "/client-" + str(i) + ".err\"" \
+ " &"
print cmd
subprocess.call(['ssh', '-n', '-f', self.c_info[i][0], cmd])
i += 1
def client_run(self, do_sample, do_sample_lock):
try:
i = 0
while (i < len(self.c_info)):
client = Client()
con = 1
connect_start = time.time()
while (con != 0):
con = client.connect(self.c_info[i][0] + ":" + self.c_info[i][1])
if time.time() - connect_start > self.timeout:
self.client_kill()
return
time.sleep(0.1)
self.rpc_proxy[i] = ClientControlProxy(client)
#print "Connected to client: " + self.c_info[i][0] + ":" + self.c_info[i][1]
i += 1
ready_futures = []
i = 0
while (i < len(self.rpc_proxy)):
ready_futures.append(self.rpc_proxy[i].async_client_ready_block())
i += 1
i = 0
while (i < len(ready_futures)):
ready_futures[i].wait()
i += 1
res = self.rpc_proxy[0].sync_client_get_txn_names()
for k, v in res.items():
self.txn_names[k] = v
print "Clients all ready"
self.start_client()
print "Clients started"
self.benchmark_record(do_sample, do_sample_lock)
self.client_shutdown()
except:
self.client_force_shutdown()
print "Benchmark finished\n"
def client_force_shutdown(self):
print "Force clients shutdown ..."
i = 0
while (i < len(self.rpc_proxy)):
try:
self.rpc_proxy[i].sync_client_force_stop()
except:
pass
i += 1
try:
self.client_shutdown()
except:
pass
print "Clients shutdown"
self.client_kill()
print "Clients killed"
def start_client(self):
futures = []
i = 0
while (i < len(self.rpc_proxy)):
futures.append(self.rpc_proxy[i].async_client_start())
i += 1
i = 0
while (i < len(futures)):
futures[i].wait()
i += 1
self.start_time = time.time()
def benchmark_record(self, do_sample, do_sample_lock):
while (len(self.rpc_proxy) != len(self.finish_set)):
time.sleep(self.timeout)
for k in self.txn_infos.keys():
self.txn_infos[k].clear()
self.start_txn = 0
self.total_txn = 0
self.total_try = 0
self.commit_txn = 0
self.run_sec = 0
self.run_nsec = 0
i = 0
futures = []
while (i < len(self.rpc_proxy)):
futures.append(self.rpc_proxy[i].async_client_response())
i += 1
i = 0
while (i < len(futures)):
res = futures[i].result
period_time = res.period_sec + res.period_nsec / 1000000000.0
for txn_type in res.txn_info.keys():
if txn_type not in self.txn_infos:
self.txn_infos[txn_type] = TxnInfo(txn_type, self.txn_names[txn_type], self.txn_names[txn_type] == self.interest_txn)
self.start_txn += res.txn_info[txn_type].start_txn
self.total_txn += res.txn_info[txn_type].total_txn
self.total_try += res.txn_info[txn_type].total_try
self.commit_txn += res.txn_info[txn_type].commit_txn
self.txn_infos[txn_type].push_res(res.txn_info[txn_type].start_txn, res.txn_info[txn_type].total_txn, res.txn_info[txn_type].total_try, res.txn_info[txn_type].commit_txn, res.txn_info[txn_type].this_latency, res.txn_info[txn_type].last_latency, res.txn_info[txn_type].interval_latency, res.txn_info[txn_type].attempt_latency, period_time, res.txn_info[txn_type].num_try)
self.run_sec += res.run_sec
self.run_nsec += res.run_nsec
self.n_asking += res.n_asking
if (res.is_finish == 1):
self.finish_set.add(i)
i += 1
self.cur_time = time.time()
need_break = self.print_stage_result(do_sample, do_sample_lock)
if (need_break):
break
def print_stage_result(self, do_sample, do_sample_lock):
interval_time = (self.run_sec - self.pre_run_sec + (self.run_nsec - self.pre_run_nsec) / 1000000000.0) / len(self.c_info)
total_time = (self.run_sec + self.run_nsec / 1000000000.0) / len(self.c_info)
progress = int(round(100 * total_time / self.duration))
if (self.print_max):
self.print_max = False
for k, v in self.txn_infos.items():
#v.print_max()
v.print_mid(len(self.rpc_proxy))
if (not self.recording_period):
if (progress >= 20 and progress <= 60):
self.recording_period = True
do_sample_lock.acquire()
do_sample.value = 1
do_sample_lock.release()
for k, v in self.txn_infos.items():
v.set_mid_status()
else:
if (progress >= 60):
self.recording_period = False
self.print_max = True
do_sample_lock.acquire()
do_sample.value = 1
do_sample_lock.release()
for k, v in self.txn_infos.items():
v.set_mid_status()
output_str = "\nProgress: " + str(progress) + "%\n"
total_table = []
interval_table = []
interval_commits = self.commit_txn - self.pre_commit_txn
for txn_type in self.txn_infos.keys():
rows = self.txn_infos[txn_type].get_res(interval_time, total_time, self.recording_period, self.commit_txn, interval_commits, do_sample, do_sample_lock)
total_table.append(rows[0])
interval_table.append(rows[1])
total_table.append(["----", "Total", self.start_txn, self.total_txn, self.total_try, self.commit_txn, int(round(self.commit_txn / total_time))])
interval_total_row = ["----", "Total", self.start_txn - self.pre_start_txn, self.total_txn - self.pre_total_txn, self.total_try - self.pre_total_try, interval_commits, int(round((self.commit_txn - self.pre_commit_txn) / interval_time))]
interval_total_row.extend([0.0 for x in g_latencies_header])
interval_total_row.extend([0.0 for x in g_att_latencies_header])
interval_table.append(interval_total_row)
total_header = ["RATIO", "NAME", "start", "finish", "attempts", "commits", "TPS"]
interval_header = ["RATIO", "NAME", "start", "finish", "attempts", "commits", "TPS", "min lt", "max lt"]
interval_header.extend(g_latencies_header)
interval_header.extend(g_att_latencies_header)
interval_header.extend(g_n_try_header)
output_str += "TOTAL: elapsed time: " + str(round(total_time, 2)) + "\n"
output_str += tabulate(total_table, headers=total_header) + "\n\n"
output_str += "INTERVAL: elapsed time: " + str(round(interval_time, 2)) + "\n"
output_str += tabulate(interval_table, headers=interval_header) + "\n"
output_str += "\tTotal asking finish: " + str(self.n_asking) + "\n"
output_str += "----------------------------------------------------------------------\n"
print output_str
self.pre_start_txn = self.start_txn
self.pre_total_txn = self.total_txn
self.pre_total_try = self.total_try
self.pre_commit_txn = self.commit_txn
self.pre_run_sec = self.run_sec
self.pre_run_nsec = self.run_nsec
if (self.cur_time - self.start_time > 1.5 * self.duration):
if (self.print_max):
self.print_max = False
for k, v in self.txn_infos.items():
v.print_mid(len(self.rpc_proxy))
return True
else:
return False
def client_kill(self):
kill_set = set()
for v in self.c_info.values():
kill_set.add(v[0])
for v in kill_set:
try:
subprocess.call(['ssh', '-n', '-f', v, "killall -9 deptran_client &>/dev/null"])
except:
pass
def client_shutdown(self):
print "Shutting down clients ..."
i = 0
while (i < len(self.rpc_proxy)):
try:
self.rpc_proxy[i].sync_client_shutdown()
except:
pass
i += 1
class ServerResponse(object):
def __init__(self, value_times_pair):
self.value = value_times_pair.value
self.times = value_times_pair.times
def add_one(self, value_times_pair):
self.value += value_times_pair.value
self.times += value_times_pair.times
def get_value(self):
return self.value
def get_times(self):
return self.times
def get_ave(self):
if self.times == 0:
return 0.0
else:
return 1.0 * self.value / self.times
class ServerController(object):
def __init__(self, timeout, s_info, taskset, log_dir, recording_path):
self.timeout = timeout
self.s_info = s_info
self.rpc_proxy = dict()
self.log_dir = log_dir
if (taskset == 1):
# set task on CPU 1
self.taskset_func = lambda x: "taskset -c " + str(2 * x + 16)
logging.info("Setting servers on CPU 1")
elif (taskset == 2):
# set task on CPU 0, odd number cores, no overlapping with irq cores
self.taskset_func = lambda x: "taskset -c " + str(2 * x + 1)
logging.info("Setting servers on CPU 0, odd number cores")
elif (taskset == 3):
# set task on CPU 0, even number cores, overlapping with irq cores
self.taskset_func = lambda x: "taskset -c " + str(2 * x)
logging.info("Setting servers on CPU 0, even number cores")
else:
self.taskset_func = lambda x: ""
logging.info("No taskset, auto scheduling")
self.pre_statistics = dict()
self.pre_time = time.time()
self.recording_path = recording_path
def server_kill(self):
kill_set = set()
for v in self.s_info.values():
kill_set.add(v[0])
for v in kill_set:
try:
subprocess.call(['ssh', '-n', '-f', v, "killall -9 deptran_server &>/dev/null"])
except:
pass
print "SERVERKILLED"
def server_heart_beat(self, cond, s_init_finish, do_sample, do_sample_lock):
try:
i = 0
while (i < len(self.s_info)):
client = Client()
con = 1
connect_start = time.time()
while (con != 0):
con = client.connect(self.s_info[i][0] + ":" + self.s_info[i][1])
if time.time() - connect_start > self.timeout:
self.server_kill()
exit(1)
time.sleep(0.1)
self.rpc_proxy[i] = ServerControlProxy(client)
#print "Connected to server: " + self.s_info[i][0] + ":" + self.s_info[i][1]
i += 1
i = 0
while (i < len(self.rpc_proxy)):
while (self.rpc_proxy[i].sync_server_ready() != 1):
time.sleep(1)# waiting for server to initialize
i += 1
cond.acquire()
s_init_finish.value = 1
cond.notify()
cond.release()
avg_r_cnt = 0.0
avg_r_sz = 0.0
avg_cpu_util = 0.0
sample_result = []
#timeout_counter = 0
while (True):
do_statistics = False
do_sample_lock.acquire()
if do_sample.value == 1:
do_statistics = True
do_sample.value = 0
do_sample_lock.release()
i = 0
r_cnt_sum = 0
r_cnt_num = 0
r_sz_sum = 0
r_sz_num = 0
statistics = dict()
cpu_util = [0.0] * len(self.rpc_proxy)
futures = []
while (i < len(self.rpc_proxy)):
if do_statistics:
futures.append(self.rpc_proxy[i].async_server_heart_beat_with_data())
else:
futures.append(self.rpc_proxy[i].async_server_heart_beat())
i += 1
i = 0
while (i < len(futures)):
#if timeout_counter == 4:
if do_statistics:
ret = futures[i].result
r_cnt_sum += ret.r_cnt_sum
r_cnt_num += ret.r_cnt_num
r_sz_sum += ret.r_sz_sum
r_sz_num += ret.r_sz_num
cpu_util[i] = ret.cpu_util
for k, v in ret.statistics.items():
if k not in statistics:
statistics[k] = ServerResponse(v)
else:
statistics[k].add_one(v)
else:
futures[i].wait()
i += 1
#if timeout_counter == 4:
# timeout_counter = 0
if do_statistics:
total_result = []
interval_result = []
cur_time = time.time()
interval_time = cur_time - self.pre_time
self.pre_time = cur_time
for k, v in statistics.items():
total_result.append([k, v.get_value(), v.get_times(), v.get_ave()])
#if k not in self.pre_statistics:
interval_result.append([k, v.get_value(), v.get_times(), v.get_ave(), interval_time])
#else:
# pre_v = self.pre_statistics[k]
# value_buf = v.get_value() - pre_v.get_value()
# times_buf = v.get_times() - pre_v.get_times()
# if times_buf == 0:
# interval_result.append([k, value_buf, times_buf, 0.0, interval_time])
# else:
# interval_result.append([k, value_buf, times_buf, 1.0 * value_buf / times_buf, interval_time])
#print "\n=== SERVER STATISTICS: ===\nTOTAL:\n" + tabulate(total_result, headers=["Key", "Total Number", "Times", "Ave"]) + "\n\nINTERVAL:\n" + tabulate(interval_result, headers=["Key", "Total Number", "Times", "Ave", "Time"]) + "\n==========================\n"
self.pre_statistics = statistics
#do_sample_lock.acquire()
#if (do_sample.value == 1):
sample_result = interval_result
# avg_cpu_util = sum(cpu_util) / len(cpu_util)
# do_sample.value = 0
#do_sample_lock.release()
avg_cpu_util = sum(cpu_util) / len(cpu_util)
if r_cnt_num != 0:
avg_r_cnt = (1.0 * r_cnt_sum) / r_cnt_num
else:
avg_r_cnt = -1.0
if r_sz_num != 0:
avg_r_sz = (1.0 * r_sz_sum) / r_sz_num
else:
avg_r_sz = -1.0
cond.acquire()
if (s_init_finish.value == 0):
cond.release()
break
cond.release()
time.sleep(self.timeout / 4)
#timeout_counter += 1
for single_record in sample_result:
print "SERVREC: " + str(single_record[0]) + ": VALUE: " + str(single_record[1]) + "; TIMES: " + str(single_record[2]) + "; MEAN: " + str(single_record[3]) + "; TIME: " + str(single_record[4])
print "CPUINFO: " + str(avg_cpu_util) + ";"
print "AVG_LOG_FLUSH_CNT: " + str(avg_r_cnt) + ";"
print "AVG_LOG_FLUSH_SZ: " + str(avg_r_sz) + ";"
print "BENCHMARK_SUCCEED"
print "Shutting down servers ..."
i = 0
while (i < len(self.rpc_proxy)):
try:
self.rpc_proxy[i].sync_server_shutdown()
except:
pass
i += 1
time.sleep(1)
self.server_kill()
except:
cond.acquire()
s_init_finish.value = 5
cond.notify()
cond.release()
print "Shutting down servers ..."
i = 0
while (i < len(self.rpc_proxy)):
try:
self.rpc_proxy[i].sync_server_shutdown()
except:
pass
i += 1
time.sleep(1)
self.server_kill()
def start(self, filename):
i = 0
machine_map = dict()
while (i < len(self.s_info)):
if (self.s_info[i][0] in machine_map):
machine_no = machine_map[self.s_info[i][0]]
else:
machine_no = 0
machine_map[self.s_info[i][0]] = machine_no + 1
cmd = ""
recording = ""
if (len(self.recording_path) != 0):
recording = " -r '" + self.recording_path + "/deptran_server_" + str(i) + "' "
cmd += "mkdir -p '" + self.recording_path + "'; "
cmd += "cd " + deptran_home + "; "
cmd += "nohup " + self.taskset_func(machine_no) + " ./build/deptran_server " \
+ " -s " + str(i) \
+ " -f " + filename \
+ " -p " + self.s_info[i][1] \
+ " -H " + hosts_path_g \
+ " -t " + str(self.timeout) \
+ " -b " \
+ recording \
+ " 1>\"" + self.log_dir + "/site-" + str(i) + ".log\"" \
+ " 2>\"" + self.log_dir + "/site-" + str(i) + ".err\"" \
+ " &"
print cmd
subprocess.call(['ssh', '-n', '-f', self.s_info[i][0], cmd])
i += 1
def init_hosts_map():
global hosts_map_g
f = open(hosts_path_g, "r")
for line in f:
[hostname, sitename] = line.split()
hosts_map_g[sitename] = hostname
def site2host_name(sitename):
if sitename in hosts_map_g:
return hosts_map_g[sitename]
else:
return sitename
def main():
logging.basicConfig(level=logging.INFO)
try:
parser = OptionParser()
parser.add_option("-f", "--file", dest="filename",
help="read config from FILE, default is properties.xml",
default=deptran_home + "/properties.xml", metavar="FILE")
parser.add_option("-P", "--port", dest="rpc_port", help="port to use",
default=5555, metavar="PORT")
parser.add_option("-t", "--server-timeout", dest="s_timeout",
help="server heart beat timeout in seconds", default=10,
action="store", metavar="TIMEOUT")
parser.add_option("-i", "--status-time-interval", dest="c_timeout",
help="time interval to report benchmark status in seconds",
default=5, action="store", metavar="TIME")
parser.add_option("-d", "--duration", dest="c_duration",
help="benchmark running duration in seconds", default=60,
action="store", metavar="TIME")
parser.add_option("-S", "--single-server", dest="c_single_server",
help="control each client always touch the same server "
"0, disabled; 1, each thread will touch a single server; "
"2, each process will touch a single server",
default=0, action="store", metavar="[0|1|2]")
parser.add_option("-T", "--taskset-schema", dest="s_taskset",
help="Choose which core to run each server on. "
"0: auto; 1: CPU 1; 2: CPU 0, odd cores; 3: CPU 0, even cores;",
default=0, action="store", metavar="[0|1|2|3]")
parser.add_option("-c", "--client-taskset", dest="c_taskset",
help="taskset client processes round robin", default=False,
action="store_true")
parser.add_option("-l", "--log-dir", dest="log_dir",
help="Log file directory", default=g_log_dir, metavar="LOG_DIR")
parser.add_option("-r", "--recording-path", dest="recording_path",
help="Recording path", default="", metavar="RECORDING_PATH")
parser.add_option("-x", "--interest-txn", dest="interest_txn",
help="interest txn", default=g_interest_txn, metavar="INTEREST_TXN")
parser.add_option("-H", "--hosts", dest="hosts_path",
help="hosts path", default="./config/hosts", metavar="HOSTS_PATH")
(options, args) = parser.parse_args()
s_timeout = int(options.s_timeout)
c_timeout = int(options.c_timeout)
c_duration = int(options.c_duration)
c_single_server = int(options.c_single_server)
s_taskset = int(options.s_taskset)
c_taskset = options.c_taskset
if (c_single_server not in [0, 1, 2]):
logging.error("Invalid single server argument.")
return False
# user-defined hosts path
global hosts_path_g
filename = os.path.realpath(options.filename)
hosts_path_g = os.path.realpath(options.hosts_path)
init_hosts_map()
# recording path
recording_path_dir = ""
if (len(options.recording_path) != 0):
recording_path_dir = os.path.realpath(options.recording_path)
# (debug) log path
log_dir = os.path.realpath(options.log_dir)
shutil.rmtree(log_dir, True)
os.makedirs(log_dir)
# the kind of transaction I care about (new-order)
c_interest_txn = str(options.interest_txn)
logging.info("Experiment controller port: " + str(options.rpc_port))
rpc_port = int(options.rpc_port)
# the configuration xml file
logging.info("Start reading config file: " + filename + " ...")
config = ET.parse(filename).getroot()
benchmark = config.attrib["name"]
logging.info("Checking site info ...")
s_info = dict()
num_site = int(config.find("hosts").attrib["number"])
for site in config.findall("./hosts/site"):
[sitename, port] = site.text.split(':')
hostname = site2host_name(sitename)
sid_index = int(site.attrib["id"])
if (sid_index < 0 or sid_index >= num_site or (sid_index in s_info)):
logging.error("Checking site info ... FAIL")
return False
s_info[sid_index] = tuple((hostname, str(rpc_port)))
rpc_port += 1
if (len(s_info) != num_site):
logging.error("Checking site info ... FAIL")
return False
logging.info("Checking site info ... Done")
logging.info("Checking client info ...")
c_info = dict()
num_client = int(config.find("clients").attrib["number"])
for client in config.findall("./clients/client"):
ids_str = client.attrib["id"]
dash_index = ids_str.find("-")
if (len(client.text) == 0):
logging.error("Checking client info ... FAIL")
return False
if (dash_index < 0):
id_index = int(ids_str)
if (id_index >= num_client or id_index < 0 or (id_index in c_info)):
logging.error("Checking client info ... FAIL")
return False
hostname = site2host_name(client.text)
c_info[id_index] = tuple((hostname, str(rpc_port)))
rpc_port += 1
elif (dash_index > 0 and dash_index < len(ids_str)):
id_start = int(ids_str[0:dash_index])
id_end = int(ids_str[dash_index+1:])
if (id_start < 0 or id_start >= id_end or id_end >= num_client):
logging.error("Checking client info ... FAIL")
return False
id_index = id_start
while (id_index <= id_end):
if (id_index in c_info):
logging.error("Checking client info ... FAIL")
return False
hostname = site2host_name(client.text)
c_info[id_index] = tuple((hostname, str(rpc_port)))
rpc_port += 1
id_index += 1
else:
logging.error("Checking client info ... FAIL")
return False
if (len(c_info) != num_client):
logging.error("Checking client info ... FAIL")
return False
logging.info("Checking client info ... Done")
# init server controller
server_controller = ServerController(s_timeout, s_info, s_taskset, log_dir, recording_path_dir)
# start all server processes
logging.info("Starting servers ...")
server_controller.start(filename)
logging.info("Starting servers ... Done")
cond = multiprocessing.Condition()
s_init_finish = Value('i', 0)