Python Slots Property

  1. Python Set Property
  2. Python Slots Property Online
  3. Python Slots Property For Sale

使用slots 但是,如果我们想要限制class的属性怎么办?比如,只允许对Student实例添加name和age属性。 为了达到限制的目的,Python允许在定义class的时候,定义一个特殊的slots变量,来限制该class能添加的属性: class Student(object). Just for completeness of my notes, note that there is a one-time cost per slot in the class's namespace of 64 bytes in Python 2, and 72 bytes in Python 3, because slots use data descriptors like properties.

Latest version

Released:

Decorator to add __slots__ in dataclasses

Project description

Decorator for adding slots

Python3.7 provides dataclasses module for faster class creation (PEP 557).Unfortunately there's no support for __slots__. If you want to create more memory efficient instances, you need todo it by yourself or use dataslots.dataslots decorator.

Usage

Simple example

Inheritance

As described in docs, in derived class __dict__ is created, because base class does not have __slots__.Slots are created from all defined properties (returned by dataclasses.fields() function).

Dynamic assignment of new variables

Weakref

Read-only class variables

With __slots__ it's possible to define read-only class variables. When using dataclasses you cannot provide typefor attribute or use typing.ClassVar to declare one.

Pickling frozen dataclass

Because of an issue 36424 you need custom __setstate__ method. In dataslots there isimplemented default version and it is used if decorated class has no __getstate__ and __setstate__ function declared.

More about __slots__

Release historyRelease notifications RSS feed

Python Slots Property

1.0.2

1.0.2rc2 pre-release

1.0.1

1.0.0

Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Files for dataslots, version 1.0.2
Filename, sizeFile typePython versionUpload dateHashes
Filename, size dataslots-1.0.2-py2.py3-none-any.whl (4.1 kB) File type Wheel Python version py2.py3 Upload dateHashes
Filename, size dataslots-1.0.2.tar.gz (7.5 kB) File type Source Python version None Upload dateHashes
Close

Hashes for dataslots-1.0.2-py2.py3-none-any.whl

Hashes for dataslots-1.0.2-py2.py3-none-any.whl
AlgorithmHash digest
SHA2564fe302ab59c86e01a4fafe516776a198cd8a42dc696dcc9d525e2ec8ee0fe773
MD5aa8075201eba64938a16361e741a901b
BLAKE2-256b2b22f9f4ea849a076effa673dd9b7e67bedb9358ad0875c30cd4ae0ad6298bc
Close

Hashes for dataslots-1.0.2.tar.gz

Hashes for dataslots-1.0.2.tar.gz
AlgorithmHash digest
SHA2560dfc4d12aab104b00ddb88a585c0a2227bbb9bd19c785dc8068b43eb0d6009e1
MD5656b169564c8623fe9a97aa5f25df7fd
BLAKE2-256a81ca45405ae05d585b786e1819a3406310a097ffd7bf5f104e7c78e63cb86a8

Python Metaprogramming - Properties on Steroids

Metaprogramming is an advanced topic, it requires a good understanding of the language itself. I assume you already know Python well enough even though I include references to complementary resources. If you are interested only in the final result, there is a link to the code at the end of the article.

Python is a very dynamic language, everything is an object, objects are created by classes (usually) but classes can also be created by otherclases or functions (this is amazing). Objects, once created, can be modified (add/remove/replace properties, methods, attributes, etc…) and thismeans that you can do a lot of metaprogramming in python. Metaprogramming is a key that can open the doors to heaven or hell.

Ok but what is metaprogramming? here is a definition from wikipedia:

Metaprogramming is a programming technique in which computer programs have the ability to treat other programs as their data. It means that a program can be designed to read, generate, analyze or transform other programs, and even modify itself while running.
-- Harald Sondergaard. 'Course on Program Analysis and Transformation'. Retrieved 18 September 2014.
-- Czarnecki, Krzysztof; Eisenecker, Ulrich W. (2000). Generative Programming. ISBN 0-201-30977-7.


In this article, I will use metaprogramming to change how properties are defined in a class, how they can be documented, initialized, how to set a default value, how to make them read-only and observable, and as a bonus, I will improve memory usage of the objects created by the class. And as a second bonus, I will seal the object against attribute injections. I call this “Properties on Steroids”.

