SlideShare a Scribd company logo
1 of 16
Download to read offline
A brief history of
Django model syntax
r1000
January 2004
cms/apps/polls/dblayout.sql
BEGIN;


CREATE TABLE polls (
     id serial PRIMARY KEY,
     label varchar(20) NOT NULL, -- used by the template and possibly by the URL
     release_date timestamp with time zone NOT NULL,
     expire_date timestamp with time zone NOT NULL,
     question varchar(255) NOT NULL
);


CREATE INDEX polls_label ON polls (label);


CREATE TABLE poll_choices (
     id serial PRIMARY KEY,
     polls_id integer REFERENCES polls(id),
     choice varchar(255) NOT NULL,
     votes integer NOT NULL DEFAULT 0
);


CREATE TABLE poll_logged_votes (
     poll_id integer NOT NULL REFERENCES polls(id),
     choice_id integer NOT NULL REFERENCES poll_choices(id),
     ip_address inet NOT NULL,
     vote_time timestamp with time zone NOT NULL,
     PRIMARY KEY (poll_id, ip_address, vote_time)
);


CREATE TABLE polls_sites (
     polls_id integer NOT NULL REFERENCES polls(id),
     sites_id integer NOT NULL REFERENCES sites(id),
     PRIMARY KEY (polls_id, sites_id)
);


COMMIT;
cms/apps/polls/polls.py
class PollDoesNotExist(ObjectDoesNotExist):
    pass


class ChoiceDoesNotExist(ObjectDoesNotExist):
    pass


# ...


class Poll:
    def __init__(self, id, label, release_date, expire_date, question):
        # ...


    def save(self):
        # ...


    def get_choices(self):
        # ...


# ...


def get_poll_by_id(poll_id):
    # ...


def get_poll_by_label(label, year, month):
    # ...


def get_poll_list(year=None, month=None):
    # ...
