{ "info": { "author": "British Antarctic Survey", "author_email": "webapps@bas.ac.uk", "bugtrack_url": null, "classifiers": [ "Development Status :: 5 - Production/Stable", "Framework :: Flask", "Intended Audience :: Developers", "License :: Other/Proprietary License", "Operating System :: OS Independent", "Programming Language :: Python :: 3" ], "description": "# Flask Azure AD OAuth Provider\n\nPython Flask extension for using Azure Active Directory with OAuth to protect applications\n\n## Purpose\n\nThis provider defines an [AuthLib](https://authlib.org) \n[Resource Protector](https://docs.authlib.org/en/latest/flask/2/resource-server.html) to authenticate and authorise \nusers and other applications to access features or resources within a Flask application using the OAuth functionality\nprovided by [Azure Active Directory](https://azure.microsoft.com/en-us/services/active-directory/) as part of the\n[Microsoft identity platform](https://docs.microsoft.com/en-us/azure/active-directory/develop/about-microsoft-identity-platform).\n\nThis provider depends on Azure Active Directory, acting as a identity provider, to issue \n[OAuth access tokens](https://docs.microsoft.com/en-us/azure/active-directory/develop/access-tokens) which contain the \nidentity of a user or application and any permissions they have been assigned through the Azure Portal and management\nAPIs. These permissions are declared in Azure Active Directory \n[application registrations](https://docs.microsoft.com/en-us/azure/active-directory/develop/app-objects-and-service-principals).\n\nThis provider enables Flask applications, acting as service providers, to validate access tokens to check the identity \nof the user or application (authentication), and the permissions required to access the Flask route being accessed.\n\nSpecifically this provider supports these scenarios:\n\n1. *application to application* \n * supports authentication and authorisation\n * used to allow a client application access to some functionality or resources in another application\n * can be used to allow background tasks between applications where a user is not routinely involved (e.g. a nightly \n data synchronisation)\n * uses the identity of the application acting as a client for authentication\n * uses the permissions assigned to the application acting as a client for authorisation\n * based on the [Client Credentials](https://tools.ietf.org/html/rfc6749#section-4.4) OAuth2 grant type\n * [Azure documentation](https://docs.microsoft.com/en-us/azure/active-directory/develop/v2-oauth2-client-creds-grant-flow)\n\nOther scenarios may be added in future versions of this provider.\n\n## Installation\n\nThis package can be installed using Pip from [PyPi](https://pypi.org/project/flask-azure-oauth):\n\n```\n$ pip install flask-azure-oauth\n```\n\n## Usage\n\nThis provider provides an [AuthLib](https://authlib.org) \n[Resource Protector](https://docs.authlib.org/en/latest/flask/2/resource-server.html) which can be used as a decorator\non Flask routes.\n\nA minimal application would look like this:\n\n```python\nfrom flask import Flask\n\nfrom flask_azure_oauth import FlaskAzureOauth\n\napp = Flask(__name__)\n\napp.config['AZURE_OAUTH_TENANCY'] = 'xxx'\napp.config['AZURE_OAUTH_APPLICATION_ID'] = 'xxx'\napp.config['AZURE_OAUTH_CLIENT_APPLICATION_IDS'] = ['xxx']\n\nauth = FlaskAzureOauth()\nauth.init_app(app=app)\n\n@app.route('/unprotected')\ndef unprotected():\n return 'hello world'\n\n@app.route('/protected')\n@auth()\ndef protected():\n return 'hello authenticated entity'\n\n@app.route('/protected-with-single-scope')\n@auth('required-scope')\ndef protected_with_scope():\n return 'hello authenticated and authorised entity'\n\n@app.route('/protected-with-multiple-scopes')\n@auth('required-scope1 required-scope2')\ndef protected_with_multiple_scopes():\n return 'hello authenticated and authorised entity'\n```\n\nWhen the decorator (`auth` in this example) is used by itself any authenticated user or application will be able to\naccess the decorated route. See the `/protected` route above for an example.\n\nTo require one or more [Scopes](#permissions-roles-and-scopes), add them to the decorator call. Only users or \napplications with all of the scopes specified will be able to access the decorated route. See the \n`/protected-with-single-scope` and `/protected-with-multiple-scopes` routes above for examples.\n\n### Configuration options\n\nThe resource protector requires some configuration options to validate tokens correctly. These are read from the\n[config object](http://flask.pocoo.org/docs/1.0/config/) of a Flask application using the `init_app()` method.\n\nBefore these options can be set you will need to:\n\n1. [register the application to be protected](#registering-an-application-in-azure)\n2. [define the permissions this application supports](#defining-permissions-within-an-application-registration)\n3. [register the application(s) that will granted these permissions](#registering-an-application-in-azure)\n4. [assign permissions to this/these application(s)](#assigning-permissions-for-one-application-to-use-another)\n\n| Configuration Option | Data Type | Required | Description |\n| ------------------------------------ | --------- | -------- | -------------------------------------------------------------------------------------------------------------------------- |\n| `AZURE_OAUTH_TENANCY` | Str | Yes | ID of the Azure AD tenancy all applications and users are registered within |\n| `AZURE_OAUTH_APPLICATION_ID` | Str | Yes | ID of the Azure AD application registration for the application being protected |\n| `AZURE_OAUTH_CLIENT_APPLICATION_IDS` | List[Str] | Yes | ID(s) of the Azure AD application registration(s) for the application(s) granted access to the application being protected | \n\n### Testing support\n\nWhen a Flask application is in testing mode (i.e. `app.config['TESTING']=True`), this provider will generate a local \nJSON Web Key Set, containing a single key, which can be used to sign tokens with arbitrary scopes.\n\nThis can be used to test routes that require a scope or scopes, by allowing tokens to be generated with or without \nrequired scopes to test both authorised and unauthorised responses.\n\nTypically the instance of this provider will be defined outside of an application, and therefore persist between \napplication instances and tests. To prevent issues where signing keys generated in one application instance 'leak' into\nanother, this provider should be reset after each test using the `reset_app()` method. \n\nFor example:\n\n```python\nimport unittest\n\nfrom http import HTTPStatus\nfrom flask_azure_oauth.tokens import TestJwt\n\n\nclass AppTestCase(unittest.TestCase):\n def setUp(self):\n # 'create_app()' should return a Flask application where `app.config['TESTING'] = True` has been set\n self.app = create_app('testing')\n self.app_context = self.app.app_context()\n self.app_context.push()\n self.client = self.app.test_client()\n\n def tearDown(self):\n # 'auth ' should refer to the instance of this provider\n auth.reset_app()\n\n def test_protected_route_with_multiple_scopes_authorised(self):\n # Generate token with required scopes\n token = TestJwt(app=self.app, scopes=['required-scope1', 'required-scope2'])\n\n # Make request to protected route with token\n response = self.client.get(\n '/protected-with-multiple-scopes',\n headers={'authorization': f\"bearer { token }\"}\n )\n self.assertEqual(HTTPStatus.OK, response.status_code)\n self.app_context.pop()\n\n def test_protected_route_with_multiple_scopes_unauthorised(self):\n # Generate token with no scopes\n token = TestJwt(app=self.app)\n\n # Make request to protected route with token\n response = self.client.get(\n '/protected-with-multiple-scopes',\n headers={'authorization': f\"bearer { token }\"}\n )\n self.assertEqual(HTTPStatus.FORBIDDEN, response.status_code)\n self.app_context.pop()\n```\n\n### Permissions, roles and scopes\n\nPermissions, roles and scopes can all be considered things \n[Applications, users or groups](#applications-users-groups-and-tenancies) can do within an application - such as using \na feature or acting on a resource. In the context of this provider, they define which routes and resources can be used \nwithin a Flask application. \n\n**Note:** This provider currently does not support or discuss assigning permissions to users or groups. This is \nplanned for a future release.\n\n*Permissions* are defined in the \n[application manifest](https://docs.microsoft.com/en-us/azure/active-directory/develop/reference-app-manifest) of each\napplication being protected. These can then be assigned to either other applications and/or users (or groups of users) \nas *roles*. Roles are expressed within \n[access tokens issued by Azure](https://docs.microsoft.com/en-us/azure/active-directory/develop/access-tokens) in the\nnon-standard `roles` claim, which is otherwise equivalent to standard\n[OAuth scopes](https://tools.ietf.org/html/rfc6749#section-3.3).\n\n#### Defining permissions within an application registration\n\n**Note:** You need to have already [Registered](#registering-an-application-in-azure) the application to be protected \nwithin Azure before following these instructions.\n\n[Follow these instructions](https://docs.microsoft.com/en-us/azure/active-directory/develop/howto-add-app-roles-in-azure-ad-apps).\n\n**Note:** This provider currently does not support or discuss assigning permissions to users or groups, therefore, \nensure all roles use `Application` for the `allowedMemberTypes` property.\n\nFor example:\n\n```json\n\"appRoles\": [\n {\n \"allowedMemberTypes\": [\n \"Application\"\n ],\n \"displayName\": \"List all Foo resources\",\n \"id\": \"112b3a76-2dd0-4d09-9976-9f94b2ed965d\",\n \"isEnabled\": true,\n \"description\": \"Allows access to basic information for all Foo resources\",\n \"value\": \"Foo.List.All\"\n }\n],\n```\n\n#### Assigning permissions for one application to use another\n\n**Note:** You need to have already [Registered](#registering-an-application-in-azure) both the application to be \nprotected and the application that will be granted permissions within Azure. You also need to \n[define the permissions](#defining-permissions-within-an-application-registration) in the protected application you \nwish to assign to the other application.\n\n[Follow these instructions](https://docs.microsoft.com/en-us/azure/active-directory/develop/v2-oauth2-client-creds-grant-flow#request-the-permissions-in-the-app-registration-portal).\n\n**Note:** This provider currently does not support or discuss assigning permissions to users or groups, therefore, do\nnot follow the instructions to sign users into an application or use other user related functionality.\n\n### Applications, users, groups and tenancies\n\nApplications, users and groups of users can all be considered things that [Permissions](#permissions-roles-and-scopes)\ncan be assigned to and will be generically referred to as entities. All of these entities reside in a single Azure\ntenancy.\n\n**Note:** This provider currently does not support or discuss using users or groups of users as entities. This is \nplanned for a future release.\n\n*Applications* include services being protected by this provider, and those that will be granted access to use such \napplications as a client. Within Azure, all applications are represented by application registrations.\n\n#### Registering an application in Azure\n\n[Follow these instructions](https://docs.microsoft.com/en-us/azure/active-directory/develop/quickstart-register-app).\n\n**Note:** These instructions apply both to applications that will be protected by this provider, and those that will be\ngranted access to use such applications as a client.\n\n## Developing\n\nA docker container ran through Docker Compose is used as a development environment for this project. It includes \ndevelopment only dependencies listed in `requirements.txt`, a local Flask application in `app.py` and \n[Integration tests](#integration-tests).\n\nEnsure classes and methods are defined within the `flask_azure_oauth` package.\n\nEnsure [Integration tests](#integration-tests) are written for any new feature, or changes to existing features.\n\nIf you have access to the BAS GitLab instance, pull the Docker image from the BAS Docker Registry:\n\n```shell\n$ docker login docker-registry.data.bas.ac.uk\n$ docker-compose pull\n\n# To run the local Flask application using the Flask development server\n$ docker-compose up\n\n# To start a shell\n$ docker-compose run app ash\n```\n\n### Code Style\n\nPEP-8 style and formatting guidelines must be used for this project, with the exception of the 80 character line limit.\n\n[Flake8](http://flake8.pycqa.org/) is used to ensure compliance, and is ran on each commit through \n[Continuous Integration](#continuous-integration).\n\nTo check compliance locally:\n\n```shell\n$ docker-compose run app flake8 . --ignore=E501\n```\n\n### Dependencies\n\nDevelopment Python dependencies should be declared in `requirements.txt` to be included in the development environment.\n\nRuntime Python dependencies should be declared in `requirements.txt` and `setup.py` to also be installed as dependencies\nof this package in other applications.\n\nAll dependencies should be periodically reviewed and update as new versions are released.\n\n```shell\n$ docker-compose run app ash\n$ pip install [dependency]==\n# this will display a list of available versions, add the latest to `requirements.txt` and or `setup.py`\n$ exit\n$ docker-compose down\n$ docker-compose build\n```\n\nIf you have access to the BAS GitLab instance, push the Docker image to the BAS Docker Registry:\n\n```shell\n$ docker login docker-registry.data.bas.ac.uk\n$ docker-compose push\n```\n\n### Dependency vulnerability scanning\n\nTo ensure the security of this API, all dependencies are checked against \n[Snyk](https://app.snyk.io/org/antarctica/project/31a18ab1-7942-4044-9616-dce4837c9b16) for vulnerabilities. \n\n**Warning:** Snyk relies on known vulnerabilities and can't check for issues that are not in it's database. As with all \nsecurity tools, Snyk is an aid for spotting common mistakes, not a guarantee of secure code.\n\nSome vulnerabilities have been ignored in this project, see `.snyk` for definitions and the \n[Dependency exceptions](#dependency-vulnerability-exceptions) section for more information.\n\nThrough [Continuous Integration](#continuous-integration), on each commit current dependencies are tested and a snapshot\nuploaded to Snyk. This snapshot is then monitored for vulnerabilities.\n\n#### Dependency vulnerability exceptions\n\nThis project contains known vulnerabilities that have been ignored for a specific reason.\n\n* [Py-Yaml `yaml.load()` function allows Arbitrary Code Execution](https://snyk.io/vuln/SNYK-PYTHON-PYYAML-42159)\n * currently no known or planned resolution\n * indirect dependency, required through the `bandit` package\n * severity is rated *high*\n * risk judged to be *low* as we don't use the Yaml module in this application\n * ignored for 1 year for re-review\n\n### Static security scanning\n\nTo ensure the security of this API, source code is checked against [Bandit](https://github.com/PyCQA/bandit) for issues \nsuch as not sanitising user inputs or using weak cryptography. \n\n**Warning:** Bandit is a static analysis tool and can't check for issues that are only be detectable when running the \napplication. As with all security tools, Bandit is an aid for spotting common mistakes, not a guarantee of secure code.\n\nThrough [Continuous Integration](#continuous-integration), each commit is tested.\n\nTo check locally:\n\n```shell\n$ docker-compose run app bandit -r .\n```\n\n## Testing\n\n### Integration tests\n\nThis project uses integration tests to ensure features work as expected and to guard against regressions and \nvulnerabilities.\n\nThe Python [UnitTest](https://docs.python.org/3/library/unittest.html) library is used for running tests using Flask's \ntest framework. Test cases are defined in files within `tests/` and are automatically loaded when using the \n`test` Flask CLI command included in the local Flask application in the development environment.\n\nTests are automatically ran on each commit through [Continuous Integration](#continuous-integration).\n\nTo run tests manually:\n\n```shell\n$ docker-compose run -e FLASK_ENV=testing app flask test\n```\n\nTo run tests using PyCharm:\n\n* *Run* -> *Edit Configurations*\n* *Add New Configuration* -> *Python Tests* -> *Unittests*\n\nIn *Configuration* tab:\n\n* Script path: `[absolute path to project]/tests`\n* Python interpreter: *Project interpreter* (*app* service in project Docker Compose)\n* Working directory: `[absolute path to project]`\n* Path mappings: `[absolute path to project]=/usr/src/app`\n\n**Note:** This configuration can be also be used to debug tests (by choosing *debug* instead of *run*).\n\n### Continuous Integration\n\nAll commits will trigger a Continuous Integration process using GitLab's CI/CD platform, configured in `.gitlab-ci.yml`.\n\nThis process will run the application [Integration tests](#integration-tests).\n\nPip dependencies are also [checked and monitored for vulnerabilities](#dependency-vulnerability-scanning).\n\n## Distribution\n\nBoth source and binary versions of the package are build using [SetupTools](https://setuptools.readthedocs.io), which \ncan then be published to the [Python package index](https://pypi.org/project/flask-azure-oauth/) for use in other \napplications. Package settings are defined in `setup.py`.\n\nThis project is built and published to PyPi automatically through [Continuous Deployment](#continuous-deployment).\n\nTo build the source and binary artefacts for this project manually:\n\n```shell\n$ docker-compose run app ash\n# build package to /build, /dist and /flask_azure_oauth.egg-info\n$ python setup.py sdist bdist_wheel\n$ exit\n$ docker-compose down\n```\n\nTo publish built artefacts for this project manually to [PyPi testing](https://test.pypi.org):\n\n```shell\n$ docker-compose run app ash\n$ python -m twine upload --repository-url https://test.pypi.org/legacy/ dist/*\n# project then available at: https://test.pypi.org/project/flask-azure-oauth/\n$ exit\n$ docker-compose down\n```\n\nTo publish manually to [PyPi](https://pypi.org):\n\n```shell\n$ docker-compose run app ash\n$ python -m twine upload --repository-url https://pypi.org/legacy/ dist/*\n# project then available at: https://pypi.org/project/flask-azure-oauth/\n$ exit\n$ docker-compose down\n```\n\n### Continuous Deployment\n\nA Continuous Deployment process using GitLab's CI/CD platform is configured in `.gitlab-ci.yml`. This will:\n\n* build the source and binary artefacts for this project\n* publish built artefacts for this project to the relevant PyPi repository\n\nThis process will deploy changes to [PyPi testing](https://test.pypi.org) on all commits to the *master* branch.\n\nThis process will deploy changes to [PyPi](https://pypi.org) on all tagged commits.\n\n## Release procedure\n\n### At release\n\n1. create a `release` branch\n2. bump version in `setup.py` as per SemVer\n3. close release in `CHANGELOG.md`\n4. push changes, merge the `release` branch into `master` and tag with version\n\nThe project will be built and published to PyPi automatically through [Continuous Deployment](#continuous-deployment).\n\n## Feedback\n\nThe maintainer of this project is the BAS Web & Applications Team, they can be contacted at: \n[servicedesk@bas.ac.uk](mailto:servicedesk@bas.ac.uk).\n\n## Issue tracking\n\nThis project uses issue tracking, see the \n[Issue tracker](https://gitlab.data.bas.ac.uk/web-apps/flask-extensions/flask-azure-oauth/issues) for more information.\n\n**Note:** Read & write access to this issue tracker is restricted. Contact the project maintainer to request access.\n\n## License\n\n\u00a9 UK Research and Innovation (UKRI), 2019, British Antarctic Survey.\n\nYou may use and re-use this software and associated documentation files free of charge in any format or medium, under \nthe terms of the Open Government Licence v3.0.\n\nYou may obtain a copy of the Open Government Licence at http://www.nationalarchives.gov.uk/doc/open-government-licence/\n\n\n", "description_content_type": "text/markdown", "docs_url": null, "download_url": "", "downloads": { "last_day": -1, "last_month": -1, "last_week": -1 }, "home_page": "https://github.com/antarctica/flask-azure-oauth", "keywords": "", "license": "Open Government Licence v3.0", "maintainer": "", "maintainer_email": "", "name": "flask-azure-oauth", "package_url": "https://pypi.org/project/flask-azure-oauth/", "platform": "", "project_url": "https://pypi.org/project/flask-azure-oauth/", "project_urls": { "Homepage": "https://github.com/antarctica/flask-azure-oauth" }, "release_url": "https://pypi.org/project/flask-azure-oauth/0.3.0/", "requires_dist": [ "authlib", "flask", "requests" ], "requires_python": "", "summary": "Python Flask extension for using Azure Active Directory with OAuth to protect applications", "version": "0.3.0" }, "last_serial": 5186571, "releases": { "0.1.0": [ { "comment_text": "", "digests": { "md5": "62def3274483c0d0eee8ad07a9af2ec2", "sha256": "35bf67b111b0fa4f20ceeee7547d1dd2f2f3540d7bbd66cb2c8625d939f6ea01" }, "downloads": -1, "filename": "flask_azure_oauth-0.1.0-py3-none-any.whl", "has_sig": false, "md5_digest": "62def3274483c0d0eee8ad07a9af2ec2", "packagetype": "bdist_wheel", "python_version": "py3", "requires_python": null, "size": 18795, "upload_time": "2019-03-06T08:09:52", "url": "https://files.pythonhosted.org/packages/3e/ca/e7be1d94929274583558e678d79840cf258de4f2edb4f7a611412d77d590/flask_azure_oauth-0.1.0-py3-none-any.whl" }, { "comment_text": "", "digests": { "md5": "d581254e6d95fd507d5a2c604995ec58", "sha256": "ce8a44fe00fccc419f6e7106cf474f0551862db862a09c97b1a73859c6e0f64f" }, "downloads": -1, "filename": "flask-azure-oauth-0.1.0.tar.gz", "has_sig": false, "md5_digest": "d581254e6d95fd507d5a2c604995ec58", "packagetype": "sdist", "python_version": "source", "requires_python": null, "size": 18843, "upload_time": "2019-03-06T08:09:55", "url": "https://files.pythonhosted.org/packages/8b/58/73100c48de5e1877f36b4850e35a66a8cff93928552bf963127d6daa4753/flask-azure-oauth-0.1.0.tar.gz" } ], "0.2.0": [ { "comment_text": "", "digests": { "md5": "72f221211a0055d3dc634202f0fa4c69", "sha256": "4264725fd9f71671694f52c59ed31e93297534d0775182ea3909e6843b8781be" }, "downloads": -1, "filename": "flask_azure_oauth-0.2.0-py3-none-any.whl", "has_sig": false, "md5_digest": "72f221211a0055d3dc634202f0fa4c69", "packagetype": "bdist_wheel", "python_version": "py3", "requires_python": null, "size": 21609, "upload_time": "2019-03-07T18:33:12", "url": "https://files.pythonhosted.org/packages/5b/42/91d59cb216028229bc7ddbd7d82d5dae754085ef9ac2bea8c8eaf05f74b5/flask_azure_oauth-0.2.0-py3-none-any.whl" }, { "comment_text": "", "digests": { "md5": "cab6283fb87269a3bbbc7db6a496b313", "sha256": "65bed8cda19904db39e716d07cc10eeb37da082cf698f424f876ac9478406400" }, "downloads": -1, "filename": "flask-azure-oauth-0.2.0.tar.gz", "has_sig": false, "md5_digest": "cab6283fb87269a3bbbc7db6a496b313", "packagetype": "sdist", "python_version": "source", "requires_python": null, "size": 21423, "upload_time": "2019-03-07T18:33:14", "url": "https://files.pythonhosted.org/packages/f2/7f/713f852f302f04036d0054e91c12e0973705496c76e6795b8400257c6de5/flask-azure-oauth-0.2.0.tar.gz" } ], "0.3.0": [ { "comment_text": "", "digests": { "md5": "e6cdf467182c5cdde04ef362ddd86478", "sha256": "8fb5edd1e75fde6ae34ebad2a16cc7551b74891eb00567a9a1fca2085887d6de" }, "downloads": -1, "filename": "flask_azure_oauth-0.3.0-py3-none-any.whl", "has_sig": false, "md5_digest": "e6cdf467182c5cdde04ef362ddd86478", "packagetype": "bdist_wheel", "python_version": "py3", "requires_python": null, "size": 21494, "upload_time": "2019-04-25T07:38:31", "url": "https://files.pythonhosted.org/packages/34/52/4d98c3c33179a9796317c2f3bdcba1340b5467863f9ffa09f5a6640864b8/flask_azure_oauth-0.3.0-py3-none-any.whl" }, { "comment_text": "", "digests": { "md5": "371a62368f12292694b69290073da88e", "sha256": "18bfd9900fa3803eeb28c9fd5d1379e26c1045a2140a311cd807c16a8e24eb5f" }, "downloads": -1, "filename": "flask-azure-oauth-0.3.0.tar.gz", "has_sig": false, "md5_digest": "371a62368f12292694b69290073da88e", "packagetype": "sdist", "python_version": "source", "requires_python": null, "size": 21298, "upload_time": "2019-04-25T07:38:33", "url": "https://files.pythonhosted.org/packages/3f/a5/52951d130e28872a1679828bbe12620f0daafd0ba28ba69b9dc35a79be10/flask-azure-oauth-0.3.0.tar.gz" } ] }, "urls": [ { "comment_text": "", "digests": { "md5": "e6cdf467182c5cdde04ef362ddd86478", "sha256": "8fb5edd1e75fde6ae34ebad2a16cc7551b74891eb00567a9a1fca2085887d6de" }, "downloads": -1, "filename": "flask_azure_oauth-0.3.0-py3-none-any.whl", "has_sig": false, "md5_digest": "e6cdf467182c5cdde04ef362ddd86478", "packagetype": "bdist_wheel", "python_version": "py3", "requires_python": null, "size": 21494, "upload_time": "2019-04-25T07:38:31", "url": "https://files.pythonhosted.org/packages/34/52/4d98c3c33179a9796317c2f3bdcba1340b5467863f9ffa09f5a6640864b8/flask_azure_oauth-0.3.0-py3-none-any.whl" }, { "comment_text": "", "digests": { "md5": "371a62368f12292694b69290073da88e", "sha256": "18bfd9900fa3803eeb28c9fd5d1379e26c1045a2140a311cd807c16a8e24eb5f" }, "downloads": -1, "filename": "flask-azure-oauth-0.3.0.tar.gz", "has_sig": false, "md5_digest": "371a62368f12292694b69290073da88e", "packagetype": "sdist", "python_version": "source", "requires_python": null, "size": 21298, "upload_time": "2019-04-25T07:38:33", "url": "https://files.pythonhosted.org/packages/3f/a5/52951d130e28872a1679828bbe12620f0daafd0ba28ba69b9dc35a79be10/flask-azure-oauth-0.3.0.tar.gz" } ] }