diff options
author | CoprDistGit <infra@openeuler.org> | 2023-04-11 19:32:23 +0000 |
---|---|---|
committer | CoprDistGit <infra@openeuler.org> | 2023-04-11 19:32:23 +0000 |
commit | 311844a5457e169462e925b4ebf4ac38a11bb11e (patch) | |
tree | 7171478b89e4c5a1a929dadb9b01836236c2ceb7 | |
parent | 0673c9ba8eeb7813d44669a93871245fcba94d78 (diff) |
automatic import of python-deserialize
-rw-r--r-- | .gitignore | 1 | ||||
-rw-r--r-- | python-deserialize.spec | 897 | ||||
-rw-r--r-- | sources | 1 |
3 files changed, 899 insertions, 0 deletions
@@ -0,0 +1 @@ +/deserialize-2.0.1.tar.gz diff --git a/python-deserialize.spec b/python-deserialize.spec new file mode 100644 index 0000000..a0f29ba --- /dev/null +++ b/python-deserialize.spec @@ -0,0 +1,897 @@ +%global _empty_manifest_terminate_build 0 +Name: python-deserialize +Version: 2.0.1 +Release: 1 +Summary: A library to make deserialization easy. +License: MIT +URL: https://github.com/dalemyers/deserialize +Source0: https://mirrors.nju.edu.cn/pypi/web/packages/6e/bf/d8fa41d6167ffde0d937ff9dd70fcea2c1db4d021300f4a8c2987eb88e54/deserialize-2.0.1.tar.gz +BuildArch: noarch + + +%description + [](https://badge.fury.io/py/deserialize)  + +# deserialize + +A library to make deserialization easy. To get started, just run `pip install deserialize` + +### How it used to be + +Without the library, if you want to convert: + +```json +{ + "a": 1, + "b": 2 +} +``` + +into a dedicated class, you had to do something like this: + +```python +class MyThing: + + def __init__(self, a, b): + self.a = a + self.b = b + + @staticmethod + def from_json(json_data): + a_value = json_data.get("a") + b_value = json_data.get("b") + + if a_value is None: + raise Exception("'a' was None") + elif b_value is None: + raise Exception("'b' was None") + elif type(a_value) != int: + raise Exception("'a' was not an int") + elif type(b_value) != int: + raise Exception("'b' was not an int") + + return MyThing(a_value, b_value) + +my_instance = MyThing.from_json(json_data) +``` + +### How it is now + +With `deserialize` all you need to do is this: + +```python +import deserialize + +class MyThing: + a: int + b: int + +my_instance = deserialize.deserialize(MyThing, json_data) +``` + +That's it. It will pull out all the data and set it for you type checking and even checking for null values. + +If you want null values to be allowed though, that's easy too: + +```python +from typing import Optional + +class MyThing: + a: Optional[int] + b: Optional[int] +``` + +Now `None` is a valid value for these. + +Types can be nested as deep as you like. For example, this is perfectly valid: + +```python +class Actor: + name: str + age: int + +class Episode: + title: str + identifier: st + actors: List[Actor] + +class Season: + episodes: List[Episode] + completed: bool + +class TVShow: + seasons: List[Season] + creator: str +``` + +## Advanced Usage + +### Custom Keys + +It may be that you want to name your properties in your object something different to what is in the data. This can be for readability reasons, or because you have to (such as if your data item is named `__class__`). This can be handled too. Simply use the `key` annotation as follows: + +```python +@deserialize.key("identifier", "id") +class MyClass: + value: int + identifier: str +``` + +This will now assign the data with the key `id` to the field `identifier`. You can have multiple annotations to override multiple keys. + +### Auto Snake + +Data will often come in with the keys either camelCased or PascalCased. Since Python uses snake_case as standard for members, this means that custom keys are often used to do the conversion. To make this easier, you can add the `auto_snake` decorator and it will do this conversion for you where it can. + +```python +@deserialize.auto_snake() +class MyClass: + some_integer: int + some_string: str +``` + +Now you can pass this data and it will automatically parse: + +```python +{ + "SomeInteger": 3, + "SomeString": "Hello" +} +``` + +Note that all fields need to be snake cased if you use this decorator. + +### Unhandled Fields + +Usually, if you don't specify the field in your definition, but it does exist in the data, you just want to ignore it. Sometimes however, you want to know if there is extra data. In this case, when calling `deserialize(...)` you can set `throw_on_unhandled=True` and it will raise an exception if any fields in the data are unhandled. + +Additionally, sometimes you want this, but know of a particular field that can be ignored. You can mark these as allowed to be unhandled with the decorator `@allow_unhandled("key_name")`. + +### Ignored Keys + +You may want some properties in your object that aren't loaded from disk, but instead created some other way. To do this, use the `ignore` decorator. Here's an example: + +```python +@deserialize.ignore("identifier") +class MyClass: + value: int + identifier: str +``` + +When deserializing, the library will now ignore the `identifier` property. + +### Parsers + +Sometimes you'll want something in your object in a format that the data isn't in. For example, if you get the data: + +```python +{ + "successful": True, + "timestamp": 1543770752 +} +``` + +You may want that to be represented as: + +```python +class Result: + successful: bool + timestamp: datetime.datetime +``` + +By default, it will fail on this deserialization as the value in the data is not a timestamp. To correct this, use the `parser` decorator to tell it a function to use to parse the data. E.g. + +```python +@deserialize.parser("timestamp", datetime.datetime.fromtimestamp) +class Result: + successful: bool + timestamp: datetime.datetime +``` + +This will now detect when handling the data for the _key_ `timestamp` and run it through the parser function supplied before assigning it to your new class instance. + +The parser is run _before_ type checking is done. This means that if you had something like `Optional[datetime.datetime]`, you should ensure your parser can handle the value being `None`. Your parser will obviously need to return the type that you have declared on the property in order to work. + + +### Subclassing + +Subclassing is supported. If you have a type `Shape` for example, which has a subclass `Rectangle`, any properties on `Shape` are supported if you try and decode some data into a `rectangle object. + +### Raw Storage + +It can sometimes be useful to keep a reference to the raw data that was used to construct an object. To do this, simply set the `raw_storage_mode` paramater to `RawStorageMode.ROOT` or `RawStorageMode.ALL`. This will store the data in a parameter named `__deserialize_raw__` on the root object, or on all objects in the tree respectively. + +### Defaults + +Some data will come to you with fields missing. In these cases, a default is often known. To do this, simply decorate your class like this: + +```python +@deserialize.default("value", 0) +class IntResult: + successful: bool + value: int +``` + +If you pass in data like `{"successful": True}` this will deserialize to a default value of `0` for `value`. Note, that this would not deserialize since `value` is not optional: `{"successful": True, "value": None}`. + +### Post-processing + +Not everything can be set on your data straight away. Some things need to be figured out afterwards. For this you need to do some post-processing. The easiest way to do this is through the `@constructed` decorator. This decorator takes a function which will be called whenever a new instance is constructed with that instance as an argument. Here's an example which converts polar coordinates from using degrees to radians: + +```python +data = { + "angle": 180.0, + "magnitude": 42.0 +} + +def convert_to_radians(instance): + instance.angle = instance.angle * math.pi / 180 + +@deserialize.constructed(convert_to_radians) +class PolarCoordinate: + angle: float + magnitude: float + +pc = deserialize.deserialize(PolarCoordinate, data) + +print(pc.angle, pc.magnitude) + +>>> 3.141592653589793 42.0 +``` + + +### Downcasting + +Data often comes in the form of having the type as a field in the data. This can be difficult to parse. For example: + +```python +data = [ + { + "data_type": "foo", + "foo_prop": "Hello World", + }, + { + "data_type": "bar", + "bar_prop": "Goodbye World", + } +] +``` + +Since the fields differ between the two, there's no good way of parsing this data. You could use optional fields on some base class, try multiple deserializations until you find the right one, or do the deserialization based on a mapping you build of the `data_type` field. None of those solutions are elegant though, and all have issues if the types are nested. Instead, you can use the `downcast_field` and `downcast_identifier` decorators. + +`downcast_field` is specified on a base class and gives the name of the field that contains the type information. `downcast_identifier` takes in a base class and an identifier (which should be one of the possible values of the `downcast_field` from the base class). Internally, when a class with a downcast field is detected, the field will be extacted, and a subclass with a matching identifier will be searched for. If no such class exists, an `UndefinedDowncastException` will be thrown. + +Here's an example which would handle the above data: + +```python +@deserialize.downcast_field("data_type") +class MyBase: + type_name: str + + +@deserialize.downcast_identifier(MyBase, "foo") +class Foo(MyBase): + foo_prop: str + + +@deserialize.downcast_identifier(MyBase, "bar") +class Bar(MyBase): + bar_prop: str + + +result = deserialize.deserialize(List[MyBase], data) +``` + +Here, `result[0]` will be an instance of `Foo` and `result[1]` will be an instance of `Bar`. + +If you can't describe all of your types, you can use `@deserialize.allow_downcast_fallback` on your base class and any unknowns will be left as dictionaries. + + +%package -n python3-deserialize +Summary: A library to make deserialization easy. +Provides: python-deserialize +BuildRequires: python3-devel +BuildRequires: python3-setuptools +BuildRequires: python3-pip +%description -n python3-deserialize + [](https://badge.fury.io/py/deserialize)  + +# deserialize + +A library to make deserialization easy. To get started, just run `pip install deserialize` + +### How it used to be + +Without the library, if you want to convert: + +```json +{ + "a": 1, + "b": 2 +} +``` + +into a dedicated class, you had to do something like this: + +```python +class MyThing: + + def __init__(self, a, b): + self.a = a + self.b = b + + @staticmethod + def from_json(json_data): + a_value = json_data.get("a") + b_value = json_data.get("b") + + if a_value is None: + raise Exception("'a' was None") + elif b_value is None: + raise Exception("'b' was None") + elif type(a_value) != int: + raise Exception("'a' was not an int") + elif type(b_value) != int: + raise Exception("'b' was not an int") + + return MyThing(a_value, b_value) + +my_instance = MyThing.from_json(json_data) +``` + +### How it is now + +With `deserialize` all you need to do is this: + +```python +import deserialize + +class MyThing: + a: int + b: int + +my_instance = deserialize.deserialize(MyThing, json_data) +``` + +That's it. It will pull out all the data and set it for you type checking and even checking for null values. + +If you want null values to be allowed though, that's easy too: + +```python +from typing import Optional + +class MyThing: + a: Optional[int] + b: Optional[int] +``` + +Now `None` is a valid value for these. + +Types can be nested as deep as you like. For example, this is perfectly valid: + +```python +class Actor: + name: str + age: int + +class Episode: + title: str + identifier: st + actors: List[Actor] + +class Season: + episodes: List[Episode] + completed: bool + +class TVShow: + seasons: List[Season] + creator: str +``` + +## Advanced Usage + +### Custom Keys + +It may be that you want to name your properties in your object something different to what is in the data. This can be for readability reasons, or because you have to (such as if your data item is named `__class__`). This can be handled too. Simply use the `key` annotation as follows: + +```python +@deserialize.key("identifier", "id") +class MyClass: + value: int + identifier: str +``` + +This will now assign the data with the key `id` to the field `identifier`. You can have multiple annotations to override multiple keys. + +### Auto Snake + +Data will often come in with the keys either camelCased or PascalCased. Since Python uses snake_case as standard for members, this means that custom keys are often used to do the conversion. To make this easier, you can add the `auto_snake` decorator and it will do this conversion for you where it can. + +```python +@deserialize.auto_snake() +class MyClass: + some_integer: int + some_string: str +``` + +Now you can pass this data and it will automatically parse: + +```python +{ + "SomeInteger": 3, + "SomeString": "Hello" +} +``` + +Note that all fields need to be snake cased if you use this decorator. + +### Unhandled Fields + +Usually, if you don't specify the field in your definition, but it does exist in the data, you just want to ignore it. Sometimes however, you want to know if there is extra data. In this case, when calling `deserialize(...)` you can set `throw_on_unhandled=True` and it will raise an exception if any fields in the data are unhandled. + +Additionally, sometimes you want this, but know of a particular field that can be ignored. You can mark these as allowed to be unhandled with the decorator `@allow_unhandled("key_name")`. + +### Ignored Keys + +You may want some properties in your object that aren't loaded from disk, but instead created some other way. To do this, use the `ignore` decorator. Here's an example: + +```python +@deserialize.ignore("identifier") +class MyClass: + value: int + identifier: str +``` + +When deserializing, the library will now ignore the `identifier` property. + +### Parsers + +Sometimes you'll want something in your object in a format that the data isn't in. For example, if you get the data: + +```python +{ + "successful": True, + "timestamp": 1543770752 +} +``` + +You may want that to be represented as: + +```python +class Result: + successful: bool + timestamp: datetime.datetime +``` + +By default, it will fail on this deserialization as the value in the data is not a timestamp. To correct this, use the `parser` decorator to tell it a function to use to parse the data. E.g. + +```python +@deserialize.parser("timestamp", datetime.datetime.fromtimestamp) +class Result: + successful: bool + timestamp: datetime.datetime +``` + +This will now detect when handling the data for the _key_ `timestamp` and run it through the parser function supplied before assigning it to your new class instance. + +The parser is run _before_ type checking is done. This means that if you had something like `Optional[datetime.datetime]`, you should ensure your parser can handle the value being `None`. Your parser will obviously need to return the type that you have declared on the property in order to work. + + +### Subclassing + +Subclassing is supported. If you have a type `Shape` for example, which has a subclass `Rectangle`, any properties on `Shape` are supported if you try and decode some data into a `rectangle object. + +### Raw Storage + +It can sometimes be useful to keep a reference to the raw data that was used to construct an object. To do this, simply set the `raw_storage_mode` paramater to `RawStorageMode.ROOT` or `RawStorageMode.ALL`. This will store the data in a parameter named `__deserialize_raw__` on the root object, or on all objects in the tree respectively. + +### Defaults + +Some data will come to you with fields missing. In these cases, a default is often known. To do this, simply decorate your class like this: + +```python +@deserialize.default("value", 0) +class IntResult: + successful: bool + value: int +``` + +If you pass in data like `{"successful": True}` this will deserialize to a default value of `0` for `value`. Note, that this would not deserialize since `value` is not optional: `{"successful": True, "value": None}`. + +### Post-processing + +Not everything can be set on your data straight away. Some things need to be figured out afterwards. For this you need to do some post-processing. The easiest way to do this is through the `@constructed` decorator. This decorator takes a function which will be called whenever a new instance is constructed with that instance as an argument. Here's an example which converts polar coordinates from using degrees to radians: + +```python +data = { + "angle": 180.0, + "magnitude": 42.0 +} + +def convert_to_radians(instance): + instance.angle = instance.angle * math.pi / 180 + +@deserialize.constructed(convert_to_radians) +class PolarCoordinate: + angle: float + magnitude: float + +pc = deserialize.deserialize(PolarCoordinate, data) + +print(pc.angle, pc.magnitude) + +>>> 3.141592653589793 42.0 +``` + + +### Downcasting + +Data often comes in the form of having the type as a field in the data. This can be difficult to parse. For example: + +```python +data = [ + { + "data_type": "foo", + "foo_prop": "Hello World", + }, + { + "data_type": "bar", + "bar_prop": "Goodbye World", + } +] +``` + +Since the fields differ between the two, there's no good way of parsing this data. You could use optional fields on some base class, try multiple deserializations until you find the right one, or do the deserialization based on a mapping you build of the `data_type` field. None of those solutions are elegant though, and all have issues if the types are nested. Instead, you can use the `downcast_field` and `downcast_identifier` decorators. + +`downcast_field` is specified on a base class and gives the name of the field that contains the type information. `downcast_identifier` takes in a base class and an identifier (which should be one of the possible values of the `downcast_field` from the base class). Internally, when a class with a downcast field is detected, the field will be extacted, and a subclass with a matching identifier will be searched for. If no such class exists, an `UndefinedDowncastException` will be thrown. + +Here's an example which would handle the above data: + +```python +@deserialize.downcast_field("data_type") +class MyBase: + type_name: str + + +@deserialize.downcast_identifier(MyBase, "foo") +class Foo(MyBase): + foo_prop: str + + +@deserialize.downcast_identifier(MyBase, "bar") +class Bar(MyBase): + bar_prop: str + + +result = deserialize.deserialize(List[MyBase], data) +``` + +Here, `result[0]` will be an instance of `Foo` and `result[1]` will be an instance of `Bar`. + +If you can't describe all of your types, you can use `@deserialize.allow_downcast_fallback` on your base class and any unknowns will be left as dictionaries. + + +%package help +Summary: Development documents and examples for deserialize +Provides: python3-deserialize-doc +%description help + [](https://badge.fury.io/py/deserialize)  + +# deserialize + +A library to make deserialization easy. To get started, just run `pip install deserialize` + +### How it used to be + +Without the library, if you want to convert: + +```json +{ + "a": 1, + "b": 2 +} +``` + +into a dedicated class, you had to do something like this: + +```python +class MyThing: + + def __init__(self, a, b): + self.a = a + self.b = b + + @staticmethod + def from_json(json_data): + a_value = json_data.get("a") + b_value = json_data.get("b") + + if a_value is None: + raise Exception("'a' was None") + elif b_value is None: + raise Exception("'b' was None") + elif type(a_value) != int: + raise Exception("'a' was not an int") + elif type(b_value) != int: + raise Exception("'b' was not an int") + + return MyThing(a_value, b_value) + +my_instance = MyThing.from_json(json_data) +``` + +### How it is now + +With `deserialize` all you need to do is this: + +```python +import deserialize + +class MyThing: + a: int + b: int + +my_instance = deserialize.deserialize(MyThing, json_data) +``` + +That's it. It will pull out all the data and set it for you type checking and even checking for null values. + +If you want null values to be allowed though, that's easy too: + +```python +from typing import Optional + +class MyThing: + a: Optional[int] + b: Optional[int] +``` + +Now `None` is a valid value for these. + +Types can be nested as deep as you like. For example, this is perfectly valid: + +```python +class Actor: + name: str + age: int + +class Episode: + title: str + identifier: st + actors: List[Actor] + +class Season: + episodes: List[Episode] + completed: bool + +class TVShow: + seasons: List[Season] + creator: str +``` + +## Advanced Usage + +### Custom Keys + +It may be that you want to name your properties in your object something different to what is in the data. This can be for readability reasons, or because you have to (such as if your data item is named `__class__`). This can be handled too. Simply use the `key` annotation as follows: + +```python +@deserialize.key("identifier", "id") +class MyClass: + value: int + identifier: str +``` + +This will now assign the data with the key `id` to the field `identifier`. You can have multiple annotations to override multiple keys. + +### Auto Snake + +Data will often come in with the keys either camelCased or PascalCased. Since Python uses snake_case as standard for members, this means that custom keys are often used to do the conversion. To make this easier, you can add the `auto_snake` decorator and it will do this conversion for you where it can. + +```python +@deserialize.auto_snake() +class MyClass: + some_integer: int + some_string: str +``` + +Now you can pass this data and it will automatically parse: + +```python +{ + "SomeInteger": 3, + "SomeString": "Hello" +} +``` + +Note that all fields need to be snake cased if you use this decorator. + +### Unhandled Fields + +Usually, if you don't specify the field in your definition, but it does exist in the data, you just want to ignore it. Sometimes however, you want to know if there is extra data. In this case, when calling `deserialize(...)` you can set `throw_on_unhandled=True` and it will raise an exception if any fields in the data are unhandled. + +Additionally, sometimes you want this, but know of a particular field that can be ignored. You can mark these as allowed to be unhandled with the decorator `@allow_unhandled("key_name")`. + +### Ignored Keys + +You may want some properties in your object that aren't loaded from disk, but instead created some other way. To do this, use the `ignore` decorator. Here's an example: + +```python +@deserialize.ignore("identifier") +class MyClass: + value: int + identifier: str +``` + +When deserializing, the library will now ignore the `identifier` property. + +### Parsers + +Sometimes you'll want something in your object in a format that the data isn't in. For example, if you get the data: + +```python +{ + "successful": True, + "timestamp": 1543770752 +} +``` + +You may want that to be represented as: + +```python +class Result: + successful: bool + timestamp: datetime.datetime +``` + +By default, it will fail on this deserialization as the value in the data is not a timestamp. To correct this, use the `parser` decorator to tell it a function to use to parse the data. E.g. + +```python +@deserialize.parser("timestamp", datetime.datetime.fromtimestamp) +class Result: + successful: bool + timestamp: datetime.datetime +``` + +This will now detect when handling the data for the _key_ `timestamp` and run it through the parser function supplied before assigning it to your new class instance. + +The parser is run _before_ type checking is done. This means that if you had something like `Optional[datetime.datetime]`, you should ensure your parser can handle the value being `None`. Your parser will obviously need to return the type that you have declared on the property in order to work. + + +### Subclassing + +Subclassing is supported. If you have a type `Shape` for example, which has a subclass `Rectangle`, any properties on `Shape` are supported if you try and decode some data into a `rectangle object. + +### Raw Storage + +It can sometimes be useful to keep a reference to the raw data that was used to construct an object. To do this, simply set the `raw_storage_mode` paramater to `RawStorageMode.ROOT` or `RawStorageMode.ALL`. This will store the data in a parameter named `__deserialize_raw__` on the root object, or on all objects in the tree respectively. + +### Defaults + +Some data will come to you with fields missing. In these cases, a default is often known. To do this, simply decorate your class like this: + +```python +@deserialize.default("value", 0) +class IntResult: + successful: bool + value: int +``` + +If you pass in data like `{"successful": True}` this will deserialize to a default value of `0` for `value`. Note, that this would not deserialize since `value` is not optional: `{"successful": True, "value": None}`. + +### Post-processing + +Not everything can be set on your data straight away. Some things need to be figured out afterwards. For this you need to do some post-processing. The easiest way to do this is through the `@constructed` decorator. This decorator takes a function which will be called whenever a new instance is constructed with that instance as an argument. Here's an example which converts polar coordinates from using degrees to radians: + +```python +data = { + "angle": 180.0, + "magnitude": 42.0 +} + +def convert_to_radians(instance): + instance.angle = instance.angle * math.pi / 180 + +@deserialize.constructed(convert_to_radians) +class PolarCoordinate: + angle: float + magnitude: float + +pc = deserialize.deserialize(PolarCoordinate, data) + +print(pc.angle, pc.magnitude) + +>>> 3.141592653589793 42.0 +``` + + +### Downcasting + +Data often comes in the form of having the type as a field in the data. This can be difficult to parse. For example: + +```python +data = [ + { + "data_type": "foo", + "foo_prop": "Hello World", + }, + { + "data_type": "bar", + "bar_prop": "Goodbye World", + } +] +``` + +Since the fields differ between the two, there's no good way of parsing this data. You could use optional fields on some base class, try multiple deserializations until you find the right one, or do the deserialization based on a mapping you build of the `data_type` field. None of those solutions are elegant though, and all have issues if the types are nested. Instead, you can use the `downcast_field` and `downcast_identifier` decorators. + +`downcast_field` is specified on a base class and gives the name of the field that contains the type information. `downcast_identifier` takes in a base class and an identifier (which should be one of the possible values of the `downcast_field` from the base class). Internally, when a class with a downcast field is detected, the field will be extacted, and a subclass with a matching identifier will be searched for. If no such class exists, an `UndefinedDowncastException` will be thrown. + +Here's an example which would handle the above data: + +```python +@deserialize.downcast_field("data_type") +class MyBase: + type_name: str + + +@deserialize.downcast_identifier(MyBase, "foo") +class Foo(MyBase): + foo_prop: str + + +@deserialize.downcast_identifier(MyBase, "bar") +class Bar(MyBase): + bar_prop: str + + +result = deserialize.deserialize(List[MyBase], data) +``` + +Here, `result[0]` will be an instance of `Foo` and `result[1]` will be an instance of `Bar`. + +If you can't describe all of your types, you can use `@deserialize.allow_downcast_fallback` on your base class and any unknowns will be left as dictionaries. + + +%prep +%autosetup -n deserialize-2.0.1 + +%build +%py3_build + +%install +%py3_install +install -d -m755 %{buildroot}/%{_pkgdocdir} +if [ -d doc ]; then cp -arf doc %{buildroot}/%{_pkgdocdir}; fi +if [ -d docs ]; then cp -arf docs %{buildroot}/%{_pkgdocdir}; fi +if [ -d example ]; then cp -arf example %{buildroot}/%{_pkgdocdir}; fi +if [ -d examples ]; then cp -arf examples %{buildroot}/%{_pkgdocdir}; fi +pushd %{buildroot} +if [ -d usr/lib ]; then + find usr/lib -type f -printf "/%h/%f\n" >> filelist.lst +fi +if [ -d usr/lib64 ]; then + find usr/lib64 -type f -printf "/%h/%f\n" >> filelist.lst +fi +if [ -d usr/bin ]; then + find usr/bin -type f -printf "/%h/%f\n" >> filelist.lst +fi +if [ -d usr/sbin ]; then + find usr/sbin -type f -printf "/%h/%f\n" >> filelist.lst +fi +touch doclist.lst +if [ -d usr/share/man ]; then + find usr/share/man -type f -printf "/%h/%f.gz\n" >> doclist.lst +fi +popd +mv %{buildroot}/filelist.lst . +mv %{buildroot}/doclist.lst . + +%files -n python3-deserialize -f filelist.lst +%dir %{python3_sitelib}/* + +%files help -f doclist.lst +%{_docdir}/* + +%changelog +* Tue Apr 11 2023 Python_Bot <Python_Bot@openeuler.org> - 2.0.1-1 +- Package Spec generated @@ -0,0 +1 @@ +610f0a8c395dfd886425219c2438bdcd deserialize-2.0.1.tar.gz |