Django community: RSS
This page, updated regularly, aggregates Community blog posts from the Django community.
-
Overriding Django admin templates for fun and profit
Motivation & Goal I sometimes find the admin interface's lists of instances of models overwhelming. The filters and searching helps, but it would be nice to get an overview of the data that is being shown. Particularly I wanted to generate a graph based on the filters selected by the user, so that only items displayed after a filter would be graphed. -
Cambiar permisos de archivos con python
Pues bien la historia comienza así:Estoy desarrollando una aplicación con django para una galeria de arte, la url de la pagina en desarrollo es http://laotraferia.nodo-lab.com que después apuntará a http://www.laotraferia.com y pues probé con django-audioplayer que es un tag para embeber un reproductor de mp3 en la pagina, y no me funcionaba porque por algun motivo extraño al subir el mp3, me quedaba sin permisos de lectura en el servidor, por lo cual decidí que debia cambiarle los permisos cada vez que suban el archivo por lo cual debia reescribir el metodo save en el modelo:def save(self,force_insert=False, force_update=False):super(Audio,self).save(force_insert,force_update)Y allí cambiar los permisos cada vez que guarden el objeto, por lo cual busque en la pagina de python, y encontre el metodo chmod en el modulo os, y primero intenté:>>> import os>>> os.chmod("archivo","777")Al viejo estilo de linux, pero esto me genera un error pues el modo debe ser un entero y no una cadena, hice este cambio y no me genero error pero me cambió los permisos de una forma extraña, luego lei un poco más y es que esto debe hacerse usando otro modulo stat, de la siguiente manera:>>> import os>>> import stat>>> os.chmod("archivo",stat.S_IRUSR+stat.S_IWUSR+stat.S_IRGRP+stat.S_IXGRP)y de esta manera me deja los … -
How to use the same widget as GeoDjango
At the end of this post you will be able to use the same widget than the automatically generated admin interface in geodjango. I spent quite sometimes today to rediscover how to do this. Yes, rediscover because I have already written about this a couple of month ago. My first post on that topic can be read there. Happily "jbronn" on #geodjango gave the solution to me.# Getting an instance so we can generate the map widget; also# getting the geometry field for the model.admin_instance = PointAdmin(Point, admin.site)point_field = Point._meta.get_field('point')# Generating the widget.PointWidget = admin_instance.get_map_widget(point_field)In fact all the complication at the moment there is no static widget that widget you could use in your own form. You have to build them dynamically.I am now going to break down the 3 lines of code.PointAdmin is the ModelAdmin class which is a representation of a model in the admin interface. Here it is an example :from django.contrib.gis import adminfrom geotagging.models import Pointclass PointAdmin(admin.GeoModelAdmin):list_filter = ('content_type','point' )list_display = ('object', 'point', 'content_type', 'object_id')Point in the model we are working on so Point._meta.get_field('point') is accessing the field called point of the Point mode. The code below should help you to understand :class Point(models.Model): """ """ … -
Open Source Communities
Open source projects should be judged as much by their community as by their technological achievements. The code tells you what it’s good for, but the community tells you what its future is. Communities need to be active to continue improving the project, deal with bugs and changes to their ecosystem. If no one is [...] -
Django Site of the Week - ShutterCal
ShutterCal is a photo sharing site with a difference - it encourages contributors to upload one photo every day to help people reach a goal: whether that may be to improve their photography, watch themselves evolve over a year, or remember people and places they visit. ShutterCal started in 2007, and this week I spoke to developer Dan Ferrante to find out why he chose Django, some of the challenges he's faced, and how he uses Django and other open-source software to make his life easier. You can read more over at the Django Site of the Week. -
Django Site of the Week - ShutterCal
ShutterCal is a photo sharing site with a difference - it encourages contributors to upload one photo every day to help people reach a goal: whether that may be to improve their photography, watch themselves evolve over a year, or remember people and places they visit. ShutterCal started in 2007, and … -
Django vs Rails: The Dead-Tree Edition
Django Rails In Conclusion The difference speaks for itself. I’ll write about why this matters tomorrow. (Yeah, I used the Fancy Link Builder I posted yesterday about. It was infuriating to use, it has whiz-bang Javascript to open a product detail lightbox that served only to make it nearly impossible to copy cover images. New [...] -
I'm lazier then django forms
When I started to learn django, i fell in love with django forms, or newforms as it was called then. It made writing forms a lot more enjoyable. So like many relationship, it started out great, we, (me and django forms), were having a great time together, having fun spending a lot of time together, great. Then we started to get serious and that’s when things became more complicated. I found myself using copy and paste a lot, from one form to another form. Sure it did the job, but it required more effort then I wanted to give. I had to give it a couple looks each time to ensure everything was correct. It got tedious, and i have to blame django forms for this. It has spoiled me, making things to easy to use. I can’t imagine trying to write out forms like I once did in .NET. So as our relationship continued we found our selves in the same cycle, everything the same. But I wanted more, I wanted to us to be in love again. Like we were when we first meet. Solution - Form Options class FormOptions(): """ FormOptions class gives Form extra properties so we can build a … -
Django SOTW Moving to Mondays
To better fit with both my own way of doing things and with general web browsing patterns of the Django SOTW public, I'm moving the SOTW to Mondays rather than Saturdays. You can expect new interviews to go live on Monday evenings (Australian EST) which means our US visitors should see them in their RSS feeds first thing Monday morning. Also, I've finally succumbed to the forces and I've joined Twitter so you if that's your kinda thing then come and say hi! -
Django SOTW Moving to Mondays
To better fit with both my own way of doing things and with general web browsing patterns of the Django SOTW public, I'm moving the SOTW to Mondays rather than Saturdays. You can expect new interviews to go live on Monday evenings (Australian EST) which means our US visitors should … -
Django ma teraz szybsze testy
Do trunk'owej wersji Django został zakomitowany mechanizm testów działający na transakcjach, przyśpiesza wykonywanie testów o ok. 8 do 40 razy. Funkcjonalność ta znajdzie się w wersji Django 1.1 która będzie wydana marcu. Aby skorzystać z tej funkcjonalność należy używać silnika baz danych który obsługuje tranzakacje. Mam nadzieję że teraz już nikt nie będzie miał wymówek aby nie pisać testów :) -
Джанговские агрегации
Сделали: http://docs.djangoproject.com/en/dev/topics/db/aggregation/! Особо приглянувшиеся мне вещи: Store.objects.annotate(Count('books__authors')) Store — это магазин, у него many-to-many на Book, у которого есть many-to-many на Author. Тут делается join по всем нужным таблицам и group by на них. Book.objects.annotate(num_authors=Count('authors')).filter(num_authors__gt=1) Я очень рад, что having не стали делать отдельным понятием. Это просто фильтр. А уж ... -
From WordPress to Django – Part 1
Now don't get me wrong, there's nothing wrong with Wordpress. It's just that I like to play with stuff, so I thought it would be fun to create a blog in Django, copy all my Wordpress posts across, and add at least some of the functionality that Wordpress has built in. -
Washington Post Update
It’s been a long time since I’ve written about what I’ve been up to at the Washington Post, so let me run down the apps I’ve worked on since September 2007 in roughly linear order. Lots of these apps link different places, so if you don’t see projects.washingtonpost.com at the start of the URL, you’ve [...] -
Изменённые данные в форме
Когда-то я придумал для своего багтракинга фичу, которая мне казалась уникальной для багтракингов. Фича связана с тем, как обрабатываются изменения, которые человек сохраняет в тикет, в то время, как тикет уже успел поменяться кем-то другим за время с момента открытия того в окне браузера. И вот на днях, в процессе ... -
Django Gotcha: Never set a variable called ‘user’ in your RequestContext
Okay. So I was working on some view code in a Django project and I noticed something weird. The view started rendering as if the user was no longer logged in. Odd thing was that it was only doing that for that one view. I banged my head for a while and then I realized […] -
Why Caktus Uses Django
Here at Caktus, we use the popular Django web framework for a lot of our custom web application development. We don't use Django simply because it's popular, easy to learn, or happened to be the first thing we found. We've written web apps in PHP, Java, and Ruby on Rails--all before we discovered Django--but were never quite satisfied. Following are just a few of the reasons that we both enjoy working with Django and believe it gives you (the client) the best end-product. -
Descriptivists and Prescriptivists
In the world of grammarians there are two competing camps: descriptivists and prescriptivists. Edward Finegan of the University of Southern California sums up the difference: Descriptive grammarians ask the question, “What is English (or another language) like – what are its forms and how do they function in various situations?” By contrast, prescriptive grammarians ask “What should English be like – what forms should people use and what functions should they serve? -
Generic Collections in Django
Django‘s generic relations are a great way to connect an object to any other type of object. Django provides a GenericForeignKey field to connect one object to any other object. For a recent project I needed to create a Many-to-Many relationship between an object and certain types of other objects, and have them editable in the admin. Here’s how I did it. The Models For this example we’ll create several simple models. class Photo(models.Model): "A simple photo model" title = models.CharField(max_length=50) image = models.ImageField(upload_to='img/photos/%Y/%m/%d') class Audio(models.Model): "A simple audio model" title = models.CharField(max_length=50) image = models.ImageField(upload_to='audio/%Y/%m/%d') class Link(models.Model): "A simple link model" title = models.CharField(max_length=50) link = models.URLField() class BlogEntry(models.Model): "A simple Blog Entry model" title = models.CharField(max_length=50) slug = models.SlugField(max_length=50) body = models.TextField() Now let’s find a way to relate any number of these objects to a single Blog Entry. To do that we are going to need an intermediary table that will handle the relations. blogentryrelation_limits = {'model_in':('photo', 'audio', 'link', 'blogentry')} class BlogEntryRelation(models.Model): "A simple photo model" blogentry = models.ForeignKey(BlogEntry) content_type = models.ForeignKey(ContentType, limit_choices_to=blogentryrelation_limits) object_id = models.PositiveIntegerField() content_object = generic.GenericForeignKey('content_type', 'object_id') The blogentryrelation_limits variable enables you to allow the selection of certain models in the admin. The Admin To see everything properly in the … -
Sprint de de Traduccion de documentacion de django terminado
Este fin de semana fue el sprint de traduccion de la documentacion de django al español. La verdad fue muy bueno participar e intentar retribuir de cierta manera todo lo que este framework nos dio. Me senti peculiarmente emocionado de estar entre la lista de los colaboradores. Ayer terminó el sprint de traducción. En estos [...] -
StdImage updated to trunk
Everything is changing on Django those days, and many people contacted me because StdImage stopped working with trunk.Basically all major changes (except GeoDjango) affected it, such as change from newforms to forms, signal refactoring, and file storage refactoring. Now it's up to date.Remind that django-stdimage is a Django application that provides a standardized image field(standard name including row id, standard size, and ability to create automatic thumbnails, also standarized of course). -
StdImageField: Improved image field for Django
I'm pleased to announce a new project, django-stdimage, that provides a new image field with many improvements respect to Django's core ImageField.Features of StdImageField: Saved files have standardized names (using field name and object id) Images can be removed Automatically creates a thumbnail Automatically resizes both image and thumbnail (with optional crop to fit exactly specified size)Here you've an example of usage:from django.db import modelsfrom stdimage import StdImageFieldclass MyClass(models.Model): my_image = StdImageField(upload_to='path/to/img', blank=True, \ size=(640, 480), thumbnail_size=(100, 100, True))If a file called "uploaded_file.png" is uploaded for object id 34, then result will be: /path/to/img/my_image_34.png (with bigger possible size to fit in a 640x480 area) /path/to/img/my_image_34.thumbnail.png (with a exact size of 100x100, cropping if necessary)Also it will appear a check-box for deleting when using admin. -
DSNP 0.9 released
I know that it was just few days ago that I released another version of DSNP, but because of it, I got a lot of feedback on it, I worked hard, and finally DSNP is stable.For now, it'll be 0.9 because it works on Django newforms-admin branch, so 1.0 will be reached when newforms-admin will be merged into trunk.Changeset for this version is next: Generated sqlite file has write permissions for all users by default Static files are served by Django http server on development environment (DEBUG==True) File admin.py created to specify admin options Media path has changed (now, all static files are under "media" directory) due to an issueI hope you like it. -
Searching on Django Snippets
One of the key websites about Django is Django Snippets, by one of the key Django developers, James Bennett.I've followed many of the James work, and it's awesome; but I've a complaint on Django Snippets. It's the inefficient way to find anything there. The only ways that I've found is searching using a paginated list by author, language or tag (sorted alphabetically), where you can spend a huge amount of time if the tag you search starts by Z.Of course that I can go to Google an search using site:www.djangosnippets.org, and it would work for all indexed snippets, but I think that at least this search box should be added on the site (until anybody writes the generic search engine for Django). It would also help adding result page numbers (with links) at the end of the paginated list. -
Unable to define my urls exactly my way (resignation statement)
I've been working with Django for a while, and it helped me to get all my web developments with nice urls. But I also wanted a nice url structure...What it is nice for me, opposite to Django default settings, is avoiding the media prefix on my media urls, sohttp://localhost/media/admin/css/login.css would be http://localhost/admin/css/login.cssTrying to emulate old website structures (used widely in php sites).That could be nice or not, but for sure it is complicated.The first step was to setup apache for it, a little bit more complicated than the usual setup, but possible:<LocationMatch "/((css|js|img|swf|pdf)/|favicon.ico)">SetHandler None</LocationMatch>The main problem comes when using Django development http server (started by "python manage.py runserver"), and the admin. Of course you can do that, but what is not possible, is to define the same name for your admin media path, and for the admin itself.For example:http://localhost/admin and http://localhost/admin/css/login.cssThe reason is the Django web server, processes all requests starting with the ADMIN_MEDIA_PREFIX setting with the AdminMediaHandler, what implies with that structure that all admin requests (even the ones that aren't static files) are processed by this handler, raising an error when the request isn't for a static file. The error is next.Permission denied: ${PYTHON_PATH}/django/contrib/admin/media/So this is my resignation …