File: server.py

package info (click to toggle)
python-executing 2.2.0-0.3
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 11,860 kB
  • sloc: python: 10,235; sh: 48; makefile: 10
file content (280 lines) | stat: -rw-r--r-- 8,558 bytes parent folder | download | duplicates (4)
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
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
from __future__ import print_function, division, absolute_import

import json
from collections import OrderedDict
from functools import partial
from os.path import basename

from future import standard_library
from littleutils import DecentJSONEncoder, withattrs, group_by_attr

standard_library.install_aliases()

import argparse
import os
import sys

from flask import Flask, request, jsonify, url_for
from flask.templating import render_template
from flask_humanize import Humanize
from werkzeug.routing import PathConverter
import sqlalchemy

from birdseye.db import Database
from birdseye.utils import short_path, IPYTHON_FILE_PATH, fix_abs_path, is_ipython_cell


app = Flask('birdseye')
app.jinja_env.auto_reload = True

Humanize(app)


class FileConverter(PathConverter):
    regex = '.*?'


app.url_map.converters['file'] = FileConverter


db = Database()
Session = db.Session
Function = db.Function
Call = db.Call


@app.route('/')
@db.provide_session
def index(session):
    all_paths = db.all_file_paths()

    recent_calls = (session.query(*(Call.basic_columns + Function.basic_columns))
                        .join(Function)
                        .order_by(Call.start_time.desc())[:100])

    files = OrderedDict()

    for row in recent_calls:
        if is_ipython_cell(row.file):
            continue
        files.setdefault(
            row.file, OrderedDict()
        ).setdefault(
            row.name, row
        )

    for path in all_paths:
        files.setdefault(
            path, OrderedDict()
        )

    short = partial(short_path, all_paths=all_paths)

    return render_template('index.html',
                           short=short,
                           files=files)


@app.route('/file/<file:path>')
@db.provide_session
def file_view(session, path):
    path = fix_abs_path(path)

    # Get all calls and functions in this file
    filtered_calls = (session.query(*(Call.basic_columns + Function.basic_columns))
                      .join(Function)
                      .filter_by(file=path)
                      .subquery('filtered_calls'))

    # Get the latest call *time* for each function in the file
    latest_calls = session.query(
        filtered_calls.c.name,
        sqlalchemy.func.max(filtered_calls.c.start_time).label('maxtime')
    ).group_by(
        filtered_calls.c.name,
    ).subquery('latest_calls')

    # Get the latest call for each function
    query = session.query(filtered_calls).join(
        latest_calls,
        sqlalchemy.and_(
            filtered_calls.c.name == latest_calls.c.name,
            filtered_calls.c.start_time == latest_calls.c.maxtime,
        )
    ).order_by(filtered_calls.c.start_time.desc())
    funcs = group_by_attr(query, 'type')

    # Add any functions which were never called
    all_funcs = sorted(session.query(Function.name, Function.type)
                       .filter_by(file=path)
                       .distinct())
    func_names = {row.name for row in query}
    for func in all_funcs:
        if func.name not in func_names:
            funcs[func.type].append(func)

    return render_template('file.html',
                           funcs=funcs,
                           is_ipython=path == IPYTHON_FILE_PATH,
                           full_path=path,
                           short_path=basename(path))


@app.route('/file/<file:path>/__function__/<func_name>')
@db.provide_session
def func_view(session, path, func_name):
    path = fix_abs_path(path)
    query = get_calls(session, path, func_name, 200)
    if query:
        func = query[0]
        calls = [withattrs(Call(), **row._asdict()) for row in query]
    else:
        func = session.query(Function).filter_by(file=path, name=func_name)[0]
        calls = None

    return render_template('function.html',
                           func=func,
                           short_path=basename(path),
                           calls=calls)


@app.route('/api/file/<file:path>/__function__/<func_name>/latest_call/')
@db.provide_session
def latest_call(session, path, func_name):
    path = fix_abs_path(path)
    call = get_calls(session, path, func_name, 1)[0]
    return jsonify(dict(
        id=call.id,
        url=url_for(call_view.__name__,
                    call_id=call.id),
    ))


