data-polyglot


Namedata-polyglot JSON
Version 1.2.5 PyPI version JSON
download
home_page
SummaryConvenient way to model JSON payload and response with least lines of code to test API
upload_time2024-01-29 22:11:48
maintainer
docs_urlNone
author
requires_python>=3.7
license
keywords api deserialize json payload serialize serializer test automation testing
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # data_polyglot
The goal of this project is to create a set of tools to help write API tests faster.

List of tools:
- [JSON Serializer](#json-serializer)
- [Table Data](#tabledata-class)
- [Local Storage](#local-storage)

## JSON Serializer
Create models for payload and response with fewer lines of code then alternative packages.
Leverage the power of autocomplete to access variables. 
C# does it with Newtonsoft, it's time we get a similar convenient way of serialization.

    class SomeData(Serializable):
        name: str = serialize('name')
        item_id: int = serialize('id')

    payload = SomeData()
    payload.name = 'some item name'
    payload.item_id = 123

    data = payload.to_json()
    # data would be { 'name': 'some item name', 'id': 123 }

    response = requests.get('https://example.com/items')
    response_data = SomeData.from_json(response.json())

Note the use of type hinting.

### serialize(key_name, required, default_value, custom_converter) for to_json()

- **key_name**: Key in a dictionary when creating payload (JSON attribute).
- **required**: Set False will not add field to the payload if value is None.
                Set True will add None field as null.
- **default_value**: If value was not assigned to the class variable use this default value.
- **custom_converter**: A function to convert class variable to another type, 
                like `datetime` into string.

Example of custom_converter:

    # Assign datetime to a class variable 'date'. It will be converted to a string.
    date = serialize('date', custom_converter=lambda date: date.strftime('%Y-%m-%d'))

### serialize(key_name, required, default_value, custom_converter) for from_json()

- **key_name**: JSON attribute to parse from the dictionary.
- **required**: Set False will not raise an error if field is missing in response, but will assign None
                Set True will rase an error if field is missing in response.
- **default_value**: If field is missing in response assign specified default value (require flag ignored)
- **custom_converter**: A function to convert variable to another type, 
                for example, string to datetime.

Example of custom_converter:

    # Assuming the datetime sting has a pattern '%Y-%m-%d', parse the field and convert to datetime.
    date: datetime = serialize('date', custom_converter=lambda date: datetime.strptime(date, '%Y-%m-%d'))

**NOTE!** `from_json` can process a `list` and return a list of serialized object, 
BUT it doesn't hint that it's a list. Either do type hinting on returned value, 
or process list yourself.
    
    # process list without type hinting
    expected_list = [ResponseExampleModel.from_json(j_obj) for j_obj in response.json()]

    # process list with type hinting
    expected_list: List[ResponseExampleModel] = ResponseExampleModel.from_json(response.json())

### Nested classes
It's very common to nest JSON objects inside the payload or the response. Here's how to do it:

    # Create an object that would be nested following instructions provided above.
    class NestedObject(Serializable):
        argument1: str = serialize('arg1')

    class Payload(Serializable):
        nested_obj = NestedObject.nest('nested object')

This structure will correspond with the following schema:

    {
        "nested object": {
            "arg1": "string"
        }
    }
        
If nested object is expected to be of type `list`, then it's crucial to specify type hint:
    
    class Payload(Serializable):
        nested_obj: List[NestedObject] = NestedObject.nest('nested object') 

- Using `to_json` when `.nest('key_name', required=True)` raise error if class is None.
- Using `to_json` when `.nest('key_name', required=False)` set json property to null if class is None.
- Using `from_json` when `.nest('key_name', required=True)` raise error when did not find the field.
- Using `from_json` when `.nest('key_name', required=False)` set class variable to None if did not find the field.

### to_json_text()
Uses `to_json` method to create json structure and then turn it into a string. 
Valuable when you have a payload that expects part of the json to be nested inside the string of a JSON property.

### Error Reporting
We want to write as few models as possible, so when we see the similarities between responses we would
instinctively want to share one model between them. As feature development goes on we may see changes
in responses that leads to breaking change in our automation framework.
When this happens an error message will show exactly what and where a property broke.

Errors in `custom_converter` will also raise a meaningful exception.

## TableData class
A wrapper around API response for the table content to be rendered on the front-end.
Includes common table operations such as 'filter records by column name',
'get column value by row index'.
Your response would look something like this:

    {
        "page": 0,
        "per_page": 50,
        "table": [
            {"name": "item1", "price": 1.99, "quantity": 10 },
            {"name": "item2", "price": 2.99, "quantity": 5 },
            {"name": "item3", "price": 3.99, "quantity": 7 },
        ]
    }

In this case just pass down the table into the class during instantiation:

    table = TableData(response.json()['table'])

You can also use `TableData` class in conjunction with [Serializable class](#json-serializer).
The example bellow demonstrates how to do that with the response example above: 

    class TableResponseModel(Serializable):
        page: int = Serializable.serialize('page')
        per_page: int = Serializable.serialize('per_page')
        table: TableData = Serializable.serialize('table', custom_converter=lambda j_arr: TableData(j_arr))

Example how to use table data:
    
    table = TableData(response.json()['table'])
    table = table.filter_by_column_name('type', 'food')
    value = table.get_column_value_by_row_index(0, 'name')

You can also extend `TableData` class and create methods to wrap column name, 
so you don't have to hardcode strings in your tests.


## Local Storage
Store your test data locally in a JSON file using `LocalStorage` class.
Useful when connecting data seeding scripts with test running scripts. 
Create, read, update and delete data as if it was an external microservice, providing path to data as an endpoint. 
In case the project ever grows to have the need for an external microservice to store test data - 
it would be a fast transition.

To start:
- Initialize local storage by providing the file path. If file doesn't exist, new file will be created.
- Save simple data types, dictionaries, and lists using `create` method.
- Read data in the specified path using `read` method.

Example:

    file_path = os.path.dirname(os.path.abspath(__file__))

    storage = LocalStorage(file_path)
    storage.create('/inventory/item_1/name', 'Do not delete!')
    item_name = storage.read('/inventory/item_1/name')

    storage.update('/inventory/item_1/name', 'Do not delete 1!')
    exists = storage.is_key_present('/inventory/item_1/name')
    storage.delete('/inventory/item_1/name')

            

Raw data

            {
    "_id": null,
    "home_page": "",
    "name": "data-polyglot",
    "maintainer": "",
    "docs_url": null,
    "requires_python": ">=3.7",
    "maintainer_email": "",
    "keywords": "API,deserialize,json,payload,serialize,serializer,test automation,testing",
    "author": "",
    "author_email": "Vadim Harenco <vharenco@gmail.com>",
    "download_url": "https://files.pythonhosted.org/packages/05/38/9162b68d076f4e6d7352fb8e6463384c1ac09dc76bbfa9d05d788b9019ff/data_polyglot-1.2.5.tar.gz",
    "platform": null,
    "description": "# data_polyglot\nThe goal of this project is to create a set of tools to help write API tests faster.\n\nList of tools:\n- [JSON Serializer](#json-serializer)\n- [Table Data](#tabledata-class)\n- [Local Storage](#local-storage)\n\n## JSON Serializer\nCreate models for payload and response with fewer lines of code then alternative packages.\nLeverage the power of autocomplete to access variables. \nC# does it with Newtonsoft, it's time we get a similar convenient way of serialization.\n\n    class SomeData(Serializable):\n        name: str = serialize('name')\n        item_id: int = serialize('id')\n\n    payload = SomeData()\n    payload.name = 'some item name'\n    payload.item_id = 123\n\n    data = payload.to_json()\n    # data would be { 'name': 'some item name', 'id': 123 }\n\n    response = requests.get('https://example.com/items')\n    response_data = SomeData.from_json(response.json())\n\nNote the use of type hinting.\n\n### serialize(key_name, required, default_value, custom_converter) for to_json()\n\n- **key_name**: Key in a dictionary when creating payload (JSON attribute).\n- **required**: Set False will not add field to the payload if value is None.\n                Set True will add None field as null.\n- **default_value**: If value was not assigned to the class variable use this default value.\n- **custom_converter**: A function to convert class variable to another type, \n                like `datetime` into string.\n\nExample of custom_converter:\n\n    # Assign datetime to a class variable 'date'. It will be converted to a string.\n    date = serialize('date', custom_converter=lambda date: date.strftime('%Y-%m-%d'))\n\n### serialize(key_name, required, default_value, custom_converter) for from_json()\n\n- **key_name**: JSON attribute to parse from the dictionary.\n- **required**: Set False will not raise an error if field is missing in response, but will assign None\n                Set True will rase an error if field is missing in response.\n- **default_value**: If field is missing in response assign specified default value (require flag ignored)\n- **custom_converter**: A function to convert variable to another type, \n                for example, string to datetime.\n\nExample of custom_converter:\n\n    # Assuming the datetime sting has a pattern '%Y-%m-%d', parse the field and convert to datetime.\n    date: datetime = serialize('date', custom_converter=lambda date: datetime.strptime(date, '%Y-%m-%d'))\n\n**NOTE!** `from_json` can process a `list` and return a list of serialized object, \nBUT it doesn't hint that it's a list. Either do type hinting on returned value, \nor process list yourself.\n    \n    # process list without type hinting\n    expected_list = [ResponseExampleModel.from_json(j_obj) for j_obj in response.json()]\n\n    # process list with type hinting\n    expected_list: List[ResponseExampleModel] = ResponseExampleModel.from_json(response.json())\n\n### Nested classes\nIt's very common to nest JSON objects inside the payload or the response. Here's how to do it:\n\n    # Create an object that would be nested following instructions provided above.\n    class NestedObject(Serializable):\n        argument1: str = serialize('arg1')\n\n    class Payload(Serializable):\n        nested_obj = NestedObject.nest('nested object')\n\nThis structure will correspond with the following schema:\n\n    {\n        \"nested object\": {\n            \"arg1\": \"string\"\n        }\n    }\n        \nIf nested object is expected to be of type `list`, then it's crucial to specify type hint:\n    \n    class Payload(Serializable):\n        nested_obj: List[NestedObject] = NestedObject.nest('nested object') \n\n- Using `to_json` when `.nest('key_name', required=True)` raise error if class is None.\n- Using `to_json` when `.nest('key_name', required=False)` set json property to null if class is None.\n- Using `from_json` when `.nest('key_name', required=True)` raise error when did not find the field.\n- Using `from_json` when `.nest('key_name', required=False)` set class variable to None if did not find the field.\n\n### to_json_text()\nUses `to_json` method to create json structure and then turn it into a string. \nValuable when you have a payload that expects part of the json to be nested inside the string of a JSON property.\n\n### Error Reporting\nWe want to write as few models as possible, so when we see the similarities between responses we would\ninstinctively want to share one model between them. As feature development goes on we may see changes\nin responses that leads to breaking change in our automation framework.\nWhen this happens an error message will show exactly what and where a property broke.\n\nErrors in `custom_converter` will also raise a meaningful exception.\n\n## TableData class\nA wrapper around API response for the table content to be rendered on the front-end.\nIncludes common table operations such as 'filter records by column name',\n'get column value by row index'.\nYour response would look something like this:\n\n    {\n        \"page\": 0,\n        \"per_page\": 50,\n        \"table\": [\n            {\"name\": \"item1\", \"price\": 1.99, \"quantity\": 10 },\n            {\"name\": \"item2\", \"price\": 2.99, \"quantity\": 5 },\n            {\"name\": \"item3\", \"price\": 3.99, \"quantity\": 7 },\n        ]\n    }\n\nIn this case just pass down the table into the class during instantiation:\n\n    table = TableData(response.json()['table'])\n\nYou can also use `TableData` class in conjunction with [Serializable class](#json-serializer).\nThe example bellow demonstrates how to do that with the response example above: \n\n    class TableResponseModel(Serializable):\n        page: int = Serializable.serialize('page')\n        per_page: int = Serializable.serialize('per_page')\n        table: TableData = Serializable.serialize('table', custom_converter=lambda j_arr: TableData(j_arr))\n\nExample how to use table data:\n    \n    table = TableData(response.json()['table'])\n    table = table.filter_by_column_name('type', 'food')\n    value = table.get_column_value_by_row_index(0, 'name')\n\nYou can also extend `TableData` class and create methods to wrap column name, \nso you don't have to hardcode strings in your tests.\n\n\n## Local Storage\nStore your test data locally in a JSON file using `LocalStorage` class.\nUseful when connecting data seeding scripts with test running scripts. \nCreate, read, update and delete data as if it was an external microservice, providing path to data as an endpoint. \nIn case the project ever grows to have the need for an external microservice to store test data - \nit would be a fast transition.\n\nTo start:\n- Initialize local storage by providing the file path. If file doesn't exist, new file will be created.\n- Save simple data types, dictionaries, and lists using `create` method.\n- Read data in the specified path using `read` method.\n\nExample:\n\n    file_path = os.path.dirname(os.path.abspath(__file__))\n\n    storage = LocalStorage(file_path)\n    storage.create('/inventory/item_1/name', 'Do not delete!')\n    item_name = storage.read('/inventory/item_1/name')\n\n    storage.update('/inventory/item_1/name', 'Do not delete 1!')\n    exists = storage.is_key_present('/inventory/item_1/name')\n    storage.delete('/inventory/item_1/name')\n",
    "bugtrack_url": null,
    "license": "",
    "summary": "Convenient way to model JSON payload and response with least lines of code to test API",
    "version": "1.2.5",
    "project_urls": {
        "Bug Tracker": "https://github.com/VH88/data_polyglot/issues",
        "Homepage": "https://github.com/VH88/data_polyglot"
    },
    "split_keywords": [
        "api",
        "deserialize",
        "json",
        "payload",
        "serialize",
        "serializer",
        "test automation",
        "testing"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "a704d55f71524f72bd50788283d4314e94d042b6031feef0a57d0a3e0c2a352a",
                "md5": "e5b126f9e593c1e6a9d2ba471cf76e51",
                "sha256": "79901ff46f11c1a69e5b8f1e03ea87bae71c1db2a71878048feabbbe84b19784"
            },
            "downloads": -1,
            "filename": "data_polyglot-1.2.5-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "e5b126f9e593c1e6a9d2ba471cf76e51",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.7",
            "size": 16311,
            "upload_time": "2024-01-29T22:11:46",
            "upload_time_iso_8601": "2024-01-29T22:11:46.861071Z",
            "url": "https://files.pythonhosted.org/packages/a7/04/d55f71524f72bd50788283d4314e94d042b6031feef0a57d0a3e0c2a352a/data_polyglot-1.2.5-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "05389162b68d076f4e6d7352fb8e6463384c1ac09dc76bbfa9d05d788b9019ff",
                "md5": "853c673f6239635ceeda18ecf1b2f5a5",
                "sha256": "656b6b40000b044e28af6aede4ecab5e8569812990e7febbce2f6dc3ccb15b63"
            },
            "downloads": -1,
            "filename": "data_polyglot-1.2.5.tar.gz",
            "has_sig": false,
            "md5_digest": "853c673f6239635ceeda18ecf1b2f5a5",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.7",
            "size": 23081,
            "upload_time": "2024-01-29T22:11:48",
            "upload_time_iso_8601": "2024-01-29T22:11:48.365558Z",
            "url": "https://files.pythonhosted.org/packages/05/38/9162b68d076f4e6d7352fb8e6463384c1ac09dc76bbfa9d05d788b9019ff/data_polyglot-1.2.5.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-01-29 22:11:48",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "VH88",
    "github_project": "data_polyglot",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "data-polyglot"
}
        
Elapsed time: 0.17149s