معرفی شرکت ها


cs.obj-20220918


Card image cap
تبلیغات ما

مشتریان به طور فزاینده ای آنلاین هستند. تبلیغات می تواند به آنها کمک کند تا کسب و کار شما را پیدا کنند.

مشاهده بیشتر
Card image cap
تبلیغات ما

مشتریان به طور فزاینده ای آنلاین هستند. تبلیغات می تواند به آنها کمک کند تا کسب و کار شما را پیدا کنند.

مشاهده بیشتر
Card image cap
تبلیغات ما

مشتریان به طور فزاینده ای آنلاین هستند. تبلیغات می تواند به آنها کمک کند تا کسب و کار شما را پیدا کنند.

مشاهده بیشتر
Card image cap
تبلیغات ما

مشتریان به طور فزاینده ای آنلاین هستند. تبلیغات می تواند به آنها کمک کند تا کسب و کار شما را پیدا کنند.

مشاهده بیشتر
Card image cap
تبلیغات ما

مشتریان به طور فزاینده ای آنلاین هستند. تبلیغات می تواند به آنها کمک کند تا کسب و کار شما را پیدا کنند.

مشاهده بیشتر

توضیحات

Convenience facilities for objects.
ویژگی مقدار
سیستم عامل -
نام فایل cs.obj-20220918
نام cs.obj
نسخه کتابخانه 20220918
نگهدارنده []
ایمیل نگهدارنده []
نویسنده Cameron Simpson
ایمیل نویسنده Cameron Simpson <cs@cskk.id.au>
آدرس صفحه اصلی https://bitbucket.org/cameron_simpson/css/commits/all
آدرس اینترنتی https://pypi.org/project/cs.obj/
مجوز GNU General Public License v3 or later (GPLv3+)
Convenience facilities for objects. *Latest release 20220918*: * SingletonMixin: change example to probe self__dict__ instead of hasattr, faster and less fragile. * New Sentinel class for named sentinel objects, equal only to their own instance. ## Function `as_dict(o, selector=None)` Return a dictionary with keys mapping to the values of the attributes of `o`. Parameters: * `o`: the object to map * `selector`: the optional selection criterion If `selector` is omitted or `None`, select "public" attributes, those not commencing with an underscore. If `selector` is a `str`, select attributes starting with `selector`. Otherwise presume `selector` is callable and select attributes `attr` where `selector(attr)` is true. ## Function `copy(obj, *a, **kw)` Convenient function to shallow copy an object with simple modifications. Performs a shallow copy of `self` using copy.copy. Treat all positional parameters as attribute names, and replace those attributes with shallow copies of the original attribute. Treat all keyword arguments as (attribute,value) tuples and replace those attributes with the supplied values. ## Function `flavour(obj)` Return constants indicating the ``flavour'' of an object: * `T_MAP`: DictType, DictionaryType, objects with an __keys__ or keys attribute. * `T_SEQ`: TupleType, ListType, objects with an __iter__ attribute. * `T_SCALAR`: Anything else. ## Class `O(types.SimpleNamespace)` The `O` class is now obsolete, please subclass `types.SimpleNamespace` or use a dataclass. ## Function `O_attritems(o)` Generator yielding `(attr,value)` for relevant attributes of `o`. ## Function `O_attrs(o)` Yield attribute names from `o` which are pertinent to `O_str`. Note: this calls `getattr(o,attr)` to inspect it in order to prune callables. ## Function `O_merge(o, _conflict=None, _overwrite=False, **kw)` Merge key:value pairs from a mapping into an object. Ignore keys that do not start with a letter. New attributes or attributes whose values compare equal are merged in. Unequal values are passed to: _conflict(o, attr, old_value, new_value) to resolve the conflict. If _conflict is omitted or None then the new value overwrites the old if _overwrite is true. ## Function `O_str(o, no_recurse=False, seen=None)` Return a `str` representation of the object `o`. Parameters: * `o`: the object to describe. * `no_recurse`: if true, do not recurse into the object's structure. Default: `False`. * `seen`: a set of previously sighted objects to prevent recursion loops. ## Function `obj_as_dict(*args, **kwargs)` OBSOLETE convesion of an object to a `dict`. Please us `cs.obj.as_dict`. ## Class `Proxy` An extremely simple proxy object that passes all unmatched attribute accesses to the proxied object. Note that setattr and delattr work directly on the proxy, not the proxied object. ## Class `Sentinel` A simple class for named sentinels whose `str()` is just the name and whose `==` uses `is`. Example: >>> from cs.obj import Sentinel >>> MISSING = Sentinel("MISSING") >>> print(MISSING) MISSING >>> other = Sentinel("other") >>> MISSING == other False >>> MISSING == MISSING True ## Function `singleton(registry, key, factory, fargs, fkwargs)` Obtain an object for `key` via `registry` (a mapping of `key`=>object). Return `(is_new,object)`. If the `key` exists in the registry, return the associated object. Otherwise create a new object by calling `factory(*fargs,**fkwargs)` and store it as `key` in the `registry`. The `registry` may be any mapping of `key`s to objects but will usually be a `weakref.WeakValueDictionary` in order that object references expire as normal, allowing garbage collection. *Note*: this function *is not* thread safe. Multithreaded users should hold a mutex. See the `SingletonMixin` class for a simple mixin to create singleton classes, which does provide thread safe operations. ## Class `SingletonMixin` A mixin turning a subclass into a singleton factory. *Note*: this mixin overrides `object.__new__` and may not play well with other classes which override `__new__`. *Warning*: because of the mechanics of `__new__`, the instance's `__init__` method will always be called after `__new__`, even when a preexisting object is returned. Therefore that method should be sensible even for an already initialised and probably subsequently modified object. My suggested approach is to access some attribute, and preemptively return if it already exists. Example: def __init__(self, x, y): if 'x' in self.__dict__: return self.x = x self.y = y *Note*: we probe `self.__dict__` above to accomodate classes with a `__getattr__` method. *Note*: each class registry has a lock, which ensures that reuse of an object in multiple threads will call the `__init__` method in a thread safe serialised fashion. Implementation requirements: a subclass should: * provide a method `_singleton_key(*args,**kwargs)` returning a key for use in the single registry, computed from the positional and keyword arguments supplied on instance creation i.e. those which `__init__` would normally receive. This should have the same signature as `__init__` but using `cls` instead of `self`. * provide a normal `__init__` method which can be safely called again after some earlier initialisation. This class is thread safe for the registry operations. Example: class Pool(SingletonMixin): @classmethod def _singleton_key(cls, foo, bah=3): return foo, bah def __init__(self, foo, bah=3): if hasattr(self, 'foo'): return ... normal __init__ stuff here ... self.foo = foo ... *Method `SingletonMixin.__new__(cls, *a, **kw)`*: Prepare a new instance of `cls` if required. Return the instance. This creates the class registry if missing, prepares a key from `cls._singleton_key`, then returns the entry from the registry is present, or creates a new entry if not. Note: if the key is `None` a new entry is always created and not recorded in the registry. ## Class `TrackedClassMixin` A mixin to track all instances of a particular class. This is aimed at checking the global state of objects of a particular type, particularly states like counters. The tracking is attached to the class itself. The class to be tracked includes this mixin as a superclass and calls: TrackedClassMixin.__init__(class_to_track) from its __init__ method. Note that `class_to_track` is typically the class name itself, not `type(self)` which would track the specific subclass. At some relevant point one can call: self.tcm_dump(class_to_track[, file]) `class_to_track` needs a `tcm_get_state` method to return the salient information, such as this from cs.resources.MultiOpenMixin: def tcm_get_state(self): return {'opened': self.opened, 'opens': self._opens} See cs.resources.MultiOpenMixin for example use. # Release Log *Release 20220918*: * SingletonMixin: change example to probe self__dict__ instead of hasattr, faster and less fragile. * New Sentinel class for named sentinel objects, equal only to their own instance. *Release 20220530*: SingletonMixin: add default __hash__ and __eq__ methods to support dict and set membership. *Release 20210717*: SingletonMixin: if cls._singleton_key returns None we always make a new instance and do not register it. *Release 20210306*: SingletonMixin: make singleton_also_by() a public method. *Release 20210131*: SingletonMixin: new _singleton_also_indexmap method to return a mapping of secondary keys to values to secondary lookup, _singleton_also_index() to update these indices, _singleton_also_by to look up a secondary index. *Release 20210122*: SingletonMixin: new _singleton_instances() method returning a list of the current instances. *Release 20201227*: SingletonMixin: correctly invoke __new__, a surprisingly fiddly task to get right. *Release 20201021*: * @OBSOLETE(obj_as_dict), recommend "as_dict()". * [BREAKING] change as_dict() to accept a single optional selector instead of various mutually exclusive keywords. *Release 20200716*: SingletonMixin: no longer require special _singleton_init method, reuse default __init__ implicitly through __new__ mechanics. *Release 20200517*: Documentation improvements. *Release 20200318*: * Replace obsolete O class with a new subclass of SimpleNamespace which issues a warning. * New singleton() generic factory function and SingletonMixin mixin class for making singleton classes. *Release 20190103*: * New mixin class TrackedClassMixin to track all instances of a particular class. * Documentation updates. *Release 20170904*: Minor cleanups. *Release 20160828*: * Use "install_requires" instead of "requires" in DISTINFO. * Minor tweaks. *Release 20150118*: move long_description into cs/README-obj.rst *Release 20150110*: cleaned out some old junk, readied metadata for PyPI


نیازمندی

مقدار نام
>=20220918 cs.deco
>=20220523 cs.py3


نحوه نصب


نصب پکیج whl cs.obj-20220918:

    pip install cs.obj-20220918.whl


نصب پکیج tar.gz cs.obj-20220918:

    pip install cs.obj-20220918.tar.gz