-
Notifications
You must be signed in to change notification settings - Fork 193
/
collect_api_endpoints.py
executable file
·216 lines (199 loc) · 8.73 KB
/
collect_api_endpoints.py
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
#!/usr/local/bin/python3
"""
Copyright (c) 2020 Ad Schellevis <[email protected]>
All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:
1. Redistributions of source code must retain the above copyright notice,
this list of conditions and the following disclaimer.
2. Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in the
documentation and/or other materials provided with the distribution.
THIS SOFTWARE IS PROVIDED ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES,
INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY
AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY,
OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
POSSIBILITY OF SUCH DAMAGE.
"""
import os
import argparse
import re
from jinja2 import Template
EXCLUDE_CONTROLLERS = ['Core/Api/FirmwareController.php']
DEFAULT_BASE_METHODS = {
"ApiMutableModelControllerBase": [{
"command": "set",
"parameters": "",
"method": "POST"
}, {
"command": "get",
"parameters": "",
"method": "GET"
}],
"ApiMutableServiceControllerBase": [{
"command": "status",
"parameters": "",
"method": "GET"
}, {
"command": "start",
"parameters": "",
"method": "POST"
}, {
"command": "stop",
"parameters": "",
"method": "POST"
}, {
"command": "restart",
"parameters": "",
"method": "POST"
}, {
"command": "reconfigure",
"parameters": "",
"method": "POST"
}]
}
def parse_api_php(src_filename):
base_filename = os.path.basename(src_filename)
controller = re.sub('(?<!^)(?=[A-Z])', '_', os.path.basename(base_filename.split('Controller.php')[0])).lower()
module_name = src_filename.replace('\\', '/').split('/')[-3].lower()
data = open(src_filename).read()
m = re.findall(r"\n([\w]*).*class.*Controller.*extends\s([\w|\\]*)", data)
base_class = m[0][1].split('\\')[-1] if len(m) > 0 else None
is_abstract = len(m) > 0 and m[0][0] == 'abstract'
m = re.findall(r"\sprotected\sstatic\s\$internalModelClass\s=\s['|\"]([\w|\\]*)['|\"];", data)
if len(m) == 0:
m = re.findall(r"\sprotected\sstatic\s\$internalServiceClass\s=\s['|\"]([\w|\\]*)['|\"];", data)
model_filename = None
if len(m) > 0:
app_location = "/".join(src_filename.split('/')[:-5])
model_xml = "%s/models/%s.xml" % (app_location, m[0].replace("\\", "/"))
if os.path.isfile(model_xml):
model_filename = model_xml.replace('//', '/')
function_callouts = re.findall(r"(\n\s+(private|public|protected)\s+function\s+(\w+)\((.*)\))", data)
result = list()
this_commands = []
for idx, function in enumerate(function_callouts):
begin_marker = data.find(function_callouts[idx][0])
if idx+1 < len(function_callouts):
end_marker = data.find(function_callouts[idx+1][0])
else:
end_marker = -1
code_block = data[begin_marker+len(function[0]):end_marker]
if function[2].endswith('Action'):
this_commands.append(function[2][:-6])
record = {
'method': 'GET',
'module': module_name,
'controller': controller,
'is_abstract': is_abstract,
'base_class': base_class,
'command': function[2][:-6],
'parameters': function[3].replace(' ', '').replace('"', '""'),
'filename': base_filename,
'model_filename': model_filename
}
if is_abstract:
record['type'] = 'Abstract [non-callable]'
elif controller.find('service') > -1:
record['type'] = 'Service'
else:
record['type'] = 'Resources'
# find most likely method (default => GET)
if code_block.find('request->isPost(') > -1:
record['method'] = 'POST'
elif code_block.find('$this->delBase') > -1:
record['method'] = 'POST'
elif code_block.find('$this->addBase') > -1:
record['method'] = 'POST'
elif code_block.find('$this->setBase') > -1:
record['method'] = 'POST'
elif code_block.find('$this->toggleBase') > -1:
record['method'] = 'POST'
elif code_block.find('$this->searchBase') > -1:
record['method'] = '*'
result.append(record)
if base_class in DEFAULT_BASE_METHODS:
for item in DEFAULT_BASE_METHODS[base_class]:
if item not in this_commands:
result.append({
'type': 'Service',
'method': item['method'],
'module': module_name,
'controller': controller,
'is_abstract': False,
'base_class': base_class,
'command': item['command'],
'parameters': item['parameters'],
'filename': base_filename,
'model_filename': model_filename
})
return sorted(result, key=lambda i: i['command'])
def source_url(repo, src_filename):
parts = src_filename.split('/')
if repo == 'plugins':
return "https://github.com/opnsense/plugins/blob/master/%s" % "/".join(parts[parts.index('src') - 2:])
else:
return "https://github.com/opnsense/core/blob/master/%s" % "/".join(parts[parts.index('src'):])
if __name__ == '__main__':
parser = argparse.ArgumentParser()
parser.add_argument('source', help='source directory')
parser.add_argument('--repo', help='target repository', default="core")
cmd_args = parser.parse_args()
# collect all endpoints
all_modules = dict()
for root, dirs, files in os.walk(cmd_args.source):
for fname in sorted(files):
filename = os.path.join(root, fname)
skip = False
for to_exclude in EXCLUDE_CONTROLLERS:
if filename.endswith(to_exclude):
skip = True
break
if not skip and filename.lower().endswith('controller.php') and filename.find('mvc/app/controllers') > -1 \
and root.endswith('Api'):
payload = parse_api_php(filename)
if len(payload) > 0:
if payload[0]['module'] not in all_modules:
all_modules[payload[0]['module']] = list()
all_modules[payload[0]['module']].append(payload)
# writeout .rst files
for module_name in all_modules:
target_filename = "%s/source/development/api/%s/%s.rst" % (
os.path.dirname(__file__), cmd_args.repo, module_name
)
print("update %s" % target_filename)
template_data = {
'title': "%s" % module_name.title(),
'title_underline': "".join('~' for x in range(len(module_name))),
'controllers': []
}
for controller in all_modules[module_name]:
payload = {
'type': controller[0]['type'],
'filename': controller[0]['filename'],
'is_abstract': controller[0]['is_abstract'],
'base_class': controller[0]['base_class'],
'endpoints': [],
'uses': []
}
for endpoint in controller:
payload['endpoints'].append(endpoint)
if controller[0]['model_filename']:
payload['uses'].append({
'type': 'model',
'link': source_url(cmd_args.repo, controller[0]['model_filename']),
'name': os.path.basename(controller[0]['model_filename'])
})
template_data['controllers'].append(payload)
with open(target_filename, 'w') as f_out:
if os.path.isfile("%s.in" % target_filename):
template_filename = "%s.in" % target_filename
else:
template_filename = "collect_api_endpoints.in"
template = Template(open(template_filename, "r").read())
f_out.write(template.render(template_data))