Requirements

  1. A property must be defined in a succinct and pythonic way.
  2. A property definition can setup a default value.
  3. A property must support docstring (__doc__).
  4. A Property can have a type hint.
  5. A Property can be read-only or read-and-write.
  6. A Property can be observable.
  7. A Property must not use more memory than traditional python property (@property)
  8. Bonus: Field storage can be optimized
  9. Bonus2: Objects created from the class must be protected from field injection.
  10. DO NOT USE A METACLASS

Important concepts used in the solution

Classes are created at runtime

In python, classes are created at runtime, so the code inside the class scope can modify the resulting class by adding/removing/replacing things in the class scope (local).

For more info about classes in Python: https://docs.python.org/3/tutorial/classes.html

Scopes

There are two scopes in python: local and global. Scopes are symbol tables of what is reachable from the current point in code. you can access the symbol table using the builtin functions locals() and globals(). The important part here is that you can modify the scope just adding/replacing/removing things in the symbol table.

For example, if you want to define a variable in the local scope dynamically:

For more info about scopes in python: https://realpython.com/python-scope-legb-rule/

Decorators

In python, functions are objects and can be passed to other functions like any other object. The idea of a decorator is a function that receives another function and returns a new function based on the original. There is a special syntax in python to call a decorator function just on function definition and effectively replacing the original function with the one returned by the decorator.

Example:

The above code will print:

For more info about decorators: https://realpython.com/primer-on-python-decorators/

Properties

Python has a special class called properties, it allows us to create getter/setter/deleter for a field. In combination with decorators you can define functional properties.

We will change this pattern to add more features like observability, and automatic usage of slots.

For more info about properties: https://docs.python.org/3/howto/descriptor.html#properties

Slots

Objects in Python do store attributes in an internal dictionary called __dict__, it allows dynamic creation of attributes in any object but uses additional memory for the dict object itself. If you want that your object do not support dynamic attribute creation, you can remove the __dict__ mechanism and use object slots with the additional benefit of memory savings.

I will not explain slots here, but you can find detailed info in the following resources:

Context Managers

Context managers are objects that can execute code at the beginning and at the end of a code block. they are used with the with statement.

For more info about context managers: https://docs.python.org/3/library/contextlib.html

Proposed Solution

Ok, now with all the tools in the bag, we can create our own monster.

The final goal:

Result:

The traditional equivalent code:

Python Set Property

The differences

initially it appears to have no major advantajes, but the classes Car and CarTraditional and the objects mycar and mycar2 are very different.

Field injection

With Metaprog:

With traditional code:

Default values

With Metaprog:

Default values are specified at property definition.

With traditional code:

Default values are defined by assignment in constructor

Observability

With Metaprog:

Multiple attributes can be observed with the same listener, listener specified on property definition, listener is called only if new value is different from current.

With traditional code:You must implement observability by your own.

Read-Only / Read-Write

With Metaprog:

One single definition will create readonly or read-write property.

With traditional code:

You must define a getter and a setter if the property is writable.

Constructor arguments to field assigment

With Metaprog:

Python Slots Property Online

Constructor arguments can set defined properties automatically.

With traditional code:

Slot machine in python

You must set properties by hand.

Implementation

Ok, in a small sample class like Car there is no much advantage but in a large system with many classes and classes with many mutable and “immutable” attributes and complex state changes it will add lot of productivity in a very pythonic way.

Property

Lets see the magic:

API

self_properties(self, scope, exclude=(), save_args=False)

This utility function copy all the symbols in scope to self as properties. If you call it at the beginning of the constructor and pass the local scope, it will just copy the function arguments.

if you want to exlude something from the copy, just do this:

if you want to save all arguments as a tuple (additionally):

properties

Python Slots Property For Sale

This is where the magic happens. properties is a context manager that do the following:

  1. Define a prop decorator to create properties.
  2. Manage __slots__ automatically for the class.
  3. Clean itself from the class scope.

@meta.prop

prop is the decorator, it transforms functions into properties.

Arguments:

  • read_only: bool: Will create a read only property
  • listener: Union[str,bool]: specify the method to call on change if str. if bool, it will default to ‘_changed’
  • auto_dirty: bool: Will set a field _is_dirty to true if the property change.

Thanks for reading.

Gist on Github: https://gist.github.com/mnesarco/e9440a196824af4bae439e4aeb4b6dcc

pythonmetaprogrammingadvanced

Please enable JavaScript to view the comments powered by Disqus.