Django community: RSS
This page, updated regularly, aggregates Community blog posts from the Django community.
-
Templatetags globales en nuestros proyectos Django
Los templatetags de Django son a nivel de aplicación. Sin embargo a veces nos gustaría que distintas aplicaciones compartieran templatetags ó evitarnos tener que cargarlos en todas las plantillas mediante {% load ... %}. Este sencillo snippet muestra cómo registrar templatetags de modo global para todo el proyecto gracias a la función add_to_builtins de django.template. -
Simplifying web development with django-mediasync
One of the more frustrating aspects of programming for the web is managing the development and deployment of static assets. Everything is fine until your site goes live... then you have to deal with images, CSS, and JavaScript staying in sync and being called correctly from either the dev or production instance. Here in the Labs we host all of our production static content on Amazon S3. Updating an existing site involves either changing static files on the production site before the code is launched or changing script and link URLs to point locally during development... remembering to change everything back when the code is pushed out. This process causes much frustration among developers and designers as people often lose track of where things are pointing and the current state of content. To make life easier on everyone, we've developed django-mediasync to manage the deployment of our media content. Develop locally, then when the code is ready for production run mediasync to push static media to S3. mediasync will take care of: running gzip+jsmin on JavaScript files running gzip+cssmin on CSS files adding expires headers to everything (default of 1 year) rewriting the CSS files to use the S3 media … -
Django, mod_python и virtualenv
Небольшая заметка для себя и для тех, кто все еще использует mod_python. Для использования virtualenv с mod_python нужно создать файл в virtualenv bin директории, например, myvirtualdjango.py: #myvirtualdjango.py activate_this = '/home/django/progopedia.ru/ve/bin/activate_this.py' execfile(activate_this, dict(__file__=activate_this)) from django.core.handlers.modpython import handler В конфигурационном файле apache в PythonPath нужно добавить bin директорию virtualenv и установить для PythonHandler значение myvirtualdjango (пример скопирован из реального httpd.conf): <VirtualHost 127.0.0.1:81> ServerName progopedia.ru ServerAdmin admin@progopedia.ru <Location "/"> SetHandler python-program PythonPath "['/home/django/progopedia.ru/ve/bin', '/home/django/progopedia.ru/src/progopedia_ru_project/'] + sys.path" PythonHandler myvirtualdjango SetEnv DJANGO_SETTINGS_MODULE settings SetEnv PYTHON_EGG_CACHE /var/tmp/egg PythonInterpreter polyprog_ru </Location> </VirtualHost> -
Misleading ImportErrors in Django
I was debugging an issue with our Django app at work today; an admin.py file wasn't being picked up, and nothing was appearing in the admin pages. It turned that an ImportError was being thrown in the admin.py and Django was interpreting this as the file not existing. I'm assuming that the reason for this is that Django uses __import__ to import the module, and catches ImportError's if the admin.py doesn't exist. The trouble with this is that if admin.py does exist, and throws an ImportError of its own, Django will also interpret that as a missing admin.py – which can be misleading. The only solution I can think of to more accurately handle this would be to programmaticaly examine the traceback to determine where the ImportError is thrown. If the traceback is one level deep, we know that the ImportError was thrown because the module doesn't exists. If it is greater than one level then we know the module was found, but has thrown an ImportError of its own. Here's a simple proof of concept: #check_import.py import traceback import sys def check_import(name): try: __import__(name) except ImportError: exceptionType, exceptionValue, exceptionTraceback = sys.exc_info() return len(traceback.extract_tb(exceptionTraceback)) > 1 return True print check_import("os") … -
UUID template tag for Django
A while back, I had posted a template tag on djangosnippets which generates UUIDs on the fly. I figured that I’d share the same snippet here and explain why I did it. My rationale for writing this: I needed a quick way to generate random IDs to assign to dynamically generated HTML elements and then […] -
Misleading ImportErrors in Django
I was debugging an issue with our Django app at work today; an admin.py file wasn't being picked up, and nothing was appearing in the admin pages. It turned that an ImportError was being thrown in the admin.py and Django was interpreting this as the file not existing. I'm assuming that the reason for this is that Django uses __import__ to import the module, and catches ImportError's if the admin.py doesn't exist. The trouble with this is that if admin.py does exist, and throws an ImportError of its own, Django will also interpret that as a missing admin.py – which can be misleading. The only solution I can think of to more accurately handle this would be to programmaticaly examine the traceback to determine where the ImportError is thrown. If the traceback is one level deep, we know that the ImportError was thrown because the module doesn't exists. If it is greater than one level then we know the module was found, but has thrown an ImportError of its own. Here's a simple proof of concept: #check_import.py import traceback import sys def check_import(name): try: __import__(name) except ImportError: exceptionType, exceptionValue, exceptionTraceback = sys.exc_info() return len(traceback.extract_tb(exceptionTraceback)) > 1 return True print check_import("os") … -
ORM Panel Recap
Having now completed what I thought was a quite successful panel I thought it would be nice to do a review of some of the decisions I made, that some people had been asking about. For those who missed it you can find a live blog of the event by James Bennett at his blog, and a video should hopefully be going up sometime soon.Why Google App EngineAs Guido pointed out App Engine does not have an ORM, as App Engine doesn't have a relational datastore. However, it does have something that looks and acts quite a lot like other ORMs, and it does fundamentally try to serve the same purpose, offering a persistence layer. Therefore I decided it was at least in the same class of items I wanted to add. Further, with the rise of non-relational DBs that all fundamentally deal with the same issues as App Engine, and the relationship between ORMs and these new persistence layers I thought it would be advantageous to have one of these, Guido is a knowledgeable and interesting person, and that's how the cookie crumbled.Why Not ZODB/Storm/A Talking PonyTime. I would have loved to have as many different ORMs/things like them … -
PyCon Wrapup
With PyCon now over for me(and the sprints just begining for those still there) I figured I'd recap it for those who couldn't be there, and compare notes for those who were. I'll be doing a separate post to cover my panel, since I have quite a brain dump there.Day OneWe start off the morning with lightning talks, much better than last year due to the removal of so many sponsor talks(thanks Jacob), by now I've already met up with quite a few Django people. Next I move on to the "Python for CS1" talk, this was particularly interesting for me since they moved away from C++, which is exactly what my school uses. Next, on to "Introduction to CherryPy" with a few other Djangonauts. CherryPy looks interesting as a minimalist framework, however a lot of the callback/plugin architecture was confusing me, so I feel like I'd be ignoring it and just being very close to the metal, which isn't always a bad thing, something to explore in the future. For there I'm off to "How Python is Developed", it's very clear that Django's development model is based of Python's, and that seems to work for both parties.Now we head … -
Some quick updates
It's been a busy and exciting week for us. Jacob has been at PyCon in Chicago where he is participating in a number of panel discussions and giving quite a few talks as well. Right now I imagine he's neck deep in code in the Django sprint helping to finish up the upcoming 1.1 release. If you're running a production site built with Django you should absolutely check out the talk he is giving with James Bennett on Real World Django. While my week has been busy hacking away on several client projects and moving my main work machine to a shiny new MacBook Pro (can't recommend these highly enough), I was interviewed by Daniel Dern of Business Trends Quarterly in his post about scaling and performance titled For Scaling, Brains May Beat Brawn. We talk about how just throwing more money and hardware at a problem is not always the best solution. Often there are architectural, design, and/or configuration changes that can bring significant cost savings to your project. Both in terms of the hardware necessary to keep everything flowing, but also in on going system maintenance labor costs. I'm not talking about pre-optimization evils or complicating things … -
Using svn:externals for external Django module dependencies
After working on building a fairly complex Django application for the last year or so, I have ended up using a few of the open source Django modules that are out there. Why re-invent the wheel after all? Most of these projects are thankfully hosted on Google Code which uses Subversion as the source control system. [...] -
PyCon ORM panel liveblog
I’m sitting about five rows back in the ballroom at the Hyatt, waiting for the ORM panel to begin. Panel’s starting. Moderator Alex Gaynor introduces himself and panelists: Guido van Rossum (App Engine) Jacob Kaplan-Moss (Django) Massimo diPierro (web2py) Ian Bicking (SQLObject) Mike Bayer (SQLALchemy) First question: brief history of your ORM SQLALchemy: wanted to do a CMS, but never ended up writing it. Had idea for a modular library to talk to databases, different bits you could ... Read full entry -
PyCon ORM panel liveblog
I’m sitting about five rows back in the ballroom at the Hyatt, waiting for the ORM panel to begin. Panel’s starting. Moderator Alex Gaynor introduces himself and panelists: Guido van Rossum (App Engine) Jacob Kaplan-Moss (Django) Massimo diPierro (web2py) Ian Bicking (SQLObject) Mike Bayer (SQLALchemy) First question: brief history of your ORM SQLALchemy: wanted to do a CMS, but never ended up writing it. Had idea for a modular library to talk to ... Read full entry and comments -
A Noob In King Guido's Court
Here I am, somehow, impossibly, in Chicago and attending PyCon. Somewhere in this crowd are other Djangonauts. I need to figure out how to find them. -
sorl.thumbnail and Custom Processors
In the past few months, sorl.thumbnail has become one of the standard libraries I always include in my Django projects. It’s unobstrusive and very easy to implement into templates, but my one grief with it has been the lack of capability for doing some custom processing on images. As it turns out, sorl actually allows custom processors to be added. When I found out about this feature, I set out to write some for my current project. If you haven’t heard about the processors functionality, it’s all in the documentation. I am not sure how I missed it before. Implementing is pretty easy, first you have to define a THUMBNAIL_PROCESSORS variable in your settings.py file: THUMBNAIL_PROCESSORS = ( 'sorl.thumbnail.processors.colorspace', 'sorl.thumbnail.processors.autocrop', 'sorl.thumbnail.processors.scale_and_crop', 'sorl.thumbnail.processors.filters', 'imagery.processors.pad', 'imagery.processors.round',) The first four are obviously sorl’s own default processors. The last two are my custom ones. “pad” allows resizing without cropping, while keeping the final image dimensions always the same. So basically it centers the resized image in an area and fills the rest of the image with a given background colour: from PIL import Image THUMBNAIL_PADDING_COLOUR = (255, 255, 255) def pad(im, requested_size, opts): """ Adds padding around the image to match the requested_size """ if "pad" … -
Django 1.1 beta
Как многие, без сомнения, знают, недавно вышла Django 1.1 beta. Там в release notes все самое вкусное перечислено, а я немножко вокруг покомментирую. Одна из когда-то давно слезно просимых фич -- загрузка объектов с неполным списком полей (aka "defer/only"). Раньше это делалось через .values(), но результатом запроса был тупой набор значений. Новая фича возвращает полноценные объекты с недозаполненными полями. Поля заполняются отдельными запросами при первом обращении. Теперь, по меткому выражению Малколма все кинутся этим пользоваться, потому что оно кажется очень крутым. Грустная ирония состоит в том, что если вы думаете, что вам нужны defer/only, это с высокой вероятностью либо преждевременная оптимизация, либо указание на неудачную модель базы. То есть, либо вы Реально Большие BLOB'ы храните в базе, вместо файлов, либо у вас в модели куча полей, которые можно и нужно разнести по разным моделям, провязанным один-к-одному. Впрочем, ладно, разберемся :-) Еще одна фичка, про которую я даже не знал, пока в релиз нотах не прочитал -- массовые действия над объектами в админке. Тоже давно просили все, чтобы массово что-нибудь удалять или проставлять флажки всякие. Что меня реально порадовало -- это то, что фича сразу вышла хорошо проработанной в деталях: можно выдать юзеру свое сообщение типа "удалено столько-то объектов" можно вместо … -
Django 1.1 beta
Как многие, без сомнения, знают, недавно вышла Django 1.1 beta. Там в release notes все самое вкусное перечислено, а я немножко вокруг покомментирую. Одна из когда-то давно слезно просимых фич — загрузка объектов с неполным списком полей (aka "defer/only"). Раньше это делалось через .values(), но результатом запроса был тупой набор значений. Новая фича возвращает полноценные объекты с недозаполненными полями. Поля заполняются отдельными запросами при первом обращении. Теперь, по меткому выражению Малколма все кинутся этим пользоваться, потому что оно кажется очень крутым. Грустная ирония состоит в том, что если вы думаете, что вам нужны defer/only, это с высокой вероятностью либо преждевременная оптимизация, либо указание на неудачную модель базы. То есть, либо вы Реально Большие BLOB'ы храните в базе, вместо файлов, либо у вас в модели куча полей, которые можно и нужно разнести по разным моделям, провязанным один-к-одному. Впрочем, ладно, разберемся :-) Еще одна фичка, про которую я даже не знал, пока в релиз нотах не прочитал — массовые действия над объектами в админке. Тоже давно просили все, чтобы массово что-нибудь удалять или проставлять флажки всякие. Что меня реально порадовало — это то, что фича сразу вышла хорошо проработанной в деталях: можно выдать юзеру свое сообщение типа "удалено столько-то объектов" можно вместо … -
Django 1.1 beta
Как многие, без сомнения, знают, недавно вышла Django 1.1 beta. Там в release notes все самое вкусное перечислено, а я немножко вокруг покомментирую. Одна из когда-то давно слезно просимых фич — загрузка объектов с неполным списком полей (aka "defer/only"). Раньше это делалось через .values(), но результатом запроса был тупой набор значений. Новая фича возвращает полноценные объекты с недозаполненными полями. Поля заполняются отдельными запросами при первом обращении. Теперь, по меткому выражению Малколма все кинутся этим пользоваться, потому что оно кажется очень крутым. Грустная ирония состоит в том, что если вы думаете, что вам нужны defer/only, это с высокой вероятностью либо преждевременная оптимизация, либо указание на неудачную модель базы. То есть, либо вы Реально Большие BLOB'ы храните в базе, вместо файлов, либо у вас в модели куча полей, которые можно и нужно разнести по разным моделям, провязанным один-к-одному. Впрочем, ладно, разберемся :-) Еще одна фичка, про которую я даже не знал, пока в релиз нотах не прочитал — массовые действия над объектами в админке. Тоже давно просили все, чтобы массово что-нибудь удалять или проставлять флажки всякие. Что меня реально порадовало — это то, что фича сразу вышла хорошо проработанной в деталях: можно выдать юзеру свое сообщение типа "удалено столько-то объектов" можно вместо … -
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 … -
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.