Welcome | Get started | Dive into Lino | Contribute | Topics | Reference | More

The Lino Polls tutorial

In this tutorial we are going to convert the "Polls" application from Django's tutorial into a Lino application. This will illustrate some differences between Lino and Django.

Begin with the Django tutorial

There is a lot of Django know-how which applies to Lino as well. So before reading on, please follow parts 1 and 2 of the Django tutorial:

Two remarks before diving into above documents:

  • Don't worry if you find the Write your first view section difficult, in Lino you don't need to write views.

  • The Explore the free admin functionality section is important only if you want know how you are going to not work with Lino. Lino is an alternative to Django's Admin interface.

  • Of course you can learn the whole Getting started section if you like it, just be aware that with Lino you won't need many things explained there.

Summary of what you should have done:

$ cd ~/projects
$ django-admin startproject mysite
$ cd mysite
$ python manage.py startapp polls
$ nano polls/views.py
$ nano polls/urls.py
$ nano mysite/urls.py
$ nano mysite/settings.py
$ nano polls/models.py
$ python manage.py migrate

We now leave the Django philosophy and continue "the Lino way" of writing web applications.

From Django to Lino

You should now have a set of files in your "project directory":

mysite/
    manage.py
    mysite/
        __init__.py
        settings.py
        urls.py
        wsgi.py
    polls/
        __init__.py
        admin.py
        apps.py
        migrations/
            __init__.py
        models.py
        tests.py
        urls.py
        views.py

Some of these files remain unchanged: __init__.py, manage.py and wsgi.py.

Now delete the following files:

$ rm mysite/urls.py
$ rm polls/urls.py
$ rm polls/views.py
$ rm polls/admin.py
$ rm polls/apps.py
$ rm -R polls/migrations

It is especially important to delete the migrations directory and its content because they would interfere with what we are going to show you in this tutorial.

And in the following sections we are going to modify the files mysite/settings.py and polls/models.py.

The mysite/settings.py file

Please change the contents of your settings.py to the following:

from lino.projects.std.settings import *


class Site(Site):

    title = "Cool Polls"
    project_name = "My First Polls"

    def get_installed_plugins(self):
        yield super().get_installed_plugins()
        # yield 'polls'
        yield 'lino_book.projects.polls.polls'

    def setup_menu(self, user_type, main):
        super().setup_menu(user_type, main)
        m = main.add_menu("polls", "Polls")
        m.add_action('polls.Questions')
        m.add_action('polls.Choices')


SITE = Site(globals())

# your local settings here

DEBUG = True

A few explanations:

  1. A Lino settings.py file always defines (or imports) a class named Site which is a direct or indirect descendant of lino.core.site.Site. Our example also overrides that class before instantiating it.

  2. We are using the rather uncommon construct of overriding a class by a class of the same name. This might look surprising. You might prefer to give a new name:

    class MySite(Site):
        ...
        ... super(MySite, self)....
    
    SITE = MySite()
    

    It's a matter of taste. But overriding a class by a class of the same name is perfectly allowed in Python, and you must know that as a Lino developer your are going to write many subclasses of Site and subclasses thereof. I got tired of always finding new class names like MySite, MyNewSite, MyBetter VariantOfNewSite...

  3. In the line SITE = Site(globals()) we instantiate our class into a variable named SITE. Note that we pass our globals() dict to Lino. Lino needs this to insert all those Django settings into the global namespace of our settings module.

  4. One of the Django settings managed by Lino is INSTALLED_APPS. In Lino you don't code this setting directly into your settings.py file, you override your Site's get_installed_plugins method. Our example does the equivalent of INSTALLED_APPS = ['polls'], except for the fact that Lino automagically adds some more apps.

  5. The main menu of a Lino application is defined in the setup_menu method. At least in the simplest case. More about this in The application menu.

Lino uses some tricks to make Django settings modules more pleasant to work with, especially if you maintain Lino sites for several customers. We will come back to this in More about the Site class

The polls/models.py file

Please change the contents of your polls/models.py to the following:

import datetime
from django.utils import timezone
from django.db import models

from lino.api import dd


class Question(dd.Model):
    question_text = models.CharField("Question text", max_length=200)
    pub_date = models.DateTimeField('Date published', default=dd.today)
    hidden = models.BooleanField(
        "Hidden",
        help_text="Whether this poll should not be shown in the main window.",
        default=False)

    class Meta:
        verbose_name = 'Question'
        verbose_name_plural = 'Questions'

    def __str__(self):
        return self.question_text

    def was_published_recently(self):
        return self.pub_date >= timezone.now() - datetime.timedelta(days=1)


class Choice(dd.Model):
    question = dd.ForeignKey(Question, on_delete=models.CASCADE)
    choice_text = models.CharField("Choice text", max_length=200)
    votes = models.IntegerField("No. of votes", default=0)

    class Meta:
        verbose_name = 'Choice'
        verbose_name_plural = 'Choices'

    def __str__(self):
        return self.choice_text

    @dd.action(help_text="Click here to vote this.")
    def vote(self, ar):

        def yes(ar):
            self.votes += 1
            self.save()
            return ar.success("Thank you for voting %s" % self,
                              "Voted!",
                              refresh=True)

        if self.votes > 0:
            msg = "%s has already %d votes!" % (self, self.votes)
            msg += "\nDo you still want to vote for it?"
            return ar.confirm(yes, msg)
        return yes(ar)


