-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathmacros.py
402 lines (315 loc) · 14.6 KB
/
macros.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
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
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
# vim: set tw=0 fileencoding=utf-8:
from xml.sax.saxutils import escape
import datetime
import email.utils
import glob
import json
import mimetypes
import os.path
import re
import sys
import time
import urllib
import urlparse
from scripts.macros import *
from scripts.disqus import *
from scripts.youtube import *
def format_duration(value):
hours = value // 3600
value = value - (hours * 3600)
minutes = value // 60
seconds = value - (minutes * 60)
return "%u:%02u:%02u" % (hours, minutes, seconds)
def pagelist(pages, **kwargs):
pages = filter_pages(pages, **kwargs)
table = u"<table class='pagelist'>\n"
# table += u"<thead>\n<tr><th class='title'>Заголовок</th>\n"
# table += u"<th/>\n"
# table += u"<th/>\n"
# table += u"<th class='date'>Дата</th>\n"
# table += u"<th class='comments'>Комментарии</th>\n"
# table += u"</tr>\n</thead>\n"
total_duration = 0
output = u"<tbody>\n"
for page in pages:
page_url = page.get("link", "/" + strip_url(page.get("url")))
page_date = page.get("date") and time.strftime("%d.%m.%y", parse_date_time(page.date, as_float=False))
output += u"<tr>\n"
output += u"<td class='title'><a href='%s'>%s</a></td>\n" % (page_url, page["title"])
if page.get("duration"):
output += u"<td class='duration' title='Продолжительность записи'>%s</td>\n" % format_duration(int(page["duration"]))
total_duration += int(page["duration"])
else:
output += "<td/>\n"
if page.get("file"):
output += u"<td class='play'><a title='Прослушать' href='%s'><span>слушать</span></a></td>\n" % page["file"]
output += u"<td class='dl'><a title='Скачать' href='%s'><span>скачать</span></a></td>\n" % page["file"]
else:
output += u"<td/><td/>"
output += u"<td class='date'>%s</td>\n" % page_date
output += u"<td class='comments'><a href='http://www.tmradio.net%s#disqus_thread'>комментировать</a></td>\n" % page_url
output += u"</tr>\n"
output += u"</tbody>\n"
if total_duration:
table += u"<tfoot><tr><td/><td class='duration' title='Общая продолжительность'>%s</td><td colspan='4'/></tr></tfoot>\n" % format_duration(total_duration)
table += output
table += u"</table>\n"
table += u"<script>$(tmradio.pagelist.ready)</script>\n"
return table
def get_page_labels(page):
labels = [l.strip() for l in page.get('labels', '').split(',') if l.strip()]
if page.has_key('file') and 'podcast' not in labels:
labels.append('podcast')
return sorted(labels)
def get_label_url(label):
for pattern in LABEL_PAGES:
fn = pattern % label
if os.path.exists(fn):
return strip_url('/' + os.path.splitext(fn)[0].split('/', 1)[1] + '.html')
def get_label_link(label):
text = label
if LABEL_NAMES.has_key(label):
text = LABEL_NAMES[label]
return u'<a href="%s">%s</a>' % (get_label_url(label), text)
def parse_date_time(text, as_float=True):
"""Преобразует дату-время из текста в структуру.
Поддерживаемый формат: ГГГГ-ММ-ДД ЧЧ:ММ:СС, недостающие сегменты с конца
заполняюся нулями.
"""
default = '0000-01-01 00:00:00'
text = text + default[len(text):]
result = time.strptime(text, '%Y-%m-%d %H:%M:%S')
if as_float:
result = time.mktime(result)
return result
def print_menu(pages, page):
pages = [p for p in pages if p.get('mpos')]
output = u'<ul id="nav">'
for p in sorted(pages, key=lambda a: int(a.mpos)):
cls = p.get('mclass', '')
if p.url == page.url:
cls += u' active'
output += u'<li class="%(class)s"><a href="%(link)s">%(title)s</a></li>' % {
'link': p.url,
'title': p.get('mtitle', p.get('title', 'wtf :(')),
'class': cls,
}
output += u'</ul>'
return output
def get_rss_table(label=None):
pass # FIXME
"""
labels = get_label_stats(pages).keys()
pages_ = [page for page in pages if os.path.splitext(page.url)[0] in labels or page.get('rsstitle')]
if label is not None:
pages_ = [p for p in pages_ if p.get("labels") == label]
pages_.sort(key=lambda p: (p.get("order", "5"), p.get("rsstitle", p.get("title")).lower()))
html = u'<table class="skel" id="rsst"><tbody>\n'
for page in pages_:
page['name'] = os.path.splitext(page.url)[0]
page['rsstitle'] = page.get('rsstitle', page.get('title'))
if not page['rsstitle']:
continue
page['rsslink'] = page.get('rsslink', page.get('name') + '.xml')
page['jsonlink'] = page.get('jsonlink', page.get('name') + '.json')
page['page_url'] = strip_url(page.get('url'))
html += u'<tr><td><a href="%(page_url)s">%(rsstitle)s</a></td><td><a href="%(rsslink)s">RSS</a></td>' % page
html += u'<td><a href="%s">iTunes</a></td>' % itunes_link(page['rsslink'])
if page['jsonlink']:
html += u'<td><a href="%(jsonlink)s">JSON</a>' % page
html += u'</td></tr>\n'
if label is None:
html += u'<tr><td>Всё подряд</td><td><a href="http://rss.tmradio.net/tmradio/all">RSS</a></td><td><a href="itpc://rss.tmradio.net/tmradio/all">iTunes</a></td><td><a href="/rss.json">JSON</a></td></tr>\n'
html += u'</tbody></table>\n'
return html
"""
def itunes_link(link):
if '://' not in link:
link = BASE_URL + '/' + link.lstrip('/')
return link.replace('http://', 'itpc://')
def get_yandex_money_stats():
data = {"in": 0.0, "out": 0.0, "history": []}
filename = "input/support/donate/yandex/history.csv"
for line in file(filename, "rb").read().decode("utf-8").strip().split("\n"):
parts = line.split(",", 2)
if len(parts) != 3:
continue
parts[1] = float(parts[1])
parts[0] = time.strftime("%d.%m.%y", time.strptime(parts[0], "%Y-%m-%dT%H:%M:%SZ"))
if parts[1] < 0:
data["out"] -= parts[1]
else:
data["in"] += parts[1]
data["history"].append(parts)
return data
def yandex_money_stats():
stats = get_yandex_money_stats()
data = {
"income": stat["in"],
"outcome": stats["out"],
"left": stats["in"] - stats["out"],
}
return u'Яндекс.Деньгами собрано: %(income).2f, потрачено: %(outcome).2f, осталось: %(left).2f (информация обновляется примерно раз в неделю); доступен <a href="/support/donate/yandex/">полный список транзакций</a>.' % data
def yandex_money_table():
data = get_yandex_money_stats()
output = u'<table class="skel" id="yamoney">\n'
output += u'<tfoot>\n'
output += u'<tr><td/><td>%.2f</td><td>Всего получено</td></tr>\n' % (data['in'])
output += u'<tr><td/><td>%.2f</td><td>Всего потрачено</td></tr>\n' % (data['out'])
output += u'<tr><td/><td>%.2f</td><td>Текущий остаток</td></tr>\n' % (data['in'] - data['out'])
output += u'</tfoot>\n'
output += u'<tbody>\n'
for t in data['history']:
cls = "in"
if float(t[1]) < 0:
cls = "out"
output += u"<tr class='%s'>" % cls
output += u'<td>%s</td><td>%.2f</td><td>%s</td></tr>\n' % tuple(t)
output += u'</tbody></table>\n'
return output
def monthly_stats(date):
data = json.load(open('input/blog/monthly.json', 'rb'))
if date not in data:
return u'Нет данных за указанный период.'
columns = [
('connection_count', u'Количество <a href="/player.html">подключений</a>', str),
('connection_avg', u'Среднее время прослушивания, мин.', lambda x: str(x / 60)),
('connection_max', u'<a href="http://files.tmradio.net/pictures/stats/max-listeners/%s.png">Максимальное число одновременных подключений</a>' % re.sub('[^0-9]', '', date), str),
('unique_ips', u'<a href="/listeners/#map">Уникальных IP-адресов</a>', str),
('track_count', u'Количество дорожек в медиатеке', str),
('track_length', u'Общая продолжительность медиатеки, ч.', lambda x: str(x / 3600)),
('traffic_stream', u'Трафик от прослушивания, Гб', str),
('traffic_total', u'<a href="http://stream.tmradio.net/">Общий трафик</a>, Гб', str),
('money_in', u'Пришло <a href="/support/donate/">пожертвований</a>, р.', str),
('money_out', u'Потрачено пожертвований, р.', str),
]
output = u'<table class="mstat">\n<tbody>\n'
for k, h, conv in columns:
if k in data[date]:
output += u'<tr><th>%s:</th><td>%s</td></th>\n' % (h, conv(data[date][k]))
output += u'</tbody>\n</table>\n<p>Эти данные доступны также <a href="/blog/monthly.json">в формате JSON</a> (для машинной обработки).</p>'
return output
def run(args):
import subprocess
subprocess.Popen(args).wait()
def player(page):
podcast = page.get("file", "")
if not podcast.lower().endswith(".mp3"):
return ""
_ill = page.get("illustration", "http://files.tmradio.net/audio/sosonews/listeners/2011.09.22.png")
_ill += u" 481 174"
illustration, width, height = _ill.split(" ")[:3]
return file("player.html", "rb").read().decode("utf-8") % {
"width": width,
"height": height,
"author": u"Микроша",
"description": page.get("title"),
"podcast": podcast,
"illustration": illustration,
"duration": page.get("duration", ""),
}
def navigate(page, pages):
"""Renders the navigation links for the current page, docbook style."""
_player = player(page)
if not _player:
return ""
links = get_navigation(page)
if not links:
return ""
output = u"<table class='nav'><tbody><tr>"
if links.get("first"):
output += u"<td><a href='%s' title='First: %s'><img src='/images/buttons/first.png' alt='first'/></a></td>" % (links["first"]["url"], links["first"]["title"])
if links.get("prev") and links["prev"]["url"] != links["first"]["url"]:
output += u"<td><a href='%s' title='Previous: %s'><img src='/images/buttons/prev.png' alt='prev'/></a></td>" % (links["prev"]["url"], links["prev"]["title"])
if "file" in page:
output += u"<td width='300'>%s</td>" % _player
output += u"<td><a href='%s' title='Скачать запись'><img src='/images/buttons/download.png' alt='download'/></a></td>" % page["file"]
if links.get("next") and links["next"]["url"] != links["last"]["url"]:
output += u"<td><a href='%s' title='Next: %s'><img src='/images/buttons/next.png' alt='next'/></a></td>" % (links["next"]["url"], links["next"]["title"])
if links.get("last"):
output += u"<td><a href='%s' title='Last: %s'><img src='/images/buttons/last.png' alt='last'/></a></td>" % (links["last"]["url"], links["last"]["title"])
output += u"</tr></tbody></table>"
return output
def illustration(page):
if "illustration" not in page:
return ""
return u"<img src='%s' title='Иллюстрация к записи' alt='illustration'/>" % page["illustration"]
def format_shownotes(text, title=None):
if not text.strip():
return u"Ссылок пока нет."
if type(text) != unicode:
text = text.decode("utf-8")
if title is None:
title = u"Основные новости"
output = title + u"\n\n"
title = link = None
for line in text.strip().split("\n"):
if line.startswith("- "):
title = line[2:].strip()
else:
link = line.strip()
output += u"- [%s](%s)\n" % (title, link)
return output
def _format_shownote_block(text):
lines = []
for line in text.rstrip().split("\n"):
if line.startswith("-"):
lines.append(line)
elif not lines:
return text
elif not lines[-1].startswith("- "):
return text
elif not "://" in line and not line.startswith(" /"):
return text
elif not line.startswith(" "):
return text
else:
lines[-1] = "- [%s](%s)" % (lines[-1][2:], line.strip())
return "\n".join(lines)
def _format_shownotes(text):
blocks = []
for block in text.split("\n\n"):
blocks.append(_format_shownote_block(block))
return "\n\n".join(blocks)
def hook_preconvert_shownotes():
for page in pages:
labels = get_page_labels(page)
if not set(labels) & set(["podcast", "tsn"]):
continue
page.source = _format_shownotes(page.source)
def play_file(url, downloadable=True):
from urllib import quote
html = u'<object type="application/x-shockwave-flash" data="/files/player.swf" width="200" height="20"><param name="movie" value="/files/player.swf"/><param name="bgcolor" value="#eeeeee"/><param name="FlashVars" value="mp3=%s&buttoncolor=000000&slidercolor=000000&loadingcolor=808080"/></object>' % quote(url)
if downloadable:
html += u" или <a href='%s'>скачать файл</a>" % url
return u"<div class='player'>%s</div>" % html
def filter_pages(pages, limit=None, label=None, order_by="date", reverse_order=True, **kwargs):
"""Returns pages that satisfy the specified criteries. Pages without the
'date' field or with the 'draft' label are never shown."""
result = []
for page in pages:
if order_by not in page:
continue
labels = get_page_labels(page)
if "draft" in labels or "queue" in labels:
continue
if label is not None and label not in labels:
continue
result.append(page)
result.sort(key=lambda p: (p.get(order_by), p.get("title")), reverse=reverse_order)
if limit is not None:
result = result[:limit]
return result
def _page_has_comments(page):
labels = get_config("comment_labels", [])
if not labels:
return False
if not set(get_page_labels(page)) & set(labels):
return False
return True
def comment_form(page):
if not get_config("disqus_id"):
return ""
if not _page_has_comments(page):
return ""
return '<div id="disqus_thread"></div>'