/usr/lib/python3/dist-packages/zpprofile.py is in python3-pprofile 1.10.0-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | """
Zope-friendly layer for pprofile.
In Zope:
- Executed code is not necessarily a valid FS path (ex: Python Scripts)
- Executed code is not available to the machine where profiling results are
analysed.
- Restricted Python cannot manipulate all desired types, and you may want to
trigger profiling from its level.
This layer addresses all these issues, by making interesting pprofile classes
accessible to restricted python and bundling source code wxith profiling
results.
NOTE: This does allow anyone able to get profiler output to get whole source
files from your server. So better keep good track of who can profile and/or
where profiling results end. Alone, this module won't be accessible from
Restricted Python.
Example deterministic usage:
# Get profiler (how you get to zpprofile module depends on your
# application).
profiler = zpprofile.getProfiler()
# Get callable (to not profile how it is retrieved).
func = context.somethingOrOther
# Actually profile stuff
with profiler:
func()
# Build response
response = context.REQUEST.RESPONSE
data, content_type = profiler.asMIMEString()
response.setHeader('content-type', content_type)
response.setHeader(
'content-disposition',
'attachment; filename="' + func.id + '.multipart"',
)
# Push response immediately (hopefully, profiled function did not write
# anything on its own).
response.write(data)
# Make transaction fail, so any otherwise persistent change made by
# profiled function is undone - note that many caches will still have
# been warmed up, just as with any other code.
raise Exception('profiling')
Example statistic usage (to profile other running threads):
from time import sleep
# Get profiler (how you get to zpprofile module depends on your
# application).
profiler, thread = zpprofile.getStatisticalProfilerAndThread(single=False)
# Actually profile whatever is going on in the same process, just waiting.
with thread:
sleep(60)
# Build response
response = context.REQUEST.RESPONSE
data, content_type = profiler.asMIMEString()
response.setHeader('content-type', content_type)
response.setHeader(
'content-disposition',
'attachment; filename="statistical_' +
DateTime().strftime('%Y%m%d%H%M%S') +
'.multipart"',
)
return data
"""
from email.mime.multipart import MIMEMultipart
from email.mime.text import MIMEText
from email.mime.application import MIMEApplication
from email.encoders import encode_quopri
from io import StringIO
import os
from collections import defaultdict
import pprofile
_marker = object()
try:
import Products.ZMySQLDA.db
DB_query_func_code = Products.ZMySQLDA.db.DB._query.__code__
except (ImportError, AttributeError):
DB_query_func_code = _marker
try:
import ZODB.Connection
ZODB_setstate_func_code = ZODB.Connection.Connection._setstate.__code__
except (ImportError, AttributeError):
ZODB_setstate_func_code = _marker
_ALLSEP = os.sep + (os.altsep or '')
class ZopeFileTiming(pprofile.FileTiming):
def call(self, code, line, callee_file_timing, callee, duration, frame):
f_code = frame.f_code
if f_code is DB_query_func_code:
self.profiler.sql_dict[frame.f_locals['query']].append(duration)
elif f_code is ZODB_setstate_func_code:
f_locals = frame.f_locals
obj = f_locals['obj']
try:
oid = obj._p_oid
except AttributeError:
pass
else:
self.profiler.zodb_dict[
f_locals['self'].db().database_name
][oid].append(duration)
super(ZopeFileTiming, self).call(
code, line, callee_file_timing, callee, duration, frame,
)
class ZopeMixIn(object):
__allow_access_to_unprotected_subobjects__ = 1
FileTiming = ZopeFileTiming
def __init__(self):
super(ZopeMixIn, self).__init__()
self.sql_dict = defaultdict(list)
self.zodb_dict = defaultdict(lambda: defaultdict(list))
def _getFilename(self, filename, f_globals):
if 'Script (Python)' in filename:
try:
script = f_globals['script']
except KeyError:
pass
else:
filename = script.id
return filename
def asMIMEString(self):
"""
Return a mime-multipart representation of:
- callgrind profiling statistics (cachegrind.out.pprofile)
- any SQL query issued via ZMySQLDA (query_*.sql)
- any persistent object load via ZODB.Connection (ZODB_setstate.txt)
- all involved python code, including Python Scripts without hierarchy
(the rest)
Does not rely on any local filesystem, which zipfile/tarfile would
require.
To unpack resulting file, see "unpack a MIME message" in
http://docs.python.org/2/library/email-examples.html
Or get demultipart from
https://pypi.python.org/pypi/demultipart
"""
result = MIMEMultipart()
out = StringIO()
self.callgrind(out, relative_path=True)
profile = MIMEApplication(
out.getvalue(),
'x-kcachegrind',
encode_quopri,
)
profile.add_header(
'Content-Disposition',
'attachment',
filename='cachegrind.out.pprofile',
)
result.attach(profile)
for name, lines in self.iterSource():
lines = ''.join(lines)
if lines:
pyfile = MIMEText(lines, 'x-python')
pyfile.add_header(
'Content-Disposition',
'attachment',
filename=os.path.normpath(
os.path.splitdrive(name)[1]
).lstrip(_ALLSEP),
)
result.attach(pyfile)
sql_name_template = 'query_%%0%ii-%%i_hits_%%6fs.sql' % len(
str(len(self.sql_dict))
)
for index, (query, time_list) in enumerate(
sorted(
iter(self.sql_dict.items()),
key=lambda x: (sum(x[1]), len(x[1])),
reverse=True,
),
):
sqlfile = MIMEApplication(
'\n'.join(
'-- %10.6fs' % x
for x in time_list
) + '\n' + query, 'sql',
encode_quopri,
)
sqlfile.add_header(
'Content-Disposition',
'attachment',
filename=sql_name_template % (
index,
len(time_list),
sum(time_list),
),
)
result.attach(sqlfile)
if self.zodb_dict:
zodbfile = MIMEText('\n\n'.join(
(
'%s (%fs)\n' % (
db_name,
sum(sum(x) for x in oid_dict.values()),
)
) + '\n'.join(
'%s (%i): %s' % (
oid.encode('hex'),
len(time_list),
', '.join('%fs' % x for x in time_list),
)
for oid, time_list in oid_dict.items()
)
for db_name, oid_dict in self.zodb_dict.items()
), 'plain')
zodbfile.add_header(
'Content-Disposition',
'attachment',
filename='ZODB_setstate.txt',
)
result.attach(zodbfile)
return result.as_string(), result['content-type']
class ZopeProfiler(ZopeMixIn, pprofile.Profile):
pass
class ZopeStatisticalProfile(ZopeMixIn, pprofile.StatisticalProfile):
pass
class ZopeStatisticalThread(pprofile.StatisticalThread):
__allow_access_to_unprotected_subobjects__ = 1
# Intercept "verbose" parameter to prevent writing to stdout.
def getProfiler(verbose=False, **kw):
"""
Get a Zope-friendly pprofile.Profile instance.
"""
return ZopeProfiler(**kw)
def getStatisticalProfilerAndThread(**kw):
"""
Get Zope-friendly pprofile.StatisticalProfile and
pprofile.StatisticalThread instances.
Arguments are forwarded to StatisticalThread.__init__ .
"""
profiler = ZopeStatisticalProfile()
return profiler, ZopeStatisticalThread(
profiler=profiler,
**kw
)
|