from .ui import *

A few explanations while looking at that file:

  • The lino.api.dd module is a shortcut to most Lino extensions used by application developers in their models.py modules. dd stands for "data definition".

  • dd.Model is an optional (but recommended) wrapper around Django's Model class. For this tutorial you could use Django's models.Model as well, but in general we recommend to use dd.Model.

  • There's one custom action in our application, defined as the vote method on the Choice model, using the dd.action decorator. More about actions in Introduction to actions.

The polls/desktop.py file

Now please create (in the same directory as your models.py) a file named desktop.py with the following content.

from lino.api import dd


class Questions(dd.Table):
    model = 'polls.Question'
    order_by = ['pub_date']

    detail_layout = """
    id question_text
    hidden pub_date
    ChoicesByQuestion
    """

    insert_layout = """
    question_text
    hidden
    """


class Choices(dd.Table):
    model = 'polls.Choice'


class ChoicesByQuestion(Choices):
    master_key = 'question'

This file defines three tables for our application. Tables are an important new concept in Lino. We will learn more about them in another tutorial Introduction to data views. For now just note that

  • we defined one table per model (Questions for the Question model and Choices for the Choice model)

  • we defined one additional table ChoicesByQuestion which inherits from Choices. This table shows the choices for a given question. We call it a slave table because it depends on its "master" (the given question instance).

Changing the database structure

One more thing before seeing a result. We made a little change in our database schema after the Django tutorial: in our models.py file we added the hidden field of a Question

hidden = models.BooleanField(
    "Hidden",
    help_text="Whether this poll should not be shown in the main window.",
    default=False)

You have learned what this means: Django (and Lino) "know" that we added a field named hidden in the Questions table of our database, but the database doesn't yet know it. If you would run your application now, then you would get some error message about unapplied migrations or some "operational" database error because Lino would ask the database to read or update this field, and the database would answer that there is no field named "hidden". We must tell our database that the structure has changed.

For the moment we are just going to reinitialize our database, i.e. delete any data you may have manually entered during the Django Polls tutorial and turn the database into a virgin state:

$ python manage.py initdb

The output should be:

We are going to flush your database (/home/luc/projects/mysite/mysite/default.db).
Are you sure (y/n) ? [Y,n]?
`initdb ` started on database /home/luc/projects/mysite/mysite/default.db.
Operations to perform:
  Synchronize unmigrated apps: about, jinja, staticfiles, lino, extjs, bootstrap3
  Apply all migrations: polls
Synchronizing apps without migrations:
  Creating tables...
    Running deferred SQL...
Running migrations:
  Rendering model states... DONE
  Applying polls.0001_initial... OK

Adding a demo fixture

Now we hope that you are a bit frustrated about having all that beautiful data which you manually entered during the Django Polls tutorial gone forever. This is the moment for introducing you to demo fixture.

When you develop and maintain a database application, it happens often that you need to change the database structure. Instead of manually filling your demo data again and again after every database change, we prefer writing it once and for all as a fixture. With Lino this is easy and fun because you can write fixtures in Python.

  • Create a directory named fixtures in your polls directory.

  • Create an empty file named __init__.py in that directory.

  • Still in the same directory, create another file named demo.py with the following content:

from lino_book.projects.polls.polls.models import Question, Choice


def objects():
    p = Question(question_text="What is your preferred colour?")
    yield p
    yield Choice(choice_text="Blue", question=p)
    yield Choice(choice_text="Red", question=p)
    yield Choice(choice_text="Yellow", question=p)
    yield Choice(choice_text="other", question=p)

    p = Question(question_text="Do you like Django?")
    yield p
    yield Choice(choice_text="Yes", question=p)
    yield Choice(choice_text="No", question=p)
    yield Choice(choice_text="Not yet decided", question=p)

    p = Question(question_text="Do you like ExtJS?")
    yield p
    yield Choice(choice_text="Yes", question=p)
    yield Choice(choice_text="No", question=p)
    yield Choice(choice_text="Not yet decided", question=p)
  • If you prefer, the following code does exactly the same but has the advantage of being more easy to maintain:

from lino_book.projects.polls.polls.models import Question, Choice

DATA = """
What is your preferred colour? | Blue | Red | Yellow | other
Do you like Django? | Yes | No | Not yet decided
Do you like ExtJS? | Yes | No | Not yet decided
Which was first? | Checken | Egg | Turkey
"""


def objects():
    for ln in DATA.splitlines():
        if ln:
            a = ln.split('|')
            q = Question(question_text=a[0].strip())
            yield q
            for choice in a[1:]:
                yield Choice(choice_text=choice.strip(), question=q)
  • Run the following command (from your project directory) to install these fixtures:

    $ python manage.py initdb demo
    

    This means "Initialize my database and apply all fixtures named demo". The output should be:

    Operations to perform:
      Synchronize unmigrated apps: about, jinja, staticfiles, polls, lino, extjs, bootstrap3
      Apply all migrations: (none)
    Synchronizing apps without migrations:
      Creating tables...
        Running deferred SQL...
    Running migrations:
      No migrations to apply.
    Loading data from ...
    Installed 13 object(s) from 1 fixture(s)
    

