automagic-rest


Nameautomagic-rest JSON
Version 2.2.0 PyPI version JSON
download
home_pageNone
SummaryAutomagic REST: Django REST Framework Code Generator for Underlying PostgreSQL DBs
upload_time2025-07-10 17:42:06
maintainerNone
docs_urlNone
authorNone
requires_python>=3.7
licenseBSD-3-Clause
keywords django automagic-rest rest drf django-rest-framework djangorestframework
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # Automagic REST

[![pypi](https://img.shields.io/pypi/v/automagic-rest.svg)](https://pypi.python.org/pypi/automagic-rest/)

Automagic REST is a code generator which builds a full Django app as a Django REST Framework read-only environment for a set of tables in a PostgreSQL database.

This is very much for a specific niche, but we have found it quite powerful for building a RESTful API on top of datasets we receive from other sources through introspection of PostgreSQL's `information_schema`.

## Installation

To get started, `pip install automagic-rest` and add `automagic_rest` to your `INSTALLED_APPS` setting in Django.

## Configuration and Customization

Setting up a secondary database in Django is recommended. For the following examples, we'll set up one called `my_pg_data` with the user `my_pg_user`:

```python
DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.postgresql',
        'NAME': 'pg_web_db',
        'USER': 'web_user',
        'PASSWORD': '',
        'HOST': 'pg-web.domain.com',
    },
    'my_pg_data': {
        'ENGINE': 'django.db.backends.postgresql',
        'NAME': 'pg_data_db',
        'USER': 'my_pg_user',
        'PASSWORD': '',
        'HOST': 'pg-data.domain.com',
    },
}
```

By default, Automagic REST will create a directory called `data_path` at the root of your Django project, where `manage.py` lives. The follow options can be passed to the command:

* `--database` (default: `my_pg_data`): the name of the Django database as defined in the `DATABASES` setting.
* `--owner` (default: `my_pg_user`): the name of the PostgreSQL user which owns the schemata to be processed. This will normally be the same as the `USER` in the `DATABASES` setting for the database above.
* `--path` (default: `data_path`): the path to write the models and serializers to. This path will be completely deleted and rewritten whenever the command is run, so be careful!

Example: `python manage.py build_data_models --database=my_data --owner=my_user --path=my_data_path`

Methods are provided which can be overridden to customize the endpoint with your own Django management command.

### class automagic_rest.management.commands.build_data_models.Command

`get_db` (default: `my_pg_data`): the name of the PostgreSQL database in Django's settings that we will introspect to build the API.

`get_owner` (default: `my_pg_user`): the name of the PostgreSQL user that owns the schemata we will introspect.

`get_allowed_schemata` (default: `None`): if set, returns a list of schemata in the database to be built. If `None`, selects all schemata for the specific user.

`get_extra_sql` (default: `""`): if set, appends the SQL returned by this method to
the information schema query. Useful for exclusions.

`get_root_python_path` (default: `data_path`): a Python path where you would like to write the models, serializers, and routes. **IMPORTANT**: this path will be wiped and re-written every time the build command is run. It should be a dedicated directory with nothing else in it.

`get_view` (default: `automagic_rest.views.GenericViewSet`): the view to use.

`get_router` (default: `rest_framework.routers.DefaultRouter`): the router to use.

`get_max_digits_default` (default: 100): the number of `max_digits` to provide for `NUMERIC` field types that are not explicitly set in PostgreSQL.

`get_decimal_places_default` (default: 25): the number of `decimal_places` to provide for `NUMERIC` field types that are not explicitly set in PostgreSQL.

`sanitize_sql_identifier`: this method takes a string, and sanitizes it for injections into SQL, allowing only alphanumerics and underscores.

`metadata_sql`: this method returns the SQL used to pull the metadata from PostgreSQL to build the endpoints.

To customize the build command, here is an example:

```python
# my_app/home/management/commands/my_build_data_models.py
from automagic_rest.management.commands import build_data_models


class Command(build_data_models.Command):
    """
    My specific overrides for DRF PG Builder command.
    """

    def get_db(self, options):
        """
        Returns our customized Django DB name.
        """
        return "my_data"

    def get_owner(self, options):
        """
        Returns our customized schema owner.
        """
        return "my_user"

    def get_root_python_path(self, options):
        """
        Returns our customized build path.
        """
        return "my_data_path"

    def get_view(self):
        """
        Returns our customized view path.
        """
        return "my_app.views.MyDataViewSet"

    def get_allowed_schemata(self, options, cursor):
        """
        Return a list of allowed schemata we want to create RESTful
        endpoints for. If None, will create endpoints for all schemata
        owned by the schema owner user.
        """
        allowed_schemata = ['my_data', 'public_data']

        return allowed_schemata
    
    def get_extra_sql(self):
        """
        Returns SQL to append to the information schema query.

        In this example, we exclude any tables ending in "_old".
        """
        return """
            AND c.table_name NOT LIKE '%%_old'
        """
```

### Python Reserved Words and Underscores

`AUTOMAGIC_REST_RESERVED_WORD_SUFFIX` is an available Django setting, defaulting to `var`. Make sure this value does not start or end in an underscore, or it will circumvent the fix (this is prevent double underscores in field names, which are used as separators). Python reserved words and fields ending in an underscore will have this value appended to their Django model field name:

* Python reserved words example: `for` -> `forvar`
* Columns ending in an underscore example: `date_` -> `date_var`.

### class views.GenericViewSet

The view has several methods and attributes which can be overridden as well.

#### Attributes

`index_sql`: this attribute defines SQL to return the first column in each index for the current table for the Model. These will be used to dynamically make all indexed fields searchable and filterable.

#### Methods

`get_serializer_class_name` (default: `rest_framework.serializers.ModelSerializer`): the full path of the serializer class to use.

`get_permission` (default: `None`): returns a permission class to use for the endpoint. When left at the default of `None`, uses the default permission class set by Django REST Framework.

`get_estimate_count_limit` (default: `999_999`): to prevent long-running `SELECT COUNT(*)` queries, the view estimates the number of rows in the table by examing the query plan. If greater than this number, it will estimate pagination counts for vastly improved speed.

To follow on the example above, here is an example of an overridden view, which sets the permission type and includes a mixin for naming Excel file downloads:

```python
from rest_framework.permissions import IsAuthenticated
from drf_excel.mixins import XLSXFileMixin

class MyGenericViewSet(XLSXFileMixin, GenericViewSet):
    """
    """
    """
    Override the defaults from DRF PG Builder.
    """
    filename = 'my_export.xlsx'

    def get_permission(self):
        return IsAuthenticated
```

### After the Files Are Built

After running the build command, you should have a directory created that you defined as `path` (or overrode with `get_root_python_path()`) that contains models, serializers, and a `urls.py` file. Include the `urls.py` file with a route from your Django project, and you should be able to visit the Django REST Framework browsable API.

## Known Issues

* Certain column types are not supported, such as `ts_vector` and others that don't map cleanly to a RESTful type.

## Release Notes and Contributors

* [Release notes](https://github.com/wharton/automagic-rest/releases)
* [Our wonderful contributors](https://github.com/wharton/automagic-rest/graphs/contributors)

## Maintainer

* [Timothy Allen](https://github.com/FlipperPA) at [The Wharton School](https://github.com/wharton)

This package is maintained by the staff of [Wharton Research Data Services](https://wrds.wharton.upenn.edu/). We are thrilled that [The Wharton School](https://www.wharton.upenn.edu/) allows us a certain amount of time to contribute to open-source projects. We add features as they are necessary for our projects, and try to keep up with Issues and Pull Requests as best we can. Due to constraints of time (our full time jobs!), Feature Requests without a Pull Request may not be implemented, but we are always open to new ideas and grateful for contributions and our package users.


            

Raw data

            {
    "_id": null,
    "home_page": null,
    "name": "automagic-rest",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.7",
    "maintainer_email": null,
    "keywords": "django, automagic-rest, rest, drf, django-rest-framework, djangorestframework",
    "author": null,
    "author_email": "Tim Allen <flipper@peregrinesalon.com>",
    "download_url": "https://files.pythonhosted.org/packages/c2/48/5ffd3fec07f36811e358fd2114d3312e7b49e8fc1c677818259fbc27c3f1/automagic_rest-2.2.0.tar.gz",
    "platform": null,
    "description": "# Automagic REST\n\n[![pypi](https://img.shields.io/pypi/v/automagic-rest.svg)](https://pypi.python.org/pypi/automagic-rest/)\n\nAutomagic REST is a code generator which builds a full Django app as a Django REST Framework read-only environment for a set of tables in a PostgreSQL database.\n\nThis is very much for a specific niche, but we have found it quite powerful for building a RESTful API on top of datasets we receive from other sources through introspection of PostgreSQL's `information_schema`.\n\n## Installation\n\nTo get started, `pip install automagic-rest` and add `automagic_rest` to your `INSTALLED_APPS` setting in Django.\n\n## Configuration and Customization\n\nSetting up a secondary database in Django is recommended. For the following examples, we'll set up one called `my_pg_data` with the user `my_pg_user`:\n\n```python\nDATABASES = {\n    'default': {\n        'ENGINE': 'django.db.backends.postgresql',\n        'NAME': 'pg_web_db',\n        'USER': 'web_user',\n        'PASSWORD': '',\n        'HOST': 'pg-web.domain.com',\n    },\n    'my_pg_data': {\n        'ENGINE': 'django.db.backends.postgresql',\n        'NAME': 'pg_data_db',\n        'USER': 'my_pg_user',\n        'PASSWORD': '',\n        'HOST': 'pg-data.domain.com',\n    },\n}\n```\n\nBy default, Automagic REST will create a directory called `data_path` at the root of your Django project, where `manage.py` lives. The follow options can be passed to the command:\n\n* `--database` (default: `my_pg_data`): the name of the Django database as defined in the `DATABASES` setting.\n* `--owner` (default: `my_pg_user`): the name of the PostgreSQL user which owns the schemata to be processed. This will normally be the same as the `USER` in the `DATABASES` setting for the database above.\n* `--path` (default: `data_path`): the path to write the models and serializers to. This path will be completely deleted and rewritten whenever the command is run, so be careful!\n\nExample: `python manage.py build_data_models --database=my_data --owner=my_user --path=my_data_path`\n\nMethods are provided which can be overridden to customize the endpoint with your own Django management command.\n\n### class automagic_rest.management.commands.build_data_models.Command\n\n`get_db` (default: `my_pg_data`): the name of the PostgreSQL database in Django's settings that we will introspect to build the API.\n\n`get_owner` (default: `my_pg_user`): the name of the PostgreSQL user that owns the schemata we will introspect.\n\n`get_allowed_schemata` (default: `None`): if set, returns a list of schemata in the database to be built. If `None`, selects all schemata for the specific user.\n\n`get_extra_sql` (default: `\"\"`): if set, appends the SQL returned by this method to\nthe information schema query. Useful for exclusions.\n\n`get_root_python_path` (default: `data_path`): a Python path where you would like to write the models, serializers, and routes. **IMPORTANT**: this path will be wiped and re-written every time the build command is run. It should be a dedicated directory with nothing else in it.\n\n`get_view` (default: `automagic_rest.views.GenericViewSet`): the view to use.\n\n`get_router` (default: `rest_framework.routers.DefaultRouter`): the router to use.\n\n`get_max_digits_default` (default: 100): the number of `max_digits` to provide for `NUMERIC` field types that are not explicitly set in PostgreSQL.\n\n`get_decimal_places_default` (default: 25): the number of `decimal_places` to provide for `NUMERIC` field types that are not explicitly set in PostgreSQL.\n\n`sanitize_sql_identifier`: this method takes a string, and sanitizes it for injections into SQL, allowing only alphanumerics and underscores.\n\n`metadata_sql`: this method returns the SQL used to pull the metadata from PostgreSQL to build the endpoints.\n\nTo customize the build command, here is an example:\n\n```python\n# my_app/home/management/commands/my_build_data_models.py\nfrom automagic_rest.management.commands import build_data_models\n\n\nclass Command(build_data_models.Command):\n    \"\"\"\n    My specific overrides for DRF PG Builder command.\n    \"\"\"\n\n    def get_db(self, options):\n        \"\"\"\n        Returns our customized Django DB name.\n        \"\"\"\n        return \"my_data\"\n\n    def get_owner(self, options):\n        \"\"\"\n        Returns our customized schema owner.\n        \"\"\"\n        return \"my_user\"\n\n    def get_root_python_path(self, options):\n        \"\"\"\n        Returns our customized build path.\n        \"\"\"\n        return \"my_data_path\"\n\n    def get_view(self):\n        \"\"\"\n        Returns our customized view path.\n        \"\"\"\n        return \"my_app.views.MyDataViewSet\"\n\n    def get_allowed_schemata(self, options, cursor):\n        \"\"\"\n        Return a list of allowed schemata we want to create RESTful\n        endpoints for. If None, will create endpoints for all schemata\n        owned by the schema owner user.\n        \"\"\"\n        allowed_schemata = ['my_data', 'public_data']\n\n        return allowed_schemata\n    \n    def get_extra_sql(self):\n        \"\"\"\n        Returns SQL to append to the information schema query.\n\n        In this example, we exclude any tables ending in \"_old\".\n        \"\"\"\n        return \"\"\"\n            AND c.table_name NOT LIKE '%%_old'\n        \"\"\"\n```\n\n### Python Reserved Words and Underscores\n\n`AUTOMAGIC_REST_RESERVED_WORD_SUFFIX` is an available Django setting, defaulting to `var`. Make sure this value does not start or end in an underscore, or it will circumvent the fix (this is prevent double underscores in field names, which are used as separators). Python reserved words and fields ending in an underscore will have this value appended to their Django model field name:\n\n* Python reserved words example: `for` -> `forvar`\n* Columns ending in an underscore example: `date_` -> `date_var`.\n\n### class views.GenericViewSet\n\nThe view has several methods and attributes which can be overridden as well.\n\n#### Attributes\n\n`index_sql`: this attribute defines SQL to return the first column in each index for the current table for the Model. These will be used to dynamically make all indexed fields searchable and filterable.\n\n#### Methods\n\n`get_serializer_class_name` (default: `rest_framework.serializers.ModelSerializer`): the full path of the serializer class to use.\n\n`get_permission` (default: `None`): returns a permission class to use for the endpoint. When left at the default of `None`, uses the default permission class set by Django REST Framework.\n\n`get_estimate_count_limit` (default: `999_999`): to prevent long-running `SELECT COUNT(*)` queries, the view estimates the number of rows in the table by examing the query plan. If greater than this number, it will estimate pagination counts for vastly improved speed.\n\nTo follow on the example above, here is an example of an overridden view, which sets the permission type and includes a mixin for naming Excel file downloads:\n\n```python\nfrom rest_framework.permissions import IsAuthenticated\nfrom drf_excel.mixins import XLSXFileMixin\n\nclass MyGenericViewSet(XLSXFileMixin, GenericViewSet):\n    \"\"\"\n    \"\"\"\n    \"\"\"\n    Override the defaults from DRF PG Builder.\n    \"\"\"\n    filename = 'my_export.xlsx'\n\n    def get_permission(self):\n        return IsAuthenticated\n```\n\n### After the Files Are Built\n\nAfter running the build command, you should have a directory created that you defined as `path` (or overrode with `get_root_python_path()`) that contains models, serializers, and a `urls.py` file. Include the `urls.py` file with a route from your Django project, and you should be able to visit the Django REST Framework browsable API.\n\n## Known Issues\n\n* Certain column types are not supported, such as `ts_vector` and others that don't map cleanly to a RESTful type.\n\n## Release Notes and Contributors\n\n* [Release notes](https://github.com/wharton/automagic-rest/releases)\n* [Our wonderful contributors](https://github.com/wharton/automagic-rest/graphs/contributors)\n\n## Maintainer\n\n* [Timothy Allen](https://github.com/FlipperPA) at [The Wharton School](https://github.com/wharton)\n\nThis package is maintained by the staff of [Wharton Research Data Services](https://wrds.wharton.upenn.edu/). We are thrilled that [The Wharton School](https://www.wharton.upenn.edu/) allows us a certain amount of time to contribute to open-source projects. We add features as they are necessary for our projects, and try to keep up with Issues and Pull Requests as best we can. Due to constraints of time (our full time jobs!), Feature Requests without a Pull Request may not be implemented, but we are always open to new ideas and grateful for contributions and our package users.\n\n",
    "bugtrack_url": null,
    "license": "BSD-3-Clause",
    "summary": "Automagic REST: Django REST Framework Code Generator for Underlying PostgreSQL DBs",
    "version": "2.2.0",
    "project_urls": {
        "Documentation": "https://github.com/wharton/automagic-rest",
        "Homepage": "https://github.com/wharton/automagic-rest",
        "Repository": "https://github.com/wharton/automagic-rest"
    },
    "split_keywords": [
        "django",
        " automagic-rest",
        " rest",
        " drf",
        " django-rest-framework",
        " djangorestframework"
    ],
    "urls": [
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "2421f387a6a5f4400e9022eae9d69dd0dac751ad3c763cf654b690238e19a7fb",
                "md5": "6c80940cd2d8b878319ed5f453f68137",
                "sha256": "e6a89f0146e0a201e60ad7a41760a227aa155d5ea89aa8ee2550bf8cddf3d833"
            },
            "downloads": -1,
            "filename": "automagic_rest-2.2.0-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "6c80940cd2d8b878319ed5f453f68137",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.7",
            "size": 15876,
            "upload_time": "2025-07-10T17:42:05",
            "upload_time_iso_8601": "2025-07-10T17:42:05.124160Z",
            "url": "https://files.pythonhosted.org/packages/24/21/f387a6a5f4400e9022eae9d69dd0dac751ad3c763cf654b690238e19a7fb/automagic_rest-2.2.0-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "c2485ffd3fec07f36811e358fd2114d3312e7b49e8fc1c677818259fbc27c3f1",
                "md5": "c2e17c8cbaa03606e12d49abda208259",
                "sha256": "1bd0d29c920b255bea0e24d3079780c20fa3154097af782a77a2bb3a55048098"
            },
            "downloads": -1,
            "filename": "automagic_rest-2.2.0.tar.gz",
            "has_sig": false,
            "md5_digest": "c2e17c8cbaa03606e12d49abda208259",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.7",
            "size": 17120,
            "upload_time": "2025-07-10T17:42:06",
            "upload_time_iso_8601": "2025-07-10T17:42:06.544697Z",
            "url": "https://files.pythonhosted.org/packages/c2/48/5ffd3fec07f36811e358fd2114d3312e7b49e8fc1c677818259fbc27c3f1/automagic_rest-2.2.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2025-07-10 17:42:06",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "wharton",
    "github_project": "automagic-rest",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": false,
    "lcname": "automagic-rest"
}
        
Elapsed time: 2.44479s