django-postgres-composite-types


Namedjango-postgres-composite-types JSON
Version 0.4.2 PyPI version JSON
download
home_pagehttps://github.com/danni/django-postgres-composite-types
SummaryPostgres composite types support for Django
upload_time2019-03-27 23:18:56
maintainer
docs_urlNone
authorDanielle Madeley
requires_python
license
keywords
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            Django Postgres composite types
===============================

An implementation of Postgres' [composite types](http://www.postgresql.org/docs/current/static/rowtypes.html)
for [Django](https://docs.djangoproject.com/en/1.9/).

Usage
-----

Install with:

    pip install django-postgres-composite-types

Then add 'postgres_composite_types' to your `INSTALLED_APPS`:

    INSTALLED_APPS = [
        # ... Other apps
        'postgres_composite_types',
    ]

Define a type and add it to a model:

```python
from django.db import models
from postgres_composite_types import CompositeType

class Address(CompositeType):
    """An address."""

    address_1 = models.CharField(max_length=255)
    address_2 = models.CharField(max_length=255)

    suburb = models.CharField(max_length=50)
    state = models.CharField(max_length=50)

    postcode = models.CharField(max_length=10)
    country = models.CharField(max_length=50)

    class Meta:
        db_type = 'x_address'  # Required


class Person(models.Model):
    """A person."""

    address = Address.Field()
```

An operation needs to be prepended to your migration:

```python
import address
from django.db import migrations


class Migration(migrations.Migration):

    operations = [
        # Registers the type
        address.Address.Operation(),
        migrations.AddField(
            model_name='person',
            name='address',
            field=address.Address.Field(blank=True, null=True),
        ),
    ]
```

Examples
--------

Array fields:

```python
class Card(CompositeType):
    """A playing card."""

    suit = models.CharField(max_length=1)
    rank = models.CharField(max_length=2)

    class Meta:
        db_type = 'card'


class Hand(models.Model):
    """A hand of cards."""
    cards = ArrayField(base_field=Card.Field())
```

Nested types:

```python
class Point(CompositeType):
    """A point on the cartesian plane."""

    # pylint:disable=invalid-name
    x = models.IntegerField()
    y = models.IntegerField()

    class Meta:
        db_type = 'x_point'  # Postgres already has a point type


class Box(CompositeType):
    """An axis-aligned box on the cartesian plane."""
    class Meta:
        db_type = 'x_box'  # Postgres already has a box type

    top_left = Point.Field()
    bottom_right = Point.Field()
```

Gotchas and Caveats
-------------------

The migration operation currently loads the *current* state of the type, not
the state when the migration was written. A generic `CreateType` operation
which takes the fields of the type would be possible, but it would still
require manual handling still as Django's `makemigrations` is not currently
extensible.

Changes to types are possible using `RawSQL`, for example:

```python
operations = [
    migrations.RunSQL([
        "ALTER TYPE x_address DROP ATTRIBUTE country",
        "ALTER TYPE x_address ADD ATTRIBUTE country integer",
    ], [
        "ALTER TYPE x_address DROP ATTRIBUTE country",
        "ALTER TYPE x_address ADD ATTRIBUTE country varchar(50)",
    ]),
]
```

However, be aware that if your earlier operations were run using current DB
code, you will already have the right types
([bug #8](https://github.com/danni/django-postgres-composite-types/issues/8)).

It is recommended to that you namespace your custom types to avoid conflict
with future PostgreSQL types.

Lookups and indexes are not implemented yet
([bug #9](https://github.com/danni/django-postgres-composite-types/issues/9),
[bug #10](https://github.com/danni/django-postgres-composite-types/issues/10)).

Running Tests
-------------------
Clone the repository, go to it's base directory and run the following commands.

    pip install tox
    tox

Or if you want a specific environment

    tox -e py35-dj2.0

Authors
-------

* Danielle Madeley <danielle@madeley.id.au>
* Tim Heap <hello@timheap.me>

License
-------

(c) 2016, Danielle Madeley  <danielle@madeley.id.au>

All rights reserved.

Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:

1. Redistributions of source code must retain the above copyright notice, this
   list of conditions and the following disclaimer.

2. Redistributions in binary form must reproduce the above copyright notice,
   this list of conditions and the following disclaimer in the documentation
   and/or other materials provided with the distribution.

3. Neither the name of the copyright holder nor the names of its contributors
   may be used to endorse or promote products derived from this software
   without specific prior written permission.

THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/danni/django-postgres-composite-types",
    "name": "django-postgres-composite-types",
    "maintainer": "",
    "docs_url": null,
    "requires_python": "",
    "maintainer_email": "",
    "keywords": "",
    "author": "Danielle Madeley",
    "author_email": "danielle@madeley.id.au",
    "download_url": "https://files.pythonhosted.org/packages/ff/93/de5eac178b897c13afcad090157df2eb12396a4f25b1d6679a354c1417fe/django-postgres-composite-types-0.4.2.tar.gz",
    "platform": "",
    "description": "Django Postgres composite types\n===============================\n\nAn implementation of Postgres' [composite types](http://www.postgresql.org/docs/current/static/rowtypes.html)\nfor [Django](https://docs.djangoproject.com/en/1.9/).\n\nUsage\n-----\n\nInstall with:\n\n    pip install django-postgres-composite-types\n\nThen add 'postgres_composite_types' to your `INSTALLED_APPS`:\n\n    INSTALLED_APPS = [\n        # ... Other apps\n        'postgres_composite_types',\n    ]\n\nDefine a type and add it to a model:\n\n```python\nfrom django.db import models\nfrom postgres_composite_types import CompositeType\n\nclass Address(CompositeType):\n    \"\"\"An address.\"\"\"\n\n    address_1 = models.CharField(max_length=255)\n    address_2 = models.CharField(max_length=255)\n\n    suburb = models.CharField(max_length=50)\n    state = models.CharField(max_length=50)\n\n    postcode = models.CharField(max_length=10)\n    country = models.CharField(max_length=50)\n\n    class Meta:\n        db_type = 'x_address'  # Required\n\n\nclass Person(models.Model):\n    \"\"\"A person.\"\"\"\n\n    address = Address.Field()\n```\n\nAn operation needs to be prepended to your migration:\n\n```python\nimport address\nfrom django.db import migrations\n\n\nclass Migration(migrations.Migration):\n\n    operations = [\n        # Registers the type\n        address.Address.Operation(),\n        migrations.AddField(\n            model_name='person',\n            name='address',\n            field=address.Address.Field(blank=True, null=True),\n        ),\n    ]\n```\n\nExamples\n--------\n\nArray fields:\n\n```python\nclass Card(CompositeType):\n    \"\"\"A playing card.\"\"\"\n\n    suit = models.CharField(max_length=1)\n    rank = models.CharField(max_length=2)\n\n    class Meta:\n        db_type = 'card'\n\n\nclass Hand(models.Model):\n    \"\"\"A hand of cards.\"\"\"\n    cards = ArrayField(base_field=Card.Field())\n```\n\nNested types:\n\n```python\nclass Point(CompositeType):\n    \"\"\"A point on the cartesian plane.\"\"\"\n\n    # pylint:disable=invalid-name\n    x = models.IntegerField()\n    y = models.IntegerField()\n\n    class Meta:\n        db_type = 'x_point'  # Postgres already has a point type\n\n\nclass Box(CompositeType):\n    \"\"\"An axis-aligned box on the cartesian plane.\"\"\"\n    class Meta:\n        db_type = 'x_box'  # Postgres already has a box type\n\n    top_left = Point.Field()\n    bottom_right = Point.Field()\n```\n\nGotchas and Caveats\n-------------------\n\nThe migration operation currently loads the *current* state of the type, not\nthe state when the migration was written. A generic `CreateType` operation\nwhich takes the fields of the type would be possible, but it would still\nrequire manual handling still as Django's `makemigrations` is not currently\nextensible.\n\nChanges to types are possible using `RawSQL`, for example:\n\n```python\noperations = [\n    migrations.RunSQL([\n        \"ALTER TYPE x_address DROP ATTRIBUTE country\",\n        \"ALTER TYPE x_address ADD ATTRIBUTE country integer\",\n    ], [\n        \"ALTER TYPE x_address DROP ATTRIBUTE country\",\n        \"ALTER TYPE x_address ADD ATTRIBUTE country varchar(50)\",\n    ]),\n]\n```\n\nHowever, be aware that if your earlier operations were run using current DB\ncode, you will already have the right types\n([bug #8](https://github.com/danni/django-postgres-composite-types/issues/8)).\n\nIt is recommended to that you namespace your custom types to avoid conflict\nwith future PostgreSQL types.\n\nLookups and indexes are not implemented yet\n([bug #9](https://github.com/danni/django-postgres-composite-types/issues/9),\n[bug #10](https://github.com/danni/django-postgres-composite-types/issues/10)).\n\nRunning Tests\n-------------------\nClone the repository, go to it's base directory and run the following commands.\n\n    pip install tox\n    tox\n\nOr if you want a specific environment\n\n    tox -e py35-dj2.0\n\nAuthors\n-------\n\n* Danielle Madeley <danielle@madeley.id.au>\n* Tim Heap <hello@timheap.me>\n\nLicense\n-------\n\n(c) 2016, Danielle Madeley  <danielle@madeley.id.au>\n\nAll rights reserved.\n\nRedistribution and use in source and binary forms, with or without\nmodification, are permitted provided that the following conditions are met:\n\n1. Redistributions of source code must retain the above copyright notice, this\n   list of conditions and the following disclaimer.\n\n2. Redistributions in binary form must reproduce the above copyright notice,\n   this list of conditions and the following disclaimer in the documentation\n   and/or other materials provided with the distribution.\n\n3. Neither the name of the copyright holder nor the names of its contributors\n   may be used to endorse or promote products derived from this software\n   without specific prior written permission.\n\nTHIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\" AND\nANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED\nWARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\nDISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE\nFOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\nDAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR\nSERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER\nCAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,\nOR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE\nOF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.",
    "bugtrack_url": null,
    "license": "",
    "summary": "Postgres composite types support for Django",
    "version": "0.4.2",
    "split_keywords": [],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "md5": "4967605820577ccea9eb8000c8b8ddf0",
                "sha256": "a16789b394f77af2636acfe8f5262af7f5fbb4bcc04ccdd17ee1d0bcffe9fb86"
            },
            "downloads": -1,
            "filename": "django-postgres-composite-types-0.4.2.tar.gz",
            "has_sig": false,
            "md5_digest": "4967605820577ccea9eb8000c8b8ddf0",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": null,
            "size": 20781,
            "upload_time": "2019-03-27T23:18:56",
            "upload_time_iso_8601": "2019-03-27T23:18:56.099987Z",
            "url": "https://files.pythonhosted.org/packages/ff/93/de5eac178b897c13afcad090157df2eb12396a4f25b1d6679a354c1417fe/django-postgres-composite-types-0.4.2.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2019-03-27 23:18:56",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "github_user": "danni",
    "github_project": "django-postgres-composite-types",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "tox": true,
    "lcname": "django-postgres-composite-types"
}
        
Elapsed time: 0.02087s