benchmarker.py 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547
  1. from installer import Installer
  2. from framework_test import FrameworkTest
  3. import framework_test
  4. import os
  5. import json
  6. import subprocess
  7. import time
  8. import textwrap
  9. import pprint
  10. import csv
  11. import sys
  12. from datetime import datetime
  13. class Benchmarker:
  14. ##########################################################################################
  15. # Public methods
  16. ##########################################################################################
  17. ############################################################
  18. # Prints all the available tests
  19. ############################################################
  20. def run_list_tests(self):
  21. all_tests = self.__gather_tests()
  22. for test in all_tests:
  23. print test.name
  24. self.__finish()
  25. ############################################################
  26. # End run_list_tests
  27. ############################################################
  28. ############################################################
  29. # next_sort
  30. # Prints the next available sort number that should be used
  31. # for any new tests
  32. ############################################################
  33. def next_sort_value(self):
  34. all_tests = self.__gather_tests()
  35. # all_tests is already sorted by sort, so we can just get
  36. # the last one and add one to it.
  37. print " Next sort number is: " + str(all_tests[-1].sort + 1)
  38. self.__finish()
  39. ############################################################
  40. # End next_sort_value
  41. ############################################################
  42. ############################################################
  43. # parse_timestamp
  44. # Re-parses the raw data for a given timestamp
  45. ############################################################
  46. def parse_timestamp(self):
  47. all_tests = self.__gather_tests()
  48. for test in all_tests:
  49. test.parse_all()
  50. self.__parse_results(all_tests)
  51. self.__finish()
  52. ############################################################
  53. # End run_list_tests
  54. ############################################################
  55. ############################################################
  56. # Run the tests:
  57. # This process involves setting up the client/server machines
  58. # with any necessary change. Then going through each test,
  59. # running their setup script, verifying the URLs, and
  60. # running benchmarks against them.
  61. ############################################################
  62. def run(self):
  63. ##########################
  64. # Get a list of all known
  65. # tests that we can run.
  66. ##########################
  67. all_tests = self.__gather_tests()
  68. ##########################
  69. # Setup client/server
  70. ##########################
  71. print textwrap.dedent("""
  72. =====================================================
  73. Preparing up Server and Client ...
  74. =====================================================
  75. """)
  76. self.__setup_server()
  77. self.__setup_client()
  78. ##########################
  79. # Run tests
  80. ##########################
  81. self.__run_tests(all_tests)
  82. ##########################
  83. # Parse results
  84. ##########################
  85. if self.mode == "benchmark":
  86. print textwrap.dedent("""
  87. =====================================================
  88. Parsing Results ...
  89. =====================================================
  90. """)
  91. self.__parse_results(all_tests)
  92. self.__finish()
  93. ############################################################
  94. # End run
  95. ############################################################
  96. ############################################################
  97. # sftp_string(batch_file)
  98. # generates a fully qualified URL for sftp to client
  99. ############################################################
  100. def sftp_string(self, batch_file):
  101. sftp_string = "sftp -oStrictHostKeyChecking=no "
  102. if batch_file != None: sftp_string += " -b " + batch_file + " "
  103. if self.identity_file != None:
  104. sftp_string += " -i " + self.identity_file + " "
  105. return sftp_string + self.client_user + "@" + self.client_host
  106. ############################################################
  107. # End sftp_string
  108. ############################################################
  109. ############################################################
  110. # generate_url(url, port)
  111. # generates a fully qualified URL for accessing a test url
  112. ############################################################
  113. def generate_url(self, url, port):
  114. return self.server_host + ":" + str(port) + url
  115. ############################################################
  116. # End generate_url
  117. ############################################################
  118. ############################################################
  119. # output_file(test_name, test_type)
  120. # returns the output file for this test_name and test_type
  121. # timestamp/test_type/test_name/raw
  122. ############################################################
  123. def output_file(self, test_name, test_type):
  124. path = os.path.join(self.result_directory, self.timestamp, test_type, test_name, "raw")
  125. try:
  126. os.makedirs(os.path.dirname(path))
  127. except OSError:
  128. pass
  129. return path
  130. ############################################################
  131. # End output_file
  132. ############################################################
  133. ############################################################
  134. # full_results_directory
  135. ############################################################
  136. def full_results_directory(self):
  137. path = os.path.join(self.result_directory, self.timestamp)
  138. try:
  139. os.makedirs(path)
  140. except OSError:
  141. pass
  142. return path
  143. ############################################################
  144. # End output_file
  145. ############################################################
  146. ############################################################
  147. # report_results
  148. ############################################################
  149. def report_results(self, framework, test, results, latency, requests, total_time, errors, total_requests):
  150. # Try to get the id in the result array if it exists.
  151. try:
  152. framework_id = str(self.results['frameworks'].index(framework.name))
  153. except ValueError:
  154. framework_id = str(framework.sort)
  155. if test not in self.results['rawData'].keys():
  156. self.results['rawData'][test] = dict()
  157. self.results['weighttpData'][test] = dict()
  158. self.results['rawData'][test][framework_id] = results
  159. self.results['weighttpData'][test][framework_id] = dict()
  160. self.results['weighttpData'][test][framework_id]['latency'] = latency
  161. self.results['weighttpData'][test][framework_id]['requests'] = requests
  162. self.results['weighttpData'][test][framework_id]['totalTime'] = total_time
  163. self.results['weighttpData'][test][framework_id]['errors'] = errors
  164. self.results['weighttpData'][test][framework_id]['totalRequests'] = total_requests
  165. ############################################################
  166. # End report_results
  167. ############################################################
  168. ##########################################################################################
  169. # Private methods
  170. ##########################################################################################
  171. ############################################################
  172. # Gathers all the tests
  173. ############################################################
  174. def __gather_tests(self):
  175. tests = []
  176. # Loop through each directory (we assume we're being run from the benchmarking root)
  177. # and look for the files that signify a benchmark test
  178. for dirname, dirnames, filenames in os.walk('.'):
  179. # Look for the benchmark_config file, this will set up our tests
  180. # It's format looks like this:
  181. #
  182. # {
  183. # "framework": "nodejs",
  184. # "tests": [{
  185. # "default": {
  186. # "setup_file": "setup",
  187. # "json_url": "/json"
  188. # },
  189. # "mysql": {
  190. # "setup_file": "setup",
  191. # "db_url": "/mysql",
  192. # "query_url": "/mysql?queries="
  193. # },
  194. # ...
  195. # }]
  196. # }
  197. if 'benchmark_config' in filenames:
  198. config = None
  199. with open(os.path.join(dirname, 'benchmark_config'), 'r') as config_file:
  200. # Load json file into config object
  201. config = json.load(config_file)
  202. if config == None:
  203. continue
  204. tests = tests + framework_test.parse_config(config, dirname[2:], self)
  205. tests.sort(key=lambda x: x.sort)
  206. return tests
  207. ############################################################
  208. # End __gather_tests
  209. ############################################################
  210. ############################################################
  211. # Makes any necessary changes to the server that should be
  212. # made before running the tests. This involves setting kernal
  213. # settings to allow for more connections, or more file
  214. # descriptiors
  215. #
  216. # http://redmine.lighttpd.net/projects/weighttp/wiki#Troubleshooting
  217. ############################################################
  218. def __setup_server(self):
  219. try:
  220. subprocess.check_call("sudo sysctl -w net.core.somaxconn=1024".rsplit(" "))
  221. subprocess.check_call("sudo -s ulimit -n 8192".rsplit(" "))
  222. subprocess.check_call("sudo sysctl net.ipv4.tcp_tw_reuse=1".rsplit(" "))
  223. subprocess.check_call("sudo sysctl net.ipv4.tcp_tw_recycle=1".rsplit(" "))
  224. subprocess.check_call("sudo sysctl -w kernel.shmmax=134217728".rsplit(" "))
  225. subprocess.check_call("sudo sysctl -w kernel.shmall=2097152".rsplit(" "))
  226. except subprocess.CalledProcessError:
  227. return False
  228. ############################################################
  229. # End __setup_server
  230. ############################################################
  231. ############################################################
  232. # Makes any necessary changes to the client machine that
  233. # should be made before running the tests. Is very similar
  234. # to the server setup, but may also include client specific
  235. # changes.
  236. ############################################################
  237. def __setup_client(self):
  238. p = subprocess.Popen(self.ssh_string, stdin=subprocess.PIPE, shell=True)
  239. p.communicate("""
  240. sudo sysctl -w net.core.somaxconn=1024
  241. sudo -s ulimit -n 8192
  242. sudo sysctl net.ipv4.tcp_tw_reuse=1
  243. sudo sysctl net.ipv4.tcp_tw_recycle=1
  244. sudo sysctl -w kernel.shmmax=134217728
  245. sudo sysctl -w kernel.shmall=2097152
  246. """)
  247. ############################################################
  248. # End __setup_client
  249. ############################################################
  250. ############################################################
  251. # __run_tests
  252. # Ensures that the system has all necessary software to run
  253. # the tests. This does not include that software for the individual
  254. # test, but covers software such as curl and weighttp that
  255. # are needed.
  256. ############################################################
  257. def __run_tests(self, tests):
  258. for test in tests:
  259. # If the user specified which tests to run, then
  260. # we can skip over tests that are not in that list
  261. if self.test != None and test.name not in self.test:
  262. continue
  263. # If the test is in the excludes list, we skip it
  264. if self.exclude != None and test.name in self.exclude:
  265. continue
  266. # If the test does not contain an implementation of the current test-type, skip it
  267. if self.type != 'all' and not test.contains_type(self.type):
  268. continue
  269. print textwrap.dedent("""
  270. =====================================================
  271. Beginning {name}
  272. -----------------------------------------------------
  273. """.format(name=test.name))
  274. ##########################
  275. # Start this test
  276. ##########################
  277. print textwrap.dedent("""
  278. -----------------------------------------------------
  279. Starting {name}
  280. -----------------------------------------------------
  281. """.format(name=test.name))
  282. try:
  283. p = subprocess.Popen(self.ssh_string, stdin=subprocess.PIPE, shell=True)
  284. p.communicate("""
  285. sudo restart mysql
  286. sudo restart mongodb
  287. """)
  288. time.sleep(10)
  289. result = test.start()
  290. if result != 0:
  291. test.stop()
  292. time.sleep(5)
  293. print "ERROR: Problem starting " + test.name
  294. print textwrap.dedent("""
  295. -----------------------------------------------------
  296. Stopped {name}
  297. -----------------------------------------------------
  298. """.format(name=test.name))
  299. continue
  300. time.sleep(self.sleep)
  301. ##########################
  302. # Verify URLs
  303. ##########################
  304. print textwrap.dedent("""
  305. -----------------------------------------------------
  306. Verifying URLs for {name}
  307. -----------------------------------------------------
  308. """.format(name=test.name))
  309. test.verify_urls()
  310. ##########################
  311. # Benchmark this test
  312. ##########################
  313. if self.mode == "benchmark":
  314. print textwrap.dedent("""
  315. -----------------------------------------------------
  316. Benchmarking {name} ...
  317. -----------------------------------------------------
  318. """.format(name=test.name))
  319. test.benchmark()
  320. ##########################
  321. # Stop this test
  322. ##########################
  323. test.stop()
  324. time.sleep(5)
  325. print textwrap.dedent("""
  326. -----------------------------------------------------
  327. Stopped {name}
  328. -----------------------------------------------------
  329. """.format(name=test.name))
  330. time.sleep(5)
  331. except (KeyboardInterrupt, SystemExit):
  332. test.stop()
  333. print """
  334. -----------------------------------------------------
  335. Cleaning up....
  336. -----------------------------------------------------
  337. """
  338. self.__finish()
  339. sys.exit()
  340. ############################################################
  341. # End __run_tests
  342. ############################################################
  343. ############################################################
  344. # __parse_results
  345. # Ensures that the system has all necessary software to run
  346. # the tests. This does not include that software for the individual
  347. # test, but covers software such as curl and weighttp that
  348. # are needed.
  349. ############################################################
  350. def __parse_results(self, tests):
  351. # Time to create parsed files
  352. # Aggregate JSON file
  353. with open(os.path.join(self.full_results_directory(), "results.json"), "w") as f:
  354. f.write(json.dumps(self.results))
  355. # JSON CSV
  356. with open(os.path.join(self.full_results_directory(), "json.csv"), 'wb') as csvfile:
  357. writer = csv.writer(csvfile)
  358. writer.writerow(["Framework"] + self.concurrency_levels)
  359. for key, value in self.results['rawData']['json'].iteritems():
  360. framework = self.results['frameworks'][int(key)]
  361. writer.writerow([framework] + value)
  362. # DB CSV
  363. with open(os.path.join(self.full_results_directory(), "db.csv"), 'wb') as csvfile:
  364. writer = csv.writer(csvfile)
  365. writer.writerow(["Framework"] + self.concurrency_levels)
  366. for key, value in self.results['rawData']['db'].iteritems():
  367. framework = self.results['frameworks'][int(key)]
  368. writer.writerow([framework] + value)
  369. # Query CSV
  370. with open(os.path.join(self.full_results_directory(), "query.csv"), 'wb') as csvfile:
  371. writer = csv.writer(csvfile)
  372. writer.writerow(["Framework"] + self.query_intervals)
  373. for key, value in self.results['rawData']['query'].iteritems():
  374. framework = self.results['frameworks'][int(key)]
  375. writer.writerow([framework] + value)
  376. # Fortune CSV
  377. with open(os.path.join(self.full_results_directory(), "fortune.csv"), 'wb') as csvfile:
  378. writer = csv.writer(csvfile)
  379. writer.writerow(["Framework"] + self.query_intervals)
  380. if 'fortune' in self.results['rawData'].keys():
  381. for key, value in self.results['rawData']['fortune'].iteritems():
  382. framework = self.results['frameworks'][int(key)]
  383. writer.writerow([framework] + value)
  384. ############################################################
  385. # End __parse_results
  386. ############################################################
  387. ############################################################
  388. # __finish
  389. ############################################################
  390. def __finish(self):
  391. print "Time to complete: " + str(int(time.time() - self.start_time)) + " seconds"
  392. print "Results are saved in " + os.path.join(self.result_directory, self.timestamp)
  393. ############################################################
  394. # End __finish
  395. ############################################################
  396. ##########################################################################################
  397. # Constructor
  398. ##########################################################################################
  399. ############################################################
  400. # Initialize the benchmarker. The args are the arguments
  401. # parsed via argparser.
  402. ############################################################
  403. def __init__(self, args):
  404. self.__dict__.update(args)
  405. self.start_time = time.time()
  406. # setup some additional variables
  407. if self.database_host == None: self.database_host = self.client_host
  408. self.result_directory = os.path.join("results", self.name)
  409. if self.parse != None:
  410. self.timestamp = self.parse
  411. else:
  412. self.timestamp = time.strftime("%Y%m%d%H%M%S", time.localtime())
  413. # Setup the concurrency levels array. This array goes from
  414. # starting_concurrency to max concurrency, doubling each time
  415. self.concurrency_levels = []
  416. concurrency = self.starting_concurrency
  417. while concurrency <= self.max_concurrency:
  418. self.concurrency_levels.append(concurrency)
  419. concurrency = concurrency * 2
  420. # Setup query interval array
  421. # starts at 1, and goes up to max_queries, using the query_interval
  422. self.query_intervals = []
  423. queries = 1
  424. while queries <= self.max_queries:
  425. self.query_intervals.append(queries)
  426. if queries == 1:
  427. queries = 0
  428. queries = queries + self.query_interval
  429. # Load the latest data
  430. self.latest = None
  431. try:
  432. with open('latest.json', 'r') as f:
  433. # Load json file into config object
  434. self.latest = json.load(f)
  435. except IOError:
  436. pass
  437. self.results = None
  438. try:
  439. if self.latest != None and self.name in self.latest.keys():
  440. with open(os.path.join(self.result_directory, str(self.latest[self.name]), 'results.json'), 'r') as f:
  441. # Load json file into config object
  442. self.results = json.load(f)
  443. except IOError:
  444. pass
  445. if self.results == None:
  446. self.results = dict()
  447. self.results['concurrencyLevels'] = self.concurrency_levels
  448. self.results['queryIntervals'] = self.query_intervals
  449. self.results['frameworks'] = [t.name for t in self.__gather_tests()]
  450. self.results['rawData'] = dict()
  451. self.results['rawData']['json'] = dict()
  452. self.results['rawData']['db'] = dict()
  453. self.results['rawData']['query'] = dict()
  454. self.results['rawData']['fortune'] = dict()
  455. self.results['weighttpData'] = dict()
  456. self.results['weighttpData']['json'] = dict()
  457. self.results['weighttpData']['db'] = dict()
  458. self.results['weighttpData']['query'] = dict()
  459. self.results['weighttpData']['fortune'] = dict()
  460. else:
  461. for x in self.__gather_tests():
  462. if x.name not in self.results['frameworks']:
  463. self.results['frameworks'] = self.results['frameworks'] + [x.name]
  464. # Setup the ssh command string
  465. self.ssh_string = "ssh -T -o StrictHostKeyChecking=no " + self.client_user + "@" + self.client_host
  466. if self.identity_file != None:
  467. self.ssh_string = self.ssh_string + " -i " + self.identity_file
  468. if self.install_software:
  469. install = Installer(self)
  470. install.install_software()
  471. ############################################################
  472. # End __init__
  473. ############################################################