def get_calls(session, path, func_name, limit):
    return (session.query(*(Call.basic_columns + Function.basic_columns))
                .join(Function)
                .filter_by(file=path, name=func_name)
                .order_by(Call.start_time.desc())[:limit])


@db.provide_session
def base_call_view(session, call_id, template):
    call = session.query(Call).filter_by(id=call_id).one()
    func = call.function
    return render_template(template,
                           short_path=basename(func.file),
                           call=call,
                           func=func)


@app.route('/call/<call_id>')
def call_view(call_id):
    return base_call_view(call_id, 'call.html')


@app.route('/ipython_call/<call_id>')
def ipython_call_view(call_id):
    return base_call_view(call_id, 'ipython_call.html')


@app.route('/ipython_iframe/<call_id>')
def ipython_iframe_view(call_id):
    """
    This view isn't generally used, it's just an easy way to play with the template
    without a notebook.
    """
    return render_template('ipython_iframe.html',
                           container_id='1234',
                           port=7777,
                           call_id=call_id)


@app.route('/kill', methods=['POST'])
def kill():
    func = request.environ.get('werkzeug.server.shutdown')
    if func is None:
        raise RuntimeError('Not running with the Werkzeug Server')
    func()
    return 'Server shutting down...'


@app.route('/api/call/<call_id>')
@db.provide_session
def api_call_view(session, call_id):
    call = session.query(Call).filter_by(id=call_id).one()
    func = call.function
    return DecentJSONEncoder().encode(dict(
        call=dict(data=call.parsed_data, **Call.basic_dict(call)),
        function=dict(data=func.parsed_data, **Function.basic_dict(func))))


@app.route('/api/calls_by_body_hash/<body_hash>')
@db.provide_session
def calls_by_body_hash(session, body_hash):
    query = (session.query(*Call.basic_columns + (Function.data,))
                 .join(Function)
                 .filter_by(body_hash=body_hash)
                 .order_by(Call.start_time.desc())[:200])

    calls = [Call.basic_dict(withattrs(Call(), **row._asdict()))
             for row in query]

    function_data_set = {row.data for row in query}
    ranges = set()
    loop_ranges = set()
    for function_data in function_data_set:
        function_data = json.loads(function_data)

        def add(key, ranges_set):
            for node in function_data[key]:
                ranges_set.add((node['start'], node['end']))

        add('node_ranges', ranges)

        # All functions are expected to have the same set
        # of loop nodes
        current_loop_ranges = set()
        add('loop_ranges', current_loop_ranges)
        assert loop_ranges in (set(), current_loop_ranges)
        loop_ranges = current_loop_ranges

    ranges = [dict(start=start, end=end) for start, end in ranges]
    loop_ranges = [dict(start=start, end=end) for start, end in loop_ranges]

    return DecentJSONEncoder().encode(dict(
        calls=calls, ranges=ranges, loop_ranges=loop_ranges))


@app.route('/api/body_hashes_present/', methods=['POST'])
@db.provide_session
def body_hashes_present(session):
    hashes = request.get_json()
    query = (session.query(Function.body_hash, sqlalchemy.func.count(Call.id))
             .outerjoin(Call)
             .filter(Function.body_hash.in_(hashes))
             .group_by(Function.body_hash))
    return DecentJSONEncoder().encode([
        dict(hash=h, count=count)
        for h, count in query
    ])


def main(argv=sys.argv[1:]):
    # Support legacy CLI where there was just one positional argument: the port
    if len(argv) == 1 and argv[0].isdigit():
        argv.insert(0, '--port')

    parser = argparse.ArgumentParser(description="Bird's Eye: A graphical Python debugger")
    parser.add_argument('-p', '--port', help='HTTP port, default is 7777', default=7777, type=int)
    parser.add_argument('--host', help="HTTP host, default is 'localhost'", default='localhost')

    args = parser.parse_args(argv)
    app.run(
        port=args.port,
        host=args.host,
        use_reloader=os.environ.get('BIRDSEYE_RELOADER') == '1',
    )


if __name__ == '__main__':
    main()