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
|
import datetime
from django.db import models
import markdown
PUB_STATUS = (
(0, 'Draft'),
(1, 'Published'),
)
def markdown_processor(md):
return markdown.markdown(md, ['footnotes'],safe_mode = False)
class Code(models.Model):
name = models.CharField(max_length=254)
slug = models.SlugField()
date_created = models.DateField('Date Created')
status = models.IntegerField(choices=PUB_STATUS, default=0)
body_html = models.TextField(blank=True)
class Meta:
verbose_name_plural = "Code"
app_label = 'projects'
ordering = ('-date_created',)
# Returns the string representation of the model.
def __unicode__(self):
return self.slug
class CodeBlogEntry(models.Model):
title = models.CharField(max_length=254)
slug = models.SlugField()
body_markdown = models.TextField()
body_html = models.TextField(blank=True)
pub_date = models.DateTimeField('Date published', blank=True)
status = models.IntegerField(choices=PUB_STATUS, default=0)
enable_comments = models.BooleanField(default=True)
class Meta:
verbose_name_plural = "Code Blog"
app_label = 'projects'
ordering = ('-pub_date',)
# Returns the string representation of the model.
def __unicode__(self):
return self.slug
def get_absolute_url(self):
return "/projects/code/%s/%s/" % (self.pub_date.strftime("%Y/%b/%d").lower(), self.slug)
@property
def get_previous_published(self):
return self.get_previous_by_pub_date(status__exact=1)
@property
def get_next_published(self):
return self.get_next_by_pub_date(status__exact=1)
def comment_period_open(self):
return self.enable_comments and datetime.datetime.today() - datetime.timedelta(30) <= self.pub_date
def save(self):
self.body_html = markdown_processor(self.body_markdown)
if not self.id and self.pub_date == None:
self.pub_date = datetime.datetime.now()
super(CodeBlogEntry, self).save()
DEMO_TEMPLATES = (
(0, 'Blank'),
(1, 'Basic_light'),
)
class CodeBlogDemo(models.Model):
title = models.CharField(max_length=254)
slug = models.SlugField()
body = models.TextField(blank=True,null=True)
head = models.TextField(blank=True,null=True)
template= models.IntegerField(choices=DEMO_TEMPLATES, default=0)
pub_date = models.DateTimeField('Date published',blank=True)
class Meta:
verbose_name_plural = "Demos"
app_label = 'projects'
ordering = ('-pub_date',)
def save(self):
if not self.id:
self.pub_date = datetime.datetime.now()
super(CodeBlogDemo, self).save()
|