raw
logotron_genesis.kv     1 #!/usr/bin/python
logotron_genesis.kv 2
logotron_genesis.kv 3 ##############################################################################
logotron_genesis.kv 4 import ConfigParser, sys
logotron_genesis.kv 5 import psycopg2, psycopg2.extras
logotron_genesis.kv 6 import psycopg2.extensions
logotron_genesis.kv 7 psycopg2.extensions.register_type(psycopg2.extensions.UNICODE)
logotron_genesis.kv 8 psycopg2.extensions.register_type(psycopg2.extensions.UNICODEARRAY)
logotron_genesis.kv 9 import time
logotron_genesis.kv 10 import datetime
logotron_genesis.kv 11 from datetime import timedelta
logotron_genesis.kv 12 import sys
logotron_genesis.kv 13 reload(sys)
logotron_genesis.kv 14 sys.setdefaultencoding('utf8')
logotron_genesis.kv 15 import os
logotron_genesis.kv 16 import threading
logotron_genesis.kv 17 import re
logotron_genesis.kv 18 from datetime import datetime
logotron_genesis.kv 19 from urlparse import urljoin
raw_line_export.kv 20 from flask import Flask, request, session, url_for, redirect, Response, \
logotron_genesis.kv 21 render_template, abort, g, flash, _app_ctx_stack, make_response, \
logotron_genesis.kv 22 jsonify
logotron_genesis.kv 23 from flask import Flask
logotron_genesis.kv 24 ##############################################################################
logotron_genesis.kv 25
logotron_genesis.kv 26 ##############################################################################
logotron_genesis.kv 27 # Single mandatory arg: config file path
hide_inactive.kv 28
logotron_genesis.kv 29 if len(sys.argv[1:]) != 1:
hide_inactive.kv 30 # Default path for WSGI use (change to yours) :
hide_inactive.kv 31 config_path = "/home/nsabot/logger/nsabot.conf"
hide_inactive.kv 32 else:
hide_inactive.kv 33 # Read Config from given conf file
hide_inactive.kv 34 config_path = sys.argv[1]
logotron_genesis.kv 35
hide_inactive.kv 36 #config_path = os.path.abspath(config_path)
logotron_genesis.kv 37 cfg = ConfigParser.ConfigParser()
logotron_genesis.kv 38 cfg.readfp(open(config_path))
logotron_genesis.kv 39
logotron_genesis.kv 40 try:
logotron_genesis.kv 41 # IRCism:
logotron_genesis.kv 42 Nick = cfg.get("irc", "nick")
logotron_genesis.kv 43 Channels = [x.strip() for x in cfg.get("irc", "chans").split(',')]
logotron_genesis.kv 44 Bots = [x.strip() for x in cfg.get("logotron", "bots").split(',')]
logotron_genesis.kv 45 Bots.append(Nick) # Add our own bot to the bot list
logotron_genesis.kv 46 # DBism:
logotron_genesis.kv 47 DB_Name = cfg.get("db", "db_name")
logotron_genesis.kv 48 DB_User = cfg.get("db", "db_user")
raw_line_export.kv 49 DB_DEBUG = int(cfg.get("db", "db_debug"))
logotron_genesis.kv 50 # Logism:
logotron_genesis.kv 51 Base_URL = cfg.get("logotron", "base_url")
logotron_genesis.kv 52 Era = int(cfg.get("logotron", "era"))
raw_line_export.kv 53 DEBUG = int(cfg.get("logotron", "www_dbg"))
raw_line_export.kv 54 Max_Raw_Ln = int(cfg.get("logotron", "max_raw"))
hide_inactive.kv 55 Days_Hide = int(cfg.get("logotron", "days_hide"))
logotron_genesis.kv 56 # WWW:
logotron_genesis.kv 57 WWW_Port = int(cfg.get("logotron", "www_port"))
logotron_genesis.kv 58
logotron_genesis.kv 59 except Exception as e:
logotron_genesis.kv 60 print "Invalid config: ", e
logotron_genesis.kv 61 exit(1)
logotron_genesis.kv 62
logotron_genesis.kv 63 ##############################################################################
logotron_genesis.kv 64
logotron_genesis.kv 65 ##############################################################################
logotron_genesis.kv 66 ### Knobs not made into config yet ###
logotron_genesis.kv 67 Default_Chan = Channels[0]
logotron_genesis.kv 68 Min_Query_Length = 3
logotron_genesis.kv 69 Max_Search_Results = 1000
logotron_genesis.kv 70
logotron_genesis.kv 71 ## Format for Date in Log Lines
logotron_genesis.kv 72 Date_Short_Format = "%Y-%m-%d"
logotron_genesis.kv 73 ##############################################################################
logotron_genesis.kv 74
logotron_genesis.kv 75 app = Flask(__name__)
logotron_genesis.kv 76 app.config.from_object(__name__)
logotron_genesis.kv 77
logotron_genesis.kv 78 def get_db():
logotron_genesis.kv 79 db = getattr(g, 'db', None)
logotron_genesis.kv 80 if db is None:
logotron_genesis.kv 81 db = g.db = psycopg2.connect("dbname=%s user=%s" % (DB_Name, DB_User))
logotron_genesis.kv 82 return db
logotron_genesis.kv 83
logotron_genesis.kv 84 def close_db():
logotron_genesis.kv 85 if hasattr(g, 'db'):
logotron_genesis.kv 86 g.db.close()
logotron_genesis.kv 87
logotron_genesis.kv 88 @app.before_request
logotron_genesis.kv 89 def before_request():
logotron_genesis.kv 90 g.db = get_db()
logotron_genesis.kv 91
logotron_genesis.kv 92 @app.teardown_request
logotron_genesis.kv 93 def teardown_request(exception):
logotron_genesis.kv 94 close_db()
logotron_genesis.kv 95
logotron_genesis.kv 96 def query_db(query, args=(), one=False):
logotron_genesis.kv 97 cur = get_db().cursor(cursor_factory=psycopg2.extras.RealDictCursor)
logotron_genesis.kv 98 if (DB_DEBUG): print "query: '{0}'".format(query)
logotron_genesis.kv 99 cur.execute(query, args)
logotron_genesis.kv 100 rv = cur.fetchone() if one else cur.fetchall()
logotron_genesis.kv 101 if (DB_DEBUG): print "query res: '{0}'".format(rv)
logotron_genesis.kv 102 return rv
logotron_genesis.kv 103
logotron_genesis.kv 104 def exec_db(query, args=()):
logotron_genesis.kv 105 cur = get_db().cursor(cursor_factory=psycopg2.extras.RealDictCursor)
logotron_genesis.kv 106 if (DB_DEBUG): print "query: '{0}'".format(query)
logotron_genesis.kv 107 if (DB_DEBUG): print "args: '{0}'".format(args)
logotron_genesis.kv 108 if (DB_DEBUG): print "EXEC:"
logotron_genesis.kv 109 cur.execute(query, args)
logotron_genesis.kv 110
logotron_genesis.kv 111 def getlast_db():
logotron_genesis.kv 112 cur = get_db().cursor(cursor_factory=psycopg2.extras.RealDictCursor)
logotron_genesis.kv 113 cur.execute('select lastval()')
logotron_genesis.kv 114 return cur.fetchone()['lastval']
logotron_genesis.kv 115
logotron_genesis.kv 116 def commit_db():
logotron_genesis.kv 117 cur = get_db().cursor(cursor_factory=psycopg2.extras.RealDictCursor)
logotron_genesis.kv 118 g.db.commit()
logotron_genesis.kv 119
logotron_genesis.kv 120 ##############################################################################
logotron_genesis.kv 121
logotron_genesis.kv 122 ## All eggogs redirect to main page
logotron_genesis.kv 123 @app.errorhandler(404)
logotron_genesis.kv 124 def page_not_found(error):
logotron_genesis.kv 125 return redirect(url_for('log'))
logotron_genesis.kv 126
logotron_genesis.kv 127 ##############################################################################
logotron_genesis.kv 128
logotron_genesis.kv 129 html_escape_table = {
logotron_genesis.kv 130 "&": "&",
logotron_genesis.kv 131 '"': """,
logotron_genesis.kv 132 "'": "'",
logotron_genesis.kv 133 ">": ">",
logotron_genesis.kv 134 "<": "&lt;",
logotron_genesis.kv 135 }
logotron_genesis.kv 136
logotron_genesis.kv 137 def html_escape(text):
logotron_genesis.kv 138 return "".join(html_escape_table.get(c,c) for c in text)
logotron_genesis.kv 139
logotron_genesis.kv 140 ##############################################################################
logotron_genesis.kv 141
logotron_genesis.kv 142 ## Get base URL
logotron_genesis.kv 143 def get_base():
logotron_genesis.kv 144 if DEBUG:
logotron_genesis.kv 145 return request.host_url
logotron_genesis.kv 146 return Base_URL
logotron_genesis.kv 147
logotron_genesis.kv 148
logotron_genesis.kv 149 # Get perma-URL corresponding to given log line
logotron_genesis.kv 150 def line_url(l):
logotron_genesis.kv 151 return "{0}log/{1}/{2}#{3}".format(get_base(),
logotron_genesis.kv 152 l['chan'],
logotron_genesis.kv 153 l['t'].strftime(Date_Short_Format),
logotron_genesis.kv 154 l['idx'])
logotron_genesis.kv 155
hide_inactive.kv 156 def gen_chanlist(selected_chan, show_all_chans=False):
logotron_genesis.kv 157 # Get current time
logotron_genesis.kv 158 now = datetime.now()
hide_inactive.kv 159 # Data for channel display :
hide_inactive.kv 160 chan_tbl = {}
logotron_genesis.kv 161 for chan in Channels:
hide_inactive.kv 162 chan_tbl[chan] = {}
hide_inactive.kv 163 chan_tbl[chan]['show'] = False
hide_inactive.kv 164
logotron_genesis.kv 165 chan_formed = chan
logotron_genesis.kv 166 if chan == selected_chan:
logotron_genesis.kv 167 chan_formed = "<span class='highlight'>" + chan + "</span>"
hide_inactive.kv 168
hide_inactive.kv 169 chan_tbl[chan]['link'] = """<a href="{0}log/{1}"><b>{2}</b></a>""".format(
logotron_genesis.kv 170 get_base(), chan, chan_formed)
hide_inactive.kv 171
logotron_genesis.kv 172 last_time = query_db(
logotron_genesis.kv 173 '''select t, idx from loglines where chan=%s
logotron_genesis.kv 174 and idx = (select max(idx) from loglines where chan=%s) ;''',
logotron_genesis.kv 175 [chan, chan], one=True)
logotron_genesis.kv 176
logotron_genesis.kv 177 last_time_txt = ""
hide_inactive.kv 178 time_field = ""
logotron_genesis.kv 179 if last_time != None:
logotron_genesis.kv 180 span = (now - last_time['t'])
logotron_genesis.kv 181 days = span.days
logotron_genesis.kv 182 hours = span.seconds/3600
logotron_genesis.kv 183 minutes = (span.seconds%3600)/60
logotron_genesis.kv 184
logotron_genesis.kv 185 if days != 0:
logotron_genesis.kv 186 last_time_txt += '%dd ' % days
logotron_genesis.kv 187 if hours != 0:
logotron_genesis.kv 188 last_time_txt += '%dh ' % hours
logotron_genesis.kv 189 if minutes != 0:
logotron_genesis.kv 190 last_time_txt += '%dm' % minutes
hide_inactive.kv 191
hide_inactive.kv 192 time_field = """<i><a href="{0}log/{1}/{2}#{3}">{4}</a></i>""".format(
logotron_genesis.kv 193 get_base(),
logotron_genesis.kv 194 chan,
logotron_genesis.kv 195 last_time['t'].strftime(Date_Short_Format),
logotron_genesis.kv 196 last_time['idx'],
logotron_genesis.kv 197 last_time_txt)
logotron_genesis.kv 198
hide_inactive.kv 199 if (days <= Days_Hide) or (chan == selected_chan) or show_all_chans:
hide_inactive.kv 200 chan_tbl[chan]['show'] = True
logotron_genesis.kv 201
hide_inactive.kv 202 chan_tbl[chan]['time'] = time_field
hide_inactive.kv 203
hide_inactive.kv 204 ## Generate channel selector bar :
hide_inactive.kv 205 s = """<table align="center" class="chantable"><tr>"""
hide_inactive.kv 206 for chan in Channels:
hide_inactive.kv 207 if chan_tbl[chan]['show']:
hide_inactive.kv 208 s += """<th>{0}</th>""".format(chan_tbl[chan]['link'])
hide_inactive.kv 209 s += "</tr><tr>"
hide_inactive.kv 210 ## Generate last-activ. links for above :
hide_inactive.kv 211 for chan in Channels:
hide_inactive.kv 212 if chan_tbl[chan]['show']:
hide_inactive.kv 213 s += """<td>{0}</td>""".format(chan_tbl[chan]['time'])
hide_inactive.kv 214 # wrap up:
hide_inactive.kv 215 s += "</tr>"
logotron_genesis.kv 216 return s
logotron_genesis.kv 217
logotron_genesis.kv 218
logotron_genesis.kv 219 # Make above callable from inside htm templater:
logotron_genesis.kv 220 app.jinja_env.globals.update(gen_chanlist=gen_chanlist)
logotron_genesis.kv 221
logotron_genesis.kv 222
logotron_genesis.kv 223 # HTML Tag Regex
logotron_genesis.kv 224 tag_regex = re.compile("(<[^>]+>)")
logotron_genesis.kv 225
logotron_genesis.kv 226
logotron_genesis.kv 227 # Find the segments of a block of text which constitute HTML tags
logotron_genesis.kv 228 def get_link_intervals(str):
logotron_genesis.kv 229 links = []
logotron_genesis.kv 230 span = []
logotron_genesis.kv 231 for match in tag_regex.finditer(str):
logotron_genesis.kv 232 span = match.span()
logotron_genesis.kv 233 links += [span]
logotron_genesis.kv 234 return links
logotron_genesis.kv 235
logotron_genesis.kv 236
logotron_genesis.kv 237 # Highlight all matched tokens in given text
logotron_genesis.kv 238 def highlight_matches(strings, text):
logotron_genesis.kv 239 e = '(' + ('|'.join(strings)) + ')'
logotron_genesis.kv 240 return re.sub(e,
logotron_genesis.kv 241 r"""<span class='highlight'>\1</span>""",
logotron_genesis.kv 242 text,
logotron_genesis.kv 243 flags=re.I)
logotron_genesis.kv 244
logotron_genesis.kv 245
logotron_genesis.kv 246 # Highlight matched tokens in the display of a search result logline,
logotron_genesis.kv 247 # but leave HTML tags alone
logotron_genesis.kv 248 def highlight_text(strings, text):
logotron_genesis.kv 249 result = ""
logotron_genesis.kv 250 last = 0
logotron_genesis.kv 251 for i in get_link_intervals(text):
logotron_genesis.kv 252 i_start, i_end = i
logotron_genesis.kv 253 result += highlight_matches(strings, text[last:i_start])
logotron_genesis.kv 254 result += text[i_start:i_end] # the HTML tag, leave it alone
logotron_genesis.kv 255 last = i_end
logotron_genesis.kv 256 result += highlight_matches(strings, text[last:]) # last block
logotron_genesis.kv 257 return result
logotron_genesis.kv 258
logotron_genesis.kv 259
logotron_genesis.kv 260 # Regexps used in format_logline:
uniturds_etc.kv 261 boxlinks_re = re.compile(
uniturds_etc.kv 262 '\[\s*<a href="(http[^ \[\]]+)"[^>]*>[^ <]+</a>\s*\]\[([^\[\]]+)\]')
uniturds_etc.kv 263
logotron_genesis.kv 264 stdlinks_re = re.compile('(http[^ \[\]]+)')
logotron_genesis.kv 265
logotron_genesis.kv 266
logotron_genesis.kv 267 ## Format given log line for display
multsel_and_datef... 268 def format_logline(l, highlights = [], select=[]):
logotron_genesis.kv 269 payload = html_escape(l['payload'])
logotron_genesis.kv 270
logotron_genesis.kv 271 # Format ordinary links:
uniturds_etc.kv 272 payload = re.sub(stdlinks_re,
uniturds_etc.kv 273 r'<a href="\1" target=\'_blank\'>\1</a>', payload)
logotron_genesis.kv 274
logotron_genesis.kv 275 # Now also format [link][text] links :
uniturds_etc.kv 276 payload = re.sub(boxlinks_re,
uniturds_etc.kv 277 r'<a href="\1" target=\'_blank\'>\2</a>', payload)
logotron_genesis.kv 278
logotron_genesis.kv 279 # If this is a search result, illuminate the matched strings:
logotron_genesis.kv 280 if highlights != []:
logotron_genesis.kv 281 payload = highlight_text(highlights, payload)
logotron_genesis.kv 282
logotron_genesis.kv 283 bot = ""
logotron_genesis.kv 284 if l['speaker'] in Bots:
logotron_genesis.kv 285 bot = " bot"
logotron_genesis.kv 286
multsel_and_datef... 287 # default -- no selection
multsel_and_datef... 288 dclass = l['speaker']
multsel_and_datef... 289
multsel_and_datef... 290 # If selection is given:
multsel_and_datef... 291 if select != []:
multsel_and_datef... 292 ss, se = select
multsel_and_datef... 293 if ss <= l['idx'] <= se:
multsel_and_datef... 294 dclass = "highlight"
multsel_and_datef... 295
sept_fixes.kv 296 speaker = l['speaker']
sept_fixes.kv 297 separator = ":"
sept_fixes.kv 298
sept_fixes.kv 299 # If 'action', annotate:
sept_fixes.kv 300 if l['self']:
sept_fixes.kv 301 separator = ""
sept_fixes.kv 302 payload = "<i>" + payload + "</i>"
sept_fixes.kv 303 speaker = "<i>" + speaker + "</i>"
sept_fixes.kv 304
logotron_genesis.kv 305 # HTMLize the given line :
multsel_and_datef... 306 s = ("<div id='{0}' class='{6}{5}'>"
logotron_genesis.kv 307 "<a class='nick' title='{2}'"
sept_errata.kv 308 " href=\"{3}\">{1}</a>{7} {4}</div>").format(l['idx'],
sept_fixes.kv 309 speaker,
sept_fixes.kv 310 l['t'],
sept_fixes.kv 311 line_url(l),
sept_fixes.kv 312 payload,
sept_fixes.kv 313 bot,
sept_fixes.kv 314 dclass,
sept_fixes.kv 315 separator)
logotron_genesis.kv 316 return s
logotron_genesis.kv 317
logotron_genesis.kv 318 # Make above callable from inside htm templater:
logotron_genesis.kv 319 app.jinja_env.globals.update(format_logline=format_logline)
logotron_genesis.kv 320
logotron_genesis.kv 321
logotron_genesis.kv 322 # Generate navbar for the given date:
logotron_genesis.kv 323 def generate_navbar(date, tail, chan):
logotron_genesis.kv 324 cur_day = datetime.strptime(date, Date_Short_Format)
logotron_genesis.kv 325 prev_day = cur_day - timedelta(days=1)
logotron_genesis.kv 326 prev_day_txt = prev_day.strftime(Date_Short_Format)
logotron_genesis.kv 327
logotron_genesis.kv 328 s = "<a href='{0}log/{1}/{2}'>&#x2190; {2}</a>".format(
logotron_genesis.kv 329 get_base(),
logotron_genesis.kv 330 chan,
logotron_genesis.kv 331 prev_day_txt)
logotron_genesis.kv 332
logotron_genesis.kv 333 if not tail:
logotron_genesis.kv 334 next_day = cur_day + timedelta(days=1)
logotron_genesis.kv 335 next_day_txt = next_day.strftime(Date_Short_Format)
logotron_genesis.kv 336 s = s + " | <a href='{0}log/{1}/{2}'>{2} &#x2192;</a>".format(
logotron_genesis.kv 337 get_base(),
logotron_genesis.kv 338 chan,
logotron_genesis.kv 339 next_day_txt)
logotron_genesis.kv 340
logotron_genesis.kv 341 return s
logotron_genesis.kv 342
logotron_genesis.kv 343 # Make above callable from inside htm templater:
logotron_genesis.kv 344 app.jinja_env.globals.update(generate_navbar=generate_navbar)
logotron_genesis.kv 345
logotron_genesis.kv 346
uniturds_etc.kv 347 @app.route('/rnd/<chan>')
uniturds_etc.kv 348 def rnd(chan):
uniturds_etc.kv 349 # Handle rubbish chan:
uniturds_etc.kv 350 if chan not in Channels:
uniturds_etc.kv 351 return redirect(url_for('log'))
uniturds_etc.kv 352
uniturds_etc.kv 353 rnd_line = query_db(
uniturds_etc.kv 354 '''select * from loglines where chan=%s
uniturds_etc.kv 355 order by random() limit 1 ;''',
uniturds_etc.kv 356 [chan], one=True)
uniturds_etc.kv 357
uniturds_etc.kv 358 return redirect(line_url(rnd_line))
uniturds_etc.kv 359
uniturds_etc.kv 360
logotron_genesis.kv 361 @app.route('/log/<chan>/<date>')
logotron_genesis.kv 362 @app.route('/log/<chan>', defaults={'date': None})
logotron_genesis.kv 363 @app.route('/log/', defaults={'chan': Default_Chan, 'date': None})
logotron_genesis.kv 364 @app.route('/log', defaults={'chan': Default_Chan, 'date': None})
logotron_genesis.kv 365 def log(chan, date):
logotron_genesis.kv 366 # Handle rubbish chan:
logotron_genesis.kv 367 if chan not in Channels:
logotron_genesis.kv 368 return redirect(url_for('log'))
logotron_genesis.kv 369
multsel_and_datef... 370 # Get possible selection start and end
multsel_and_datef... 371 sel_start = request.args.get('ss', default = 0, type = int)
multsel_and_datef... 372 sel_end = request.args.get('se', default = 0, type = int)
uniturds_etc.kv 373
uniturds_etc.kv 374 # Get possible 'reverse gear'
uniturds_etc.kv 375 rev = request.args.get('rev', default = 0, type = int)
hide_inactive.kv 376
hide_inactive.kv 377 # Get possible 'show all'
hide_inactive.kv 378 show_all = request.args.get('all', default = 0, type = int)
multsel_and_datef... 379
logotron_genesis.kv 380 # Get current time
logotron_genesis.kv 381 now = datetime.now()
logotron_genesis.kv 382
logotron_genesis.kv 383 # Whether we are viewing 'current' tail
logotron_genesis.kv 384 tail = False
logotron_genesis.kv 385
logotron_genesis.kv 386 # If viewing 'current' log:
logotron_genesis.kv 387 if date == None:
logotron_genesis.kv 388 date = now.strftime(Date_Short_Format)
logotron_genesis.kv 389 tail = True
logotron_genesis.kv 390
logotron_genesis.kv 391 # Parse given date, and redirect to default log if rubbish:
logotron_genesis.kv 392 try:
logotron_genesis.kv 393 day_start = datetime.strptime(date, Date_Short_Format)
logotron_genesis.kv 394 except Exception, e:
logotron_genesis.kv 395 return redirect(url_for('log'))
logotron_genesis.kv 396
logotron_genesis.kv 397 # Determine the end of the interval being shown
logotron_genesis.kv 398 day_end = day_start + timedelta(days=1)
logotron_genesis.kv 399
multsel_and_datef... 400 # Enable 'tail' is day_end is after end of current day
rle_errata.kv 401 if day_end > now:
multsel_and_datef... 402 tail = True
multsel_and_datef... 403
logotron_genesis.kv 404 # Get the loglines from DB
logotron_genesis.kv 405 lines = query_db(
logotron_genesis.kv 406 '''select * from loglines where chan=%s
logotron_genesis.kv 407 and t between %s and %s order by idx asc;''',
logotron_genesis.kv 408 [chan, day_start, day_end], one=False)
logotron_genesis.kv 409
uniturds_etc.kv 410 # Optional 'reverse gear' knob:
uniturds_etc.kv 411 if rev == 1:
uniturds_etc.kv 412 lines.reverse()
uniturds_etc.kv 413
logotron_genesis.kv 414 # Return the HTMLized text
logotron_genesis.kv 415 return render_template('log.html',
logotron_genesis.kv 416 chan = chan,
logotron_genesis.kv 417 loglines = lines,
multsel_and_datef... 418 sel = (sel_start, sel_end),
logotron_genesis.kv 419 date = date,
uniturds_etc.kv 420 tail = tail,
hide_inactive.kv 421 rev = not rev,
hide_inactive.kv 422 show_all = show_all,
hide_inactive.kv 423 idle_day = Days_Hide)
logotron_genesis.kv 424
logotron_genesis.kv 425
raw_line_export.kv 426 @app.route('/log-raw/<chan>')
raw_line_export.kv 427 def rawlog(chan):
raw_line_export.kv 428 res = ""
raw_line_export.kv 429
raw_line_export.kv 430 # Handle rubbish chan:
raw_line_export.kv 431 if chan not in Channels:
raw_line_export.kv 432 return Response("EGGOG: No such Channel!", mimetype='text/plain')
raw_line_export.kv 433
raw_line_export.kv 434 # Get start and end indices:
raw_line_export.kv 435 idx_start = request.args.get('istart', default = 0, type = int)
raw_line_export.kv 436 idx_end = request.args.get('iend', default = 0, type = int)
raw_line_export.kv 437
raw_line_export.kv 438 # Malformed bounds?
raw_line_export.kv 439 if idx_start > idx_end:
raw_line_export.kv 440 return Response("EGGOG: Start must precede End!",
raw_line_export.kv 441 mimetype='text/plain')
raw_line_export.kv 442
raw_line_export.kv 443 # Demanded too many in one burst ?
raw_line_export.kv 444 if (idx_end - idx_start) > Max_Raw_Ln :
raw_line_export.kv 445 return Response("EGGOG: May request Max. of %s Lines !" % Max_Raw_Ln,
raw_line_export.kv 446 mimetype='text/plain')
raw_line_export.kv 447
raw_line_export.kv 448 # Get the loglines from DB
raw_line_export.kv 449 lines = query_db(
raw_line_export.kv 450 '''select * from loglines where chan=%s
raw_line_export.kv 451 and idx between %s and %s order by idx asc;''',
raw_line_export.kv 452 [chan, idx_start, idx_end], one=False)
raw_line_export.kv 453
raw_line_export.kv 454 # Retrieve raw lines in classical Phf format:
raw_line_export.kv 455 for l in lines:
raw_line_export.kv 456 action = ""
raw_line_fix.kv 457 speaker = "%s;" % l['speaker']
raw_line_export.kv 458 if l['self']:
raw_line_export.kv 459 action = "*;"
raw_line_fix.kv 460 speaker = "%s " % l['speaker']
raw_line_fix.kv 461 res += "%s;%s;%s%s%s\n" % (l['idx'],
raw_line_export.kv 462 l['t'].strftime('%s'),
raw_line_export.kv 463 action,
raw_line_fix.kv 464 speaker,
raw_line_export.kv 465 l['payload'])
raw_line_export.kv 466
raw_line_export.kv 467 # Return plain text:
raw_line_export.kv 468 return Response(res, mimetype='text/plain')
raw_line_export.kv 469
logotron_genesis.kv 470
logotron_genesis.kv 471 Name_Chars = "0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ_-"
logotron_genesis.kv 472
logotron_genesis.kv 473 def sanitize_speaker(s):
logotron_genesis.kv 474 return "".join([ch for ch in s if ch in Name_Chars])
logotron_genesis.kv 475
logotron_genesis.kv 476
logotron_genesis.kv 477 def re_escape(s):
logotron_genesis.kv 478 return re.sub(r"[(){}\[\].*?|^$\\+-]", r"\\\g<0>", s)
logotron_genesis.kv 479
logotron_genesis.kv 480 # Search knob. Supports 'chan' parameter.
logotron_genesis.kv 481 @app.route('/log-search')
logotron_genesis.kv 482 def logsearch():
logotron_genesis.kv 483 # The query params:
logotron_genesis.kv 484 chan = request.args.get('chan', default = Default_Chan, type = str)
logotron_genesis.kv 485 query = request.args.get('q', default = '', type = str)
logotron_genesis.kv 486 # page_num = request.args.get('page', default = 0, type = int)
logotron_genesis.kv 487
logotron_genesis.kv 488 # Handle rubbish chan:
logotron_genesis.kv 489 if chan not in Channels:
logotron_genesis.kv 490 return redirect(url_for('log'))
logotron_genesis.kv 491
logotron_genesis.kv 492 nres = 0
logotron_genesis.kv 493 searchres = []
logotron_genesis.kv 494 tokens_orig = []
logotron_genesis.kv 495 search_head = "Query is too short!"
logotron_genesis.kv 496 # Forbid query that is too short:
logotron_genesis.kv 497 if len(query) >= Min_Query_Length:
logotron_genesis.kv 498 # Get the search tokens to use:
shlex_removal.kv 499 tokens = query.split()
logotron_genesis.kv 500 tokens_standard = []
logotron_genesis.kv 501 from_users = []
logotron_genesis.kv 502
logotron_genesis.kv 503 # separate out "from:foo" tokens and ordinary:
logotron_genesis.kv 504 for t in tokens:
logotron_genesis.kv 505 if t.startswith("from:") or t.startswith("f:"):
logotron_genesis.kv 506 from_users.append(t.split(':')[1]) # Record user for 'from' query
logotron_genesis.kv 507 else:
logotron_genesis.kv 508 tokens_standard.append(t)
logotron_genesis.kv 509
logotron_genesis.kv 510 from_users = ['%' + sanitize_speaker(t) + '%' for t in from_users]
logotron_genesis.kv 511 tokens_orig = [re_escape(t) for t in tokens_standard]
logotron_genesis.kv 512 tokens_formed = ['%' + t + '%' for t in tokens_orig]
logotron_genesis.kv 513
logotron_genesis.kv 514 # Query is usable; perform the search on DB and get the finds
logotron_genesis.kv 515 if from_users == []:
logotron_genesis.kv 516 searchres = query_db(
logotron_genesis.kv 517 '''select * from loglines where chan=%s
logotron_genesis.kv 518 and payload ilike all(%s) order by idx desc limit %s;''',
logotron_genesis.kv 519 [chan,
logotron_genesis.kv 520 tokens_formed,
logotron_genesis.kv 521 Max_Search_Results], one=False)
logotron_genesis.kv 522 else:
logotron_genesis.kv 523 searchres = query_db(
logotron_genesis.kv 524 '''select * from loglines where chan=%s
logotron_genesis.kv 525 and speaker ilike any(%s)
logotron_genesis.kv 526 and payload ilike all(%s) order by idx desc limit %s;''',
logotron_genesis.kv 527 [chan,
logotron_genesis.kv 528 from_users,
logotron_genesis.kv 529 tokens_formed,
logotron_genesis.kv 530 Max_Search_Results], one=False)
logotron_genesis.kv 531
logotron_genesis.kv 532
logotron_genesis.kv 533 # Number of entries found
logotron_genesis.kv 534 nres = len(searchres)
logotron_genesis.kv 535 search_head = "<b>{0}</b> entries found in {1} for <b>'{2}'</b> :".format(
logotron_genesis.kv 536 nres, chan, html_escape(query))
logotron_genesis.kv 537
logotron_genesis.kv 538 # No paging support just yet:
logotron_genesis.kv 539 return render_template('searchres.html',
logotron_genesis.kv 540 query = query,
logotron_genesis.kv 541 nres = nres,
logotron_genesis.kv 542 chan = chan,
logotron_genesis.kv 543 search_head = search_head,
logotron_genesis.kv 544 tokens = tokens_orig,
logotron_genesis.kv 545 loglines = searchres)
logotron_genesis.kv 546
logotron_genesis.kv 547
logotron_genesis.kv 548 # Comment this out if you don't have one
logotron_genesis.kv 549 @app.route('/favicon.ico')
logotron_genesis.kv 550 def favicon():
logotron_genesis.kv 551 return redirect(url_for('static', filename='favicon.ico'))
logotron_genesis.kv 552
logotron_genesis.kv 553
logotron_genesis.kv 554 ## App Mode
logotron_genesis.kv 555 if __name__ == '__main__':
logotron_genesis.kv 556 app.run(threaded=True, port=WWW_Port)