r4000
August 2004
cms/datadescriptions/polls.py
class Poll(gen.DataDescription):
    app_name = APP_NAME
    app_label = APP_LABEL
    module_name = 'polls'
    object_name = 'Poll'
    object_name_verbose = 'poll'
    db_table = 'polls'
    representation = ['return self.question']
    fields = (
        gen.AutoincrementField('id', 'ID', primary_key=True),
        gen.SlugField('slug', 'slug', unique_for_month='pub_date'),
        gen.CharacterField('question', 'question', maxlength=255),
        gen.DatetimeField('pub_date', 'date published',
            create_list_lookup_function=True, lookup=gen.DATEPART, create_next_previous=True),
        gen.DatetimeField('expire_date', 'expiration date'),
        gen.ManyToManyField('sites', 'sites', can_be_blank=True,
            relationship=gen.ManyToManyRelation(core.Site, 'site_id')),
    )
    list_ordering_tuple = (('pub_date', gen.ORDER_ASCENDING),)
    exceptions = (
        ('AlreadyVoted', None),
        ('PollClosed', None),
        ('InvalidVote', quot;An attempt to vote for a choice that isn't associated with the given pollquot;)
    )
    generate_admin = True
    hierarchical_admin = (gen.BY_DATE, 'pub_date')
    add_permission = ('add_poll', 'Can add polls')
    change_permission = ('change_poll', 'Can change polls')
    template_admin_form = 'polls_form'
    admin_url = 'polls'
    admin_field_conf = (
        (None, {'classes': ('aligned',), 'fields': ('question', 'slug', 'pub_date', 'expire_date', 'sites')}),
    )
    extra_model_code_top = quot;from settings import POLL_VOTE_INTERVALquot;
cms/apps/polls/polls.py




# DO NOT EDIT THIS FILE MANUALLY. IT WAS GENERATED BY A PROGRAM.
r8825
         June 2005
First public Django release
ellington/polls/models/polls.py
class Poll(meta.Model):
    db_table = 'polls'
    fields = (
        meta.SlugField('slug', 'slug', unique_for_month='pub_date'),
        meta.CharField('question', 'question', maxlength=255),
        meta.DateTimeField('pub_date', 'date published'),
        meta.DateTimeField('expire_date', 'expiration date'),
        meta.ManyToManyField(core.Site),
        meta.PositiveSmallIntegerField('choice_votes', 'choice votes', default=1,
             help_text=quot;How many choices a person can vote for at once.quot;),
    )
    ordering = ('-pub_date',)
    exceptions = ('AlreadyVoted', 'PollClosed', 'InvalidVote', 'TooFewChoices', 'TooManyChoices')
    get_latest_by = 'pub_date'
    admin = meta.Admin(
        fields = (
             (None, {'fields': ('question', 'slug', 'pub_date', 'expire_date', 'sites', 'choice_vo
        ),
        list_display = ('question', 'pub_date', 'expire_date'),
        list_filter = ('sites', 'pub_date'),
        date_hierarchy = 'pub_date',
        search_fields = ('question', 'slug'),
    )
r9000
Django 0.91
ellington/polls/models/polls.py
class Poll(meta.Model):
    slug = meta.SlugField(unique_for_month='pub_date')
    question = meta.CharField(maxlength=255)
    pub_date = meta.DateTimeField('date published')
    expire_date = meta.DateTimeField('expiration date')
    sites = meta.ManyToManyField(core.Site)
    choice_votes = meta.PositiveSmallIntegerField(default=1)
    class META:
        db_table = 'polls'
        ordering = ('-pub_date',)
        exceptions = ('AlreadyVoted', 'PollClosed', 'InvalidVote', 'TooFewChoices', 'TooManyChoic
        get_latest_by = 'pub_date'
        admin = meta.Admin(
            fields = (
                  (None, {'fields': ('question', 'slug', 'pub_date', 'expire_date', 'sites')}),
            ),
            list_display = ('question', 'pub_date', 'expire_date'),
            list_filter = ('sites', 'pub_date'),
            date_hierarchy = 'pub_date',
            search_fields = ('question', 'slug'),
        )
r17000+
 Trunk(ish)
ellington/polls/models.py

class Poll(models.Model):
    slug = models.SlugField(unique_for_month='pub_date')
    question = models.CharField(maxlength=255)
    pub_date = models.DateTimeField('date published')
    expire_date = models.DateTimeField('expiration date')
    sites = models.ManyToManyField(core.Site)
    choice_votes = models.PositiveSmallIntegerField(default=1)


    class Meta:
        ordering = ('-pub_date',)
        get_latest_by = 'pub_date'


    class Admin:
        list_display = ('question', 'pub_date', 'expire_date')
        list_filter = ('sites', 'pub_date')
        date_hierarchy = 'pub_date'
        search_fields = ('question', 'slug')
        save_as = True
newforms-admin
ellington/polls/admin.py




from ellington.polls.models import Poll


class PollOptions:
    list_display = ('question', 'pub_date', 'expire_date')
    list_filter = ('sites', 'pub_date')
    date_hierarchy = 'pub_date'
    search_fields = ('question', 'slug')
    save_as = True


admin.site.register(Poll, PollOptions)
Want to hack on
  Ellington?
   jacob@jacobian.org

More Related Content

Viewers also liked (6)

Cadr plus emailer
Cadr plus emailerCadr plus emailer
Cadr plus emailer
 
Getting Started With Django
Getting Started With DjangoGetting Started With Django
Getting Started With Django
 
Django introduction
Django introductionDjango introduction
Django introduction
 
Introduction To Django
Introduction To DjangoIntroduction To Django
Introduction To Django
 
Django - Python MVC Framework
Django - Python MVC FrameworkDjango - Python MVC Framework
Django - Python MVC Framework
 
Django for Beginners
Django for BeginnersDjango for Beginners
Django for Beginners
 

Similar to A brief history of Django model syntax

A Basic Django Introduction
A Basic Django IntroductionA Basic Django Introduction
A Basic Django Introduction
Ganga Ram
 
Web осень 2012 лекция 7
Web осень 2012 лекция 7Web осень 2012 лекция 7
Web осень 2012 лекция 7
Technopark
 
Web весна 2013 лекция 7
Web весна 2013 лекция 7Web весна 2013 лекция 7
Web весна 2013 лекция 7
Technopark
 

Similar to A brief history of Django model syntax (20)

Crowdsourcing with Django
Crowdsourcing with DjangoCrowdsourcing with Django
Crowdsourcing with Django
 
Python Development (MongoSF)
Python Development (MongoSF)Python Development (MongoSF)
Python Development (MongoSF)
 
Inside PyMongo - MongoNYC
Inside PyMongo - MongoNYCInside PyMongo - MongoNYC
Inside PyMongo - MongoNYC
 
날로 먹는 Django admin 활용
날로 먹는 Django admin 활용날로 먹는 Django admin 활용
날로 먹는 Django admin 활용
 
Django Search
Django SearchDjango Search
Django Search
 
Lo nuevo de Django 1.7 y 1.8
Lo nuevo de Django 1.7 y 1.8Lo nuevo de Django 1.7 y 1.8
Lo nuevo de Django 1.7 y 1.8
 
Creating a Facebook Clone - Part XXXI.pdf
Creating a Facebook Clone - Part XXXI.pdfCreating a Facebook Clone - Part XXXI.pdf
Creating a Facebook Clone - Part XXXI.pdf
 
Salesforce Data Models for Pros: Simplifying The Complexities
Salesforce Data Models for Pros: Simplifying The ComplexitiesSalesforce Data Models for Pros: Simplifying The Complexities
Salesforce Data Models for Pros: Simplifying The Complexities
 
Digital Mayflower - Data Pilgrimage with the Drupal Migrate Module
Digital Mayflower - Data Pilgrimage with the Drupal Migrate ModuleDigital Mayflower - Data Pilgrimage with the Drupal Migrate Module
Digital Mayflower - Data Pilgrimage with the Drupal Migrate Module
 
SFDC Data Models For Pros - Simplifying The Complexities
SFDC Data Models For Pros - Simplifying The ComplexitiesSFDC Data Models For Pros - Simplifying The Complexities
SFDC Data Models For Pros - Simplifying The Complexities
 
A Basic Django Introduction
A Basic Django IntroductionA Basic Django Introduction
A Basic Django Introduction
 
Django Admin: Widgetry & Witchery
Django Admin: Widgetry & WitcheryDjango Admin: Widgetry & Witchery
Django Admin: Widgetry & Witchery
 
Introduction to Django
Introduction to DjangoIntroduction to Django
Introduction to Django
 
Web осень 2012 лекция 7
Web осень 2012 лекция 7Web осень 2012 лекция 7
Web осень 2012 лекция 7
 
Django Introduction Osscamp Delhi September 08 09 2007 Mir Nazim
Django Introduction Osscamp Delhi September 08 09 2007 Mir NazimDjango Introduction Osscamp Delhi September 08 09 2007 Mir Nazim
Django Introduction Osscamp Delhi September 08 09 2007 Mir Nazim
 
Web весна 2013 лекция 7
Web весна 2013 лекция 7Web весна 2013 лекция 7
Web весна 2013 лекция 7
 
Advanced Django
Advanced DjangoAdvanced Django
Advanced Django
 
Django Forms: Best Practices, Tips, Tricks
Django Forms: Best Practices, Tips, TricksDjango Forms: Best Practices, Tips, Tricks
Django Forms: Best Practices, Tips, Tricks
 
YDN KR Tech Talk : Pipes 와 YQL 활용하기
YDN KR Tech Talk : Pipes 와 YQL 활용하기YDN KR Tech Talk : Pipes 와 YQL 활용하기
YDN KR Tech Talk : Pipes 와 YQL 활용하기
 
Django in the Office: Get Your Admin for Nothing and Your SQL for Free
Django in the Office: Get Your Admin for Nothing and Your SQL for FreeDjango in the Office: Get Your Admin for Nothing and Your SQL for Free
Django in the Office: Get Your Admin for Nothing and Your SQL for Free
 

More from Jacob Kaplan-Moss

Introduction To Django (Strange Loop 2011)
Introduction To Django (Strange Loop 2011)Introduction To Django (Strange Loop 2011)
Introduction To Django (Strange Loop 2011)
Jacob Kaplan-Moss
 
The Best (and Worst) of Django
The Best (and Worst) of DjangoThe Best (and Worst) of Django
The Best (and Worst) of Django
Jacob Kaplan-Moss
 
Writing great documentation - CodeConf 2011
Writing great documentation - CodeConf 2011Writing great documentation - CodeConf 2011
Writing great documentation - CodeConf 2011
Jacob Kaplan-Moss
 
Django Introduction, Dev in Rio 2009
Django Introduction, Dev in Rio 2009Django Introduction, Dev in Rio 2009
Django Introduction, Dev in Rio 2009
Jacob Kaplan-Moss
 
Django - the first five years
Django - the first five yearsDjango - the first five years
Django - the first five years
Jacob Kaplan-Moss
 

More from Jacob Kaplan-Moss (12)

Introduction To Django (Strange Loop 2011)
Introduction To Django (Strange Loop 2011)Introduction To Django (Strange Loop 2011)
Introduction To Django (Strange Loop 2011)
 
The Best (and Worst) of Django
The Best (and Worst) of DjangoThe Best (and Worst) of Django
The Best (and Worst) of Django
 
Writing great documentation - CodeConf 2011
Writing great documentation - CodeConf 2011Writing great documentation - CodeConf 2011
Writing great documentation - CodeConf 2011
 
What's new in Django 1.2?
What's new in Django 1.2?What's new in Django 1.2?
What's new in Django 1.2?
 
Django Introduction, Dev in Rio 2009
Django Introduction, Dev in Rio 2009Django Introduction, Dev in Rio 2009
Django Introduction, Dev in Rio 2009
 
Snakes on the Web
Snakes on the WebSnakes on the Web
Snakes on the Web
 
Django In The Real World
Django In The Real WorldDjango In The Real World
Django In The Real World
 
Building a web framework: Django's design decisions
Building a web framework: Django's design decisionsBuilding a web framework: Django's design decisions
Building a web framework: Django's design decisions
 
Django in the Real World
Django in the Real WorldDjango in the Real World
Django in the Real World
 
State Of Django
State Of DjangoState Of Django
State Of Django
 
Django - the first five years
Django - the first five yearsDjango - the first five years
Django - the first five years
 
Django Update (OSCON 2007)
Django Update (OSCON 2007)Django Update (OSCON 2007)
Django Update (OSCON 2007)
 

Recently uploaded

Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 

Recently uploaded (20)

Strategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a FresherStrategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a Fresher
 
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
 
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdf
 
Artificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : UncertaintyArtificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : Uncertainty
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024
 
Exploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone ProcessorsExploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone Processors
 
Cyberprint. Dark Pink Apt Group [EN].pdf
Cyberprint. Dark Pink Apt Group [EN].pdfCyberprint. Dark Pink Apt Group [EN].pdf
Cyberprint. Dark Pink Apt Group [EN].pdf
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
 
Manulife - Insurer Transformation Award 2024
Manulife - Insurer Transformation Award 2024Manulife - Insurer Transformation Award 2024
Manulife - Insurer Transformation Award 2024
 
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot TakeoffStrategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
 
Ransomware_Q4_2023. The report. [EN].pdf
Ransomware_Q4_2023. The report. [EN].pdfRansomware_Q4_2023. The report. [EN].pdf
Ransomware_Q4_2023. The report. [EN].pdf
 
2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...
 
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
 
DBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor PresentationDBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor Presentation
 
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWEREMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
 
CNIC Information System with Pakdata Cf In Pakistan
CNIC Information System with Pakdata Cf In PakistanCNIC Information System with Pakdata Cf In Pakistan
CNIC Information System with Pakdata Cf In Pakistan
 
MS Copilot expands with MS Graph connectors
MS Copilot expands with MS Graph connectorsMS Copilot expands with MS Graph connectors
MS Copilot expands with MS Graph connectors
 
AXA XL - Insurer Innovation Award Americas 2024
AXA XL - Insurer Innovation Award Americas 2024AXA XL - Insurer Innovation Award Americas 2024
AXA XL - Insurer Innovation Award Americas 2024
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 

A brief history of Django model syntax

  • 1. A brief history of Django model syntax
  • 3. cms/apps/polls/dblayout.sql BEGIN; CREATE TABLE polls ( id serial PRIMARY KEY, label varchar(20) NOT NULL, -- used by the template and possibly by the URL release_date timestamp with time zone NOT NULL, expire_date timestamp with time zone NOT NULL, question varchar(255) NOT NULL ); CREATE INDEX polls_label ON polls (label); CREATE TABLE poll_choices ( id serial PRIMARY KEY, polls_id integer REFERENCES polls(id), choice varchar(255) NOT NULL, votes integer NOT NULL DEFAULT 0 ); CREATE TABLE poll_logged_votes ( poll_id integer NOT NULL REFERENCES polls(id), choice_id integer NOT NULL REFERENCES poll_choices(id), ip_address inet NOT NULL, vote_time timestamp with time zone NOT NULL, PRIMARY KEY (poll_id, ip_address, vote_time) ); CREATE TABLE polls_sites ( polls_id integer NOT NULL REFERENCES polls(id), sites_id integer NOT NULL REFERENCES sites(id), PRIMARY KEY (polls_id, sites_id) ); COMMIT;
  • 4. cms/apps/polls/polls.py class PollDoesNotExist(ObjectDoesNotExist): pass class ChoiceDoesNotExist(ObjectDoesNotExist): pass # ... class Poll: def __init__(self, id, label, release_date, expire_date, question): # ... def save(self): # ... def get_choices(self): # ... # ... def get_poll_by_id(poll_id): # ... def get_poll_by_label(label, year, month): # ... def get_poll_list(year=None, month=None): # ...
  • 6. cms/datadescriptions/polls.py class Poll(gen.DataDescription): app_name = APP_NAME app_label = APP_LABEL module_name = 'polls' object_name = 'Poll' object_name_verbose = 'poll' db_table = 'polls' representation = ['return self.question'] fields = ( gen.AutoincrementField('id', 'ID', primary_key=True), gen.SlugField('slug', 'slug', unique_for_month='pub_date'), gen.CharacterField('question', 'question', maxlength=255), gen.DatetimeField('pub_date', 'date published', create_list_lookup_function=True, lookup=gen.DATEPART, create_next_previous=True), gen.DatetimeField('expire_date', 'expiration date'), gen.ManyToManyField('sites', 'sites', can_be_blank=True, relationship=gen.ManyToManyRelation(core.Site, 'site_id')), ) list_ordering_tuple = (('pub_date', gen.ORDER_ASCENDING),) exceptions = ( ('AlreadyVoted', None), ('PollClosed', None), ('InvalidVote', quot;An attempt to vote for a choice that isn't associated with the given pollquot;) ) generate_admin = True hierarchical_admin = (gen.BY_DATE, 'pub_date') add_permission = ('add_poll', 'Can add polls') change_permission = ('change_poll', 'Can change polls') template_admin_form = 'polls_form' admin_url = 'polls' admin_field_conf = ( (None, {'classes': ('aligned',), 'fields': ('question', 'slug', 'pub_date', 'expire_date', 'sites')}), ) extra_model_code_top = quot;from settings import POLL_VOTE_INTERVALquot;
  • 7. cms/apps/polls/polls.py # DO NOT EDIT THIS FILE MANUALLY. IT WAS GENERATED BY A PROGRAM.
  • 8. r8825 June 2005 First public Django release
  • 9. ellington/polls/models/polls.py class Poll(meta.Model): db_table = 'polls' fields = ( meta.SlugField('slug', 'slug', unique_for_month='pub_date'), meta.CharField('question', 'question', maxlength=255), meta.DateTimeField('pub_date', 'date published'), meta.DateTimeField('expire_date', 'expiration date'), meta.ManyToManyField(core.Site), meta.PositiveSmallIntegerField('choice_votes', 'choice votes', default=1, help_text=quot;How many choices a person can vote for at once.quot;), ) ordering = ('-pub_date',) exceptions = ('AlreadyVoted', 'PollClosed', 'InvalidVote', 'TooFewChoices', 'TooManyChoices') get_latest_by = 'pub_date' admin = meta.Admin( fields = ( (None, {'fields': ('question', 'slug', 'pub_date', 'expire_date', 'sites', 'choice_vo ), list_display = ('question', 'pub_date', 'expire_date'), list_filter = ('sites', 'pub_date'), date_hierarchy = 'pub_date', search_fields = ('question', 'slug'), )
  • 11. ellington/polls/models/polls.py class Poll(meta.Model): slug = meta.SlugField(unique_for_month='pub_date') question = meta.CharField(maxlength=255) pub_date = meta.DateTimeField('date published') expire_date = meta.DateTimeField('expiration date') sites = meta.ManyToManyField(core.Site) choice_votes = meta.PositiveSmallIntegerField(default=1) class META: db_table = 'polls' ordering = ('-pub_date',) exceptions = ('AlreadyVoted', 'PollClosed', 'InvalidVote', 'TooFewChoices', 'TooManyChoic get_latest_by = 'pub_date' admin = meta.Admin( fields = ( (None, {'fields': ('question', 'slug', 'pub_date', 'expire_date', 'sites')}), ), list_display = ('question', 'pub_date', 'expire_date'), list_filter = ('sites', 'pub_date'), date_hierarchy = 'pub_date', search_fields = ('question', 'slug'), )
  • 13. ellington/polls/models.py class Poll(models.Model): slug = models.SlugField(unique_for_month='pub_date') question = models.CharField(maxlength=255) pub_date = models.DateTimeField('date published') expire_date = models.DateTimeField('expiration date') sites = models.ManyToManyField(core.Site) choice_votes = models.PositiveSmallIntegerField(default=1) class Meta: ordering = ('-pub_date',) get_latest_by = 'pub_date' class Admin: list_display = ('question', 'pub_date', 'expire_date') list_filter = ('sites', 'pub_date') date_hierarchy = 'pub_date' search_fields = ('question', 'slug') save_as = True
  • 15. ellington/polls/admin.py from ellington.polls.models import Poll class PollOptions: list_display = ('question', 'pub_date', 'expire_date') list_filter = ('sites', 'pub_date') date_hierarchy = 'pub_date' search_fields = ('question', 'slug') save_as = True admin.site.register(Poll, PollOptions)
  • 16. Want to hack on Ellington? jacob@jacobian.org