Django community: RSS
This page, updated regularly, aggregates Community blog posts from the Django community.
-
Python implementation details
I’m sitting here at PyCon at the Python Language summit discussing differences between Python versions, and the topic of implementation details came up. The main part of getting Django working on alternate Python VMs was fixing the various assumptions we made about implementation details of Python. I went back and dug through Django’s ticket tracker for the issues alternate VM issues (most from the Jython developers, some from the PyPy developers) that we had to fix; it’s a pretty instructive list of things you shouldn’t rely on if you’d like your Python code to run on alternate VMs: -
django-cart released!
Until now, if you had to develop an online store in django, you had two options, use satchmo, or write your own code. Satchmo is a huge application that tries to provide everything for all the cases, so for a simple shop you've to deal with hundreds of features that you're not going to use, and in some case it won't be enough flexible.So what I've not any complain for satchmo, the fact is that is not the ideal solution for some cases as some small shops with few options.With that said, this post is to announce the release of a new project that could help some people to do simple web shops in a very simple way. This project is django-cart.While django-cart already existed, it was an unfinished (and unmaintained) project by Eric Woundenberg, to whom I'm very thankful for letting reuse it's project, and avoid confusion.So, what's django-cart. Django Cart is basically a django application that provides a Cart class, with add/remove/update and get methods to be used for storing products. The products model isn't included in the application, so you can define your products with the fields you need. Then you just need something like...product_to_add = MyProductModel.objects.get(id=whatever)cart … -
Solving NFS issues on embedded machines
As part of my work on EveryWatt, I setup an NFS-based development environment for one of the data loggers we use for energy monitoring in the Caktus office. The stock 2.4 Linux kernel in the machine seemed to have some trouble mounting the file system root I had exported from one of our servers. The symptoms included long delays for most if not all activities that used the file system and lots of messages like these in dmesg: -
StaticMap: A Google Maps API Wrapper
I love the Google Maps API, it’s fairly easy to use, well documented, has lots of features to tweak and extend beyond the obvious. However, it’s hefty. The initial load with map assets can easily total 300K, and visibly slow down your site especially if you are providing more than one map on a single page. So, to solve these issues I decided to write a thin layer around the Maps API. The idea is simple: a map doesn’t need to be interactive unless the user wants to interact with it. Unless your page’s sole focus is the map, it doesn’t make sense to load a fully featured interactive map every time the page renders. Google provides the Static Map API, which can generate an image-based map for you on request. It’s well documented, but building the URL for the image map can take a while, especially if you are putting markers on the map. That’s where my StaticMap class comes in. You simply instantiate it with a few options, and it generates the map for you: new core.StaticMap("#MapArea", { "api_key" : "<GOOGLE_MAPS_API_KEY>", "size" : [298, 298], "center" : [41.9288, -87.6315], "zoom" : 10, "markers" : [ { "coordinates" : … -
Fixtures, default data for your models
So, we started working on our project (finally) and although some of the requirements of the project will change in the course of the following days, we are working on the more general aspects of the site. Among these general “apps” is the help app. Basically it has a couple of static pages and then a hierarchy of categories (folders) and topics presented in a similar way to Google’s Gmail Help Page. This help app is a variation of the usual Polls or Books examples you get in Django’s Writing you first Django App Tutorial, and is a very good exercise to get up to speed with the development in Django. As the app started to take shape we began to wonder if Django provided a mechanism to load default data into the models… Fortunately it does! You can read all about loading initial data into models it in the docs, but if you want to continue reading about our experiences and choices, read on! In a nutshell: You can choose between two methods, fixtures or SQL. Fixtures are database agnostic representations of database rows in either XML, JSON, YAML, or Python objects notation. While SQL, you know, consists of … -
Django 1.1 beta lançado
Como parte do processo de lançamento do Django 1.1, essa noite nós lançamos o Django 1.1 beta 1, um pacote que traz algumas das novas funcionalidades que virão no Django 1.1. Assim como em todos os pacotes alpha ou beta, ele não deve ser usado em produção, mas se você gostaria de experimentar alguma das novidades do 1.1, ou se você gostaria de nos ajudar a consertar bugs antes do lançamento da versão 1.1 final (marcada para April), sinta-se a vontade para obter uma cópia e dar uma olhada. Você pode obter uma cópia do pacote 1.1 beta da nossa página de downloads, e nós recomendamos a leitura das notas de lançamento. Também, para os conscientes de segurança, checksums MD5 e SHA1 assinados do pacote 1.1 beta estão disponíveis. Nossa próxima parada será aPyCon Americana 2009 em Chicago onde, entre outras coisas, faremos sprints de desenvolvimento visando o release final do Django 1.1. Para um roadmap completo da versão, veja as notas de lançamento da versão alpha. Postado por Jacob Kaplan-Moss em 23 de Março de 2009, no blog do Django - Tradução por Walter Cruz -
TYPO3 performance
There are a few nice tipps in the blog of Dmitry Dulepov to speed up the Typo3 performance you should have read. #2 was unknown to me so far. -
TYPO3 performance
There are a few nice tipps in the blog of Dmitry Dulepov to speed up the Typo3 performance you should have read. #2 was unknown to me so far. -
TYPO3 performance
There are a few nice tipps in the blog of Dmitry Dulepov to speed up the Typo3 performance you should have read. #2 was unknown to me so far. -
Django Compress: New CSS Filter
I added a new filter today for django-compress that allows for arbitrary string find/replace during the compile process on your css groups. I had a specific use case for the new filter: my css had a lot of root relative urls for background images. I wanted to host my compiled media on a different host than where my images were being hosted from but this tied the two together. Furthermore, I didn't want to hard code the absolute urls as I want to be able to test the full environment on my laptop, test environments and finally be able to deploy somewhere else in production. I want the process of changing environments to be simple settings file change. Therefore, my approach was to create a filter that at compile time execute a string find and replace. It's super simple, but useful, at least to me. I also found what I think were a couple of bugs when you had some groups with external_urls defined. When they were missing source_filenames and output_filenames definitions, exceptions were raised when running the management command to compile the source. I put some simple checks in place to safe guard against these exceptions. -
Django Compress: New CSS Filter
I added a new filter today for django-compress that allows for arbitrary string find/replace during the compile process on your css groups. I had a specific use case for the new filter: my css had a lot of root relative urls for background images. I wanted to host my compiled media on a different host than where my images were being hosted from but this tied the two together. Furthermore, I didn't want to hard code the absolute urls as I want to be able to test the full environment on my laptop, test environments and finally be able to deploy somewhere else in production. I want the process of changing environments to be simple settings file change. Therefore, my approach was to create a filter that at compile time execute a string find and replace. It's super simple, but useful, at least to me. I also found what I think were a couple of bugs when you had some groups with external_urls defined. When they were missing source_filenames and output_filenames definitions, exceptions were raised when running the management command to compile the source. I put some simple checks in place to safe guard against these exceptions. -
Recompiling Apache on FreeBSD
I am currently working on a Django project that will run on FreeBSD when deployed. I had never worked with this distro before, so it took a bit of getting used to, and I ended up reading man pages and Googling mailing list archives until the wee hours of the morning. One issue that really caught me by surprise was recompiling Apache 2.2 with the proxy modules, so I thought I would jot down my notes here. The solution is pretty simple, but first I have to give some context. If you are not familiar with FreeBSD, it uses a ports & packages analogy for installing software. Their library is pretty good and contained pretty much everything I would need, from mod_python to psycopg2 (I couldn’t use psycopg2 due to a screw-up in their release management and had to settle back to psycopg, but that’s another issue). To compile a port, you basically do this: cd /usr/ports/www/apache22make install clean And that’s it. If the port isn’t there, it’s downloaded and its dependencies are downloaded and compiled as well. Pretty good so far. My problems started when I noticed that Apache 2.2 was not compiled with the proxy modules. So I … -
Nuevo sitio web para django-thumbs
django-thumbs ya tiene nuevo sitio web: http://djangothumbnails.com. La versión 0.3 de django-thumbs funciona correctamente con la versión de desarrollo de Django actual y soluciona algunos problemas de las versiones anteriores. django-thumbs permite crear miniaturas de imágenes para los campos ImageField de tus modelos. -
{% media %}
Незабвенный герой Анатолия Папанова говаривал, что ежели человек идиот, то это надолго. Мне сейчас кажется, что я как раз в такой ситуации :-). Это я о том, как в джанговских шаблонах делать ссылки на JS, CSS и прочую media. Я всегда пропагандировал простой способ: прокидывать в шаблоны переменную MEDIA_URL, используя стандартный контекст-процессор media. А в шаблоне просто составлять слова рядом: <link rel="stylesheet" href="{{ MEDIA_URL }}css/style.css"> Это типа работает, но у такого способа есть пара минусов: Нужно всегда использовать RequestContext для шаблонов. Что, впрочем, в принципе хорошая идея, поэтому минус этот условный. Вот что реально плохо, это что эту переменную приходится вручную прокидывать в любой inclusion-тег, в котором понадобилась media. Это особенно неприятно, потому что периодически мешает параллельности работы верстальщика и программиста. И тут вдруг у меня сошлись в голове какие-то правильные мысли с разных сторон, и я написал себе удобный тег для формирования ссылок на media-файлы в шаблонах с парой полезных дополнений. В простейшем случае он просто присоединяет имя файла к MEDIA_URL: {% media "images/edit.png" %} Однако если параметр начинатся со слеша или с протокола ("http://"), то он уже не будет присоединяться к MEDIA_URL. Можно добавить флажок, чтобы ссылка всегда была абсолютной: <!-- /media/edit.png становится http://example.com/media/edit.png --> {% media "images/edit.png" … -
{% media %}
Незабвенный герой Анатолия Папанова говаривал, что ежели человек идиот, то это надолго. Мне сейчас кажется, что я как раз в такой ситуации :-). Это я о том, как в джанговских шаблонах делать ссылки на JS, CSS и прочую media. Я всегда пропагандировал простой способ: прокидывать в шаблоны переменную MEDIA_URL, используя стандартный контекст-процессор media. А в шаблоне просто составлять слова рядом: <link rel="stylesheet" href="{{ MEDIA_URL }}css/style.css"> Это типа работает, но у такого способа есть пара минусов: Нужно всегда использовать RequestContext для шаблонов. Что, впрочем, в принципе хорошая идея, поэтому минус этот условный. Вот что реально плохо, это что эту переменную приходится вручную прокидывать в любой inclusion-тег, в котором понадобилась media. Это особенно неприятно, потому что периодически мешает параллельности работы верстальщика и программиста. И тут вдруг у меня сошлись в голове какие-то правильные мысли с разных сторон, и я написал себе удобный тег для формирования ссылок на media-файлы в шаблонах с парой полезных дополнений. В простейшем случае он просто присоединяет имя файла к MEDIA_URL: {% media "images/edit.png" %} Однако если параметр начинатся со слеша или с протокола ("http://"), то он уже не будет присоединяться к MEDIA_URL. Можно добавить флажок, чтобы ссылка всегда была абсолютной: <!-- /media/edit.png становится http://example.com/media/edit.png --> {% media "images/edit.png" … -
{% media %}
Незабвенный герой Анатолия Папанова говаривал, что ежели человек идиот, то это надолго. Мне сейчас кажется, что я как раз в такой ситуации :-). Это я о том, как в джанговских шаблонах делать ссылки на JS, CSS и прочую media. Я всегда пропагандировал простой способ: прокидывать в шаблоны переменную MEDIA_URL, используя стандартный контекст-процессор media. А в шаблоне просто составлять слова рядом: <link rel="stylesheet" href="{{ MEDIA_URL }}css/style.css"> Это типа работает, но у такого способа есть пара минусов: Нужно всегда использовать RequestContext для шаблонов. Что, впрочем, в принципе хорошая идея, поэтому минус этот условный. Вот что реально плохо, это что эту переменную приходится вручную прокидывать в любой inclusion-тег, в котором понадобилась media. Это особенно неприятно, потому что периодически мешает параллельности работы верстальщика и программиста. И тут вдруг у меня сошлись в голове какие-то правильные мысли с разных сторон, и я написал себе удобный тег для формирования ссылок на media-файлы в шаблонах с парой полезных дополнений. В простейшем случае он просто присоединяет имя файла к MEDIA_URL: {% media "images/edit.png" %} Однако если параметр начинатся со слеша или с протокола ("http://"), то он уже не будет присоединяться к MEDIA_URL. Можно добавить флажок, чтобы ссылка всегда была абсолютной: <!-- /media/edit.png становится http://example.com/media/edit.png --> {% media "images/edit.png" … -
{% media %}
Незабвенный герой Анатолия Папанова говаривал, что ежели человек идиот, то это надолго. Мне сейчас кажется, что я как раз в такой ситуации :-). Это я о том, как в джанговских шаблонах делать ссылки на JS, CSS и прочую media. Я всегда пропагандировал простой способ: прокидывать в шаблоны переменную MEDIA_URL, используя стандартный контекст-процессор media. А в шаблоне просто составлять слова рядом: <link rel="stylesheet" href="{{ MEDIA_URL }}css/style.css"> Это типа работает, но у такого способа есть пара минусов: Нужно всегда использовать RequestContext для шаблонов. Что, впрочем, в принципе хорошая идея, поэтому минус этот условный. Вот что реально плохо, это что эту переменную приходится вручную прокидывать в любой inclusion-тег, в котором понадобилась media. Это особенно неприятно, потому что периодически мешает параллельности работы верстальщика и программиста. И тут вдруг у меня сошлись в голове какие-то правильные мысли с разных сторон, и я написал себе удобный тег для формирования ссылок на media-файлы в шаблонах с парой полезных дополнений. В простейшем случае он просто присоединяет имя файла к MEDIA_URL: {% media "images/edit.png" %} Однако если параметр начинатся со слеша или с протокола ("http://"), то он уже не будет присоединяться к MEDIA_URL. Можно добавить флажок, чтобы ссылка всегда была абсолютной: <!-- /media/edit.png становится http://example.com/media/edit.png --> {% media "images/edit.png" … -
djangotidbits.com
This started out as a simple extension of my blog over a year ago. It was called snippets at the time, and it was merely a project to learn. I also had built a simple paste bin, which was my first django project, with the same purpose. I finally decided to rip the snippet app out of my blog, rename it to tidbits, and try to build it out on it’s own. From start to finish, it was both exciting and frustrating, I learned a whole lot about python, django and even myself. I’m proud to give you djangotidbits.com. Some of the key features are, revisions, multi-source view, and bulk source upload. -
Personalizar el título del sitio de administración
¿Te has cansado del monótono título "Administración de Django" que aparece en el sitio de administración de tu proyecto? Django permite personalizar las plantillas del sistema de administración fácilmente. Puedes tener plantillas de administración personalizadas a nivel de modelo, aplicación o proyecto... -
Sprint de Django en el PyCamp Argentina 2009
Por el blog de Ramiro Morales me entero de que desde hoy día 21 hasta el 24 tiene lugar el PyCamp Argentina 2009 en Los Cocos, en Córdoba (Argentina). Parece que se han puesto las pilas y se va a realizar un sprint de Django durante el evento: http://www.python.com.ar/moin/PyCamp/2009/TemasPropuestos/SprintDjango Esperemos que la comunidad Argentina de Python se entusiasme con Django y sean muchos los que participen ;) -
Snippet de vista para i18n
Una vista genérica para escoger el idioma a través de una url y ser redirigido al punto en el que se encontraba el usuario. -
Snippet de vista para i18n
Una de las cosas que nos ofrece django es vistas genéricas y soporte para localización (aka i10n) e internacionalización (aka i18n). Entonces una vez tenemos nuestro sitio con i18n o i10n pues lo que sigue es que le demos a nuestros usuarios la manera de escoger su idioma, django tiene un algoritmo par esto, sin embargo en algún punto nuestros usuarios querrán poder escoger su idioma preferido, para esto este framework nos da la opcion de una vista generica, sobre la cual encontrarán información en http://docs.djangoproject.com/en/dev/topics/i18n/#the-set-language-redirect-view.Lo único es que esta vista espera que halla un formulario para que el usuario escoja su idioma y además que tengamos predefinida una página a la cual el usuario será redirigido después de seleccionar el idioma a lo cual le veo particularmente un inconveniente pues si el usuario ha llegado a un punto importante para él y es llevado a la página inicial pues no le agradará (en mi caso me molestaría), además si queremos tener la posibilidad de hacerlo desde una url y no una variable por post?Para resolver este conflicto se modifica un poco la vista que nos trae django y la dejamos así:def set_lang(request,lang): response = HttpResponseRedirect(request.META['HTTP_REFERER']) lang_code = u'%s' % … -
Reffering to Django docs from your docs using Sphinx
Sphinx is a great documentation tool, and one of it’s built-in extensions is sphinx.ext.intersphinx. It simply takes your objects references for other projects and converts to links in the other project’s documentation. In sphinx-quickstart command, it asks if you want to add this extension. If so, It adds this code to your conf.py file: extensions [...] -
Beautiful Soup and Memory Issues
After a few days of work, I finally reached a preliminary release of the little scraping project I mentioned before. I wanted to test this version on my production server, so I deployed it, and immediately started seeing some weird parsing issues with Beautiful Soup. My local work environment and my production server are the same, so usually deployments go smooth, but this time the same code, running on the same version of Python, with the same Ubuntu distribution, was giving different results. After a little bit of digging around, I decided that it has to be related to memory, since my virtual hosting environment is pretty limited in terms of RAM. I was running a very simple Beautiful Soup parser before: from BeautifulSoup import BeautifulStoneSoupfrom urllib import urlopen response = urlopen(url) soup = BeautifulStoneSoup(response.read(), convertEntities=BeautifulStoneSoup.HTML_ENTITIES) lines = soup.findAll("li") Run locally, this was giving me all li items on the page. Run on the server, it was giving me only a subset, usually only three or four. It was annoyingly random behaviour at best. After reading Beautiful Soup’s documentation on how to improve performance, I decided to use custom Soup Strainers to only parse parts of the document: from BeautifulSoup import BeautifulStoneSoup, SoupStrainerfrom … -
Patch to Django Extensions
I am really loving the django-extensions project, especially the sync_media_s3 command to move my media to be hosted on Amazon S3. I find it increasingly useful when combined with django-compress. However, I ran into a snag today where I wanted to only sync to s3 my compiled scripts from django-compress, instead of my entire MEDIA_ROOT. Therefore, I added the a patch to add a --dir optional parameter to the command.