views:

1245

answers:

3

I've been using virtualenv lately while developing in python. I like the idea of a segregated development environment using the --no-site-packages option, but doing this while developing a PyGTK app can be a bit tricky. The PyGTK modules are installed on Ubuntu by default, and I would like to make a virtualenv (with --no-site-packages) aware of specific modules that are located elsewhere on the system.

What's the best way to do this? Or should I just suck it up and drop the --no-site-packages option?

+3  A: 

One way is to add the paths to your code using sys.path.

import sys

sys.path.append(somepath)

Another way is to use site, which processes .pth files in addition to adding to sys.path.

import site

site.addsitedir(sitedir, known_paths=None)

http://www.python.org/doc/2.6/library/site.html

But you probably don't want to add this to all your related code.

I've seen mention of sitecustomize.py being used to perform something like this, but after some testing I couldn't get it to work as might be expected.

Here it mentions that auto-import of sitecustomize.py ended in 2.5, if your not on 2.5 try it out. (just add one of the path add methods above to the file and drop it in the directory your program is run) A work around method is mentioned in the post for users of 2.5 and up.

http://code.activestate.com/recipes/552729/

monkut
A: 

I find in this situation, symlinks, or even copying specific files (packages, modules, extensions) works really well.

It allows the program to emulate being run in the target environment, rather than changing the application to suit the development environment.

Same deal for something like AppEngine.

Ali A
Yeh, but symlinks where? And what would I need to symlink for something like PyGTK?
Jeremy Cantrell
Link to your site-packages. On my Ubuntu here, I have /usr/lib/python-support/python-gtk2/python2.5/gtk-2.0/gtk. Already /var/lib/python-support/python2.5/gtk-2.0/gtk links there.Seems like a good start, and you may need trial and error. But you will be able to just script it out for next time.
Ali A
+6  A: 
$ virtualenv --no-site-packages --python=/usr/bin/python2.6 myvirtualenv
$ cd myvirtualenv
$ source bin/activate
$ cd lib/python2.6/
$ ln -s /usr/lib/pymodules/python2.6/gtk-2.0/ 
$ ln -s /usr/lib/pymodules/python2.6/pygtk.pth 
$ ln -s /usr/lib/pymodules/python2.6/pygtk.py 
$ ln -s /usr/lib/pymodules/python2.6/cairo/
$ python
>>> import pygtk
>>> import gtk
iElectric