Package glitter :: Package utils :: Module objects
[hide private]
[frames] | no frames]

Source Code for Module glitter.utils.objects

  1  """Base classes for OpenGL objects. 
  2   
  3  @todo: Rethink what C{__del__} and C{__exit__} methods should do when the interpreter exits (e.g. restoring to a deleted object will not work). 
  4   
  5  @author: Stephan Wenger 
  6  @date: 2012-02-29 
  7  """ 
  8   
  9  from functools import wraps as _wraps 
 10   
 11  import glitter.raw as _gl 
12 13 -def _get_context():
14 """Grab the current context from the L{context} module. 15 16 If no current context exists, a new one is created in a window system 17 dependent way. 18 19 @note: The import is wrapped in a function definition to avoid infinite 20 recursion on import because the L{context} module imports this module. 21 """ 22 23 from glitter.contexts import context_manager 24 return context_manager.current_context or context_manager.create_default_context()
25
26 -class GLObject(object):
27 """Base class for objects that belong to an OpenGL context. 28 29 @ivar _context: The parent context. 30 """ 31
32 - def __init__(self, context=None):
33 """Create a new C{GLObject}. 34 35 @param context: The parent context. Uses the current context if C{context} is C{None}. 36 @type context: L{Context} 37 """ 38 39 self._context = context or _get_context()
40 41 @property
42 - def context(self):
43 return self._context
44
45 -class ManagedObject(GLObject):
46 """Base class for objects that can be created and deleted in OpenGL. 47 48 When a C{ManagedObject} instance is garbage collected, the corresponding 49 OpenGL object is deleted as well. 50 51 For each C{ManagedObject} subclass, the context keeps a database of existing 52 objects. 53 54 @ivar _id: ID generated by OpenGL. The ID is only unique per context. 55 """ 56 57 _generate_id = NotImplemented 58 """Constructor function. 59 60 Example: C{glGenShader} 61 62 If the function has an C{argtypes} attribute, it may have zero, one, or two 63 parameters. If it has one parameter, L{_type} is passed as the parameter, 64 and the return value is used as L{_id}. If it has two parameters, C{1} is 65 passed as the first and a C{GLuint} pointer as the second parameter; the 66 number returned in this pointer is used as the L{_id}. All other functions 67 are simply called and their return values used as L{_id}. 68 """ 69 70 _delete_id = NotImplemented 71 """Destructor function. 72 73 Example: C{glDeleteShader} 74 75 If the function has an C{argtypes} attribute and two arguments, C{1} is 76 passed as the first and a C{GLuint} pointer to L{_id} as the second 77 parameter. Otherwise, L{_id} is passed as the only parameter. 78 """ 79 80 _type = NotImplemented 81 """An optional parameter for C{_generate_id}. 82 83 Example: C{GL_VERTEX_SHADER} 84 """ 85 86 _db = NotImplemented 87 """The name of the corresponding object database in the L{Context}. 88 89 Example: C{"shaders"} 90 """ 91
92 - def __init__(self, context=None):
93 """Create a new C{ManagedObject} using L{_generate_id}. 94 95 @param context: The parent context. 96 @type context: L{Context} 97 """ 98 99 if any(x is NotImplemented for x in (self._generate_id, self._delete_id)): 100 raise TypeError("%s is abstract" % self.__class__.__name__) 101 super(ManagedObject, self).__init__(context) 102 with self._context: 103 if hasattr(self._generate_id, "argtypes") and len(self._generate_id.argtypes) == 1: 104 self._id = self._generate_id(self._type) 105 elif hasattr(self._generate_id, "argtypes") and len(self._generate_id.argtypes) == 2: 106 _id = _gl.GLuint() 107 self._generate_id(1, _gl.pointer(_id)) 108 self._id = _id.value 109 else: 110 self._id = self._generate_id() 111 if self._id == 0: 112 raise RuntimeError("could not create %s" % self.__class__.__name__) 113 if self._db is not NotImplemented: 114 getattr(self._context, self._db)._objects[self._id] = self
115
116 - def __del__(self):
117 """Delete the OpenGL object using L{_delete_id}. 118 119 Any errors will be ignored because the OpenGL module may already have 120 been garbage collected when the interpreter exits. 121 """ 122 123 try: 124 with self._context: 125 if hasattr(self._delete_id, "argtypes") and len(self._delete_id.argtypes) == 2: 126 self._delete_id(1, _gl.pointer(_gl.GLuint(self._id))) 127 else: 128 self._delete_id(self._id) 129 self._id = 0 130 except: 131 pass
132
133 -class StateMixin(object):
134 """Mixin for objects with properties. 135 136 Calling these objects will generate an appropriate L{State} wrapper for use 137 in C{with} statements. 138 """ 139
140 - def __call__(self, **kwargs):
141 """Return a L{State} wrapper around C{self}.""" 142 return State(self, do_enter_exit=True, **kwargs)
143
144 -class BindableObject(GLObject, StateMixin):
145 """Base class for objects that can be bound. 146 147 When the object is bound, it returns the object that was previously bound 148 to the same target. 149 150 C{BindableObject} instances can be used in C{with} statements so that binding 151 and resetting the previous state happens automatically. 152 153 If subclasses define the methods L{_on_bind} or L{_on_release}, these will be 154 called by the binding handler in the context whenever the instance is bound 155 or unbound, respectively. 156 157 If subclasses define a property C{_bind_value}, this value will be passed to 158 the binding function instead of C{self}. 159 160 Binding of an object to different targets (e.g. buffers that are bound to 161 different targets, framebuffers that are bound for reading or drawing, and 162 textures that are bound to different texture image units) is not covered by 163 the C{BindableObject} class. 164 165 @ivar _stack: A stack for storing previous bindings within C{with} 166 statements. 167 """ 168 169 _binding = NotImplemented 170 """Name of the corresponding property in the L{Context}. 171 172 Example: C{"array_buffer_binding"} 173 """ 174 175 _on_bind = NotImplemented 176 """Function to call before binding. 177 178 L{ShaderProgram}s, for example, bind textures here. 179 """ 180 181 _on_release = NotImplemented 182 """Function to call after releasing. 183 184 L{ShaderProgram}s, for example, release textures here. 185 """ 186 187 _bind_value = NotImplemented 188 """Value to pass to the C{_binding} property. 189 190 If C{NotImplemented}, C{self} will be used. 191 """ 192
193 - def __init__(self, context=None):
194 """Create a new C{BindableObject}. 195 196 @param context: The parent context. 197 @type context: L{Context} 198 """ 199 200 if any(x is NotImplemented for x in (self._binding,)): 201 raise TypeError("%s is abstract" % self.__class__.__name__) 202 super(BindableObject, self).__init__(context) 203 self._stack = []
204
205 - def bind(self):
206 """Bind the object and return the previously bound object. 207 208 Binding is executed by setting the parent L{Context}'s property named 209 in L{_binding}. 210 211 @return: The previous value of the property. 212 """ 213 214 try: 215 old_binding = getattr(self._context, self._binding) 216 except AttributeError: 217 old_binding = None 218 setattr(self._context, self._binding, self if self._bind_value is NotImplemented else self._bind_value) 219 return old_binding
220
221 - def __enter__(self):
222 """Called when a C{with} statement is entered. 223 224 Activates the parent L{Context}, calls L{bind} and stores the returned 225 value on the L{_stack}. 226 """ 227 228 self._context.__enter__() 229 self._stack.append(self.bind()) 230 return self
231
232 - def __exit__(self, type, value, traceback):
233 """Called when a C{with} statement is exited. 234 235 Restores the previous binding from the L{_stack} by setting the 236 attribute named in L{_binding} in the parent L{Context} and deactivates 237 the parent L{Context}. 238 """ 239 240 setattr(self._context, self._binding, self._stack.pop()) 241 self._context.__exit__(type, value, traceback)
242
243 -class State(GLObject, StateMixin):
244 """Context manager to add binding semantics to context property changes. 245 246 To set properties of the context and automatically reset it to its old 247 value later, use a C{with} statement with a C{State} object. 248 """ 249
250 - def __init__(self, context=None, do_enter_exit=False, **kwargs):
251 """Create a C{State} object for use in C{with} statements. 252 253 When entering the C{with} statement, the properties of C{context} given 254 in C{kwargs} will be set to their respective values. On exiting the 255 C{with} statement, the old value will be restored. 256 257 If C{context} defines C{__enter__} and C{__exit__} methods, this will 258 be called on entering and exiting the C{with} block, respectively, 259 if C{do_enter_exit} is C{True}. 260 261 No guarantee is made about the order in which the properties are set, 262 but they are guaranteed to be reset in reverse order. 263 264 For convenience, C{__getattr__} and C{__setattr__} calls are redirected 265 to C{context}, so that C{with State(...) as x:} works as expected. 266 267 @param context: The context object on which to set the properties, or the current context if it is C{None}. 268 @type context: L{Context} or any other object with attributes 269 @param do_enter_exit: Whether to call C{context}'s C{__enter__} and C{__exit__} methods. 270 @type do_enter_exit: C{bool} 271 @param kwargs: A dictionary of property names and their values. 272 @type kwargs: C{dict} 273 """ 274 275 super(State, self).__init__(context) 276 self._do_enter_exit = do_enter_exit 277 self._properties = kwargs 278 self._stack = []
279
280 - def __enter__(self):
281 if self._do_enter_exit and hasattr(self._context, "__enter__"): 282 self._context.__enter__() 283 for key, value in self._properties.items(): 284 try: 285 self._stack.append(getattr(self._context, key)) 286 except AttributeError: 287 self._stack.append(None) 288 setattr(self._context, key, value) 289 return self
290
291 - def __exit__(self, type, value, traceback):
292 for key in reversed(self._properties.keys()): 293 setattr(self._context, key, self._stack.pop()) 294 if self._do_enter_exit and hasattr(self._context, "__exit__"): 295 self._context.__exit__(type, value, traceback)
296
297 - def __getattr__(self, key):
298 if not hasattr(self, "_stack"): # constructor not done yet 299 return super(State, self).__getattr__(key) 300 return getattr(self._context, key)
301
302 - def __setattr__(self, key, value):
303 if not hasattr(self, "_stack"): # constructor not done yet 304 return super(State, self).__setattr__(key, value) 305 setattr(self._context, key, value)
306
307 -class BindReleaseObject(GLObject, StateMixin):
308 """Base class for objects that can be bound and released. 309 310 C{BindReleaseObject} should be used instead of L{BindableObject} when binding 311 and releasing are not performed by setting a property on a context, but by 312 custom L{bind} and L{release} methods. 313 314 Subclasses are responsible for restoring any objects previously bound to 315 the same target. 316 """ 317 318 bind = NotImplemented 319 """Method for binding C{self} to L{_context}. 320 321 C{bind} takes no arguments. 322 """ 323 324 release = NotImplemented 325 """Method for releasing C{self} from L{_context}. 326 327 C{release} is responsible for restoring any previous binding. 328 329 C{release} takes no arguments. 330 """ 331
332 - def __init__(self, context=None):
333 """Create a new C{BindReleaseObject}. 334 335 @param context: The parent context. 336 @type context: L{Context} 337 """ 338 339 super(BindReleaseObject, self).__init__(context) 340 if any(x is NotImplemented for x in (self.bind, self.release)): 341 raise TypeError("%s is abstract" % self.__class__.__name__)
342
343 - def __enter__(self):
344 """Called when a C{with} statement is entered. 345 346 Activates the parent L{Context} and calls L{bind}. 347 """ 348 349 self._context.__enter__() 350 self.bind() 351 return self
352
353 - def __exit__(self, type, value, traceback):
354 """Called when a C{with} statement is exited. 355 356 Calls L{release} and deactivates the parent L{Context}. 357 """ 358 359 self.release() 360 self._context.__exit__(type, value, traceback)
361
362 -def with_obj(obj, f):
363 """Create a wrapper that executes C{f} in a C{with obj:} block.""" 364 @_wraps(f) 365 def wrapper(*args, **kwargs): 366 with obj: 367 return f(*args, **kwargs)
368 return wrapper 369 370 __all__ = ["GLObject", "ManagedObject", "BindableObject", "BindReleaseObject", "State", "StateMixin", "with_obj"] 371