4 # blitiri - A single-file blog engine.
5 # Alberto Bertogli (albertito@gmail.com)
8 # Configuration section
10 # You can edit these values, or create a file named "config.py" and put them
11 # there to make updating easier. The ones in config.py take precedence.
14 # Directory where entries are stored
15 data_path = "/tmp/blog/data"
17 # Path where templates are stored. Use an empty string for the built-in
18 # default templates. If they're not found, the built-in ones will be used.
19 templates_path = "/tmp/blog/templates"
21 # URL to the blog, including the name. Can be a full URL or just the path.
22 blog_url = "/blog/blitiri.cgi"
24 # Style sheet (CSS) URL. Can be relative or absolute. To use the built-in
25 # default, set it to blog_url + "/style".
26 css_url = blog_url + "/style"
29 title = "I don't like blogs"
32 author = "Hartmut Kegan"
38 # End of configuration
39 # DO *NOT* EDIT ANYTHING PAST HERE
51 from docutils.core import publish_parts
53 # Before importing the config, add our cwd to the Python path
54 sys.path.append(os.getcwd())
56 # Load the config file, if there is one
63 # Pimp *_path config variables to support relative paths
64 data_path = os.path.realpath(data_path)
65 templates_path = os.path.realpath(templates_path)
69 default_main_header = """\
70 <?xml version="1.0" encoding="utf-8"?>
71 <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
72 "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
74 <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
76 <link rel="alternate" title="%(title)s" href="%(fullurl)s/atom"
77 type="application/atom+xml" />
78 <link href="%(css_url)s" rel="stylesheet" type="text/css" />
79 <title>%(title)s</title>
84 <h1><a href="%(url)s">%(title)s</a></h1>
89 default_main_footer = """
92 %(showyear)s: %(monthlinks)s<br/>
93 years: %(yearlinks)s<br/>
94 subscribe: <a href="%(url)s/atom">atom</a><br/>
95 views: <a href="%(url)s/">blog</a> <a href="%(url)s/list">list</a><br/>
102 default_article_header = """
103 <div class="article">
104 <h2><a href="%(url)s/post/%(uuid)s">%(arttitle)s</a></h2>
105 <span class="artinfo">
106 by %(author)s on <span class="date">
108 <a class="date" href="%(url)s/%(cyear)d/">%(cyear)04d</a>-\
109 <a class="date" href="%(url)s/%(cyear)d/%(cmonth)d/">%(cmonth)02d</a>-\
110 <a class="date" href="%(url)s/%(cyear)d/%(cmonth)d/%(cday)d/">%(cday)02d</a>\
111 %(chour)02d:%(cminute)02d</span>
112 (updated on <span class="date">
113 <a class="date" href="%(url)s/%(uyear)d/">%(uyear)04d</a>-\
114 <a class="date" href="%(url)s/%(uyear)d/%(umonth)d/">%(umonth)02d</a>-\
115 <a class="date" href="%(url)s/%(uyear)d/%(umonth)d/%(uday)d/">%(uday)02d</a>\
116 %(uhour)02d:%(uminute)02d)</span><br/>
117 <span class="tags">tagged %(tags)s</span>
120 <div class="artbody">
123 default_article_footer = """
132 font-family: sans-serif;
143 border-bottom: 2px solid #99F;
152 border-bottom: 1px solid #99C;
156 text-decoration: none;
165 text-decoration: none;
169 span.artinfo a:hover {
170 text-decoration: none;
186 border-top: 2px solid #99F;
191 text-decoration: none;
194 /* Articles are enclosed in <div class="section"> */
200 border-bottom: 1px dotted #99C;
206 def rst_to_html(rst):
208 'input_encoding': encoding,
209 'output_encoding': 'utf8',
211 parts = publish_parts(rst, settings_overrides = settings,
212 writer_name = "html")
213 return parts['body'].encode('utf8')
216 if isinstance(obj, basestring):
217 return cgi.escape(obj, True)
221 # find out our URL, needed for syndication
223 n = os.environ['SERVER_NAME']
224 p = os.environ['SERVER_PORT']
225 s = os.environ['SCRIPT_NAME']
228 full_url = 'http://%s%s%s' % (n, p, s)
230 full_url = 'Not needed'
233 class Templates (object):
234 def __init__(self, tpath, db, showyear = None):
237 now = datetime.datetime.now()
249 'showyear': showyear,
250 'monthlinks': ' '.join(db.get_month_links(showyear)),
251 'yearlinks': ' '.join(db.get_year_links()),
254 def get_template(self, page_name, default_template, extra_vars = None):
255 if extra_vars is None:
258 vars = self.vars.copy()
259 vars.update(extra_vars)
261 p = '%s/%s.html' % (self.tpath, page_name)
262 if os.path.isfile(p):
263 return open(p).read() % vars
264 return default_template % vars
266 def get_main_header(self):
267 return self.get_template('header', default_main_header)
269 def get_main_footer(self):
270 return self.get_template('footer', default_main_footer)
272 def get_article_header(self, article):
273 return self.get_template(
274 'art_header', default_article_header, article.to_vars())
276 def get_article_footer(self, article):
277 return self.get_template(
278 'art_footer', default_article_footer, article.to_vars())
281 class Article (object):
282 def __init__(self, path, created = None, updated = None):
284 self.created = created
285 self.updated = updated
286 self.uuid = "%08x" % zlib.crc32(self.path)
291 self._title = 'Removed post'
292 self._author = author
294 self._raw_content = ''
301 title = property(fget = get_title)
303 def get_author(self):
307 author = property(fget = get_author)
313 tags = property(fget = get_tags)
315 def get_raw_content(self):
318 return self._raw_content
319 raw_content = property(fget = get_raw_content)
322 def __cmp__(self, other):
323 if self.path == other.path:
327 if not other.created:
329 if self.created < other.created:
333 def title_cmp(self, other):
334 return cmp(self.title, other.title)
338 # os.path.join ignore other paths if one starts with a slash
339 filename = os.path.join(data_path, self.path[1:])
341 raw = open(filename).readlines()
348 name, value = l.split(':', 1)
349 if name.lower() == 'title':
350 self._title = value.strip()
351 elif name.lower() == 'author':
352 self._author = value.strip()
353 elif name.lower() == 'tags':
354 ts = value.split(',')
355 ts = [t.strip() for t in ts]
361 self._raw_content = ''.join(raw[count + 1:])
365 return rst_to_html(self.raw_content)
369 'arttitle': sanitize(self.title),
370 'author': sanitize(self.author),
371 'date': self.created.isoformat(' '),
373 'tags': self.get_tags_links(),
375 'created': self.created.isoformat(' '),
376 'ciso': self.created.isoformat(),
377 'cyear': self.created.year,
378 'cmonth': self.created.month,
379 'cday': self.created.day,
380 'chour': self.created.hour,
381 'cminute': self.created.minute,
382 'csecond': self.created.second,
384 'updated': self.updated.isoformat(' '),
385 'uiso': self.updated.isoformat(),
386 'uyear': self.updated.year,
387 'umonth': self.updated.month,
388 'uday': self.updated.day,
389 'uhour': self.updated.hour,
390 'uminute': self.updated.minute,
391 'usecond': self.updated.second,
394 def get_tags_links(self):
396 tags = list(self.tags)
399 l.append('<a class="tag" href="%s/tag/%s">%s</a>' % \
400 (blog_url, urllib.quote(t), sanitize(t) ))
404 class ArticleDB (object):
405 def __init__(self, dbpath):
409 self.actyears = set()
410 self.actmonths = set()
413 def get_articles(self, year = 0, month = 0, day = 0, tags = None):
415 for a in self.articles:
416 if year and a.created.year != year: continue
417 if month and a.created.month != month: continue
418 if day and a.created.day != day: continue
419 if tags and not tags.issubset(a.tags): continue
425 def get_article(self, uuid):
426 return self.uuids[uuid]
430 f = open(self.dbpath)
435 # Each line has the following comma separated format:
436 # path (relative to data_path), \
445 datetime.datetime.fromtimestamp(float(l[1])),
446 datetime.datetime.fromtimestamp(float(l[2])))
447 self.uuids[a.uuid] = a
448 self.actyears.add(a.created.year)
449 self.actmonths.add((a.created.year, a.created.month))
450 self.articles.append(a)
453 f = open(self.dbpath + '.tmp', 'w')
454 for a in self.articles:
457 s += str(time.mktime(a.created.timetuple())) + ', '
458 s += str(time.mktime(a.updated.timetuple())) + '\n'
461 os.rename(self.dbpath + '.tmp', self.dbpath)
463 def get_year_links(self):
464 yl = list(self.actyears)
465 yl.sort(reverse = True)
466 return [ '<a href="%s/%d/">%d</a>' % (blog_url, y, y)
469 def get_month_links(self, year):
470 am = [ i[1] for i in self.actmonths if i[0] == year ]
472 for i in range(1, 13):
473 name = calendar.month_name[i][:3]
475 s = '<a href="%s/%d/%d/">%s</a>' % \
476 ( blog_url, year, i, name )
487 def render_html(articles, db, actyear = None):
488 template = Templates(templates_path, db, actyear)
489 print 'Content-type: text/html; charset=utf-8\n'
490 print template.get_main_header()
492 print template.get_article_header(a)
494 print template.get_article_footer(a)
495 print template.get_main_footer()
497 def render_artlist(articles, db, actyear = None):
498 template = Templates(templates_path, db, actyear)
499 print 'Content-type: text/html; charset=utf-8\n'
500 print template.get_main_header()
501 print '<h2>Articles</h2>'
503 print '<li><a href="%(url)s/uuid/%(uuid)s">%(title)s</a></li>' \
509 print template.get_main_footer()
511 def render_atom(articles):
512 if len(articles) > 0:
513 updated = articles[0].updated.isoformat()
515 updated = datetime.datetime.now().isoformat()
517 print 'Content-type: application/atom+xml; charset=utf-8\n'
518 print """<?xml version="1.0" encoding="utf-8"?>
520 <feed xmlns="http://www.w3.org/2005/Atom">
521 <title>%(title)s</title>
522 <link rel="alternate" type="text/html" href="%(url)s"/>
523 <link rel="self" type="application/atom+xml" href="%(url)s/atom"/>
524 <id>%(url)s</id> <!-- TODO: find a better <id>, see RFC 4151 -->
525 <updated>%(updated)sZ</updated>
537 'contents': a.to_html(),
541 <title>%(arttitle)s</title>
542 <author><name>%(author)s</name></author>
543 <link href="%(url)s/post/%(uuid)s" />
544 <id>%(url)s/post/%(uuid)s</id>
545 <summary>%(arttitle)s</summary>
546 <published>%(ciso)sZ</published>
547 <updated>%(uiso)sZ</updated>
548 <content type="xhtml">
549 <div xmlns="http://www.w3.org/1999/xhtml"><p>
559 print 'Content-type: text/css\r\n\r\n',
563 import cgitb; cgitb.enable()
565 form = cgi.FieldStorage()
566 year = int(form.getfirst("year", 0))
567 month = int(form.getfirst("month", 0))
568 day = int(form.getfirst("day", 0))
569 tags = set(form.getlist("tag"))
576 if os.environ.has_key('PATH_INFO'):
577 path_info = os.environ['PATH_INFO']
578 style = path_info == '/style'
579 atom = path_info == '/atom'
580 tag = path_info.startswith('/tag/')
581 post = path_info.startswith('/post/')
582 artlist = path_info.startswith('/list')
583 if not style and not atom and not post and not tag \
585 date = path_info.split('/')[1:]
587 if len(date) > 1 and date[0]:
589 if len(date) > 2 and date[1]:
591 if len(date) > 3 and date[2]:
596 uuid = path_info.replace('/post/', '')
597 uuid = uuid.replace('/', '')
599 t = path_info.replace('/tag/', '')
600 t = t.replace('/', '')
601 t = urllib.unquote_plus(t)
604 db = ArticleDB(os.path.join(data_path, 'db'))
606 articles = db.get_articles(tags = tags)
607 articles.sort(reverse = True)
608 render_atom(articles[:10])
612 render_html( [db.get_article(uuid)], db, year )
614 articles = db.get_articles()
615 articles.sort(cmp = Article.title_cmp)
616 render_artlist(articles, db)
618 articles = db.get_articles(year, month, day, tags)
619 articles.sort(reverse = True)
620 if not year and not month and not day and not tags:
621 articles = articles[:10]
622 render_html(articles, db, year)
626 print 'Usage: %s {add|rm|update} article_path' % sys.argv[0]
629 if len(sys.argv) != 3:
634 art_path = os.path.realpath(sys.argv[2])
636 if os.path.commonprefix([data_path, art_path]) != data_path:
637 print "Error: article (%s) must be inside data_path (%s)" % \
638 (art_path, data_path)
640 art_path = art_path[len(data_path):]
642 db_filename = os.path.join(data_path, 'db')
643 if not os.path.isfile(db_filename):
644 open(db_filename, 'w').write('')
645 db = ArticleDB(db_filename)
648 article = Article(art_path, datetime.datetime.now(),
649 datetime.datetime.now())
650 for a in db.articles:
652 print 'Error: article already exists'
654 db.articles.append(article)
657 article = Article(art_path)
658 for a in db.articles:
662 print "Error: no such article"
664 db.articles.remove(a)
666 elif cmd == 'update':
667 article = Article(art_path)
668 for a in db.articles:
672 print "Error: no such article"
674 a.updated = datetime.datetime.now()
683 if os.environ.has_key('GATEWAY_INTERFACE'):
686 sys.exit(handle_cmd())