blob: c42d5c08d8064ef685726c4635d06346abeff14d [file] [log] [blame]
Eli Bendersky3921e8e2010-05-21 09:05:39 +03001#-----------------------------------------------------------------
2# pycparser: func_defs.py
3#
4# Using pycparser for printing out all the functions defined in a
5# C file.
6#
7# This is a simple example of traversing the AST generated by
8# pycparser.
9#
eli.bendersky1a1e46b2011-02-18 15:32:18 +020010# Copyright (C) 2008-2011, Eli Bendersky
eli.bendersky84a6a632011-04-29 09:00:43 +030011# License: BSD
Eli Bendersky3921e8e2010-05-21 09:05:39 +030012#-----------------------------------------------------------------
eli.bendersky1a1e46b2011-02-18 15:32:18 +020013from __future__ import print_function
Eli Bendersky3921e8e2010-05-21 09:05:39 +030014import sys
15
16# This is not required if you've installed pycparser into
17# your site-packages/ with setup.py
18#
Benf86dea12012-02-03 06:24:55 +020019sys.path.extend(['.', '..'])
Eli Bendersky3921e8e2010-05-21 09:05:39 +030020
21from pycparser import c_parser, c_ast, parse_file
Eli Bendersky3921e8e2010-05-21 09:05:39 +030022
23
24# A simple visitor for FuncDef nodes that prints the names and
25# locations of function definitions.
26#
27class FuncDefVisitor(c_ast.NodeVisitor):
28 def visit_FuncDef(self, node):
eli.bendersky1a1e46b2011-02-18 15:32:18 +020029 print('%s at %s' % (node.decl.name, node.decl.coord))
Eli Bendersky3921e8e2010-05-21 09:05:39 +030030
31
32def show_func_defs(filename):
33 # Note that cpp is used. Provide a path to your own cpp or
34 # make sure one exists in PATH.
35 #
36 ast = parse_file(filename, use_cpp=True)
37
38 v = FuncDefVisitor()
39 v.visit(ast)
40
41
42if __name__ == "__main__":
43 if len(sys.argv) > 1:
44 filename = sys.argv[1]
45 else:
46 filename = 'c_files/memmgr.c'
47
48 show_func_defs(filename)
49
50
51