3 # This Source Code Form is subject to the terms of the Mozilla Public
4 # License, v. 2.0. If a copy of the MPL was not distributed with this
5 # file, You can obtain one at http://mozilla.org/MPL/2.0/.
7 # This script processes a `refcount' log, and finds out if any object leaked.
8 # It simply goes through the log, finds `AddRef' or `Ctor' lines, and then
9 # sees if they `Release' or `Dtor'. If not, it reports them as leaks.
10 # Please see README file in the same directory.
12 from __future__
import absolute_import
, print_function
19 def print_output(allocation
, obj_to_class
):
20 """Formats and prints output."""
25 ) in six
.iteritems(allocation
):
26 # Adding items to a list, so we can sort them.
27 items
.append((obj
, count
))
29 items
.sort(key
=lambda item
: item
[1])
36 "{obj} ({count}) @ {class_name}".format(
37 obj
=obj
, count
=count
, class_name
=obj_to_class
[obj
]
42 def process_log(log_lines
):
43 """Process through the log lines, and print out the result.
45 @param log_lines: List of strings.
51 for log_line
in log_lines
:
52 if not log_line
.startswith("<"):
55 (class_name
, obj
, ignore
, operation
, count
,) = log_line
.strip("\r\n").split(
59 # for AddRef/Release `count' is the refcount,
60 # for Ctor/Dtor it's the size.
62 if (operation
== "AddRef" and count
== "1") or operation
== "Ctor":
64 # <nsStringBuffer> 0x01AFD3B8 1 AddRef 1
65 # <PStreamNotifyParent> 0x08880BD0 8 Ctor (20)
66 class_count
[class_name
] = class_count
.setdefault(class_name
, 0) + 1
67 allocation
[obj
] = class_count
[class_name
]
68 obj_to_class
[obj
] = class_name
70 elif (operation
== "Release" and count
== "0") or operation
== "Dtor":
72 # <nsStringBuffer> 0x01AFD3B8 1 Release 0
73 # <PStreamNotifyParent> 0x08880BD0 8 Dtor (20)
74 if obj
not in allocation
:
76 "An object was released that wasn't allocated!",
78 print(obj
, "@", class_name
)
83 # Printing out the result.
84 print_output(allocation
, obj_to_class
)
89 print("Usage: find-leakers.py [log-file]")
91 print("If `log-file' provided, it will read that as the input log.")
92 print("Else, it will read the stdin as the input log.")
97 """Main method of the script."""
98 if len(sys
.argv
) == 1:
99 # Reading log from stdin.
100 process_log(sys
.stdin
.readlines())
101 elif len(sys
.argv
) == 2:
102 # Reading log from file.
103 with
open(sys
.argv
[1], "r") as log_file
:
104 log_lines
= log_file
.readlines()
105 process_log(log_lines
)
107 print("ERROR: Invalid number of arguments")
111 if __name__
== "__main__":