drf-excel


Namedrf-excel JSON
Version 2.4.1 PyPI version JSON
download
home_pageNone
SummaryDjango REST Framework renderer for Excel spreadsheet (xlsx) files.
upload_time2024-06-22 15:03:09
maintainerNone
docs_urlNone
authorNone
requires_python>=3.7
licenseBSD-3-Clause
keywords djangorestframework django rest framework excel spreadsheet rest restful api xls xlsx openpyxl
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # DRF Excel: Django REST Framework Excel Spreadsheet (xlsx) Renderer

`drf-excel` provides an Excel spreadsheet (xlsx) renderer for Django REST Framework. It uses OpenPyXL to create the spreadsheet and provide the file to the end user.

## Requirements

We aim to support Django's [currently supported versions](https://www.djangoproject.com/download/), as well as:

* Django REST Framework >= 3.14
* OpenPyXL >= 2.4

## Installation

```bash
pip install drf-excel
```

Then add the following to your `REST_FRAMEWORK` settings:

```python
REST_FRAMEWORK = {
    ...

    'DEFAULT_RENDERER_CLASSES': (
        'rest_framework.renderers.JSONRenderer',
        'rest_framework.renderers.BrowsableAPIRenderer',
        'drf_excel.renderers.XLSXRenderer',
    ),
}
```

To avoid having a file streamed without a filename (which the browser will often default to the filename "download", with no extension), we need to use a mixin to override the `Content-Disposition` header. If no `filename` is provided, it will default to `export.xlsx`. For example:

```python
from rest_framework.viewsets import ReadOnlyModelViewSet
from drf_excel.mixins import XLSXFileMixin
from drf_excel.renderers import XLSXRenderer

from .models import MyExampleModel
from .serializers import MyExampleSerializer

class MyExampleViewSet(XLSXFileMixin, ReadOnlyModelViewSet):
    queryset = MyExampleModel.objects.all()
    serializer_class = MyExampleSerializer
    renderer_classes = (XLSXRenderer,)
    filename = 'my_export.xlsx'
```

The `XLSXFileMixin` also provides a `get_filename()` method which can be overridden, if you prefer to provide a filename programmatically instead of the `filename` attribute.

## Upgrading to 2.0.0

To upgrade to `drf_excel` 2.0.0 from `drf_renderer_xlsx`, update your import paths:

* `from drf_renderer_xlsx.mixins import XLSXFileMixin` becomes `from drf_excel.mixins import XLSXFileMixin`.
* `drf_renderer_xlsx.renderers.XLSXRenderer` becomes `drf_excel.renderers.XLSXRenderer`.
* `xlsx_date_format_mappings` has been removed in favor of `column_data_styles` which provides more flexibility

## Configuring Styles 