You might now want to read more about Python fixtures or Lino's special approach for migrating data... or simply stay with us and learn by doing!

Starting the web interface

Now we are ready to start the development web server on our project:

$ cd ~/mypy/mysite
$ python manage.py runserver

and point your browser to http://127.0.0.1:8000/ to see your first Lino application running. It should look something like this:q

../../_images/main1.png

Please play around and check whether everything works as expected before reading on.

The main index

Now let's customize our main window (or index view). Lino uses a template named admin_main.html for rendering the HTML to be displayed there. We are going to override that template.

Please create a directory named mysite/config, and in that directory create a file named admin_main.html with the following content:

<div style="margin:5px">
<h1>Recent polls</h1>
<ul>
{% for question in rt.models.polls.Question.objects.filter(hidden=False).order_by('pub_date') %}
<li>
{{question.question_text}} 
{% set sep = joiner(" / ") %}
{% for choice in question.choice_set.all() %}
  {{ sep() }}
  {{ choice.vote.as_button(ar, str(choice))}}
{% endfor %}
<br/><small>Published {{fdl(question.pub_date)}}
<br/>Results:
{% set sep = joiner(", ") %}
{% for choice in question.choice_set.all() %}
  {{ sep() }}{{choice.votes}}x {{str(choice)}}
({{100.0 * choice.votes / (question.choice_set.aggregate(Sum('votes'))['votes__sum'] or 1)}} %)
{% endfor %}
</small>
</li>
{% endfor %}
</ul>
</div>

Explanations:

  • rt.models : is a shortcut to access the models and tables of the application. In plain Django you learned to write:

    from polls.models import Question
    

    But in Lino we recommend to write:

    Question = rt.models.polls.Question
    

    because the former hard-wires the location of the polls plugin. If you do it the plain Django way, you are going to miss plugin inheritence.

  • If objects, filter() and order_by() are new to you, then please read the Making queries chapter of Django's documentation. Lino is based on Django, and Django is known for its good documentation. Use it!

  • If joiner and sep are a riddle to you, you'll find the solution in Jinja's Template Designer Documentation. Lino applications replace Django's template engine by Jinja.

  • obj.vote is an InstanceAction object, and we call its as_button method which returns a HTML fragment that displays a button-like link which will run the action when clicked. More about this in Introduction to actions.

  • The fdl() function is a Lino-specific template function. These are currently not well documented, you must consult the code that edefines them, e.g. the get_printable_context method.

As a result, our main window now features a summary of the currently opened polls:

../../_images/main2.png

Note that writing your own admin_main.html template is the easiest but also the most primitive way of bringing content to the main window. In real world applications you will probably use dashboard items as described in The main page.

After clicking on a vote, here is the vote method of our Choice model in action:

../../_images/polls2.jpg

After selecting Polls ‣ Questions in the main menu, Lino opens that table in a grid window:

../../_images/polls3.jpg

Every table can be displayed in a grid window, a tabular representation with common functionality such as sorting, setting column filters, editing individual cells, and a context menu.

After double-clicking on a row in the previous screen, Lino shows the detail window on that Question:

../../_images/polls4.jpg

This window has been designed by the following code in your desktop.py file:

detail_layout = """
id question_text
hidden pub_date
ChoicesByQuestion
"""

Yes, nothing else. To add a detail window to a table, you simply add a detail_layout attribute to the Table's class definition.

Exercise: comment out above lines in your code and observe how the application's behaviour changes.

Not all tables have a detail window. In our case the Questions table has one, but the Choices and ChoicesByQuestion tables don't. Double-clicking on a cell of a Question will open the Detail Window, but double-clicking on a cell of a Choice will start cell editing. Note that you can still edit an individual cell of a Question in a grid window by pressing the F2 key.

After clicking the New button, you can admire an Insert Window:

../../_images/polls5.jpg

This window layout is defined by the following insert_layout attribute:

insert_layout = """
question
hidden
"""

See Some more layout examples for more explanations.

After clicking the [html] button:

../../_images/polls6.jpg

Exercises

  1. Add the current score of each choice to the results in your customized admin_main.html file.

  2. Adding more explanations

    Imagine that your customer asks you to add a possibility for specifying a longer explanation text for every question. The question's title should show up in bold, and the longer explanation should come before the "Published..." part

    Hint: add a TextField named question_help to your Question model, add this field to the detail_layout of your Questions table, modify your admin_main.html file so that the field content is displayed, optionally modify your demo.py fixture, finally run pm prep again before launching runserver.

See solutions to these in lino_book.projects.polls2

Summary

In this tutorial we followed the first two chapters of the Django Tutorial, then converted their result into a Lino application. We learned more about python fixtures, tables, actions, layouts and menus.