cppcheck/tools/donate-cpu.py

252 lines
7.5 KiB
Python
Raw Normal View History

# Donate CPU
#
# A script a user can run to donate CPU to cppcheck project
#
# 1. Check requirements
# 2. Pull & compile Cppcheck
# 3. Select a package
# 4. Download package
# 5. Analyze source code
# 6. Upload results
# 7. Repeat from step 2
import shutil
import glob
import os
import subprocess
import sys
import socket
import time
import re
def checkRequirements():
result = True
for app in ['g++', 'git', 'make', 'wget', 'rm', 'tar']:
try:
subprocess.call([app, '--version'])
except OSError:
print(app + ' is required')
result = False
return result
def getCppcheck(cppcheckPath):
print('Get Cppcheck..')
2018-08-26 16:23:42 +02:00
for i in range(5):
if os.path.exists(cppcheckPath):
os.chdir(cppcheckPath)
subprocess.call(['git', 'checkout', '-f'])
subprocess.call(['git', 'pull'])
else:
subprocess.call(['git', 'clone', 'http://github.com/danmar/cppcheck.git', cppcheckPath])
if not os.path.exists(cppcheckPath):
print('Failed to clone, will try again in 10 minutes..')
time.sleep(600)
continue
time.sleep(2)
return True
return False
def compile_version(workPath, version):
if os.path.isfile(workPath + '/' + version + '/cppcheck'):
2018-08-26 16:23:42 +02:00
return True
os.chdir(workPath + '/cppcheck')
subprocess.call(['git', 'checkout', version])
subprocess.call(['make', 'clean'])
subprocess.call(['make', 'SRCDIR=build', 'CXXFLAGS=-O2'])
if os.path.isfile(workPath + '/cppcheck/cppcheck'):
os.mkdir(workpath + '/' + version)
destPath = workpath + '/' + version + '/'
subprocess.call(['cp', '-R', workPath + '/cppcheck/cfg', destPath])
subprocess.call(['cp', 'cppcheck', destPath])
subprocess.call(['git', 'checkout', 'master'])
2018-08-26 16:23:42 +02:00
try:
subprocess.call([workPath + '/' + version + '/cppcheck', '--version'])
except OSError:
return False
return True
def compile(cppcheckPath):
print('Compiling Cppcheck..')
try:
os.chdir(cppcheckPath)
subprocess.call(['make', 'SRCDIR=build', 'CXXFLAGS=-O2'])
subprocess.call([cppcheckPath + '/cppcheck', '--version'])
except OSError:
return False
return True
def getPackage():
print('Connecting to server to get assigned work..')
package = None
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
server_address = ('cppcheck.osuosl.org', 8000)
sock.connect(server_address)
try:
sock.send(b'get\n')
package = sock.recv(256)
finally:
sock.close()
return package.decode('utf-8')
def wget(url, destfile):
subprocess.call(['rm', '-f', destfile])
subprocess.call(
['wget', '--tries=10', '--timeout=300', '-O', destfile, url])
if os.path.isfile(destfile):
return True
print('Sleep for 10 seconds..')
time.sleep(10)
return False
def downloadPackage(workPath, package):
print('Download package ' + package)
destfile = workPath + '/temp.tgz'
if not wget(package, destfile):
2018-08-24 14:46:59 +02:00
if not wget(package, destfile):
return None
return destfile
def unpackPackage(workPath, tgz):
print('Unpacking..')
tempPath = workPath + '/temp'
subprocess.call(['rm', '-rf', tempPath])
os.mkdir(tempPath)
os.chdir(tempPath)
subprocess.call(['tar', 'xzvf', tgz])
os.chdir(workPath)
def scanPackage(workPath, cppcheck):
print('Analyze..')
os.chdir(workPath)
2018-08-26 16:23:42 +02:00
cmd = 'nice ' + cppcheck + ' -D__GCC__ --enable=style --library=posix --platform=unix64 --template={file}:{line}:{message}[{id}] -rp=temp temp'
print(cmd)
startTime = time.time()
p = subprocess.Popen(cmd.split(), stdout=subprocess.PIPE, stderr=subprocess.PIPE)
comm = p.communicate()
stopTime = time.time()
stdout = comm[0].decode(encoding='utf-8', errors='ignore')
stderr = comm[1].decode(encoding='utf-8', errors='ignore')
if p.returncode != 0 and 'cppcheck: error: could not find or open any of the paths given.' not in stdout:
# Crash!
print('Crash!')
return -1, '', -1
elapsedTime = stopTime - startTime
count = 0
for line in stderr.split('\n'):
2018-08-26 16:23:42 +02:00
if re.match(r'.*:[0-9]+:.*\]$', line):
count += 1
2018-08-26 16:23:42 +02:00
print('Number of issues: ' + str(count))
return count, stderr, elapsedTime
2018-08-26 13:42:01 +02:00
def diffResults(workPath, ver1, results1, ver2, results2):
print('Diff results..')
ret = ''
r1 = sorted(results1.split('\n'))
r2 = sorted(results2.split('\n'))
i1 = 0
i2 = 0
while i1 < len(r1) and i2 < len(r2):
if r1[i1] == r2[i2]:
i1 += 1
i2 += 1
elif r1[i1] < r2[i2]:
ret += ver1 + ' ' + r1[i1] + '\n'
i1 += 1
else:
ret += ver2 + ' ' + r2[i2] + '\n'
i2 += 1
while i1 < len(r1):
ret += ver1 + ' ' + r1[i1] + '\n'
i1 += 1
while i2 < len(r2):
ret += ver2 + ' ' + r2[i2] + '\n'
i2 += 1
return ret
2018-08-25 10:25:05 +02:00
def sendAll(connection, data):
bytes = data.encode()
while bytes:
num = connection.send(bytes)
if num < len(bytes):
bytes = bytes[num:]
2018-08-25 10:25:05 +02:00
else:
bytes = None
2018-08-25 10:25:05 +02:00
def uploadResults(package, results):
print('Uploading results..')
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
server_address = ('cppcheck.osuosl.org', 8000)
sock.connect(server_address)
try:
sendAll(sock, 'write\n' + package + '\n' + results + '\nDONE')
sock.close()
2018-08-25 20:43:20 +02:00
except socket.error:
pass
return package
stopTime = None
for arg in sys.argv[1:]:
# --stop-time=12:00 => run until ~12:00 and then stop
if arg.startswith('--stop-time='):
stopTime = arg[-5:]
print('Thank you!')
if not checkRequirements():
sys.exit(1)
workpath = os.path.expanduser('~/cppcheck-donate-cpu-workfolder')
if not os.path.exists(workpath):
os.mkdir(workpath)
cppcheckPath = workpath + '/cppcheck'
while True:
if stopTime:
print('stopTime:' + stopTime + '. Time:' + time.strftime('%H:%M') + '.')
if stopTime < time.strftime('%H:%M'):
print('Stopping. Thank you!')
sys.exit(0)
if not getCppcheck(cppcheckPath):
2018-08-26 16:23:42 +02:00
print('Failed to clone Cppcheck, retry later')
sys.exit(1)
if compile_version(workpath, '1.84') == False:
print('Failed to compile Cppcheck-1.84, retry later')
sys.exit(1)
if compile(cppcheckPath) == False:
print('Failed to compile Cppcheck, retry later')
sys.exit(1)
package = getPackage()
tgz = downloadPackage(workpath, package)
unpackPackage(workpath, tgz)
crash = False
count = ''
elapsedTime = ''
2018-08-26 13:42:01 +02:00
resultsToDiff = []
for cppcheck in ['cppcheck/cppcheck', '1.84/cppcheck']:
c,errout,t = scanPackage(workpath, cppcheck)
if c < 0:
crash = True
count += ' Crash!'
else:
count += ' ' + str(c)
elapsedTime += " {:.1f}".format(t)
2018-08-26 16:23:42 +02:00
resultsToDiff.append(errout)
if not crash and len(resultsToDiff[0]) + len(resultsToDiff[1]) == 0:
2018-08-26 16:47:20 +02:00
print('No results')
continue
output = 'cppcheck: head 1.84\n'
output += 'count:' + count + '\n'
output += 'elapsed-time:' + elapsedTime + '\n'
if not crash:
output += 'diff:\n' + diffResults(workpath, 'head', resultsToDiff[0], '1.84', resultsToDiff[1]) + '\n'
2018-08-26 16:23:42 +02:00
uploadResults(package, output)
2018-08-26 13:42:01 +02:00
print('Results have been uploaded')
2018-08-26 16:23:42 +02:00
print('Sleep 5 seconds..')
2018-08-26 13:42:01 +02:00
time.sleep(5)