Styles can be added to your worksheet header, column header row, body and column data from view attributes `header`, `column_header`, `body`, `column_data_styles`. Any arguments from [the OpenPyXL package](https://openpyxl.readthedocs.io/en/stable/styles.html) can be used for font, alignment, fill and border_side (border will always be all side of cell).

If provided, column data styles will override body style

Note that column data styles can take an extra 'format' argument that follows [openpyxl formats](https://openpyxl.readthedocs.io/en/stable/_modules/openpyxl/styles/numbers.html).

```python
class MyExampleViewSet(XLSXFileMixin, ReadOnlyModelViewSet):
    queryset = MyExampleModel.objects.all()
    serializer_class = MyExampleSerializer
    renderer_classes = (XLSXRenderer,)

    column_header = {
        'titles': [
            "Column_1_name",
            "Column_2_name",
            "Column_3_name",
        ],
        'column_width': [17, 30, 17],
        'height': 25,
        'style': {
            'fill': {
                'fill_type': 'solid',
                'start_color': 'FFCCFFCC',
            },
            'alignment': {
                'horizontal': 'center',
                'vertical': 'center',
                'wrapText': True,
                'shrink_to_fit': True,
            },
            'border_side': {
                'border_style': 'thin',
                'color': 'FF000000',
            },
            'font': {
                'name': 'Arial',
                'size': 14,
                'bold': True,
                'color': 'FF000000',
            },
        },
    }
    body = {
        'style': {
            'fill': {
                'fill_type': 'solid',
                'start_color': 'FFCCFFCC',
            },
            'alignment': {
                'horizontal': 'center',
                'vertical': 'center',
                'wrapText': True,
                'shrink_to_fit': True,
            },
            'border_side': {
                'border_style': 'thin',
                'color': 'FF000000',
            },
            'font': {
                'name': 'Arial',
                'size': 14,
                'bold': False,
                'color': 'FF000000',
            }
        },
        'height': 40,
    }
    column_data_styles = {
        'distance': {
            'alignment': {
                'horizontal': 'right',
                'vertical': 'top',
            },
            'format': '0.00E+00'
        },
        'created_at': {
            'format': 'd.m.y h:mm',
        }
    }
```

You can dynamically generate style attributes in methods `get_body`, `get_header`, `get_column_header`, `get_column_data_styles`.

```python
def get_header(self):
    start_time, end_time = parse_times(request=self.request)
    datetime_format = "%H:%M:%S %d.%m.%Y"
    return {
        'tab_title': 'MyReport', # title of tab/workbook
        'use_header': True,  # show the header_title 
        'header_title': 'Report from {} to {}'.format(
            start_time.strftime(datetime_format),
            end_time.strftime(datetime_format),
        ),
        'height': 45,
        'img': 'app/images/MyLogo.png',
        'style': {
            'fill': {
                'fill_type': 'solid',
                'start_color': 'FFFFFFFF',
            },
            'alignment': {
                'horizontal': 'center',
                'vertical': 'center',
                'wrapText': True,
                'shrink_to_fit': True,
            },
            'border_side': {
                'border_style': 'thin',
                'color': 'FF000000',
            },
            'font': {
                'name': 'Arial',
                'size': 16,
                'bold': True,
                'color': 'FF000000',
            }
        }
    }
```

Also, you can add the `row_color` field to your serializer and fill body rows.

```python
class ExampleSerializer(serializers.Serializer):
    row_color = serializers.SerializerMethodField()

    def get_row_color(self, instance):
        color_map = {'w': 'FFFFFFCC', 'a': 'FFFFCCCC'}
        return color_map.get(instance.alarm_level, 'FFFFFFFF')
```

## Configuring Sheet View Options

View options follow [openpyxl sheet view options](https://openpyxl.readthedocs.io/en/stable/_modules/openpyxl/worksheet/views.html#SheetView)

They can be set in the view as a property `sheet_view_options`:

```python
class MyExampleViewSet(serializers.Serializer):
    sheet_view_options = {
        'rightToLeft': True, 
        'showGridLines': False
    }
```

or using method `get_sheet_view_options`:

```python
class MyExampleViewSet(serializers.Serializer):
    
    def get_sheet_view_options(self):
        return {
            'rightToLeft': True, 
            'showGridLines': False
        }
```
## Controlling XLSX headers and values

### Use Serializer Field labels as header names

By default, headers will use the same 'names' as they are returned by the API. This can be changed by setting `xlsx_use_labels = True` inside your API View. 

Instead of using the field names, the export will use the labels as they are defined inside your Serializer. A serializer field defined as `title = serializers.CharField(label=_("Some title"))` would return `Some title` instead of `title`, also supporting translations. If no label is set, it will fall back to using `title`.

### Ignore fields

By default, all fields are exported, but you might want to exclude some fields from your export. To do so, you can set an array with fields you want to exclude: `xlsx_ignore_headers = [<excluded fields>]`.

This also works with nested fields, separated with a dot (i.e. `icon.url`).

### Date/time and number formatting
Formatting for cells follows [openpyxl formats](https://openpyxl.readthedocs.io/en/stable/_modules/openpyxl/styles/numbers.html).

To set global formats, set the following variables in `settings.py`:

```python
# Date formats
DRF_EXCEL_DATETIME_FORMAT = 'mm-dd-yy h:mm AM/PM'
DRF_EXCEL_DATE_FORMAT = 'mm-dd-yy'
DRF_EXCEL_TIME_FORMAT = 'h:mm AM/PM'

# Number formats
DRF_EXCEL_INTEGER_FORMAT = '0%'
DRF_EXCEL_DECIMAL_FORMAT = '0.00E+00'
```

### Name boolean values

`True` and `False` as values for boolean fields are not always the best representation and don't support translation. 

This can be controlled with in you API view with `xlsx_boolean_labels`. 

```
xlsx_boolean_labels = {True: _('Yes'), False: _('No')}
```

will replace `True` with `Yes` and `False` with `No`.

This can also be set globally in settings.py:

```
DRF_EXCEL_BOOLEAN_DISPLAY = {True: _('Yes'), False: _('No')}
```


### Custom columns

You might find yourself explicitly returning a dict in your API response and would like to use its data to display additional columns. This can be done by passing `xlsx_custom_cols`.

```python
xlsx_custom_cols = {
    'my_custom_col.val1.title': {
        'label': 'Custom column!',
        'formatter': custom_value_formatter
    }
}

### Example function:
def custom_value_formatter(val):
    return val + '!!!'

### Example response:
{ 
    results: [
        {
            title: 'XLSX renderer',
            url: 'https://github.com/wharton/drf-excel'
            returned_dict: {
                val1: {
                    title: 'Sometimes'
                },
                val2: {
                    title: 'There is no way around'
                }
            }
        }
    ]
}
```

When no `label` is passed, `drf-excel` will display the key name in the header.

`formatter` is also optional and accepts a function, which will then receive the value it is mapped to (it would receive "Sometimes" and return "Sometimes!!!" in our example).

### Custom mappings

Assuming you have a field that returns a `dict` instead of a simple `str`, you might not want to return the whole object but only a value of it. Let's say `status` returns `{ value: 1, display: 'Active' }`. To return the `display` value in the `status` column, we can do this:

```python
xlsx_custom_mappings = {
    'status': 'display'
}
```

A more common case is that you want to change how a value is formatted. `xlsx_custom_mappings` also takes functions as values. Assuming we have a field `description`, and for some strange reason want to reverse the text, we can do this:

```python
def reverse_text(val):
    return val[::-1]

xlsx_custom_mappings = {
    'description': reverse_text
}
```

## Release Notes and Contributors

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

## Maintainers

* [Timothy Allen](https://github.com/FlipperPA) at [The Wharton School](https://github.com/wharton)
* [Thomas Willems](https://github.com/willtho89)
* [Mathieu Rampant](https://github.com/rptmat57)

This package was created 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 users.

            

Raw data

            {
    "_id": null,
    "home_page": null,
    "name": "drf-excel",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.7",
    "maintainer_email": null,
    "keywords": "djangorestframework, django rest framework, excel, spreadsheet, rest, restful, api, xls, xlsx, openpyxl",
    "author": null,
    "author_email": "Tim Allen <tallen@wharton.upenn.edu>",
    "download_url": "https://files.pythonhosted.org/packages/0f/89/137bdc746c07c146d4c7bc8d2c0eee6176ed4b9222d17593e03f5ca646ca/drf_excel-2.4.1.tar.gz",
    "platform": null,
    "description": "# DRF Excel: Django REST Framework Excel Spreadsheet (xlsx) Renderer\n\n`drf-excel` provides an Excel spreadsheet (xlsx) renderer for Django REST Framework. It uses OpenPyXL to create the spreadsheet and provide the file to the end user.\n\n## Requirements\n\nWe aim to support Django's [currently supported versions](https://www.djangoproject.com/download/), as well as:\n\n* Django REST Framework >= 3.14\n* OpenPyXL >= 2.4\n\n## Installation\n\n```bash\npip install drf-excel\n```\n\nThen add the following to your `REST_FRAMEWORK` settings:\n\n```python\nREST_FRAMEWORK = {\n    ...\n\n    'DEFAULT_RENDERER_CLASSES': (\n        'rest_framework.renderers.JSONRenderer',\n        'rest_framework.renderers.BrowsableAPIRenderer',\n        'drf_excel.renderers.XLSXRenderer',\n    ),\n}\n```\n\nTo avoid having a file streamed without a filename (which the browser will often default to the filename \"download\", with no extension), we need to use a mixin to override the `Content-Disposition` header. If no `filename` is provided, it will default to `export.xlsx`. For example:\n\n```python\nfrom rest_framework.viewsets import ReadOnlyModelViewSet\nfrom drf_excel.mixins import XLSXFileMixin\nfrom drf_excel.renderers import XLSXRenderer\n\nfrom .models import MyExampleModel\nfrom .serializers import MyExampleSerializer\n\nclass MyExampleViewSet(XLSXFileMixin, ReadOnlyModelViewSet):\n    queryset = MyExampleModel.objects.all()\n    serializer_class = MyExampleSerializer\n    renderer_classes = (XLSXRenderer,)\n    filename = 'my_export.xlsx'\n```\n\nThe `XLSXFileMixin` also provides a `get_filename()` method which can be overridden, if you prefer to provide a filename programmatically instead of the `filename` attribute.\n\n## Upgrading to 2.0.0\n\nTo upgrade to `drf_excel` 2.0.0 from `drf_renderer_xlsx`, update your import paths:\n\n* `from drf_renderer_xlsx.mixins import XLSXFileMixin` becomes `from drf_excel.mixins import XLSXFileMixin`.\n* `drf_renderer_xlsx.renderers.XLSXRenderer` becomes `drf_excel.renderers.XLSXRenderer`.\n* `xlsx_date_format_mappings` has been removed in favor of `column_data_styles` which provides more flexibility\n\n## Configuring Styles \n\nStyles can be added to your worksheet header, column header row, body and column data from view attributes `header`, `column_header`, `body`, `column_data_styles`. Any arguments from [the OpenPyXL package](https://openpyxl.readthedocs.io/en/stable/styles.html) can be used for font, alignment, fill and border_side (border will always be all side of cell).\n\nIf provided, column data styles will override body style\n\nNote that column data styles can take an extra 'format' argument that follows [openpyxl formats](https://openpyxl.readthedocs.io/en/stable/_modules/openpyxl/styles/numbers.html).\n\n```python\nclass MyExampleViewSet(XLSXFileMixin, ReadOnlyModelViewSet):\n    queryset = MyExampleModel.objects.all()\n    serializer_class = MyExampleSerializer\n    renderer_classes = (XLSXRenderer,)\n\n    column_header = {\n        'titles': [\n            \"Column_1_name\",\n            \"Column_2_name\",\n            \"Column_3_name\",\n        ],\n        'column_width': [17, 30, 17],\n        'height': 25,\n        'style': {\n            'fill': {\n                'fill_type': 'solid',\n                'start_color': 'FFCCFFCC',\n            },\n            'alignment': {\n                'horizontal': 'center',\n                'vertical': 'center',\n                'wrapText': True,\n                'shrink_to_fit': True,\n            },\n            'border_side': {\n                'border_style': 'thin',\n                'color': 'FF000000',\n            },\n            'font': {\n                'name': 'Arial',\n                'size': 14,\n                'bold': True,\n                'color': 'FF000000',\n            },\n        },\n    }\n    body = {\n        'style': {\n            'fill': {\n                'fill_type': 'solid',\n                'start_color': 'FFCCFFCC',\n            },\n            'alignment': {\n                'horizontal': 'center',\n                'vertical': 'center',\n                'wrapText': True,\n                'shrink_to_fit': True,\n            },\n            'border_side': {\n                'border_style': 'thin',\n                'color': 'FF000000',\n            },\n            'font': {\n                'name': 'Arial',\n                'size': 14,\n                'bold': False,\n                'color': 'FF000000',\n            }\n        },\n        'height': 40,\n    }\n    column_data_styles = {\n        'distance': {\n            'alignment': {\n                'horizontal': 'right',\n                'vertical': 'top',\n            },\n            'format': '0.00E+00'\n        },\n        'created_at': {\n            'format': 'd.m.y h:mm',\n        }\n    }\n```\n\nYou can dynamically generate style attributes in methods `get_body`, `get_header`, `get_column_header`, `get_column_data_styles`.\n\n```python\ndef get_header(self):\n    start_time, end_time = parse_times(request=self.request)\n    datetime_format = \"%H:%M:%S %d.%m.%Y\"\n    return {\n        'tab_title': 'MyReport', # title of tab/workbook\n        'use_header': True,  # show the header_title \n        'header_title': 'Report from {} to {}'.format(\n            start_time.strftime(datetime_format),\n            end_time.strftime(datetime_format),\n        ),\n        'height': 45,\n        'img': 'app/images/MyLogo.png',\n        'style': {\n            'fill': {\n                'fill_type': 'solid',\n                'start_color': 'FFFFFFFF',\n            },\n            'alignment': {\n                'horizontal': 'center',\n                'vertical': 'center',\n                'wrapText': True,\n                'shrink_to_fit': True,\n            },\n            'border_side': {\n                'border_style': 'thin',\n                'color': 'FF000000',\n            },\n            'font': {\n                'name': 'Arial',\n                'size': 16,\n                'bold': True,\n                'color': 'FF000000',\n            }\n        }\n    }\n```\n\nAlso, you can add the `row_color` field to your serializer and fill body rows.\n\n```python\nclass ExampleSerializer(serializers.Serializer):\n    row_color = serializers.SerializerMethodField()\n\n    def get_row_color(self, instance):\n        color_map = {'w': 'FFFFFFCC', 'a': 'FFFFCCCC'}\n        return color_map.get(instance.alarm_level, 'FFFFFFFF')\n```\n\n## Configuring Sheet View Options\n\nView options follow [openpyxl sheet view options](https://openpyxl.readthedocs.io/en/stable/_modules/openpyxl/worksheet/views.html#SheetView)\n\nThey can be set in the view as a property `sheet_view_options`:\n\n```python\nclass MyExampleViewSet(serializers.Serializer):\n    sheet_view_options = {\n        'rightToLeft': True, \n        'showGridLines': False\n    }\n```\n\nor using method `get_sheet_view_options`:\n\n```python\nclass MyExampleViewSet(serializers.Serializer):\n    \n    def get_sheet_view_options(self):\n        return {\n            'rightToLeft': True, \n            'showGridLines': False\n        }\n```\n## Controlling XLSX headers and values\n\n### Use Serializer Field labels as header names\n\nBy default, headers will use the same 'names' as they are returned by the API. This can be changed by setting `xlsx_use_labels = True` inside your API View. \n\nInstead of using the field names, the export will use the labels as they are defined inside your Serializer. A serializer field defined as `title = serializers.CharField(label=_(\"Some title\"))` would return `Some title` instead of `title`, also supporting translations. If no label is set, it will fall back to using `title`.\n\n### Ignore fields\n\nBy default, all fields are exported, but you might want to exclude some fields from your export. To do so, you can set an array with fields you want to exclude: `xlsx_ignore_headers = [<excluded fields>]`.\n\nThis also works with nested fields, separated with a dot (i.e. `icon.url`).\n\n### Date/time and number formatting\nFormatting for cells follows [openpyxl formats](https://openpyxl.readthedocs.io/en/stable/_modules/openpyxl/styles/numbers.html).\n\nTo set global formats, set the following variables in `settings.py`:\n\n```python\n# Date formats\nDRF_EXCEL_DATETIME_FORMAT = 'mm-dd-yy h:mm AM/PM'\nDRF_EXCEL_DATE_FORMAT = 'mm-dd-yy'\nDRF_EXCEL_TIME_FORMAT = 'h:mm AM/PM'\n\n# Number formats\nDRF_EXCEL_INTEGER_FORMAT = '0%'\nDRF_EXCEL_DECIMAL_FORMAT = '0.00E+00'\n```\n\n### Name boolean values\n\n`True` and `False` as values for boolean fields are not always the best representation and don't support translation. \n\nThis can be controlled with in you API view with `xlsx_boolean_labels`. \n\n```\nxlsx_boolean_labels = {True: _('Yes'), False: _('No')}\n```\n\nwill replace `True` with `Yes` and `False` with `No`.\n\nThis can also be set globally in settings.py:\n\n```\nDRF_EXCEL_BOOLEAN_DISPLAY = {True: _('Yes'), False: _('No')}\n```\n\n\n### Custom columns\n\nYou might find yourself explicitly returning a dict in your API response and would like to use its data to display additional columns. This can be done by passing `xlsx_custom_cols`.\n\n```python\nxlsx_custom_cols = {\n    'my_custom_col.val1.title': {\n        'label': 'Custom column!',\n        'formatter': custom_value_formatter\n    }\n}\n\n### Example function:\ndef custom_value_formatter(val):\n    return val + '!!!'\n\n### Example response:\n{ \n    results: [\n        {\n            title: 'XLSX renderer',\n            url: 'https://github.com/wharton/drf-excel'\n            returned_dict: {\n                val1: {\n                    title: 'Sometimes'\n                },\n                val2: {\n                    title: 'There is no way around'\n                }\n            }\n        }\n    ]\n}\n```\n\nWhen no `label` is passed, `drf-excel` will display the key name in the header.\n\n`formatter` is also optional and accepts a function, which will then receive the value it is mapped to (it would receive \"Sometimes\" and return \"Sometimes!!!\" in our example).\n\n### Custom mappings\n\nAssuming you have a field that returns a `dict` instead of a simple `str`, you might not want to return the whole object but only a value of it. Let's say `status` returns `{ value: 1, display: 'Active' }`. To return the `display` value in the `status` column, we can do this:\n\n```python\nxlsx_custom_mappings = {\n    'status': 'display'\n}\n```\n\nA more common case is that you want to change how a value is formatted. `xlsx_custom_mappings` also takes functions as values. Assuming we have a field `description`, and for some strange reason want to reverse the text, we can do this:\n\n```python\ndef reverse_text(val):\n    return val[::-1]\n\nxlsx_custom_mappings = {\n    'description': reverse_text\n}\n```\n\n## Release Notes and Contributors\n\n* [Release notes](https://github.com/wharton/drf-excel/releases)\n* [Our wonderful contributors](https://github.com/wharton/drf-excel/graphs/contributors)\n\n## Maintainers\n\n* [Timothy Allen](https://github.com/FlipperPA) at [The Wharton School](https://github.com/wharton)\n* [Thomas Willems](https://github.com/willtho89)\n* [Mathieu Rampant](https://github.com/rptmat57)\n\nThis package was created 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 users.\n",
    "bugtrack_url": null,
    "license": "BSD-3-Clause",
    "summary": "Django REST Framework renderer for Excel spreadsheet (xlsx) files.",
    "version": "2.4.1",
    "project_urls": {
        "Documentation": "https://github.com/wharton/drf-excel/",
        "Homepage": "https://github.com/wharton/drf-excel/",
        "Repository": "https://github.com/wharton/drf-excel/"
    },
    "split_keywords": [
        "djangorestframework",
        " django rest framework",
        " excel",
        " spreadsheet",
        " rest",
        " restful",
        " api",
        " xls",
        " xlsx",
        " openpyxl"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "33218ab79acfaada2789dc096e152b73bdbb205d67343e7950031e0aea38fa86",
                "md5": "6f7eed6d917177ddc33f434dfcc78b5f",
                "sha256": "6ae4b7c2c3552d633da88a3f93ea1c1d6237b805a50bb76555f1c5ce14521d65"
            },
            "downloads": -1,
            "filename": "drf_excel-2.4.1-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "6f7eed6d917177ddc33f434dfcc78b5f",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.7",
            "size": 14628,
            "upload_time": "2024-06-22T15:03:07",
            "upload_time_iso_8601": "2024-06-22T15:03:07.522764Z",
            "url": "https://files.pythonhosted.org/packages/33/21/8ab79acfaada2789dc096e152b73bdbb205d67343e7950031e0aea38fa86/drf_excel-2.4.1-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "0f89137bdc746c07c146d4c7bc8d2c0eee6176ed4b9222d17593e03f5ca646ca",
                "md5": "568ca9a96173e335906b0172ce8c989b",
                "sha256": "0103e4e3b7a923ac017169e56854f0a7be717e1bbcccd6cabaf7aabf9b5b7f28"
            },
            "downloads": -1,
            "filename": "drf_excel-2.4.1.tar.gz",
            "has_sig": false,
            "md5_digest": "568ca9a96173e335906b0172ce8c989b",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.7",
            "size": 17433,
            "upload_time": "2024-06-22T15:03:09",
            "upload_time_iso_8601": "2024-06-22T15:03:09.719510Z",
            "url": "https://files.pythonhosted.org/packages/0f/89/137bdc746c07c146d4c7bc8d2c0eee6176ed4b9222d17593e03f5ca646ca/drf_excel-2.4.1.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-06-22 15:03:09",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "wharton",
    "github_project": "drf-excel",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": false,
    "lcname": "drf-excel"
}
        
Elapsed time: 0.27901s