Django community: RSS
This page, updated regularly, aggregates Community blog posts from the Django community.
-
Media data without media directory
It's not a big trouble, but I wanted to remove the /media/ prefix on all my media links, like...<img alt="My Image" src="/media/img/myimage.png"/><link rel="stylesheet" href="/media/css/mysheet.css" type="text/css"/>and so on.This can be easily achieved by replacing in apache's configuration file:<Location "/media/">SetHandler None</LocationMatch>by<LocationMatch "/((css|js|img|swf|pdf)/|favicon.ico)">SetHandler None</LocationMatch>Of course you have to have all you media files in folders like css, js, img... or anything that you specify in last regular expression.UPDATE: See this post before using this approach. -
Django L10n
This Sunday, I participated in This Week in Django, and tried to give some ideas on Django localization.Here I'll post some of the ideas of the interview (and some that I missed), for serving as reference:How to translate your application (quick guide): Mark every text in your application for translation: In models.py, views.py... convert 'my text in just one language' to _('my text to translate'). Don't forget to import _: from django.utils.translation import ugettext_lazy as _ In templates, convert <p>Text in english</p> to <p>{% trans 'Text in many languages' %}</p> (also this can be done with blocktrans tag) Go to your project path and create a directory called locale (also you can do that just for an application) Execute ${PATH_TO_DJANGO}/bin/make-messages -l ${LANGUAGE_CODE} (where language code is en for english, es for spanish...) Edit ${PROJECT_PATH}/locale/${LANGUAGE_CODE}/LC_MESSAGES/django.po and set the msgstr variables with the translation of every msgid Run msgfmt django.po -o django.mo (I just realized after the interview that exists a django script complie-messages.py that does that for all .po files) And then you have your application translated. There are some settings in settings.py that need to be set for making it work (USE_I18N = True, set LANGUAGES and LANGUAGE_CODE, and specify … -
Normalize name and size images in Django (and adding thumbnails)
I wanted to assign an image to every element in a model. I wanted them to have a thumbnail, and to have normalized sizes and names. And of course, I want my application to do everything automatically.The best method I've found is next, modifying models.py (note that PIL must be installed):def rename_image(src, field, id): file_ext = os.path.splitext(src)[1].lower().replace('jpg', 'jpeg') dst = 'img/uploaded/work_%s/%s_%s%s' % (field, field, id, file_ext) return dstdef resize_image(src, dst, size): from PIL import Image image = Image.open(src) image.thumbnail(size, Image.ANTIALIAS) image.save('%s%s' % (settings.MEDIA_ROOT, dst)) return dstclass MyModel(models.Model): image = models.ImageField(upload_to='img/uploaded/work_image', verbose_name=_('imagen')) thumbnail = models.ImageField(editable=False, upload_to='img/uploaded/work_thumbnail') [...] def save(self): super(MyModel, self).save() if self.image != rename_image(self.image, 'image', self.id): original_filename = self.get_image_filename() self.thumbnail = resize_image(original_filename, rename_image(original_filename, 'thumbnail', self.id), [100, 75]) self.image = resize_image(original_filename, rename_image(original_filename, 'image', self.id), [640, 480]) if os.path.exists(original_filename): os.remove(original_filename) super(MyModel, self).save() -
More django!
Ahh, finally... me and my co-worker convinced our boss to ditch our's lab www site based on Liferay. Among other problems, the big one was that there were three big unmaintanable catalogs each with separate Liferay instance.I don't want to criticize Liferay yet it's too big for our needs. It also does not fit in well into me and my co-worker skillsets (well it fit is a bit worse after I converted him from Java to Python ;).So we're looking for something that is: * possibly written in Python (easily extendable for us) * possibly Django compatibile (we have one service based on django and it would be nice if it could be easily put together, there'll be more django-based services in the future) I'm going to hunt something down on Monday. -
Django Site of the Week - Represent
Represent is a new website prototype from the New York Times that provides New York residents with information about the whereabouts of their elected representatives. What's interesting about this website is that it's one of the first large-scale sites to implement GeoDjango for spatially-aware applications. This week, I spoke with … -
Django Site of the Week - Represent
Represent is a new website prototype from the New York Times that provides New York residents with information about the whereabouts of their elected representatives. What's interesting about this website is that it's one of the first large-scale sites to implement GeoDjango for spatially-aware applications. This week, I spoke with Derek Willis to get some details on their implementation of a Django project at one of the worlds' most famous newspapers. You can read the entire interview over at the Django site of the Week website. -
Django Model Class Style Guide
Any constants and/or lists of choices The full list of fields The Meta class, if present The __unicode__() method The save() method, if it’s being overridden The get_absolute_url() method, if present Any additional custom methods Sources Practical Django Projects p. 62 (pre-1.0 old admin stuff omitted) Django Documentation -
Second editions galore
Adrian announced today that he’s working on revising The Definitive Guide to Django to produce a second edition that covers Django 1.0, which is awesome news for anyone who’s used the book as a guide to learning Django. In the same vein, I’d like to announce something that’s been unofficially mentioned a couple times but never fully clarified: I’m busy working on the second edition of Practical Django Projects, which will also cover Django 1 ... Read full entry -
Second editions galore
Adrian announced today that he’s working on revising The Definitive Guide to Django to produce a second edition that covers Django 1.0, which is awesome news for anyone who’s used the book as a guide to learning Django. In the same vein, I’d like to announce something that’s been unofficially mentioned a couple times but never fully clarified: I’m busy working on the second edition of Practical Django Projects ... Read full entry and comments -
Slicing A List Into Equal Groups in Python
There are several ways to do this, but I found out today that it’s possible to use itertools’ izip method to achieve the same effect as well, so I thought I would note it down here to reference later. Basically, we want to take a list and group it into sublists that don’t go over a specific length. I am using this to partition lists into rows, to be used as a Django template tag. Here is how it works with izip: >> from itertools import izip >> l = range(10) >> [s for s in izip(*[iter(l)] * n)] + [l[len(l) - (len(l) % n):]][[0, 1, 2], [3, 4, 5], [6, 7, 8], [9]] izip ignores the rest of the list if it doesn’t break cleanly, that’s why there has to be an additional part there to add the remainder of the items. Apparently a new method called izip_longest was introduced in 2.6 that takes extra items into account as well. It is also worth noting that some excellent partitioning filters can be found at Django snippets, this is mainly for fun! -
Using a metaclass for registering template tags
Writing your template tags requires too much boilerplate code. Period. I think we all agree on that. Let's see how we can improve it. A lot of times I find myself writing code like this (error handling omitted for clarity): @register.tag def my_menu(parser, token): tag_name, argument1, argument2 = token.split_contents() return MyMenuNode(argument1, argument2) class MyMenuNode(template.Node): def __init__(self, argument1, argument2): ... We are specifying the argument count and the template tag name twice, not exactly DRY friendly ;). After evaluating the solutions coming to my mind, I decided to go with a metaclass based approach, keeping the magic to a minimum. import inspect from django import template register = template.Library() class NodeType(type): def __init__(mcs, name, bases, dct): super(NodeType, mcs).__init__(name, bases, dct) if not mcs.is_node(name, dct): tag_name = ''.join(char if char.islower() else '_%s' % char.lower() for char in name)[1:-5] init = mcs.get_init(bases, dct) (args, varargs, varkw, defaults) = inspect.getargspec(init) arg_count = len(args) # not exactly arg count, but this way we avoid adding one in tag_function def tag_function(parser, token): arguments = token.split_contents() if len(arguments) != arg_count: raise template.TemplateSyntaxError('%s tag requires %d arguments' % (arguments[0], arg_count - 1)) return mcs(*arguments[1:]) register.tag(name=tag_name, compile_function=tag_function) def is_node(mcs, name, dct): return name == 'Node' and dct['__module__'] == __name__ … -
Keep your Django Applications in a Subfolder
To keep your Django applications neatly filed into a subfolder (such as apps/), first add the following to your settings.py: import os PROJECT_ROOT = os.path.dirname(__file__) Then in manage.py: Right under #!/usr/bin/env python add: import sys from os.path import abspath, dirname, join from site import addsitedir Right before if __name__ == "__main__": add: sys.path.insert(0, join(settings.PROJECT_ROOT, "apps")) [...] -
What is django.contrib?
Since it comes up a lot, I thought I’d spend a bit of time writing up my thoughts on what django.contrib really is, and what including a package in it really means. The following is just my personal opinion – really; that’s why this is posted here instead of over in the official Django documentation. However, most of the core team discussed this topic at length at DjangoCon, so I’m fairly sure there’s consensus over the rough outline. -
minibooks: Small Business Bookkeeping
Caktus released minibooks (open-sourced under the AGPL) as a bookkeeping package for small tech agencies. Boasting a double-entry accounting system, customer relationship management (CRM) and transaction reconciliation, minibooks provides a clean, multiuser web-based interface to manage simple accounting needs for small businesses. -
Using Django templates with jQuery AJAX
I recently discovered a neat way of displaying data retrieved using jQuery AJAX in concert with Django’s template engine. You can create a view in Django which simply uses the render_to_response shortcut function to render the results server-side and then just use jquery.load to dynamically fetch the results. Eventhough, returning some raw JSON data is […] -
Как работает SM.Org
Недавно расквитался в первом приближении с давно висящей и давящую на голову задачкой: опубликовал исходный код всех Джанго-приложений, которые поддерживают разные части SoftwareManiacs.Org. И меня посетила мысль поделиться тем, как оно вообще у меня тут все живет. Сайт SoftwareManiacs.Org работает на VPS-сервере (у компании TekTonic) и представляет собой сборную солянку ... -
Software Design Paralysis
Friends, I have come to an impasse. I have an awesome concept for embedding images into these blog posts. The idea is this: Use an Attachment model with a generic foreign key to allow images to be attached to blog posts Use a markdown extension to allow attached files to be referenced inside the blog post's body Here's the syntax I wanted to support in markdown: This isn't that impossible a task, and in fact, I have done it, but there are some wrinkles. The main issue is that I really want to limit my markdown extension's file lookup to only those files actually attached to the blog post. The second issue is that I would like to be able to specify a template to use for rendering each attachment, and I'd like to be able to specify different templates in different contexts. Both problems revolve around how I should do the actual conversion from markdown syntax to HTML. I implemented my solution as a markdown extension because I wanted to continue to use the markdown template filter. I'm already using it with the pygments extension I discussed earlier: {{ blogpost.body|markdown:"pygments" }} I was imagining that I could implement my … -
Django Site of the Week - EveryBlock
The Django Site of the Week is back after a Christmas-induced break with an interview with Adrian Holovaty. Adrian is no stranger to Django, and his name is known throughout the community as one of the brains behind Django's birth and subsequent open-source release. His latest project EveryBlock is the … -
Django Site of the Week - EveryBlock
The Django Site of the Week is back after a Christmas-induced break with an interview with Adrian Holovaty. Adrian is no stranger to Django, and his name is known throughout the community as one of the brains behind Django's birth and subsequent open-source release. His latest project EveryBlock is the evolution of an earlier mashup, chicagocrime.org, which won Adrian a number of awards. So what are the driving forces behind EveryBlock? I recently spoke with Adrian to find out. You can read the interview now over at Django Site of the Week. -
Django template tags – Google chart – python 2.4 port
I just tried the django template tags for the google charting api by Jacob. Unfortunately they were python 2.5 only and I happen to still be stuck to 2.4. The changes to move it to 2.4 were minimal though. Still to save some of you googlers out there the hassle: charts I was just browsing the code [...] -
Mobile Django Admin Patches
In addition to adding a couple of minor, but useful (at least for me), patches to to the awesome django-mobileadmin project by Jannis Leidel, I learned something new about how Python works. The first patch was simply removing an extra slash from a URL in a template. No big deal: commit 599f172df85586742b5b1ef2bd5b7a24298a0839 Author: Patrick Altman <patrick@###.com> Date: Wed Dec 31 23:13:57 2008 -0600 fixed bug where app links had an extra trailing slash diff --git a/mobileadmin/templates/mobileadmin/mobile_safari/index.html b/mobileadmin/templates/mobileadmin/mobile_safar index 046a39d..1d66f59 100644 --- a/mobileadmin/templates/mobileadmin/mobile_safari/index.html +++ b/mobileadmin/templates/mobileadmin/mobile_safari/index.html @@ -10,7 +10,7 @@ {% if app_list %} <ul id="applist" selected="true"> {% for app in app_list %} - <li><a href="{{ app.app_url }}/" id="{{ app.name|slugify }}_app">{% blocktrans with app.name as name %}{{ name }}{% + <li><a href="{{ app.app_url }}" id="{{ app.name|slugify }}_app">{% blocktrans with app.name as name %}{{ name }}{% <script type="text/javascript">truncate({'{{ app.name|slugify }}_app': 35});</script> {% endfor %} </ul> The second patch took a bit more research to figure out what was going on. The symptom I was witnessing was that the mobile interface looked fine in my iPhone until I tried to view a model's list of objects. It kept showing me the default admin view (as you would expect to on the desktop) and it … -
Mobile Django Admin Patches
In addition to adding a couple of minor, but useful (at least for me), patches to to the awesome django-mobileadmin project by Jannis Leidel, I learned something new about how Python works. The first patch was simply removing an extra slash from a URL in a template. No big deal: commit 599f172df85586742b5b1ef2bd5b7a24298a0839 Author: Patrick Altman <patrick@###.com> Date: Wed Dec 31 23:13:57 2008 -0600 fixed bug where app links had an extra trailing slash diff --git a/mobileadmin/templates/mobileadmin/mobile_safari/index.html b/mobileadmin/templates/mobileadmin/mobile_safar index 046a39d..1d66f59 100644 --- a/mobileadmin/templates/mobileadmin/mobile_safari/index.html +++ b/mobileadmin/templates/mobileadmin/mobile_safari/index.html @@ -10,7 +10,7 @@ {% if app_list %} <ul id="applist" selected="true"> {% for app in app_list %} - <li><a href="{{ app.app_url }}/" id="{{ app.name|slugify }}_app">{% blocktrans with app.name as name %}{{ name }}{% + <li><a href="{{ app.app_url }}" id="{{ app.name|slugify }}_app">{% blocktrans with app.name as name %}{{ name }}{% <script type="text/javascript">truncate({'{{ app.name|slugify }}_app': 35});</script> {% endfor %} </ul> The second patch took a bit more research to figure out what was going on. The symptom I was witnessing was that the mobile interface looked fine in my iPhone until I tried to view a model's list of objects. It kept showing me the default admin view (as you would expect to on the desktop) and it … -
PimenTech Garage : On code aussi en Français
Note Le script "rest2site" écrit en shell a été abandonné. En effet, le souhait d'utiliser des tags, des commentaires, de contrôler le html m'a mécaniquement dirigé vers Django. English readers Technical documentations are now written in english (translations in progress..). Questions / Réponses C'est quoi ce site ? Des documentations en vrac, organisées par tags. Le site principal de PimenTech se trouve ici : http://www.pimentech.fr . Pourquoi "Garage" ? Parce que PimenTech Labs, c'est banal et prétentieux. Contexte d'utilisation Nous travaillons sur un grand nombre de projets et nous manquons toujours de temps pour communiquer et faire des documentations. Quand ça nous arrive, nous faisons du LaTeX pour le papier, du html pour notre site, et des mails pour des petites infos a partager. L'idée est de générer des documentations au format reStructuredText_ . Fonctionnement Tout ajout de fichier ".rst" dans l'arborescence CVS d'un module candidat [1] apparaîtra sur le site à chaque lancement de la fonction build_documents présent dans build_documentation.py. Note L'extension officielle pour les fichiers RestTructured Text est '.txt', mais je trouvais ça trop contraignant : on a déjà plein de .txt dans nos sources. [1]les modules qui seront présents dans jim:/home/fredz/src TODO Améliorer la recherche par tags … -
full_client_session
Full client session Author:Frederic De Zorzi Contact:fredz@_nospam_pimentech.fr Revision:8259 Date:2009-05-29 Copyright:This document has been placed in the public domain. Tags:django Status In production. Important update A severe bug has been found, caused by spaces and comma characters in values (not handled by Safari). Please update the middleware and the JavaScript. Abstract With this middleware, Django session values are stored in client cookies, accessible (r/w) directly in JavaScript (except private variables). Extremely useful if one wants to use specific session variables on cached pages with JavaScript. Introduction Putting pages in cache for medium to high-traffic sites is essential, but one might have to display some internet-user specific informations on these cached pages. For example, we rewrote in Django the old php-based *Century21 France* internet site. This site delivers 1.000.000 dynamic pages per day, the database contains all the Information System with 100.000 active properties modified in real-time. We found a way to cache/uncache dynamically property detail, but we had to show the user's selection of properties on this page : With this middleware, each session variable is stored in a client cookie in json, crypted for private session variables, like "_auth_user_id". So for example with the following Python code : request.session["user"] = … -
Module de calendrier en AJAX
Le but est d'écrire un module de calendrier capable de s'insérer dans des applications existantes (Zen, NotesGroup, etc.) Ce module prendra en entrée un ou plusieurs fichiers au format iCalendar, et affichera les évènements correspondants. Il devra être capable de se « rafraîchir » tout seul lors de l'ajout, de la suppression ou de la modification d'un évènement. Modules utiles Python Un module Python pour lire et écrire les fichiers iCalendar : http://codespeak.net/icalendar/ Avec ce module, on peut facilement récupérer les évènements d'un fichier iCal, les parcourir dans une liste Python, et lire ou modifier les propriétés des évènements. Le module permet aussi d'effectuer la transformation inverse, c'est-à-dire d'écrire un fichier iCal à partir de la structure Python. Le module calendar de la lib std Python (http://www.python.org/doc/2.3/lib/module-calendar.html) permet de construire facilement le calendrier d'un mois donné, organisé en semaines. JSON pour avoir accès à la structure de données Python en JS (avec simplejson ?) Django Un nouveau module CVS est mis en place : libcommonDjango. Il contient l'application pimentech.pcalendar qui contient les vues Django pour le calendrier. JavaScript TODO À Faire En vrac, des idées et des choses qui restent à faire : gestion des fichiers ical multiples affichés sur …