tracemalloc.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487
  1. from collections import Sequence, Iterable
  2. from functools import total_ordering
  3. import fnmatch
  4. import linecache
  5. import os.path
  6. import pickle
  7. # Import types and functions implemented in C
  8. from _tracemalloc import *
  9. from _tracemalloc import _get_object_traceback, _get_traces
  10. def _format_size(size, sign):
  11. for unit in ('B', 'KiB', 'MiB', 'GiB', 'TiB'):
  12. if abs(size) < 100 and unit != 'B':
  13. # 3 digits (xx.x UNIT)
  14. if sign:
  15. return "%+.1f %s" % (size, unit)
  16. else:
  17. return "%.1f %s" % (size, unit)
  18. if abs(size) < 10 * 1024 or unit == 'TiB':
  19. # 4 or 5 digits (xxxx UNIT)
  20. if sign:
  21. return "%+.0f %s" % (size, unit)
  22. else:
  23. return "%.0f %s" % (size, unit)
  24. size /= 1024
  25. class Statistic:
  26. """
  27. Statistic difference on memory allocations between two Snapshot instance.
  28. """
  29. __slots__ = ('traceback', 'size', 'count')
  30. def __init__(self, traceback, size, count):
  31. self.traceback = traceback
  32. self.size = size
  33. self.count = count
  34. def __hash__(self):
  35. return hash((self.traceback, self.size, self.count))
  36. def __eq__(self, other):
  37. return (self.traceback == other.traceback
  38. and self.size == other.size
  39. and self.count == other.count)
  40. def __str__(self):
  41. text = ("%s: size=%s, count=%i"
  42. % (self.traceback,
  43. _format_size(self.size, False),
  44. self.count))
  45. if self.count:
  46. average = self.size / self.count
  47. text += ", average=%s" % _format_size(average, False)
  48. return text
  49. def __repr__(self):
  50. return ('<Statistic traceback=%r size=%i count=%i>'
  51. % (self.traceback, self.size, self.count))
  52. def _sort_key(self):
  53. return (self.size, self.count, self.traceback)
  54. class StatisticDiff:
  55. """
  56. Statistic difference on memory allocations between an old and a new
  57. Snapshot instance.
  58. """
  59. __slots__ = ('traceback', 'size', 'size_diff', 'count', 'count_diff')
  60. def __init__(self, traceback, size, size_diff, count, count_diff):
  61. self.traceback = traceback
  62. self.size = size
  63. self.size_diff = size_diff
  64. self.count = count
  65. self.count_diff = count_diff
  66. def __hash__(self):
  67. return hash((self.traceback, self.size, self.size_diff,
  68. self.count, self.count_diff))
  69. def __eq__(self, other):
  70. return (self.traceback == other.traceback
  71. and self.size == other.size
  72. and self.size_diff == other.size_diff
  73. and self.count == other.count
  74. and self.count_diff == other.count_diff)
  75. def __str__(self):
  76. text = ("%s: size=%s (%s), count=%i (%+i)"
  77. % (self.traceback,
  78. _format_size(self.size, False),
  79. _format_size(self.size_diff, True),
  80. self.count,
  81. self.count_diff))
  82. if self.count:
  83. average = self.size / self.count
  84. text += ", average=%s" % _format_size(average, False)
  85. return text
  86. def __repr__(self):
  87. return ('<StatisticDiff traceback=%r size=%i (%+i) count=%i (%+i)>'
  88. % (self.traceback, self.size, self.size_diff,
  89. self.count, self.count_diff))
  90. def _sort_key(self):
  91. return (abs(self.size_diff), self.size,
  92. abs(self.count_diff), self.count,
  93. self.traceback)
  94. def _compare_grouped_stats(old_group, new_group):
  95. statistics = []
  96. for traceback, stat in new_group.items():
  97. previous = old_group.pop(traceback, None)
  98. if previous is not None:
  99. stat = StatisticDiff(traceback,
  100. stat.size, stat.size - previous.size,
  101. stat.count, stat.count - previous.count)
  102. else:
  103. stat = StatisticDiff(traceback,
  104. stat.size, stat.size,
  105. stat.count, stat.count)
  106. statistics.append(stat)
  107. for traceback, stat in old_group.items():
  108. stat = StatisticDiff(traceback, 0, -stat.size, 0, -stat.count)
  109. statistics.append(stat)
  110. return statistics
  111. @total_ordering
  112. class Frame:
  113. """
  114. Frame of a traceback.
  115. """
  116. __slots__ = ("_frame",)
  117. def __init__(self, frame):
  118. # frame is a tuple: (filename: str, lineno: int)
  119. self._frame = frame
  120. @property
  121. def filename(self):
  122. return self._frame[0]
  123. @property
  124. def lineno(self):
  125. return self._frame[1]
  126. def __eq__(self, other):
  127. return (self._frame == other._frame)
  128. def __lt__(self, other):
  129. return (self._frame < other._frame)
  130. def __hash__(self):
  131. return hash(self._frame)
  132. def __str__(self):
  133. return "%s:%s" % (self.filename, self.lineno)
  134. def __repr__(self):
  135. return "<Frame filename=%r lineno=%r>" % (self.filename, self.lineno)
  136. @total_ordering
  137. class Traceback(Sequence):
  138. """
  139. Sequence of Frame instances sorted from the most recent frame
  140. to the oldest frame.
  141. """
  142. __slots__ = ("_frames",)
  143. def __init__(self, frames):
  144. Sequence.__init__(self)
  145. # frames is a tuple of frame tuples: see Frame constructor for the
  146. # format of a frame tuple
  147. self._frames = frames
  148. def __len__(self):
  149. return len(self._frames)
  150. def __getitem__(self, index):
  151. if isinstance(index, slice):
  152. return tuple(Frame(trace) for trace in self._frames[index])
  153. else:
  154. return Frame(self._frames[index])
  155. def __contains__(self, frame):
  156. return frame._frame in self._frames
  157. def __hash__(self):
  158. return hash(self._frames)
  159. def __eq__(self, other):
  160. return (self._frames == other._frames)
  161. def __lt__(self, other):
  162. return (self._frames < other._frames)
  163. def __str__(self):
  164. return str(self[0])
  165. def __repr__(self):
  166. return "<Traceback %r>" % (tuple(self),)
  167. def format(self, limit=None):
  168. lines = []
  169. if limit is not None and limit < 0:
  170. return lines
  171. for frame in self[:limit]:
  172. lines.append(' File "%s", line %s'
  173. % (frame.filename, frame.lineno))
  174. line = linecache.getline(frame.filename, frame.lineno).strip()
  175. if line:
  176. lines.append(' %s' % line)
  177. return lines
  178. def get_object_traceback(obj):
  179. """
  180. Get the traceback where the Python object *obj* was allocated.
  181. Return a Traceback instance.
  182. Return None if the tracemalloc module is not tracing memory allocations or
  183. did not trace the allocation of the object.
  184. """
  185. frames = _get_object_traceback(obj)
  186. if frames is not None:
  187. return Traceback(frames)
  188. else:
  189. return None
  190. class Trace:
  191. """
  192. Trace of a memory block.
  193. """
  194. __slots__ = ("_trace",)
  195. def __init__(self, trace):
  196. # trace is a tuple: (size, traceback), see Traceback constructor
  197. # for the format of the traceback tuple
  198. self._trace = trace
  199. @property
  200. def size(self):
  201. return self._trace[0]
  202. @property
  203. def traceback(self):
  204. return Traceback(self._trace[1])
  205. def __eq__(self, other):
  206. return (self._trace == other._trace)
  207. def __hash__(self):
  208. return hash(self._trace)
  209. def __str__(self):
  210. return "%s: %s" % (self.traceback, _format_size(self.size, False))
  211. def __repr__(self):
  212. return ("<Trace size=%s, traceback=%r>"
  213. % (_format_size(self.size, False), self.traceback))
  214. class _Traces(Sequence):
  215. def __init__(self, traces):
  216. Sequence.__init__(self)
  217. # traces is a tuple of trace tuples: see Trace constructor
  218. self._traces = traces
  219. def __len__(self):
  220. return len(self._traces)
  221. def __getitem__(self, index):
  222. if isinstance(index, slice):
  223. return tuple(Trace(trace) for trace in self._traces[index])
  224. else:
  225. return Trace(self._traces[index])
  226. def __contains__(self, trace):
  227. return trace._trace in self._traces
  228. def __eq__(self, other):
  229. return (self._traces == other._traces)
  230. def __repr__(self):
  231. return "<Traces len=%s>" % len(self)
  232. def _normalize_filename(filename):
  233. filename = os.path.normcase(filename)
  234. if filename.endswith('.pyc'):
  235. filename = filename[:-1]
  236. return filename
  237. class Filter:
  238. def __init__(self, inclusive, filename_pattern,
  239. lineno=None, all_frames=False):
  240. self.inclusive = inclusive
  241. self._filename_pattern = _normalize_filename(filename_pattern)
  242. self.lineno = lineno
  243. self.all_frames = all_frames
  244. @property
  245. def filename_pattern(self):
  246. return self._filename_pattern
  247. def __match_frame(self, filename, lineno):
  248. filename = _normalize_filename(filename)
  249. if not fnmatch.fnmatch(filename, self._filename_pattern):
  250. return False
  251. if self.lineno is None:
  252. return True
  253. else:
  254. return (lineno == self.lineno)
  255. def _match_frame(self, filename, lineno):
  256. return self.__match_frame(filename, lineno) ^ (not self.inclusive)
  257. def _match_traceback(self, traceback):
  258. if self.all_frames:
  259. if any(self.__match_frame(filename, lineno)
  260. for filename, lineno in traceback):
  261. return self.inclusive
  262. else:
  263. return (not self.inclusive)
  264. else:
  265. filename, lineno = traceback[0]
  266. return self._match_frame(filename, lineno)
  267. class Snapshot:
  268. """
  269. Snapshot of traces of memory blocks allocated by Python.
  270. """
  271. def __init__(self, traces, traceback_limit):
  272. # traces is a tuple of trace tuples: see _Traces constructor for
  273. # the exact format
  274. self.traces = _Traces(traces)
  275. self.traceback_limit = traceback_limit
  276. def dump(self, filename):
  277. """
  278. Write the snapshot into a file.
  279. """
  280. with open(filename, "wb") as fp:
  281. pickle.dump(self, fp, pickle.HIGHEST_PROTOCOL)
  282. @staticmethod
  283. def load(filename):
  284. """
  285. Load a snapshot from a file.
  286. """
  287. with open(filename, "rb") as fp:
  288. return pickle.load(fp)
  289. def _filter_trace(self, include_filters, exclude_filters, trace):
  290. traceback = trace[1]
  291. if include_filters:
  292. if not any(trace_filter._match_traceback(traceback)
  293. for trace_filter in include_filters):
  294. return False
  295. if exclude_filters:
  296. if any(not trace_filter._match_traceback(traceback)
  297. for trace_filter in exclude_filters):
  298. return False
  299. return True
  300. def filter_traces(self, filters):
  301. """
  302. Create a new Snapshot instance with a filtered traces sequence, filters
  303. is a list of Filter instances. If filters is an empty list, return a
  304. new Snapshot instance with a copy of the traces.
  305. """
  306. if not isinstance(filters, Iterable):
  307. raise TypeError("filters must be a list of filters, not %s"
  308. % type(filters).__name__)
  309. if filters:
  310. include_filters = []
  311. exclude_filters = []
  312. for trace_filter in filters:
  313. if trace_filter.inclusive:
  314. include_filters.append(trace_filter)
  315. else:
  316. exclude_filters.append(trace_filter)
  317. new_traces = [trace for trace in self.traces._traces
  318. if self._filter_trace(include_filters,
  319. exclude_filters,
  320. trace)]
  321. else:
  322. new_traces = self.traces._traces.copy()
  323. return Snapshot(new_traces, self.traceback_limit)
  324. def _group_by(self, key_type, cumulative):
  325. if key_type not in ('traceback', 'filename', 'lineno'):
  326. raise ValueError("unknown key_type: %r" % (key_type,))
  327. if cumulative and key_type not in ('lineno', 'filename'):
  328. raise ValueError("cumulative mode cannot by used "
  329. "with key type %r" % key_type)
  330. stats = {}
  331. tracebacks = {}
  332. if not cumulative:
  333. for trace in self.traces._traces:
  334. size, trace_traceback = trace
  335. try:
  336. traceback = tracebacks[trace_traceback]
  337. except KeyError:
  338. if key_type == 'traceback':
  339. frames = trace_traceback
  340. elif key_type == 'lineno':
  341. frames = trace_traceback[:1]
  342. else: # key_type == 'filename':
  343. frames = ((trace_traceback[0][0], 0),)
  344. traceback = Traceback(frames)
  345. tracebacks[trace_traceback] = traceback
  346. try:
  347. stat = stats[traceback]
  348. stat.size += size
  349. stat.count += 1
  350. except KeyError:
  351. stats[traceback] = Statistic(traceback, size, 1)
  352. else:
  353. # cumulative statistics
  354. for trace in self.traces._traces:
  355. size, trace_traceback = trace
  356. for frame in trace_traceback:
  357. try:
  358. traceback = tracebacks[frame]
  359. except KeyError:
  360. if key_type == 'lineno':
  361. frames = (frame,)
  362. else: # key_type == 'filename':
  363. frames = ((frame[0], 0),)
  364. traceback = Traceback(frames)
  365. tracebacks[frame] = traceback
  366. try:
  367. stat = stats[traceback]
  368. stat.size += size
  369. stat.count += 1
  370. except KeyError:
  371. stats[traceback] = Statistic(traceback, size, 1)
  372. return stats
  373. def statistics(self, key_type, cumulative=False):
  374. """
  375. Group statistics by key_type. Return a sorted list of Statistic
  376. instances.
  377. """
  378. grouped = self._group_by(key_type, cumulative)
  379. statistics = list(grouped.values())
  380. statistics.sort(reverse=True, key=Statistic._sort_key)
  381. return statistics
  382. def compare_to(self, old_snapshot, key_type, cumulative=False):
  383. """
  384. Compute the differences with an old snapshot old_snapshot. Get
  385. statistics as a sorted list of StatisticDiff instances, grouped by
  386. group_by.
  387. """
  388. new_group = self._group_by(key_type, cumulative)
  389. old_group = old_snapshot._group_by(key_type, cumulative)
  390. statistics = _compare_grouped_stats(old_group, new_group)
  391. statistics.sort(reverse=True, key=StatisticDiff._sort_key)
  392. return statistics
  393. def take_snapshot():
  394. """
  395. Take a snapshot of traces of memory blocks allocated by Python.
  396. """
  397. if not is_tracing():
  398. raise RuntimeError("the tracemalloc module must be tracing memory "
  399. "allocations to take a snapshot")
  400. traces = _get_traces()
  401. traceback_limit = get_traceback_limit()
  402. return Snapshot(traces, traceback_limit)