diff --git a/.bumpversion.cfg b/.bumpversion.cfg deleted file mode 100644 index 479af4af812..00000000000 --- a/.bumpversion.cfg +++ /dev/null @@ -1,7 +0,0 @@ -[bumpversion] -current_version = 1.3.4 - -[bumpversion:file:setup.py] - -[bumpversion:file:moto/__init__.py] - diff --git a/.coveragerc b/.coveragerc index 25d85b805c1..2258101db02 100644 --- a/.coveragerc +++ b/.coveragerc @@ -3,8 +3,10 @@ exclude_lines = if __name__ == .__main__.: raise NotImplemented. + return NotImplemented def __repr__ [run] include = moto/* omit = moto/packages/* +source = moto diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml new file mode 100644 index 00000000000..cc3582c9997 --- /dev/null +++ b/.github/workflows/build.yml @@ -0,0 +1,382 @@ +name: TestNDeploy + +on: [push, pull_request] + +jobs: + # Install and cache dependencies + terraformcache: + name: Caching Terraform dependencies + runs-on: ubuntu-latest + strategy: + matrix: + python-version: [ 3.8 ] + + steps: + - name: Checkout Terraform Tests repo + uses: actions/checkout@v2 + with: + repository: localstack/localstack-terraform-test + ref: build + path: moto-terraform-tests + submodules: 'true' + - uses: actions/setup-go@v2 + with: + go-version: '^1.16.0' + - run: go version + - name: cache + id: terraformcache + uses: actions/cache@v2 + with: + path: '~/.cache' + key: 'terraformcache_download2' + - name: Download + env: + DOWNLOAD_TEST_BIN: 1 + TEST_BIN_URL: "https://moto-terraform-test.s3.amazonaws.com/aws.test" + if: ${{ steps.terraformcache.outputs.cache-hit != 'true' }} + run: | + cd moto-terraform-tests + bin/install-aws-test + cd .. + + cache: + name: Caching + runs-on: ubuntu-latest + strategy: + matrix: + python-version: [ 3.6, 3.7, 3.8, 3.9, "3.10" ] + + steps: + - uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Get pip cache dir + id: pip-cache-dir + run: | + echo "::set-output name=dir::$(pip cache dir)" + - name: pip cache + id: pip-cache + uses: actions/cache@v2 + with: + path: ${{ steps.pip-cache-dir.outputs.dir }} + key: pip-${{ matrix.python-version }}-${{ hashFiles('**/setup.py') }}-4 + - name: Update pip + if: ${{ steps.pip-cache.outputs.cache-hit != 'true' }} + run: | + python -m pip install --upgrade pip + - name: Install project dependencies + if: ${{ steps.pip-cache.outputs.cache-hit != 'true' }} + run: | + pip install -r requirements-dev.txt + + lint: + name: Linting + runs-on: ubuntu-latest + needs: cache + strategy: + matrix: + python-version: [3.7] + steps: + - uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + # Retrieve the previously cached dependencies + - name: Get pip cache dir + id: pip-cache + run: | + echo "::set-output name=dir::$(pip cache dir)" + - name: pip cache + uses: actions/cache@v2 + with: + path: ${{ steps.pip-cache.outputs.dir }} + key: pip-${{ matrix.python-version }}-${{ hashFiles('**/setup.py') }}-4 + # Update PIP + - name: Update pip + run: | + python -m pip install --upgrade pip + # Still need to properly install the dependencies - it will only skip the download part + - name: Install project dependencies + run: | + pip install -r requirements-dev.txt + - name: Lint with flake8 + run: + make lint + + test: + name: Unit test + runs-on: ubuntu-latest + needs: lint + strategy: + fail-fast: false + matrix: + python-version: [3.6, 3.7, 3.8, 3.9, "3.10"] + + steps: + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Get pip cache dir + id: pip-cache + run: | + echo "::set-output name=dir::$(pip cache dir)" + - name: pip cache + uses: actions/cache@v2 + with: + path: ${{ steps.pip-cache.outputs.dir }} + key: pip-${{ matrix.python-version }}-${{ hashFiles('**/setup.py') }}-4 + - name: Update pip + run: | + python -m pip install --upgrade pip + - name: Install project dependencies + run: | + pip install -r requirements-dev.txt + pip install pytest-cov + pip install pytest-github-actions-annotate-failures + # https://github.com/aws/aws-xray-sdk-python/issues/196 + pip install "coverage<=4.5.4" + - name: Test with pytest + run: | + make test-only + - name: "Upload coverage to Codecov" + if: ${{ github.repository == 'spulec/moto'}} + uses: codecov/codecov-action@v1 + with: + fail_ci_if_error: false + flags: unittests + + testserver: + name: Unit tests in Server Mode + runs-on: ubuntu-latest + needs: lint + strategy: + matrix: + python-version: [3.6, 3.7, 3.8, 3.9, "3.10"] + + steps: + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Start MotoServer + run: | + python setup.py sdist + docker run --rm -t --name motoserver -e TEST_SERVER_MODE=true -e AWS_SECRET_ACCESS_KEY=server_secret -e AWS_ACCESS_KEY_ID=server_key -v `pwd`:/moto -p 5000:5000 -v /var/run/docker.sock:/var/run/docker.sock python:3.7-buster /moto/scripts/ci_moto_server.sh & + python scripts/ci_wait_for_server.py + - name: Get pip cache dir + id: pip-cache + run: | + echo "::set-output name=dir::$(pip cache dir)" + - name: pip cache + uses: actions/cache@v2 + with: + path: ${{ steps.pip-cache.outputs.dir }} + key: pip-${{ matrix.python-version }}-${{ hashFiles('**/setup.py') }}-4 + - name: Update pip + run: | + python -m pip install --upgrade pip + - name: Install project dependencies + run: | + pip install -r requirements-dev.txt + pip install "coverage<=4.5.4" + - name: Test ServerMode/Coverage + env: + TEST_SERVER_MODE: ${{ true }} + run: | + make test-only + - name: "Upload coverage to Codecov" + if: ${{ github.repository == 'spulec/moto'}} + uses: codecov/codecov-action@v1 + with: + fail_ci_if_error: false + flags: servertests + - name: "Stop MotoServer" + if: always() + run: | + mkdir serverlogs + pwd + ls -la + cp server_output.log serverlogs/server_output.log + docker stop motoserver + - name: Archive TF logs + if: always() + uses: actions/upload-artifact@v2 + with: + name: motoserver-${{ matrix.python-version }} + path: | + serverlogs/* + + terraform: + name: Terraform Tests + runs-on: ubuntu-latest + needs: terraformcache + strategy: + fail-fast: false + matrix: + python-version: [ 3.8 ] + part: ["aa", "ab", "ac", "ad", "ae"] + + steps: + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + - name: Checkout Terraform Tests repo + uses: actions/checkout@v2 + with: + repository: localstack/localstack-terraform-test + ref: build + path: moto-terraform-tests + submodules: 'true' + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: cache + uses: actions/cache@v2 + with: + path: '~/.cache' + key: 'terraformcache_download2' + - name: Start MotoServer + run: | + python setup.py sdist + docker run --rm -t --name motoserver -e TEST_SERVER_MODE=true -e MOTO_PORT=4566 -e AWS_SECRET_ACCESS_KEY=server_secret -e AWS_ACCESS_KEY_ID=server_key -v `pwd`:/moto -p 4566:4566 -v /var/run/docker.sock:/var/run/docker.sock python:3.7-buster /moto/scripts/ci_moto_server.sh & + MOTO_PORT=4566 python scripts/ci_wait_for_server.py + # Poor man's parallelization + # Running them sequentially takes too much time + # And using the build in parallel-argument does not help with reducing runtime + # So we simply split the list of tests, and ask our CI for separate VM's to run them in parallel + - name: Get list of tests + run: | + cd moto-terraform-tests + bin/list-tests -i ../tests/terraform-tests.success.txt -e ../tests/terraform-tests.failures.txt > tftestlist.txt + split -n l/5 tftestlist.txt tf-split- + cd .. + - name: Run Terraform Tests + run: | + cd moto-terraform-tests + echo "Copying random zipfile that is missing for SSM tests..." + cp terraform-provider-aws/aws/test-fixtures/lambda_elb.zip terraform-provider-aws/aws/test-fixtures/ssm-doc-acc-test.zip + AWS_DEFAULT_REGION=us-east-1 AWS_ALTERNATE_REGION=eu-west-1 bin/run-tests -t -i tf-split-${{ matrix.part }} -e ../tests/terraform-tests.failures.txt + cd .. + - name: "Create report" + run: | + ls -la + cp server_output.log moto-terraform-tests/build/server_output.log + cd moto-terraform-tests + bin/create-report + bin/create-report-cli + cd .. + - name: Archive TF logs + if: always() + uses: actions/upload-artifact@v2 + with: + name: buildfolder-${{ matrix.part }} + path: | + moto-terraform-tests/build/* + + deploy: + name: Deploy + runs-on: ubuntu-latest + needs: [test, testserver, terraform ] + if: ${{ github.event_name == 'push' && github.ref == 'refs/heads/master' && github.repository == 'spulec/moto' }} + strategy: + matrix: + python-version: [3.8] + steps: + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Update & Build + run: | + pip install wheel packaging + python update_version_from_git.py + python setup.py sdist bdist_wheel + - name: Publish to PyPI + uses: pypa/gh-action-pypi-publish@master + with: + password: ${{ secrets.PYPI_API_TOKEN }} + - name: Build Docker release + run: | + docker build -t motoserver/moto . --tag moto:latest + # Required to get the correct Digest + # See https://github.com/docker/build-push-action/issues/461 + - name: Set up Docker Buildx + uses: docker/setup-buildx-action@v1 + - name: Login to DockerHub + uses: docker/login-action@v1 + with: + username: ${{ secrets.DOCKERHUB_USERNAME }} + password: ${{ secrets.DOCKERHUB_TOKEN }} + - name: Build and push + uses: docker/build-push-action@v2 + with: + push: true + tags: motoserver/moto:latest + - name: Get version number + run: | + version=$(grep -oP '(?<=__version__ = ")[0-9.a-z]+(?=")' moto/__init__.py) + echo "moto_version=$version" >> $GITHUB_ENV + - uses: octokit/graphql-action@v2.x + name: Get PR info + id: get_pr + with: + query: | + query get_pr($owner:String!,$repo:String!,$commit:GitObjectID) { + repository(owner:$owner,name:$repo) { + object(oid:$commit) { + ... on Commit { + associatedPullRequests(last: 1){ + edges { + node { + baseRepository { + nameWithOwner + } + merged + number + } + } + } + } + } + } + } + owner: ${{ github.event.repository.owner.name }} + repo: ${{ github.event.repository.name }} + commit: "${{ github.sha }}" + env: + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + - name: Get PR number + run: | + nr="${{ fromJSON(steps.get_pr.outputs.data).repository.object.associatedPullRequests.edges[0].node.number }}" + repo="${{ fromJSON(steps.get_pr.outputs.data).repository.object.associatedPullRequests.edges[0].node.baseRepository.nameWithOwner }}" + if [ -z "$nr" ] + then + echo "PR nr not found in $msg" + echo "pr_found=false" >> $GITHUB_ENV + else + echo "PR NR: $nr" + echo "pr_nr=$nr" >> $GITHUB_ENV + echo "pr_repo=$repo" >> $GITHUB_ENV + echo "pr_found=true" >> $GITHUB_ENV + fi + - name: Leave PR comment with Moto version + uses: peter-evans/create-or-update-comment@v1 + if: env.pr_found == 'true' && env.pr_repo == 'spulec/moto' + with: + issue-number: ${{ env.pr_nr }} + body: | + This is now part of moto >= ${{ env.moto_version }} diff --git a/.github/workflows/codeql-analysis.yml b/.github/workflows/codeql-analysis.yml new file mode 100644 index 00000000000..ed01998d583 --- /dev/null +++ b/.github/workflows/codeql-analysis.yml @@ -0,0 +1,66 @@ +# For most projects, this workflow file will not need changing; you simply need +# to commit it to your repository. +# +# You may wish to alter this file to override the set of languages analyzed, +# or to provide custom queries or build logic. +# +# ******** NOTE ******** +# We have attempted to detect the languages in your repository. Please check +# the `language` matrix defined below to confirm you have the correct set of +# supported CodeQL languages. +# +name: "CodeQL" + +on: + schedule: + - cron: '00 12 * * 4' + +jobs: + analyze: + name: Analyze + runs-on: ubuntu-latest + permissions: + actions: read + contents: read + security-events: write + + strategy: + fail-fast: false + matrix: + language: [ 'python' ] + # CodeQL supports [ 'cpp', 'csharp', 'go', 'java', 'javascript', 'python' ] + # Learn more: + # https://docs.github.com/en/free-pro-team@latest/github/finding-security-vulnerabilities-and-errors-in-your-code/configuring-code-scanning#changing-the-languages-that-are-analyzed + + steps: + - name: Checkout repository + uses: actions/checkout@v2 + + # Initializes the CodeQL tools for scanning. + - name: Initialize CodeQL + uses: github/codeql-action/init@v1 + with: + languages: ${{ matrix.language }} + # If you wish to specify custom queries, you can do so here or in a config file. + # By default, queries listed here will override any specified in a config file. + # Prefix the list here with "+" to use these queries and those in the config file. + # queries: ./path/to/local/query, your-org/your-repo/queries@main + + # Autobuild attempts to build any compiled languages (C/C++, C#, or Java). + # If this step fails, then you should remove it and run the build manually (see below) + - name: Autobuild + uses: github/codeql-action/autobuild@v1 + + # ℹ️ Command-line programs to run using the OS shell. + # 📚 https://git.io/JvXDl + + # ✏️ If the Autobuild fails above, remove it and uncomment the following three lines + # and modify them (or add more) to build your code if your project + # uses a compiled language + + #- run: | + # make bootstrap + # make release + + - name: Perform CodeQL Analysis + uses: github/codeql-action/analyze@v1 diff --git a/.github/workflows/dependency_test.yml b/.github/workflows/dependency_test.yml new file mode 100644 index 00000000000..ea814dc0ce8 --- /dev/null +++ b/.github/workflows/dependency_test.yml @@ -0,0 +1,35 @@ +name: "Service-specific Dependencies Test" + +on: + workflow_dispatch: + schedule: + - cron: '0 0 * * *' # every day at midnight + +jobs: + runtest: + name: Run Dependency Test + runs-on: ubuntu-latest + strategy: + matrix: + python-version: [ 3.8 ] + + steps: + - name: Checkout repo + uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Run test + env: + AWS_ACCESS_KEY_ID: key + AWS_SECRET_ACCESS_KEY: secret + run: | + scripts/dependency_test.sh + - name: Archive logs + if: always() + uses: actions/upload-artifact@v2 + with: + name: buildfolder-${{ matrix.python-version }} + path: | + test_results_*.log diff --git a/.github/workflows/dockertests.yml b/.github/workflows/dockertests.yml new file mode 100644 index 00000000000..0245c47b4ad --- /dev/null +++ b/.github/workflows/dockertests.yml @@ -0,0 +1,209 @@ +name: DockerTests + +on: [push, pull_request] + +jobs: + cache: + name: Caching + runs-on: ubuntu-latest + strategy: + matrix: + python-version: [ 3.9 ] + + steps: + - uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Get pip cache dir + id: pip-cache-dir + run: | + echo "::set-output name=dir::$(pip cache dir)" + - name: pip cache + id: pip-cache + uses: actions/cache@v2 + with: + path: ${{ steps.pip-cache-dir.outputs.dir }} + key: pip-${{ matrix.python-version }}-${{ hashFiles('**/setup.py') }} + - name: Update pip + if: ${{ steps.pip-cache.outputs.cache-hit != 'true' }} + run: | + python -m pip install --upgrade pip + - name: Install project dependencies + if: ${{ steps.pip-cache.outputs.cache-hit != 'true' }} + run: | + pip install -r requirements-dev.txt + + test_custom_port: + name: Test Custom Port + runs-on: ubuntu-latest + needs: cache + strategy: + matrix: + python-version: [3.9] + + steps: + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Start MotoServer on an unusual port + run: | + python setup.py sdist + docker run --rm -t --name motoserver -e TEST_SERVER_MODE=true -e AWS_SECRET_ACCESS_KEY=server_secret -e MOTO_PORT=4555 -e AWS_ACCESS_KEY_ID=server_key -v `pwd`:/moto -p 4555:4555 -v /var/run/docker.sock:/var/run/docker.sock python:3.7-buster /moto/scripts/ci_moto_server.sh & + MOTO_PORT=4555 python scripts/ci_wait_for_server.py + - name: Get pip cache dir + id: pip-cache + run: | + echo "::set-output name=dir::$(pip cache dir)" + - name: pip cache + uses: actions/cache@v2 + with: + path: ${{ steps.pip-cache.outputs.dir }} + key: pip-${{ matrix.python-version }}-${{ hashFiles('**/setup.py') }} + - name: Update pip + run: | + python -m pip install --upgrade pip + - name: Install project dependencies + run: | + pip install -r requirements-dev.txt + - name: Test + env: + TEST_SERVER_MODE: ${{ true }} + MOTO_PORT: 4555 + run: | + pytest -sv tests/test_awslambda/test_lambda_invoke.py::test_invoke_lambda_using_environment_port tests/test_cloudformation/test_cloudformation_custom_resources.py + - name: Collect Logs + if: always() + run: | + mkdir serverlogs1 + pwd + ls -la + cp server_output.log serverlogs1/server_output.log + docker stop motoserver + - name: Archive Logs + if: always() + uses: actions/upload-artifact@v2 + with: + name: motoserver-${{ matrix.python-version }} + path: | + serverlogs1/* + + test_custom_name: + name: Test Custom Network Name + runs-on: ubuntu-latest + needs: cache + strategy: + matrix: + python-version: [3.9] + + steps: + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Start MotoServer on a custom Docker network bridge + run: | + python setup.py sdist + docker network create -d bridge my-custom-network + docker run --rm -t -e TEST_SERVER_MODE=true -e MOTO_DOCKER_NETWORK_NAME=my-custom-network -e AWS_SECRET_ACCESS_KEY=server_secret -e AWS_ACCESS_KEY_ID=server_key -v `pwd`:/moto -p 5000:5000 --network my-custom-network -v /var/run/docker.sock:/var/run/docker.sock python:3.7-buster /moto/scripts/ci_moto_server.sh & + python scripts/ci_wait_for_server.py + - name: Get pip cache dir + id: pip-cache + run: | + echo "::set-output name=dir::$(pip cache dir)" + - name: pip cache + uses: actions/cache@v2 + with: + path: ${{ steps.pip-cache.outputs.dir }} + key: pip-${{ matrix.python-version }}-${{ hashFiles('**/setup.py') }} + - name: Update pip + run: | + python -m pip install --upgrade pip + - name: Install project dependencies + run: | + pip install -r requirements-dev.txt + - name: Test + env: + TEST_SERVER_MODE: ${{ true }} + run: | + pytest -sv tests/test_awslambda/test_lambda_invoke.py::test_invoke_lambda_using_environment_port tests/test_cloudformation/test_cloudformation_custom_resources.py + - name: Collect Logs + if: always() + run: | + mkdir serverlogs2 + pwd + ls -la + cp server_output.log serverlogs2/server_output.log + - name: Archive logs + if: always() + uses: actions/upload-artifact@v2 + with: + name: motoserver-${{ matrix.python-version }} + path: | + serverlogs2/* + + test_custom_networkmode: + name: Pass NetworkMode to AWSLambda + runs-on: ubuntu-latest + needs: cache + strategy: + matrix: + python-version: [3.9] + + steps: + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Start MotoServer on an unusual port + run: | + python setup.py sdist + docker run --rm -t -e MOTO_DOCKER_NETWORK_MODE=host -e TEST_SERVER_MODE=true -e AWS_SECRET_ACCESS_KEY=server_secret -e MOTO_PORT=4555 -e AWS_ACCESS_KEY_ID=server_key -v `pwd`:/moto -p 4555:4555 -v /var/run/docker.sock:/var/run/docker.sock python:3.7-buster /moto/scripts/ci_moto_server.sh & + MOTO_PORT=4555 python scripts/ci_wait_for_server.py + - name: Get pip cache dir + id: pip-cache + run: | + echo "::set-output name=dir::$(pip cache dir)" + - name: pip cache + uses: actions/cache@v2 + with: + path: ${{ steps.pip-cache.outputs.dir }} + key: pip-${{ matrix.python-version }}-${{ hashFiles('**/setup.py') }} + - name: Update pip + run: | + python -m pip install --upgrade pip + - name: Install project dependencies + run: | + pip install -r requirements-dev.txt + - name: Test + env: + TEST_SERVER_MODE: ${{ true }} + MOTO_PORT: 4555 + MOTO_DOCKER_NETWORK_MODE: host + run: | + pytest -sv tests/test_awslambda/test_lambda_invoke.py::test_invoke_lambda_using_networkmode tests/test_cloudformation/test_cloudformation_custom_resources.py + - name: Collect Logs + if: always() + run: | + mkdir serverlogs3 + pwd + ls -la + cp server_output.log serverlogs3/server_output.log + - name: Archive Logs + if: always() + uses: actions/upload-artifact@v2 + with: + name: motoserver-${{ matrix.python-version }} + path: | + serverlogs3/* diff --git a/.github/workflows/release.yml b/.github/workflows/release.yml new file mode 100644 index 00000000000..9efae9617a1 --- /dev/null +++ b/.github/workflows/release.yml @@ -0,0 +1,76 @@ +name: Release + +on: + workflow_dispatch: + inputs: + version: + description: 'Version' + required: true + +jobs: + release-moto-job: + runs-on: ubuntu-latest + name: Release Moto + env: + VERSION: 0.0.0 + steps: + - name: Set Env + run: | + echo "VERSION=${{ github.event.inputs.version }}" >> $GITHUB_ENV + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + - name: Set up Python 3.8 + uses: actions/setup-python@v2 + with: + python-version: 3.8 + - name: Install dependencies + run: | + python -m pip install --upgrade pip + pip install wheel setuptools packaging twine --upgrade + - name: Verify Tag does not exist + run: | + ! git rev-parse ${{ env.VERSION }} || { echo "Ensure that no tag exists for ${{ env.VERSION }}" ; exit 1; } + - name: Verify supplied version exists in the CHANGELOG + run: | + grep ${{ env.VERSION }} CHANGELOG.md || { echo "Ensure that the CHANGELOG contains an entry for ${{ env.VERSION }}" ; exit 1; } + - name: Set version number + run: python update_version_from_git.py ${{ env.VERSION }} + - name: Build + run: python setup.py sdist bdist_wheel + - name: Publish to PyPI + uses: pypa/gh-action-pypi-publish@master + with: + password: ${{ secrets.PYPI_API_TOKEN }} + - name: Tag version on Github + run: | + git tag ${{ env.VERSION }} + git push origin ${{ env.VERSION }} + - name: Build Docker release + run: | + docker build -t motoserver/moto . --tag moto:${{ env.VERSION }} + # Required to get the correct Digest + # See https://github.com/docker/build-push-action/issues/461 + - name: Set up Docker Buildx + uses: docker/setup-buildx-action@v1 + - name: Login to DockerHub + uses: docker/login-action@v1 + with: + username: ${{ secrets.DOCKERHUB_USERNAME }} + password: ${{ secrets.DOCKERHUB_TOKEN }} + - id: build_and_push + name: Build and push + uses: docker/build-push-action@v2 + with: + push: true + tags: motoserver/moto:${{ env.VERSION }} + - name: Increase patch version number + run: | + python update_version_from_git.py patch + sed -i 's/Docker Digest for ${{ env.VERSION }}: /Docker Digest for ${{ env.VERSION }}: _${{ steps.build_and_push.outputs.digest }}_/' CHANGELOG.md + git config --local user.email "admin@getmoto.org" + git config --local user.name "Moto Admin" + git add moto/__init__.py + git add CHANGELOG.md + git commit -m "Post-release steps" + git push diff --git a/.github/workflows/test_outdated_versions.yml b/.github/workflows/test_outdated_versions.yml new file mode 100644 index 00000000000..a229178556b --- /dev/null +++ b/.github/workflows/test_outdated_versions.yml @@ -0,0 +1,41 @@ +# Run separate test cases to verify Moto works with older versions of dependencies +# +name: "Outdated Dependency Tests" + +on: + pull_request: + types: [ labeled ] + +jobs: + test: + if: ${{ github.event.label.name == 'moto-core' }} + runs-on: ubuntu-latest + strategy: + fail-fast: false + matrix: + python-version: [ "3.7", "3.10" ] + responses-version: ["0.11.0", "0.12.0", "0.13.0", "0.15.0", "0.17.0" ] + mock-version: [ "3.0.5", "4.0.0", "4.0.3" ] + + steps: + - name: Checkout repository + uses: actions/checkout@v2 + + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + + - name: Update pip + run: | + python -m pip install --upgrade pip + + - name: Install project dependencies + run: | + pip install -r requirements-dev.txt + pip install responses==${{ matrix.responses-version }} + pip install mock==${{ matrix.mock-version }} + + - name: Run tests + run: | + pytest -sv tests/test_core ./tests/test_apigateway/test_apigateway_integration.py diff --git a/.gitignore b/.gitignore index 02e812c5b2f..8f7bddacdbc 100644 --- a/.gitignore +++ b/.gitignore @@ -1,4 +1,4 @@ -moto.egg-info/* +moto*.egg-info/* dist/* .cache .tox @@ -23,3 +23,7 @@ tests/file.tmp .mypy_cache/ *.tmp .venv/ +htmlcov/ +.~c9_* +.coverage* +docs/_build diff --git a/.readthedocs.yaml b/.readthedocs.yaml new file mode 100644 index 00000000000..90071cc1b67 --- /dev/null +++ b/.readthedocs.yaml @@ -0,0 +1,23 @@ +# .readthedocs.yaml +# Read the Docs configuration file +# See https://docs.readthedocs.io/en/stable/config-file/v2.html for details + +# Required +version: 2 + +build: + os: ubuntu-20.04 + tools: + python: "3.9" + +sphinx: + configuration: docs/conf.py + +formats: + - pdf + +python: + install: + - requirements: docs/requirements.txt + - method: pip + path: . diff --git a/.travis.yml b/.travis.yml deleted file mode 100644 index ed9084f1902..00000000000 --- a/.travis.yml +++ /dev/null @@ -1,68 +0,0 @@ -dist: bionic -language: python -services: -- docker -python: -- 2.7 -- 3.6 -- 3.7 -- 3.8 -env: -- TEST_SERVER_MODE=false -- TEST_SERVER_MODE=true -before_install: -- export BOTO_CONFIG=/dev/null -install: -- | - python setup.py sdist - - if [ "$TEST_SERVER_MODE" = "true" ]; then - if [ "$TRAVIS_PYTHON_VERSION" = "3.8" ]; then - # Python 3.8 does not provide Stretch images yet [1] - # [1] https://github.com/docker-library/python/issues/428 - PYTHON_DOCKER_TAG=${TRAVIS_PYTHON_VERSION}-buster - else - PYTHON_DOCKER_TAG=${TRAVIS_PYTHON_VERSION}-stretch - fi - docker run --rm -t --name motoserver -e TEST_SERVER_MODE=true -e AWS_SECRET_ACCESS_KEY=server_secret -e AWS_ACCESS_KEY_ID=server_key -v `pwd`:/moto -p 5000:5000 -v /var/run/docker.sock:/var/run/docker.sock python:${PYTHON_DOCKER_TAG} /moto/travis_moto_server.sh & - fi - travis_retry pip install -r requirements-dev.txt - travis_retry pip install "docker>=2.5.1,<=4.2.2" # Limit version due to old Docker Engine in Travis https://github.com/docker/docker-py/issues/2639 - travis_retry pip install boto==2.45.0 - travis_retry pip install boto3 - travis_retry pip install dist/moto*.gz - travis_retry pip install coveralls==1.1 - travis_retry pip install coverage==4.5.4 - - if [ "$TEST_SERVER_MODE" = "true" ]; then - python wait_for.py - fi -before_script: -- if [[ $TRAVIS_PYTHON_VERSION == "3.7" ]]; then make lint; fi -script: -- make test-only -after_success: -- coveralls -before_deploy: -- git checkout $TRAVIS_BRANCH -- git fetch --unshallow -- python update_version_from_git.py -deploy: - - provider: pypi - distributions: sdist bdist_wheel - user: spulec - password: - secure: NxnPylnTfekJmGyoufCw0lMoYRskSMJzvAIyAlJJVYKwEhmiCPOrdy5qV8i8mRZ1AkUsqU3jBZ/PD56n96clHW0E3d080UleRDj6JpyALVdeLfMqZl9kLmZ8bqakWzYq3VSJKw2zGP/L4tPGf8wTK1SUv9yl/YNDsBdCkjDverw= - on: - branch: - - master - skip_cleanup: true - skip_existing: true - # - provider: pypi - # distributions: sdist bdist_wheel - # user: spulec - # password: - # secure: NxnPylnTfekJmGyoufCw0lMoYRskSMJzvAIyAlJJVYKwEhmiCPOrdy5qV8i8mRZ1AkUsqU3jBZ/PD56n96clHW0E3d080UleRDj6JpyALVdeLfMqZl9kLmZ8bqakWzYq3VSJKw2zGP/L4tPGf8wTK1SUv9yl/YNDsBdCkjDverw= - # on: - # tags: true - # skip_existing: true diff --git a/AUTHORS.md b/AUTHORS.md index 0228ac66532..06037aa5301 100644 --- a/AUTHORS.md +++ b/AUTHORS.md @@ -58,3 +58,6 @@ Moto is written by Steve Pulec with contributions from: * [Craig Anderson](https://github.com/craiga) * [Robert Lewis](https://github.com/ralewis85) * [Kyle Jones](https://github.com/Kerl1310) +* [Mickaël Schoentgen](https://github.com/BoboTiG) +* [Ariel Beck](https://github.com/arielb135) +* [Roman Rader](https://github.com/rrader/) diff --git a/CHANGELOG.md b/CHANGELOG.md index 732dad23af9..3d3da199195 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,1784 @@ Moto Changelog -=================== +============== + +3.0.5 +----- +Docker Digest for 3.0.5: _sha256:914ba446c1aad3917029fefe5d1c4a7a6a3866173391fb470151fe4a2163efcb_ + + New Services: + * Textract: + * get_document_text_detection() + * start_document_text_detection() + + New Methods: + * APIGateway: + * delete_gateway_responses() + * get_gateway_response() + * get_gateway_responses() + * put_gateway_response() + * CloudTrail: + * add_tags() + * get_event_selectors() + * get_insight_selectors() + * list_tags() + * put_event_selectors() + * put_insight_selectors() + * remove_tags() + * update_trail() + * CognitoIDP: + * admin_set_user_mfa_preference() + * S3Control: + * create_access_point() + * delete_access_point() + * delete_access_point_policy() + * get_access_point() + * get_access_point_policy() + * get_access_point_policy_status() + + Miscellaneous: + * APIGateway: put_integration() now supports the timeoutInMillis-parameter + * AWSLambda: Made the docker image repository selectable via the `MOTO_DOCKER_LAMBDA_IMAGE` environment variable. + * Batch: register_job_definition() now supports the parameters `platformCapabilities`, `propagateTags` and `retryStrategy` + * IAM: list_entities_for_policy() now returns the RoleId/GroupId/UserId-attributes + * S3Control is now available in ServerMode. + +3.0.4 +----- +Docker Digest for 3.0.4: _sha256:320e1d2ab89729d5580dbe08d8c2153a28db4c28023c57747fb292ffceee84b6_ + + New Services: + * Redshift-Data: + * cancel_statement() + * describe_statement() + * execute_statement() + * get_statement_result() + * Servicediscovery/Cloudmap: + * create_http_namespace() + * create_private_dns_namespace() + * create_public_dns_namespace() + * create_service() + * delete_namespace() + * delete_service() + * get_namespace() + * get_operation() + * get_service() + * list_namespaces() + * list_operations() + * list_services() + * list_tags_for_resource() + * tag_resource() + * untag_resource() + * update_service() + + New Methods: + * Athena: + * create_data_catalog() + * get_data_catalog() + * list_data_catalogs() + * SES: + * get_identity_mail_from_domain_attributes() + * set_identity_mail_from_domain() + + Miscellaneous: + * SSM: Global infrastructure parameters supplied by AWS are now available in Moto + +3.0.3 +----- + + * New Services: + * APIGatewayV2 + * create_api() + * create_authorizer() + * create_integration() + * create_integration_response() + * create_model() + * create_route() + * create_route_response() + * create_vpc_link() + * delete_api() + * delete_authorizer() + * delete_cors_configuration() + * delete_integration() + * delete_integration_response() + * delete_model() + * delete_route() + * delete_route_request_parameter() + * delete_route_response() + * delete_vpc_link() + * get_api() + * get_apis() + * get_authorizer() + * get_integration() + * get_integration_response() + * get_integration_responses() + * get_integrations() + * get_model() + * get_route() + * get_route_response() + * get_routes() + * get_tags() + * get_vpc_link() + * get_vpc_links() + * reimport_api() + * tag_resource() + * untag_resource() + * update_api() + * update_authorizer() + * update_integration() + * update_integration_response() + * update_model() + * update_route() + * update_vpc_link() + + * New Methods: + * APIGateway: + * create_vpc_link() + * delete_vpc_link() + * get_vpc_link() + * get_vpc_links() + EC2: + * create_vpc_endpoint_service_configuration() + * delete_vpc_endpoint_service_configurations() + * describe_vpc_endpoint_service_configurations() + * describe_vpc_endpoint_service_permissions() + * modify_vpc_endpoint_service_configuration() + * modify_vpc_endpoint_service_permissions() + * Route53: + * create_reusable_delegation_set() + * delete_reusable_delegation_set() + * get_hosted_zone_count() + * get_reusable_delegation_set() + * list_reusable_delegation_sets() + + * Miscellaneous: + * CognitoIDP: + * initiate_auth()/admin_initiate_auth(): improved behaviour of the AuthFlow-parameter + * EC2: + * describe_instance_types() now returns the GpuInfo-attribute + * Redshift: + * describe_cluster_snapshots() now supports the SnapshotType-parameter + +3.0.2 +----- + + * New Methods: + * Kinesis: + * deregister_stream_consumer() + * describe_stream_consumer() + * disable_enhanced_monitoring() + * enable_enhanced_monitoring() + * list_stream_consumers() + * register_stream_consumer() + * start_stream_encryption() + * stop_stream_encryption() + * update_shard_count() + * RDS: + * cancel_export_task() + * copy_db_cluster_snapshot() + * copy_db_snapshot() + * create_db_cluster_snapshot() + * create_event_subscription() + * delete_db_cluster_snapshot() + * delete_event_subscription() + * describe_db_cluster_snapshots() + * describe_event_subscriptions() + * describe_export_tasks() + * start_export_task() + * Route53 + * list_hosted_zones_by_vpc() + + * Miscellaneous: + * Improved configuration options for Docker-instances started by AWSLambda and Batch + +3.0.1 +----- + + * New Services: + * MQ: + * create_broker() + * create_configuration() + * create_tags() + * create_user() + * delete_broker() + * delete_tags() + * delete_user() + * describe_broker() + * describe_configuration() + * describe_configuration_revision() + * describe_user() + * list_brokers() + * list_configurations() + * list_tags() + * list_users() + * reboot_broker() + * update_broker() + * update_configuration() + * update_user() + + * New Methods: + * EC2: + * create_snapshots() + * Logs: + * create_export_task() + * Organizations: + * remove_account_from_organization() + + * Miscellaneous: + * DynamoDB: transact_write_items() now throws a MultipleTransactionsException when appropriate + * DynamoDB: Now throws the appropriate InvalidConditionExpression when a ConditionExpression contains reserved keywords + * Organizations: delete_organization() now validates whether all accounts are deleted + * SecretsManager: The attributes CreatedDate and LastChangedDate are now returned for secrets + * SNS: Simplistic email validation is now in place before sending emails + +3.0.0 +----- + This is a major release, and as such contains some breaking changes. + + * Removed: + - All deprecated decorators have been removed + + * Changes: + - The behaviour of the class-decorator has been reworked - the state is now reset before every test-method. + - ECS ARN's are now using the long format. + + * Rebranded: + - The new mock_s3control-decorator has been introduced. The existing S3control methods (get/put/delete_public_access_block) are no longer available via mock_s3, only via mock_s3control. + + * General: + - Python 3.5 support has been removed + - Python 3.10 is now supported + + +2.3.2 +----- + General: + * Compatible with the latest `responses`-release (0.17.0) + + New Services: + * Appsync: + * create_api_key() + * create_graphql_api() + * delete_api_key() + * delete_graphql_api() + * get_graphql_api() + * get_schema_creation_status() + * get_type() + * list_api_keys() + * list_graphql_apis() + * list_tags_for_resource() + * start_schema_creation() + * tag_resource() + * untag_resource() + * update_api_key() + * update_graphql_api() + + Miscellaneous: + * AWSLambda:invoke() now throws an error when trying to return an oversized payload (>6MB) + * EC2:describe_instances() now supports filtering by `dns-name` + * EC2:describe_managed_prefix_lists() now supports filtering by tags + * SQS:delete_message_batch() now correctly deals with invalid receipt handles + +2.3.1 +----- + New Services: + * DAX: + * create_cluster() + * decrease_replication_factor() + * delete_cluster() + * describe_clusters() + * increase_replication_factor() + * list_tags() + * SSO-Admin: + * create_account_assignment() + * delete_account_assignment() + * list_account_assignments() + + New Methods: + * APIGateway: + * update_base_path_mapping() + * SNS: + * publish_batch() + + Miscellaneous: + * ECS: run_task() now supports the launchType-parameter + * SNS: publish() now supports FIFO-topics + * SWF: respond_decision_task_completed() now supports RecordMarker/StartTimer/CancelTimer/CancelWorkflowExecution decisions + +2.3.0 +----- + General: + * It is now possible to use a mocked region. This will throw an error by default, but can be enabled using the `MOTO_ALLOW_NONEXISTENT_REGION`-environment variable. + * Performance improvements - only the backend for the requested region is now loaded into memory, instead of (naively) loading a backend for every region. + +2.2.20 +----- + New Services: + * ElasticsearchService: + * create_elasticsearch_domain() + * delete_elasticsearch_domain() + * describe_elasticsearch_domain() + * list_domain_names() + + New Methods: + * EC2: + * disable_ebs_encryption_by_default() + * enable_ebs_encryption_by_default() + * get_ebs_encryption_by_default() + * Redshift: + * pause_cluster() + * resume_cluster() + + Miscellanous: + * ELBv2: create_listener now supports the DefaultActions.ForwardConfig parameter + * Redshift: restore_from_cluster_snapshot() now supports the NodeType and NumberOfNodes-parameters + * Sagemaker: list_experiments() now supports pagination + * Sagemaker: list_trials() now supports pagination + * Sagemaker: list_trial_components() now supports pagination + + +2.2.19 +----- + General: + * Support for ap-southeast-3 + + +2.2.18 +------ + New Services: + * ElastiCache: + * create_user() + * delete_user() + * describe_users() + * GuardDuty: + * create_detector() + * list_detectors() + + New Methods: + * IAM: + * list_open_id_connect_provider_tags() + * tag_open_id_connect_provider() + * untag_open_id_connect_provider() + * update_open_id_connect_provider_thumbprint() + * IOT: + * create_domain_configuration() + * delete_domain_configuration() + * describe_domain_configuration() + * list_domain_configurations() + * update_domain_configuration() + + Miscellaneous: + * ResourceGroupTaggingAPI now supports Lambda Functions + * SecretsManager:list_secrets() now supports negative filters + +2.2.17 +------ + New Services: + * CloudFront: + * create_distribution() + * delete_distribution() + * get_distribution() + * list_distributions() + + New Methods: + * Autoscaling: + * describe_tags() + * CloudFormation: + * get_stack_policy() + * set_stack_policy() + * DynamoDB: + * restore_table_to_point_in_time() + * Glue: + * delete_database() + * list_jobs() + * IAM: + * update_group() + * Route53 Resolver: + * associate_resolver_rule() + * create_resolver_rule() + * delete_resolver_rule() + * disassociate_resolver_rule() + * get_resolver_rule() + * get_resolver_rule_association() + * list_resolver_rules() + * list_resolver_rule_associations() + + Miscellaneous: + * Batch: register_job_definition() now supports the timeout-parameter + * Batch: submit_job() now supports the timeout-parameter + * EC2: describe_network_interfaces() now supports the `attachment.instance-id` filter + + +2.2.16 +------ + New Services: + * SimpleDB: + * create_domain() + * delete_domain() + * get_attributes() + * list_domains() + * put_attributes() + + New Methods: + * Glue: + * create_job + * Route53 Resolver: + * create_resolver_endpoint() + * delete_resolver_endpoint() + * get_resolver_endpoint() + * list_resolver_endpoints() + * list_resolver_endpoint_ip_addresses() + * list_tags_for_resource() + * tag_resource() + * untag_resource() + * update_resolver_endpoint() + + Miscellaneous: + * Moto now supports mocking S3-equivalent libraries such as Ceph + * Cognito IDP now exposes the `cognito:groups`-attribute as part of the AccessToken + +2.2.15 +------ + General: + * Fixed the dependency bug - `moto install[all]` now installs all required dependencies again. + +2.2.14 +------ + Known bugs: + * Running `pip install moto[all]` will not install all required dependencies. + + General: + * Improved documentation for both users and contributors: + http://docs.getmoto.org/en/latest/ + * The `@mock_all`-decorator is now available to mock all services at the same time + * The `moto.core.patch_client`/`moto.core.patch_resource`-methods are now available to patch boto3-clients and -resources instantiated after the mock was started. + This provides a workaround when encountering InvalidAccessKeyId-errors. + + New Methods: + * APIGateway: + * delete_base_path_mapping() + * EC2: + * assign_ipv6_addresses() + * assign_private_ip_addresses() + * unassign_ipv6_addresses() + * unassign_private_ip_addresses() + * SSM: + * create_maintenance_window() + * delete_maintenance_window() + * get_maintenance_window() + + Miscellaneous: + * CloudFormation no longer throws errors when trying to update unsupported resources. + * CloudTrail:get_trail_status() now also supports ARN's as a parameter + * CognitoIDP:list_users() now supports the AttributesToGet-parameter + * IOT:attach_policy() now supports Cognito IdentityPools as a target + * IOT:list_job_executions_for_thing() now supports pagination + * Kinesis:split_shards() now behaves more like AWS, by closing the original shard and creating two new ones + * Logs:put_log_events() now enforces timestamp-validation + * S3:create_multipart_upload() now supports the Tagging-parameter + * SSM:get_parameters_by_path() now support filtering by label + +2.2.13 +----- + General: + * The mock_dynamodb and mock_rds-decorators have been deprecated, and will be repurposed in a later release. + Please see https://github.com/spulec/moto/issues/4526 for more information. + + New Methods: + * API Gateway: + * get_base_path_mappings() + * Cognito Identity: + * list_identities() + * DirectoryService: + * disable_sso() + * enable_sso() + * connect_directory() + * create_alias() + * create_microsoft_ad() + * EMR Containers: + * cancel_job_run() + * describe_job_run() + * list_job_runs() + * start_job_run() + * IAM: + * list_policy_tags() + * tag_policy() + * untag_policy() + * Sagemaker: + * create_processing_job() + * describe_processing_job() + * list_processing_jobs() + + Miscellaneous: + * CloudFormation: Now supports creation of Custom:: resources. Note that this only works in ServerMode. + +2.2.12 +----- + New Services: + * EMR Containers: + * create_virtual_cluster() + * delete_virtual_cluster() + * describe_virtual_cluster() + * list_virtual_clusters() + * DirectoryService: + * add_tags_to_resource() + * create_directory() + * delete_directory() + * describe_directories() + * get_directory_limits() + * list_tags_for_resource() + * remove_tags_for_resource() + + New Methods: + * API Gateway: + * create_base_path_mapping() + * get_base_path_mappings() + * CognitoIDP: + * add_custom_attributes() + * admin_delete_user_attributes() + * Glue: + * start_crawler() + * stop_crawler() + * Sagemaker: + * add_tags() + * associate_trial_component() + * create_experiment() + * create_trial() + * create_trial_component() + * delete_experiment() + * delete_tags() + * delete_trial() + * delete_trial_component() + * describe_experiment() + * describe_trial() + * describe_trial_component() + * disassociate_trial_component() + * list_associations() + * list_experiments() + * list_trial_components() + * list_trials() + * search() + * SES: + * describe_receipt_rule_set() + * update_receipt_rule() + + Miscellaneous: + * KMS: Now returns default AWS aliases (alias/aws/s3, etc) + +2.2.11 +----- + General: + * Support for AWS China regions + * ECS now has an option to enable long-format ARNs, by setting the environment variable MOTO_ECS_NEW_ARN=true + Alternatively, use the `put_account_setting` to enable long-format for the current user. + + New Services: + * Timestream: + * create_database() + * create_table() + * delete_database() + * delete_table() + * describe_database() + * describe_endpoints() + * describe_table() + * list_databases() + * list_tables() + * update_database() + * update_table() + * write_records() + + New Methods: + * CognitoIDP: + * admin_confirm_sign_up() + * update_user_pool() + * ECS: + * delete_account_setting() + * list_account_settings() + * put_account_setting() + * Route53: + * create_query_logging_config() + * delete_query_logging_config() + * get_query_logging_config() + * list_query_logging_config() + * SES + * describe_receipt_rule() + * get_identity_notification_attributes() + * set_identity_feedback_forwarding_enabled() + + Miscellaneous: + * CloudFormation: Support create/update/delete of resource AWS::Logs::ResourcePolicy + * CloudFormation:get_template_summary() now returns the Parameters-attribute + * CognitoIDP: Allow the UserAttributes email or phone_number to be used as username + * CognitoIDP: Improved behaviour for the ForgotPassword()-feature + + +2.2.10 +------ + New Services: + * CloudTrail: + * create_trail() + * delete_trail() + * describe_trails() + * get_trail() + * get_trail_status() + * list_trails() + * start_logging() + * stop_logging() + + New Methods: + * CognitoIDP: + * admin_reset_user_password() + * S3: + * delete_bucket_replication() + * get_bucket_replication() + * put_bucket_replication() + + Miscellaneous: + * ACM: describe_certificate(): the InUseBy-attribute will now show the appropriate Elastic Load Balancers + * AWSLambda: If you're running Linux, 'host.docker.internal' is now added as an extra host in the Docker container used to invoke the function. + This makes it easier for Lambda-functions to communicate with other servers running on the host-system. + * CloudFormation: Now supports update/deletion of type AWS::SNS::Topic + * CognitoIdentityProvider: list_users() now has improved support for the Filter-parameter + * Kinesis: describe_stream() now supports the Filter-parameter + * S3: list_object_versions() now supports the Delimiter and KeyMarker-parameter + +2.2.9 +----- + General: + * Moto is now compatible with Sure 2.x + + New Methods: + * Kinesis: + * list_shards() + * RDS: + * create_db_cluster() + * delete_db_cluster() + * describe_db_clusters() + * restore_db_instance_from_db_snapshot() + * start_db_cluster() + * stop_db_cluster() + * S3: + * get_object_legal_hold() + + Miscellaneous: + * CF: Now supports creation of AWS::EC2::VPNGateway + * CF: Now supports deletion of AWS::Events::Rule + * EC2: create_volume() now supports the VolumeType-parameter + * EC2: describe_customer_gateways() now supports the CustomerGatewayIds-parameter + * EC2: describe_security_groups() now has improved support for the Filters-parameter + * EC2: describe_spot_instance_requests() now supports the SpotInstanceRequestIds-parameter + * EC2: describe_transit_gateways() now supports the TransitGatewayIds-parameter + +2.2.8 +----- + New Services: + * ACM: + * export_certificate() + * APIGateway: + * create_request_validator() + * delete_request_validator() + * get_request_validators() + * update_request_validator() + + Miscellaneous: + * APIGateway: update_rest_api() now has improved support for the patchOperations-parameter + * Batch: register_job_definition() now supports the tags-parameter + * CloudFormation: Stack Events are now propagated to SNS when the NotificationARNs-parameter is supplied. + * EC2: describe_vpc_endpoint_services() now returns the default endpoints for implemented services + * IOT: list_job_executions_for_job() now supports the status-parameter + * IOT: list_job_executions_for_thing() now supports the status-parameter + * KMS: list_resource_tags() now supports an ARN as the KeyId-parameter + * KMS: tag_resource() now supports an ARN as the KeyId-parameter + * KMS: untag_resource() now supports an ARN as the KeyId-parameter + * SecretsManager: update_secret() now supports the ClientRequestToken-parameter + +2.2.7 +----- + General: + * Performance improvements when using Moto in Server Mode. + Only services that are actually used will now be loaded into memory, greatly reducing the waiting times when starting the server, making an initial request and calling the reset-api. + + New Services: + * Firehose + * create_delivery_stream() + * delete_delivery_stream() + * describe_delivery_stream() + * list_delivery_streams() + * list_tags_for_delivery_stream() + * put_record() + * put_record_batch() + * tag_delivery_stream() + * untag_delivery_stream() + * update_destination() + + New Methods: + * Autoscaling: + * delete_lifecycle_hook() + * describe_lifecycle_hooks() + * put_lifecycle_hook() + * EC2: + * associate_subnet_cidr_block() + * create_carrier_gateway() + * delete_carrier_gateway() + * describe_carrier_gateways() + * describe_spot_price_history() + * disassociate_subnet_cidr_block() + * update_security_group_rule_descriptions_egress() + * update_security_group_rule_descriptions_ingress() + * Logs: + * delete_metric_filter() + * describe_metric_filters() + * put_metric_filter() + * SageMaker: + * list_training_jobs() + * Transcribe + * create_vocabulary() + * delete_transcription_job() + * delete_vocabulary() + * get_transcription_job() + * get_vocabulary() + * list_transcription_jobs() + * start_transcription_job() + + Miscellaneous: + * DynamoDB: Improved support for the ReturnConsumedCapacity-parameter across all methods + * EC2:create_route() now supports the parameters CarrierGatewayId, DestinationPrefixListId + * EC2:create_subnet() now supports the Ipv6CidrBlock-parameter + * EC2:describe_nat_gateways() now supports the NatGatewayIds-parameter + * EC2:describe_vpn_gateways() now supports the VpnGatewayIds-parameter + * EC2:modify_network_interface_attribute() now supports the SourceDestCheck-parameter + * EC2:replace_route() now supports the parameters DestinationIpv6CidrBlock, DestinationPrefixListId, NatGatewayId, EgressOnlyInternetGatewayId, TransitGatewayId + * EC2:run_instances() now supports the InstanceMarketOptions.MarketType-parameter + * Logs:put_log_events() now supports Firehose as a destination + * Logs:put_subscription_filter() now supports Firehose as a destination + * S3:create_bucket(): Improved error handling for duplicate buckets + * S3:head_object() now validates incoming calls when using the `set_initial_no_auth_action_count`-decorator + * SSM:put_parameter() now supports the DataType-parameter + +2.2.6 +----- + General: + * `pip install` will no longer log a warning when installing a service that does not have any dependencies + Example: `pip install moto[acm]` + + New Services: + ElasticTranscoder: + * create_pipeline + * delete_pipeline + * list_pipelines + * read_pipeline + * update_pipeline + + New Methods: + * DynamoDB: + * describe_endpoints() + + Miscellaneous: + * AWSLambda now sends logs to CloudWatch when Docker encounters an error, to make debugging easier + * AWSLambda: For all methods, the FunctionName-parameter can be either the Lambda name or the Lambda ARN + * AWSLambda:list_functions() now returns only the latest version by default + * AWSLambda:invoke() now returns the correct Payload for invocations that resulted in an error + * CloudFormation now supports the creation of type AWS::IAM::ManagedPolicy + * CloudFormation now supports the deletion of type AWS::IAM::InstanceProfile + * CloudFormation now supports the deletion of type AWS::IAM::Role + * CloudWatch:create_log_group() now has proper validation for the length of the logGroupName-parameter + * CloudWatch:describe_log_groups() now has proper validation for the limit-parameter + * CloudWatch:describe_log_streams() now has proper validation for the limit-parameter + * CloudWatch:get_log_events() now has proper validation for the limit-parameter + * CloudWatch:filter_log_events() now has proper validation for the limit-parameter + * DynamoDB:update_item(): fixed a bug where an item was created, despite throwing an error + * DynamoDB:update_item() now throws an error when both UpdateExpression and AttributeUpdates are supplied + * EC2:modify_instance_attribute() now supports Attribute="disableApiTermination" + * S3 now supports direct uploads using the requests-library without having to specify the 'Content-Type' header + * S3 now supports creating S3 buckets that start with a service name, i.e. `iot-bucket` + * S3 now returns the RequestID in every response + * S3:list_parts() now supports the MaxPart-parameter + * SQS:get_queue_attributes() now behaves correctly when the AttributeNames-parameter is not provided + * SQS:receive_message() no longer accepts queue-names for the QueueUrl-parameter, as per AWS' spec + * SQS: The sqs.Queue-class no longer accepts queue-names, only queue-URLs, as per AWS' spec + +2.2.5 +----- + General: + * Python 3.9 is now officially supported + + Known bugs: + * SQS:get_queue_attributes() throws an error when the AttributeNames-parameter is not provided + + New Methods: + * DynamoDB (API v20111205, now deprecated) + * UpdateItem + * EC2: + * modify_vpc_peering_connection_options() + * Glue: + * create_crawler() + * delete_crawler() + * get_crawler() + * get_crawlers() + * SSM: + * describe_document_permission() + * modify_document_permission() + + Miscellaneous: + * CloudFormation:create_stack() now has validation for an empty Outputs-parameter + * EC2 now returns errors in the correct format, fixing various bugs with `terraform destroy` + * EC2:authorize_security_group_egress() now returns the securityGroupRuleSet-attribute + * EC2:authorize_security_group_ingress() now returns the securityGroupRuleSet-attribute + * EC2:create_route() now supports the EgressOnlyInternetGatewayId-parameter + * EC2:create_route_table() now adds an IPv6-route when enabled + * EC2:describe_security_groups() now returns the ipv6Ranges-attribute + * EC2:describe_vpc_peering_connection() now supports the VpcPeeringConnectionIds-parameter + * Organisations:detach_policy() now actually detaches a policy - before it was essentially a no-op + * Route53:create_health_check() now supports the CallerReference-parameter + * Route53:create_health_check() now support default values for integer-parameters such as Port/RequestInterval/FailureThreshold + * Route53:create_health_check() now supports several additional parameters such as MeasureLatency/Inverted/Disabled/EnableSNI/ChildHealthChecks + * SQS:create_queue() now supports the queue-attributes FifoThroughputLimit and DeduplicationScope + + +2.2.4 +----- + New Methods: + * ConfigService: + * delete_config_rule() + * describe_config_rule() + * put_config_rule() + * EC2: + * create_egress_only_internet_gateway() + * delete_egress_only_internet_gateway() + * describe_egress_only_internet_gateways() + * Fargate: + * create_fargate_profile() + * delete_fargate_profile() + * describe_fargate_profile() + * list_fargate_profiles() + * IOT: + * deprecate_thing_type() + * S3: + * get_object_lock_configuration() + * put_object_legal_hold() + * put_object_lock_configuration() + * put_object_retention() + + Miscellaneous: + * CloudFormation:describe_stack_resource() now throws an exception of the LogicalResourceId does not exist + * CloudFormation: AWS::Events::Rule now supports the EventPattern-property + * CloudFormation: Improved Parameter handling + * EC2:describe_instances() now handles wildcards correctly when filtering by tags + * EC2:terminate_instances() now throws an exception when trying to terminate a protected instance + * ELBv2:describe_rules() now returns the correct value for the IsDefault-attribute + * IOT:create_thing() now throws an exception if the thing type is deprecated + * IOT:update_thing() now throws an exception if the thing type is deprecated + * S3:create_bucket() now supports the ObjectLockEnabledForBucket-parameter + * S3:putObject() is fixed for the Java SDK, which failed with a eTag-validation + +2.2.3 +----- + New Methods: + * EC2: + * create_managed_prefix_list() + * delete_managed_prefix_list() + * describe_managed_prefix_lists() + * describe_prefix_lists() + * get_managed_prefix_list_entries() + * delete_vpc_endpoints() + * disassociate_transit_gateway_route_table() + * modify_managed_prefix_list() + * ECR: + * delete_lifecycle_policy() + * delete_registry_policy() + * describe_image_scan_findings() + * describe_registry() + * get_lifecycle_policy() + * get_registry_policy() + * put_lifecycle_policy() + * put_registry_policy() + * put_replication_configuration() + * start_image_scan() + * CloudWatch: + * list_tags_for_resource() + * tag_resource() + * untag_resource() + + Miscellaneous: + * CloudWatch: put_metric_alarm() now supports the parameters ExtendedStatistic, TreatMissingData, EvaluateLowSampleCountPercentile, ThresholdMetricId, Tags + * CognitoIdentity: create_identity_pool() now supports the IdentityPoolTags-parameter + * CognitoIDP: initiate_auth() now supports the 'USER_PASSWORD_AUTH'-flow + * EC2: allocate_address() now supports the TagSpecifications-parameter + * EC2: create_route() now supports the TransitGatewayId-parameter + * EC2: delete_route() now supports the DestinationIpv6CidrBlock-parameter + * EC2: describe_nat_gateways() now returns the connectivityType-attribute + * ECR: delete_repository() now supports the force-parameter + * EventBridge: put_events() now supports ARN's for the EventBusName-parameter + * EventBridge: put_rule() now supports the Tags-parameter + * IOT: create_policy_version() now throws the VersionsLimitExceededException if appropriate + + +2.2.2 +----- + General: + * Removed the dependency on pkg_resources that was broken in 2.2.1 + + New Services: + * WafV2: + * create_web_acl() + * list_web_acls() + + New Methods: + * Autoscaling: + * delete_tags() + * resume_processes() + * ConfigService: + * list_tags_for_resource() + * tag_resource() + * untag_resource() + * EC2: + * accept_transit_gateway_peering_attachment() + * create_transit_gateway_peering_attachment() + * delete_transit_gateway_peering_attachment() + * describe_transit_gateway_peering_attachments() + * reject_transit_gateway_peering_attachment() + * ECR: + * delete_repository_policy() + * get_repository_policy() + * list_tags_for_resource() + * put_image_tag_mutability() + * put_image_scanning_configuration() + * set_repository_policy() + * tag_resource() + * untag_resource() + * KMS: + * update_alias() + * Logs: + * delete_resource_policy() + * describe_resource_policies() + * RDS: + * modify_db_subnet_group() + + Miscellaneous: + * CloudFormation: Improved support for AWS::ECR::Repository + * CloudFormation: execute_change_set() now properly updates the status of a stack + * CognitoIDP: list_users() now supports username/status in the Filter-attribute + * ECR: create_repository() now supports the parameters encryptionConfiguration, imageScanningConfiguration, imageTagMutability + * Events: put_permission() now supports the Policy and Condition-parameters + * Events: remove_permission() now supports the RemoveAllPermissions-parameter + * Kinesis: create_delivery_stream() now supports the ElasticsearchDestinationConfiguration-parameter + * SecretsManager: create_secret() now supports the KmsKeyId-parameter + * SecretsManager: update_secret() now supports the KmsKeyId-parameter + +2.2.1 +----- + Known bugs: + * Moto still depends on setuptools (or more specifically pkg_resources), + but this module is not listed as a dependency. + + General: + * We removed Py3.5 support + * We removed some unnecessary dependencies for the EC2/SQS services. + + New Services: + * EFS: + * create_file_system + * create_mount_target + * delete_file_system + * delete_mount_target + * describe_backup_policy + * describe_file_systems + * describe_mount_target + + New Methods: + * CognitoIDP: + * admin_user_global_sign_out() + * EC2: + * associate_transit_gateway_route_table() + * delete_transit_gateway_vpc_attachment() + * disable_transit_gateway_route_table_propagation() + * enable_transit_gateway_route_table_propagation() + * modify_vpc_tenancy() + * modify_transit_gateway_vpc_attachment() + * Events: + * update_connection() + + Miscellaneous: + * EC2 - describe_route_tables() now returns the associationState-attribute + * EKS - list_clusters() received a pagination bug fix + * IOT - describe_certificate() now returns the validity-attribute + * SQS - create_queue() now supports empty tags + * SQS - set_queue_attributes() now supports setting an empty policy + + +2.2.0 +----- + General Changes: + * Support for Python 2.7 has been removed. + The last release with Python2 support is now 2.1.0 + + New Methods: + * API Gateway: + * delete_domain_name() + * delete_method() + * update_domain_name() + * update_method() + * update_method_response() + * CognitoIdentity: + * update_identity_pool() + * EC2: + * create_transit_gateway() + * create_transit_gateway_route() + * create_transit_gateway_route_table() + * create_transit_gateway_vpc_attachment() + * delete_transit_gateway() + * delete_transit_gateway_route() + * delete_transit_gateway_route_table() + * describe_transit_gateway_attachments() + * describe_transit_gateway_route_tables() + * describe_transit_gateway_vpc_attachments() + * describe_transit_gateways() + * modify_transit_gateway() + * search_transit_gateway_routes() + * Events: + * delete_api_destination() + * delete_connection() + * describe_connection() + * update_api_destination() + * Logs: + * put_resource_policy() + * Organizations: + * delete_organization() + * S3: + * delete_bucket_website() + + Miscellaneous: + * API Gateway - add_integration() now supports the parameters integration_method, tls_config, cache_namespace + * API Gateway - add_method() now supports the parameters request_models, operation_name, authorizer_id, authorization_scopes, request_validator_id + * API Gateway - create_integration() now supports the parameters tls_config, cache_namespace + * API Gateway - create_method() now supports the parameters request_models, operation_name, authorizer_id, authorization_scopes, request_validator_id + * API Gateway - create_method_response() now supports the parameters response_models, response_parameters + * API Gateway - create_response() now supports the parameters response_models, response_parameters + * API Gateway - create_rest_api() now supports the parameters minimum_compression_size + * API Gateway - create_stage() now supports the parameters tags, tracing_enabled + * API Gateway - delete_stage() now throws a StageNotFoundException when appropriate + * API Gateway - get_api_key() now throws a ApiKeyNotFoundException when appropriate + * API Gateway - get_integration_response() now throws a NoIntegrationResponseDefined when appropriate + * API Gateway - get_method() now throws a MethodNotFoundException when appropriate + + * ApplicationAutoscaling - put_scaling_policy() now correctly processes the policy_type and policy_body parameters when overwriting an existing policy + + * CloudFormation - now supports the creation of AWS::EC2::TransitGateway + + * CloudWatch - put_metric_alarm() now supports the parameter rule + * CloudWatch - get_metric_statistics() now supports the parameter dimensions + + * EC2 - create_customer_gateway() now supports the parameter tags + * EC2 - create_security_group() now supports the parameter tags + * EC2 - create_vpn_connection() now supports the parameter transit_gateway_id, tags + * EC2 - create_vpn_gateway() now supports the parameter amazon_side_asn, availability_zone, tags + * EC2 - get_all_customer_gateways() now has improved support for the filter parameter + + * ECS - create_service() now has support for the parameter service_registries + + * ELBv2 - create_load_balancer() now has support for the parameter loadbalancer_type + + * Events - create_api_destination() now has support for the parameter invocation_rate_limit_per_second + * Events - create_event_bus() now has support for the parameter tags + + * IAM - create_instance_profile() now has support for the parameter tags + * IAM - create_policy() now has support for the parameter tags + + * Logs - create_log_group() now has support for the parameter kms_key_id + + * SecretsManager - list_secrets() now supports pagination + +2.1.0 +----- + General Changes: + * Reduced the default value of DEFAULT_KEY_BUFFER_SIZE (introduced in 2.0.9). + In practice, this means that large S3 uploads will now be cached on disk, instead of in-memory. + * Removes `cfn-lint` as a dependency for the SSM-module. + + New Methods: + * Kinesis + * decrease_stream_retention_period + * increase_stream_retention_period + + Miscellaneous: + * CognitoIDP:admin_create_user(): Fixed a bug where user-supplied attributes would be ignored/overwritten + * ELBv2:create_rule(): Increased support for Condition-parameter, to also allow http-header/http-request-method/host-header/path-pattern/query-string/source-ip + +2.0.11 +------ + New Services: + * MediaStoreData + * delete_object + * get_object + * list_items + * put_object + + New Methods: + * CognitoIDP + * get_user + * MediaConnect + * add_flow_outputs + * add_flow_vpc_interfaces + * remove_flow_output + * remove_flow_vpc_interface + + Miscellaneous: + * ApplicationAutoscaling:put_scaling_policy() now supports StepScaling + * ApplicationAutoscaling:register_scalable_target() now supports custom resources + * CloudFormation: Now resolves default SSM parameters (AWS::SSM::Parameter::Value<>) + * DynamoDB:update_item(): Fix bug for Action:DELETE without value supplied + * EC2:create_network_interface() now supports the TagSpecification-parameter + * ELBv2:modify_listener(): improved behaviour for the Certificates-parameter + * Lambda:invoke() now returns header: content-type=application/json + * Logs:put_log_events() now returns the correct error message when the stream does not exist + * IOT:update_thing_shadow() now properly maintains state + * S3: Listing parts on an aborted upload now throws the correct error + * S3:delete_objects() now correctly ignores unknown keys + * S3:list_object_versions() now returns the Prefix-attribute + * S3:upload_part() now throws the correct error when providing a negative part number + * SES:verify_domain_identity() and verify_domain_identity() are now idempotent + * SNS:create_platform_endpoint() now returns an existing endpoint if the token and attributes are the same + * SQS:delete_message_batch() now throws an error when duplicate messages are supplied + * SQS:send_messages() now throws an error for FIFO queues if the MessageGroupId-parameter is not supplied + +2.0.10 +------ + + New Services: + * EKS + * create_cluster + * create_nodegroup + * delete_cluster + * delete_nodegroup + * list_clusters + * list_nodegroup + + Miscellaneous: + * DynamoDB: Fixed a bug where it's not possible to call update_item on a GSI + * EMR: now supports clusters with multiple master nodes + * EMR:terminate_job_flows() now throws an exception when trying to terminate; protected job flows + * MediaPackage: Implement NotFoundExceptions for delete_channel/describe_origin_endpoint/delete_origin_endpoint/update_origin_endpoint + * S3:list_users_response() now returns the IsTruncated-attribute + +2.0.9 +----- + General Changes: + * Introduction of a new environment variable: MOTO_S3_DEFAULT_KEY_BUFFER_SIZE + This allows you to set the in-memory buffer size for multipart uploads. The default size is (and always was) 16MB. + Exceeding this buffer size will cause the contents to be written/saved to a temporary file. + + New Methods: + * API Gateway: + * update_rest_api() + * DynamoDB: + * create_backup() + * delete_backup() + * describe_backup() + * list_backups() + * restore_table_from_backup() + * Events: + * create_api_destination() + * create_connection() + * describe_api_destination() + * list_api_destinations() + * list_connections() + * Logs + * start_query() + + Miscellaneous: + * Batch: + * Now uses the exit code of the Docker-container to decide job status + * Supports job-dependencies + * CloudFormation: + * Create/Update support for AWS::ElasticLoadBalancingV2::ListenerRule + * Update support for AWS::ElasticLoadBalancingV2::Listener + * Glacier: + * Vault names can now contain special characters + * MediaPackage: + * describe_channel() now throws a NotFoundException for unknown channels + * Organisations: + * Improve tagging support + * S3: + * Now supports '.' as a metadata character + * S3 Config: + * Fixed the response format for ACLs + * SSM: + * get_parameter() now throws correct exception for unknown parameters/versions + * get_parameters() can now fetch specific versions and labeled parameters + * get_parameter_history() now supports pagination + * Parameter-names can now contain hyphens + * Only the last 100 parameter versions are now kept, as per AWS' behaviour + +2.0.8 +----- + General Changes: + * Moto is now compatible with Flask/werkzeug 2.0 + + New Methods: + * MediaStore: + * delete_container() + * list_tags_for_resource() + * Resource Groups: + * get_group_configuration() + * put_group_configuration() + + Miscellaneous: + * APIGateway:update_usage_plan() now also supports the '/name', '/description' and '/productCode' paths. + * CloudWatch:get_metric_statistics() now supports the 'unit'-parameter + * EC2:run_instances() now supports the 'KmsKeyId'-parameter + * EC2:run_instances() now supports TagSpecifications with ResourceType: 'Volume' + * SES:test_render_template() now throws an exception if not all attributes are supplied + * SSM:put_parameter() now supports the 'tags'-parameter + * SQS:change_message_visibility() now throws an exception if the VisibilityTimeout is too large (> 43200 seconds) + * SQS:receive_messages() has a bugfix: it now calculates the MessageRetentionPeriod from when the message was send, rather than from when the queue was created + + +2.0.7 +----- + General Changes: + * When running Moto Server inside Docker, it is now possible to specify the service you want to run, using an environment variable (MOTO_SERVICE) + * CloudWatchLogs models now appear in the Moto API dashboard + + New Services: + * DMS + * create_replication_task() + * delete_replication_task() + * describe_replication_tasks() + * start_replication_task() + * stop_replication_task() + + New Methods: + * AWSLambda: + * update_secret_version_stage() + * CognitoIDP: + * get_user_pool_mfa_config() + * set_user_pool_mfa_config() + + Miscellaneous: + * CloudWatchLogs:filter_log_events() now supports pagination + * CloudWatchLogs:describe_log_streams() now supports pagination + * EC2:describe_network_acls() now supports the filter 'owner-id' + * EC2:modify_network_interface_attribute() now allows multiple security groups to be specified + * SecretsManager:rotate_secret() now triggers the Lambda that is specified + + +2.0.6 +----- + New Methods: + * EMR + * list_instances() + + Miscellaneous: + * API Gateway:put_integration_response() - Fixed a bug where an error would be thrown if the responseTemplates-parameter was not specified + * Autoscaling - Fixed a bug where creating an ASG would remove manually created EC2-instances + * CloudFormation support for: + * AWS::SageMaker::Endpoint + * AWS::SageMaker::EndpointConfig + * AWS::SageMaker::Model + * AWS::SageMaker::NotebookInstanceLifecycleConfig + * CloudWatchLogs:filter_log_events() now supports pagination + * DynamoDB: Now enforces Hash and Range key size limits + * ECS:register_task_definition() now persists the taskRoleArn and executionRoleArn-parameters + * EMR:describe_cluster() now returns the ClusterArn-attribute + * EMR:run_job_flow() now returns the ClusterArn-attribute + * EMR:describe_job_flows() now returns the ClusterArn-attribute + * IOT:list_principal_thigns() now returns the name, instead of the ARN + * Route53:get_all_rrsets() now returns the record sets in the right sort order + * S3:get_object() now returns the NoSuchVersion-exception when the versionId was not found (instead of the InvalidVersion) + * SQS:send_message() now supports the MessageSystemAttributes-parameter + +2.0.5 +----- + New Services: + * MediaStore + * create_container() + * describe_container() + * list_containers() + * put_lifecycle_policy() + * get_lifecycle_policy() + * put_container_policy() + * get_container_policy() + * put_metric_policy() + * get_metric_policy + + Miscellaneous: + * ACM now supports the MOTO_ACM_VALIDATION_WAIT-environment variable, to configure the wait time before the status on new certificates move from PENDING_VALIDATION to ISSUED + * CloudFormation support for AWS::SageMaker::NotebookInstance + * EMR:run_job_flow() now creates the appropriate EC2 security groups in a private subnet + * Events:put_events() has improved support for the EventPattern-parameter in create_archive/put_rule + * Events:put_targets() now support SQS queues + * IAM:get_user() now returns the Tags-attribute + * Fixed a bug where Moto would break on systems with a default encoding other than UTF-8 + +2.0.4 +----- + Miscelleaneous: + * Events:put_targets() now supports SQS queues + * Support:describe_cases() no longer requires the caseIdList-parameter + +2.0.3 +----- + New Methods: + * Support + * create_case + * describe_cases + * resolve_case + Miscelleaneous: + * CF now returns the PhysicalResourceId-attributes for AWS::EC2::NatGateway/AWS::EC2::Route/AWS::EC2::SubnetRouteTableAssociation + * CognitoIDP:sign_up() now throws an UsernameExistsException if appropriate + * DynamoDB now validates the case sensitivity for begins_with/between operators + * EC2:associate_route_table() now supports the GatewayId-parameter + * EC2:authorize_egress() now throws a InvalidPermission.Duplicate-exception if appropriate + * EC2:authorize_security_group_egress() now throws a InvalidGroup.NotFound-exception + * EC2:authorize_security_group_ingress() now throws a InvalidGroup.NotFound-exception + * Events:describe_rule() now returns the ManagedBy/CreatedBy-parameters + * Events:put_events() now supports providing an ARN for the EventBusName-parameter + * Route53:list_hosted_zones_by_name() now returns the DNSName-parameter + * S3:put_object_acl() now throws a NoSuchKey-exception if the object does not exist + * SES:send_templated_email() now throws a TemplateDoesNotExist-exception if the template has not been created first + * SSM:put_parameter() now throws an exception for empty values + Known bugs: + * Support:describe_cases() throws an exception when called without the caseIdList-parameter + + +2.0.2 +----- + General Changes: + * New Osaka region is now supported + + New Services: + * MediaPackage + + New Methods: + * Redshift + * authorize_cluster_security_group_ingress + * Secrets Manager: + * untag_resource + + Miscellaneous: + * IAM:list_roles() now contains the MaxSessionDuration-attribute + * Kinesis:get_records(): Fix formatting of the ApproximateArrivalTimestamp-parameter + * SQS:receive_message(): Fix behaviour of the AttributeNames-parameter + +2.0.1 +----- + New Services: + * Media Connect + + New Methods: + * API Gateway: + * update_usage_plan + * Events + * cancel_replay + * describe_replay + * start_replay + * list_replays + + Miscellaneous: + * ECS TaskDefinitions now have the 'status' attribute + * Events: the put_rule now updates an existing rule, instead of removing the old one (and the associated targets) + * IAM create_roles and list_roles now return the Description + * SSM: put_parameter and describe_parameters now supports tags + + +2.0.0 +---- +Full list of PRs merged in this release: +https://github.com/spulec/moto/pulls?q=is%3Apr+is%3Aclosed+merged%3A2020-09-07..2021-02-23 + + General Changes: + * When installing, it is now required to specify the service you want to use: + pip install moto[service1,service2] + pip install moto[all] + + This will ensure that only the required dependencies are downloaded. + See the README for more information. + + * Moved CI to Github Actions + + * Moto no longer hogs the _default_mock from responses + + * Internal testing is now executed using Pytest (instead of Nose) + + * CORS is now enabled when running MotoServer + + * AWS Lambda and Batch now support Podman as an alternative to Docker + + New Services: + * Forecast + * MediaLive + * Support + * Transcribe + + New Methods: + * Application Autoscaling + * delete_scaling_policy + * deregister_scalable_target + * describe_scaling_policies + * put_scaling_policy + * Batch + * batch_update_partition + * Cognito IDP + * admin_set_user_password + * EC2 + * create_flow_logs + * delete_flow_logs + * describe_flow_logs + * describe_instance_type_offerings + * describe_vpc_endpoints + * EMR + * create_security_configuration + * delete_security_configuration + * get_security_configuration + * modify_cluster + * put_autoscaling_policy + * remove_auto_scaling_policy + * Events + * create_archive + * delete_archive + * describe_archive + * list_archives + * update_archive + * Lambda + * get_function_configuration + * get_layer_version + * list_layers + * publish_layer_version + * IAM + * associate_iam_instance_profile + * delete_role_permissions_boundary + * describe_iam_instance_profile_associations + * disassociate_iam_instance_profile + * put_role_permissions_boundary + * replace_iam_instance_profile_association + * set_default_policy_version + * tag_user + * untag_user + * IOT + * create_topic_rule + * delete_topic_rule + * disable_topic_rule + * enable_topic_rule + * get_topic_rule + * list_topic_rules + * replace_topic_rule + * Redshift + * get_cluster_credentials + * Route53 + * get_change (dummy) + * SageMaker + * create_notebook_instance_lifecycle_config + * delete_notebook_instance_lifecycle_config + * describe_notebook_instance_lifecycle_config + * Secrets Manager + * tag_resource + * SES + * test_render_template + * update_template + * Step Functions + * get_execution_history + * tag_resource + * untag_resource + * update_state_machine + + General Changes: + * ACM - import_certificate() now supports the Tags-parameter + * ACM - request_certificate() now supports the Tags-parameter + * CF - SSHIngressRule now supports CidrIp and Description + * CF - Now fully supports: + AWS::StepFunctions::StateMachine + * CF - Now supports creation of: + AWS::ApiGateway::Deployment + AWS::ApiGateway::Method + AWS::ApiGateway::Resource + AWS::ApiGateway::RestApi + AWS::Lambda::Permission + * CF - Now supports S3 outputs: Arn, DomainName, DualStackDomainName, RegionalDomainName, WebsiteURL + * CloudWatch - list_metrics() no longer returns duplicate entries + * CloudWatch - put_metric_alarm() now supports the Metrics and DatapointsToAlarm parameters + * Config - Now supports IAM (Role, Policy) + * Cognito - admin_initiate_auth() now supports the ADMIN_USER_PASSWORD_AUTH-flow + * CognitoIDP - list_users() now supports spaces in the Filter-parameter + * DynamoDB - GSI's now support the ProjectionType=INCLUDE parameter + * DynamoDB - put_item() now supports empty values (in non-key attributes) + * DynamoDB - update_item() now supports the ADD operation to a list (using the AttributeUpdates-parameter) + * DynamoDB - update_item() now supports the PUT operation to a StringSet (using the AttributeUpdates-parameter) + * DynamoDB - update_item() now supports ReturnValues='UPDATED_NEW' + * DynamoDB - update_item() now defaults to PUT if the action is not supplied + * DynamoDB Streams - The event name for deletions has been corrected to REMOVE (was DELETE before) + * EB - create()/describe_applications() now return a properly formatted ARN (that contains the application-name) + * EC2 - copy_snapshot() now supports the TagSpecifications-parameter + * EC2 - create_image() now supports the TagSpecifications-parameter + * EC2 - create_internet_gateway() now supports the TagSpecifications-parameter + * EC2 - create_nat_gateway() now supports the TagSpecification-parameter + * EC2 - create_network_acl() now supports the TagSpecification-parameter + * EC2 - create_route_table() now supports the TagSpecifications-parameter + * EC2 - create_subnet() now supports the TagSpecifications-parameter + * EC2 - create_subnet() now supports secondary CidrBlock-values + * EC2 - create_tags() now supports empty values + * EC2 - create_volume() now supports the KmsKeyId-parameter + * EC2 - create_vpc now supports the TagSpecifications-parameter + * EC2 - create_vpc_endpoint() now properly handles private_dns_enabled-parameter in CF/TF + * EC2 - create_vpn_endpoint() now supports the VpnGatewayId-parameter + * EC2 - describe_addresses() now returns Tags + * EC2 - describe_instances() now supports filtering by the subnet-id-attribute + * EC2 - describe_subnets() now supports filtering by the state-attribute + * ECR - list_images() now returns a proper value for the imageDigest-attribute + * ECS - the default cluster is now used in a variety of methods, if the Cluster-parameter is not supplied + * ECS - create_service() now supports the launchType-parameter + * ECS - delete_service() now supports the force-parameter + * ECS - describe_container_instances() now returns the registeredAt-attribute + * ECS - list_tasks now supports the filters family/service_name/desired_status + * ECS - register_scalable_target() now supports updates + * ECS - register_task_definition() now returns some attributes that were missing before + * ECS - run_task() now supports the tags-parameter + * EMR - ReleaseLabel now respects semantic versioning + * Events - Now supports the Go SDK + * Events - list_rules() now returns the EventBusName-parameter + * Events - put_events() now has basic input validation + * Glue - create_database() now returns some attributes that were missing before + * IAM - create_user() now returns the Tags-attribute + * IAM - list_roles() now supports the parameters PathPrefix/Marker/MaxItems + * IOT - delete_thing_group() is now idempotent + * Lambda - update_function_configuration() now supports the VpcConfig-parameter + * RDS - create_db_parameter_group() now returns the DBParameterGroupArn-attribute + * RDS - describe_db_instances() now returns the TagList-attribute + * RDS - describe_db_instances() now supports the filters-parameter + * RDS - describe_db_snapshots() now supports the filters-parameter + * Redshift - modify_cluster() now checks for invalid ClusterType/NumberOfNodes combinations + * ResourceGroupTagging: Now supports EC2 VPC resources + * ResourceGroupTagging: Now supports RDS DBInstance, DBSnapshot resources + * ResourceGroupTagging - get_resources() has improved support for the TagFilters-parameter + * S3 - copy_object() now supports copying deleted and subsequently restored objects with storage class Glacier + * S3 - get_object() now throws the correct error for an unknown VersionId + * S3 - get_object() now supports an empty Range-parameter + * S3 - get_object() now returns headers that were missing in some cases (ContentLength/ActualObjectSize/RangeRequested) + * S3 - put_object/get_object now support the ServerSideEncryption/SSEKMSKeyId/BucketKeyEnabled parameters + * S3 - list_object_versions now returns the object in the correct sort order (last modified time) + * SecretsManager - describe_secret() now returns a persistent ARN + * SecretsManager - get_secret_value() now requires a version to exist + * SecretsManager - put_secret_value() now requires a secret to exist + * SES - get-template() now returns the HtmlPart-attribute + * SNS - Support KmsMasterKeyId-attribute + * SNS - create_topic() no longer throws an error when creating a FIFO queue + * SNS - delete_topic() now also deletes the corresponding subscriptions + * SNS - delete_topic() now raises an appropriate exception if the supplied topic not exists + * Step Functions - list_executions() now supports filtering and pagination + * SQS - The MD5OfMessageAttributes is now computed correctly + * SQS - a message in the DLQ now no longer blocks other messages with that MessageGroupId + * SQS - create_queue() now supports the MaximumMessageSize-attribute + * SQS - receive_message() now supports MessageAttributeNames=["All"] + * SQS - send_message() now deduplicates properly using the MessageDeduplicationId + + + +1.3.16 +----- +Full list of PRs merged in this release: +https://github.com/spulec/moto/pulls?q=is%3Apr+is%3Aclosed+merged%3A2019-11-14..2020-09-07 + + + General Changes: + * The scaffold.py-script has been fixed to make it easier to scaffold new services. + See the README for an introduction. + + New Services: + * Application Autoscaling + * Code Commit + * Code Pipeline + * Elastic Beanstalk + * Kinesis Video + * Kinesis Video Archived Media + * Managed BlockChain + * Resource Access Manager (ram) + * Sagemaker + + New Methods: + * Athena: + * create_named_query + * get_named_query + * get_work_group + * start_query_execution + * stop_query_execution + * API Gateway: + * create_authorizer + * create_domain_name + * create_model + * delete_authorizer + * get_authorizer + * get_authorizers + * get_domain_name + * get_domain_names + * get_model + * get_models + * update_authorizer + * Autoscaling: + * enter_standby + * exit_standby + * terminate_instance_in_auto_scaling_group + * CloudFormation: + * get_template_summary + * CloudWatch: + * describe_alarms_for_metric + * get_metric_data + * CloudWatch Logs: + * delete_subscription_filter + * describe_subscription_filters + * put_subscription_filter + * Cognito IDP: + * associate_software_token + * create_resource_server + * confirm_sign_up + * initiate_auth + * set_user_mfa_preference + * sign_up + * verify_software_token + * DynamoDB: + * describe_continuous_backups + * transact_get_items + * transact_write_items + * update_continuous_backups + * EC2: + * create_vpc_endpoint + * describe_vpc_classic_link + * describe_vpc_classic_link_dns_support + * describe_vpc_endpoint_services + * disable_vpc_classic_link + * disable_vpc_classic_link_dns_support + * enable_vpc_classic_link + * enable_vpc_classic_link_dns_support + * register_image + * ECS: + * create_task_set + * delete_task_set + * describe_task_set + * update_service_primary_task_set + * update_task_set + * Events: + * delete_event_bus + * create_event_bus + * list_event_buses + * list_tags_for_resource + * tag_resource + * untag_resource + * Glue: + * get_databases + * IAM: + * delete_group + * delete_instance_profile + * delete_ssh_public_key + * get_account_summary + * get_ssh_public_key + * list_user_tags + * list_ssh_public_keys + * update_ssh_public_key + * upload_ssh_public_key + * IOT: + * cancel_job + * cancel_job_execution + * create_policy_version + * delete_job + * delete_job_execution + * describe_endpoint + * describe_job_execution + * delete_policy_version + * get_policy_version + * get_job_document + * list_attached_policies + * list_job_executions_for_job + * list_job_executions_for_thing + * list_jobs + * list_policy_versions + * set_default_policy_version + * register_certificate_without_ca + * KMS: + * untag_resource + * Lambda: + * delete_function_concurrency + * get_function_concurrency + * put_function_concurrency + * Organisations: + * describe_create_account_status + * deregister_delegated_administrator + * disable_policy_type + * enable_policy_type + * list_delegated_administrators + * list_delegated_services_for_account + * list_tags_for_resource + * register_delegated_administrator + * tag_resource + * untag_resource + * update_organizational_unit + * S3: + * delete_bucket_encryption + * delete_public_access_block + * get_bucket_encryption + * get_public_access_block + * put_bucket_encryption + * put_public_access_block + * S3 Control: + * delete_public_access_block + * get_public_access_block + * put_public_access_block + * SecretsManager: + * get_resource_policy + * update_secret + * SES: + * create_configuration_set + * create_configuration_set_event_destination + * create_receipt_rule_set + * create_receipt_rule + * create_template + * get_template + * get_send_statistics + * list_templates + * STS: + * assume_role_with_saml + * SSM: + * create_documen + * delete_document + * describe_document + * get_document + * list_documents + * update_document + * update_document_default_version + * SWF: + * undeprecate_activity_type + * undeprecate_domain + * undeprecate_workflow_type + + General Updates: + * API Gateway - create_rest_api now supports policy-parameter + * Autoscaling - describe_auto_scaling_instances now supports InstanceIds-parameter + * AutoScalingGroups - now support launch templates + * CF - Now supports DependsOn-configuration + * CF - Now supports FN::Transform AWS::Include mapping + * CF - Now supports update and deletion of Lambdas + * CF - Now supports creation, update and deletion of EventBus (Events) + * CF - Now supports update of Rules (Events) + * CF - Now supports creation, update and deletion of EventSourceMappings (AWS Lambda) + * CF - Now supports update and deletion of Kinesis Streams + * CF - Now supports creation of DynamoDB streams + * CF - Now supports deletion of DynamoDB tables + * CF - list_stacks now supports the status_filter-parameter + * Cognito IDP - list_users now supports filter-parameter + * DynamoDB - GSI/LSI's now support ProjectionType=KEYS_ONLY + * EC2 - create_route now supports the NetworkInterfaceId-parameter + * EC2 - describe_instances now supports additional filters (owner-id) + * EC2 - describe_instance_status now supports additional filters (instance-state-name, instance-state-code) + * EC2 - describe_nat_gateways now supports additional filters (nat-gateway-id, vpc-id, subnet-id, state) + * EC2 - describe_vpn_gateways now supports additional filters (attachment.vpc_id, attachment.state, vpn-gateway-id, type) + * IAM - list_users now supports path_prefix-parameter + * IOT - list_thing_groups now supports parent_group, name_prefix_filter, recursive-parameters + * S3 - delete_objects now supports deletion of specific VersionIds + * SecretsManager - list_secrets now supports filters-parameter + * SFN - start_execution now receives and validates input + * SNS - Now supports sending a message directly to a phone number + * SQS - MessageAttributes now support labeled DataTypes + +1.3.15 +----- + +This release broke dependency management for a lot of services - please upgrade to 1.3.16. 1.3.14 ----- diff --git a/CONFIG_README.md b/CONFIG_README.md index 356bb87a0f2..b0ae42181f8 100644 --- a/CONFIG_README.md +++ b/CONFIG_README.md @@ -23,8 +23,8 @@ However, this will only work on resource types that have this enabled. ### Current enabled resource types: -1. S3 - +1. S3 (all) +1. IAM (Role, Policy) ## Developer Guide @@ -53,15 +53,14 @@ An example of the above is implemented for S3. You can see that by looking at: 1. `moto/s3/config.py` 1. `moto/config/models.py` -As well as the corresponding unit tests in: +### Testing +For each resource type, you will need to test write tests for a few separate areas: + +- Test the backend queries to ensure discovered resources come back (ie for `IAM::Policy`, write `tests.tests_iam.test_policy_list_config_discovered_resources`). For writing these tests, you must not make use of `boto` to create resources. You will need to use the backend model methods to provision the resources. This is to make tests compatible with the moto server. You must make tests for the resource type to test listing and object fetching. -1. `tests/s3/test_s3.py` -1. `tests/config/test_config.py` +- Test the config dict for all scenarios (ie for `IAM::Policy`, write `tests.tests_iam.test_policy_config_dict`). For writing this test, you'll need to create resources in the same way as the first test (without using `boto`), in every meaningful configuration that would produce a different config dict. Then, query the backend and ensure each of the dicts are as you expect. -Note for unit testing, you will want to add a test to ensure that you can query all the resources effectively. For testing this feature, -the unit tests for the `ConfigQueryModel` will not make use of `boto` to create resources, such as S3 buckets. You will need to use the -backend model methods to provision the resources. This is to make tests compatible with the moto server. You should absolutely make tests -in the resource type to test listing and object fetching. +- Test that everything works end to end with the `boto` clients. (ie for `IAM::Policy`, write `tests.tests_iam.test_policy_config_client`). The main two items to test will be the `boto.client('config').list_discovered_resources()`, `boto.client('config').list_aggregate_discovered_resources()`, `moto.client('config').batch_get_resource_config()`, and `moto.client('config').batch_aggregate_get_resource_config()`. This test doesn't have to be super thorough, but it basically tests that the front end and backend logic all works together and returns correct resources. Beware the aggregate methods all have capital first letters (ie `Limit`), while non-aggregate methods have lowercase first letters (ie `limit`) ### Listing S3 is currently the model implementation, but it also odd in that S3 is a global resource type with regional resource residency. @@ -117,4 +116,4 @@ return for it. When implementing resource config fetching, you will need to return at a minimum `None` if the resource is not found, or a `dict` that looks like what AWS Config would return. -It's recommended to read the comment for the `ConfigQueryModel` 's `get_config_resource` function in [base class here](moto/core/models.py). +It's recommended to read the comment for the `ConfigQueryModel` 's `get_config_resource` function in [base class here](moto/core/models.py). \ No newline at end of file diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index edcc4656176..3f8af617b46 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -1,8 +1,20 @@ +# Table of Contents + +- [Contributing code](#contributing-code) +- [Development Guide](#development-guide) + * [TLDR](#tldr) + * [Linting](#linting) +- [Maintainers](#maintainers) + # Contributing code Moto has a [Code of Conduct](https://github.com/spulec/moto/blob/master/CODE_OF_CONDUCT.md), you can expect to be treated with respect at all times when interacting with this project. -## Running the tests locally +# Development Guide +Please see our documentation for information on how to contribute: +https://docs.getmoto.org/en/latest/docs/contributing + +## TLDR Moto has a [Makefile](./Makefile) which has some helpful commands for getting set up. You should be able to run `make init` to install the dependencies and then `make test` to run the tests. @@ -11,51 +23,17 @@ You should be able to run `make init` to install the dependencies and then `make ## Linting -Run `make lint` or `black --check moto tests` to verify whether your code confirms to the guidelines. - -## Getting to grips with the codebase - -Moto maintains a list of [good first issues](https://github.com/spulec/moto/contribute) which you may want to look at before -implementing a whole new endpoint. - -## Missing features - -Moto is easier to contribute to than you probably think. There's [a list of which endpoints have been implemented](https://github.com/spulec/moto/blob/master/IMPLEMENTATION_COVERAGE.md) and we invite you to add new endpoints to existing services or to add new services. - -How to teach Moto to support a new AWS endpoint: - -* Search for an existing [issue](https://github.com/spulec/moto/issues) that matches what you want to achieve. -* If one doesn't already exist, create a new issue describing what's missing. This is where we'll all talk about the new addition and help you get it done. -* Create a [pull request](https://help.github.com/articles/using-pull-requests/) and mention the issue # in the PR description. -* Try to add a failing test case. For example, if you're trying to implement `boto3.client('acm').import_certificate()` you'll want to add a new method called `def test_import_certificate` to `tests/test_acm/test_acm.py`. -* Implementing the feature itself can be done by creating a method called `import_certificate` in `moto/acm/responses.py`. It's considered good practice to deal with input/output formatting and validation in `responses.py`, and create a method `import_certificate` in `moto/acm/models.py` that handles the actual import logic. -* If you can also implement the code that gets that test passing then great! If not, just ask the community for a hand and somebody will assist you. - -## Before pushing changes to GitHub - -1. Run `black moto/ tests/` over your code to ensure that it is properly formatted -1. Run `make test` to ensure your tests are passing - -## Python versions - -moto currently supports both Python 2 and 3, so make sure your tests pass against both major versions of Python. - -## Missing services - -Implementing a new service from scratch is more work, but still quite straightforward. All the code that intercepts network requests to `*.amazonaws.com` is already handled for you in `moto/core` - all that's necessary for new services to be recognized is to create a new decorator and determine which URLs should be intercepted. - -See this PR for an example of what's involved in creating a new service: https://github.com/spulec/moto/pull/2409/files - -Note the `urls.py` that redirects all incoming URL requests to a generic `dispatch` method, which in turn will call the appropriate method in `responses.py`. - -If you want more control over incoming requests or their bodies, it is possible to redirect specific requests to a custom method. See this PR for an example: https://github.com/spulec/moto/pull/2957/files +Ensure that the correct version of black is installed - `black==19.10b0`. (Different versions of black will return different results.) +Run `make lint` to verify whether your code confirms to the guidelines. +Use `make format` to automatically format your code, if it does not conform to `black`'s rules. -## Maintainers -### Releasing a new version of Moto +# Maintainers -You'll need a PyPi account and a DockerHub account to release Moto. After we release a new PyPi package we build and push the [motoserver/moto](https://hub.docker.com/r/motoserver/moto/) Docker image. +## Releasing a new version of Moto -* First, `scripts/bump_version` modifies the version and opens a PR -* Then, merge the new pull request -* Finally, generate and ship the new artifacts with `make publish` +* Ensure the CHANGELOG document mentions the new release, and lists all significant changes. +* Go to the dedicated [Release Action](https://github.com/spulec/moto/actions/workflows/release.yml) in our CI +* Click 'Run workflow' on the top right +* Provide the version you want to release +* That's it - everything else is automated. diff --git a/IMPLEMENTATION_COVERAGE.md b/IMPLEMENTATION_COVERAGE.md index 721c9c97767..a2963ff8ba8 100644 --- a/IMPLEMENTATION_COVERAGE.md +++ b/IMPLEMENTATION_COVERAGE.md @@ -1,40 +1,18 @@ -## accessanalyzer -
-0% implemented - -- [ ] create_analyzer -- [ ] create_archive_rule -- [ ] delete_analyzer -- [ ] delete_archive_rule -- [ ] get_analyzed_resource -- [ ] get_analyzer -- [ ] get_archive_rule -- [ ] get_finding -- [ ] list_analyzed_resources -- [ ] list_analyzers -- [ ] list_archive_rules -- [ ] list_findings -- [ ] list_tags_for_resource -- [ ] start_resource_scan -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_archive_rule -- [ ] update_findings -
- ## acm
-38% implemented +40% implemented - [X] add_tags_to_certificate - [X] delete_certificate - [ ] describe_certificate -- [ ] export_certificate +- [X] export_certificate +- [ ] get_account_configuration - [X] get_certificate - [ ] import_certificate - [ ] list_certificates - [ ] list_tags_for_certificate +- [ ] put_account_configuration - [X] remove_tags_from_certificate - [ ] renew_certificate - [X] request_certificate @@ -42,224 +20,56 @@ - [ ] update_certificate_options
-## acm-pca -
-0% implemented - -- [ ] create_certificate_authority -- [ ] create_certificate_authority_audit_report -- [ ] create_permission -- [ ] delete_certificate_authority -- [ ] delete_permission -- [ ] describe_certificate_authority -- [ ] describe_certificate_authority_audit_report -- [ ] get_certificate -- [ ] get_certificate_authority_certificate -- [ ] get_certificate_authority_csr -- [ ] import_certificate_authority_certificate -- [ ] issue_certificate -- [ ] list_certificate_authorities -- [ ] list_permissions -- [ ] list_tags -- [ ] restore_certificate_authority -- [ ] revoke_certificate -- [ ] tag_certificate_authority -- [ ] untag_certificate_authority -- [ ] update_certificate_authority -
- -## alexaforbusiness -
-0% implemented - -- [ ] approve_skill -- [ ] associate_contact_with_address_book -- [ ] associate_device_with_network_profile -- [ ] associate_device_with_room -- [ ] associate_skill_group_with_room -- [ ] associate_skill_with_skill_group -- [ ] associate_skill_with_users -- [ ] create_address_book -- [ ] create_business_report_schedule -- [ ] create_conference_provider -- [ ] create_contact -- [ ] create_gateway_group -- [ ] create_network_profile -- [ ] create_profile -- [ ] create_room -- [ ] create_skill_group -- [ ] create_user -- [ ] delete_address_book -- [ ] delete_business_report_schedule -- [ ] delete_conference_provider -- [ ] delete_contact -- [ ] delete_device -- [ ] delete_device_usage_data -- [ ] delete_gateway_group -- [ ] delete_network_profile -- [ ] delete_profile -- [ ] delete_room -- [ ] delete_room_skill_parameter -- [ ] delete_skill_authorization -- [ ] delete_skill_group -- [ ] delete_user -- [ ] disassociate_contact_from_address_book -- [ ] disassociate_device_from_room -- [ ] disassociate_skill_from_skill_group -- [ ] disassociate_skill_from_users -- [ ] disassociate_skill_group_from_room -- [ ] forget_smart_home_appliances -- [ ] get_address_book -- [ ] get_conference_preference -- [ ] get_conference_provider -- [ ] get_contact -- [ ] get_device -- [ ] get_gateway -- [ ] get_gateway_group -- [ ] get_invitation_configuration -- [ ] get_network_profile -- [ ] get_profile -- [ ] get_room -- [ ] get_room_skill_parameter -- [ ] get_skill_group -- [ ] list_business_report_schedules -- [ ] list_conference_providers -- [ ] list_device_events -- [ ] list_gateway_groups -- [ ] list_gateways -- [ ] list_skills -- [ ] list_skills_store_categories -- [ ] list_skills_store_skills_by_category -- [ ] list_smart_home_appliances -- [ ] list_tags -- [ ] put_conference_preference -- [ ] put_invitation_configuration -- [ ] put_room_skill_parameter -- [ ] put_skill_authorization -- [ ] register_avs_device -- [ ] reject_skill -- [ ] resolve_room -- [ ] revoke_invitation -- [ ] search_address_books -- [ ] search_contacts -- [ ] search_devices -- [ ] search_network_profiles -- [ ] search_profiles -- [ ] search_rooms -- [ ] search_skill_groups -- [ ] search_users -- [ ] send_announcement -- [ ] send_invitation -- [ ] start_device_sync -- [ ] start_smart_home_appliance_discovery -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_address_book -- [ ] update_business_report_schedule -- [ ] update_conference_provider -- [ ] update_contact -- [ ] update_device -- [ ] update_gateway -- [ ] update_gateway_group -- [ ] update_network_profile -- [ ] update_profile -- [ ] update_room -- [ ] update_skill_group -
- -## amplify -
-0% implemented - -- [ ] create_app -- [ ] create_backend_environment -- [ ] create_branch -- [ ] create_deployment -- [ ] create_domain_association -- [ ] create_webhook -- [ ] delete_app -- [ ] delete_backend_environment -- [ ] delete_branch -- [ ] delete_domain_association -- [ ] delete_job -- [ ] delete_webhook -- [ ] generate_access_logs -- [ ] get_app -- [ ] get_artifact_url -- [ ] get_backend_environment -- [ ] get_branch -- [ ] get_domain_association -- [ ] get_job -- [ ] get_webhook -- [ ] list_apps -- [ ] list_artifacts -- [ ] list_backend_environments -- [ ] list_branches -- [ ] list_domain_associations -- [ ] list_jobs -- [ ] list_tags_for_resource -- [ ] list_webhooks -- [ ] start_deployment -- [ ] start_job -- [ ] stop_job -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_app -- [ ] update_branch -- [ ] update_domain_association -- [ ] update_webhook -
- ## apigateway
-34% implemented +62% implemented -- [ ] create_api_key +- [X] create_api_key - [X] create_authorizer -- [ ] create_base_path_mapping +- [X] create_base_path_mapping - [X] create_deployment - [ ] create_documentation_part - [ ] create_documentation_version - [X] create_domain_name - [X] create_model -- [ ] create_request_validator +- [X] create_request_validator - [X] create_resource - [X] create_rest_api - [X] create_stage - [X] create_usage_plan - [X] create_usage_plan_key -- [ ] create_vpc_link -- [ ] delete_api_key +- [X] create_vpc_link +- [X] delete_api_key - [X] delete_authorizer -- [ ] delete_base_path_mapping +- [X] delete_base_path_mapping - [ ] delete_client_certificate - [X] delete_deployment - [ ] delete_documentation_part - [ ] delete_documentation_version -- [ ] delete_domain_name -- [ ] delete_gateway_response +- [X] delete_domain_name +- [X] delete_gateway_response - [X] delete_integration - [X] delete_integration_response -- [ ] delete_method +- [X] delete_method - [X] delete_method_response - [ ] delete_model -- [ ] delete_request_validator +- [X] delete_request_validator - [X] delete_resource - [X] delete_rest_api - [X] delete_stage - [X] delete_usage_plan - [X] delete_usage_plan_key -- [ ] delete_vpc_link +- [X] delete_vpc_link - [ ] flush_stage_authorizers_cache - [ ] flush_stage_cache - [ ] generate_client_certificate - [ ] get_account -- [ ] get_api_key -- [ ] get_api_keys +- [X] get_api_key +- [X] get_api_keys - [X] get_authorizer - [X] get_authorizers -- [ ] get_base_path_mapping -- [ ] get_base_path_mappings +- [X] get_base_path_mapping +- [X] get_base_path_mappings - [ ] get_client_certificate - [ ] get_client_certificates - [X] get_deployment @@ -271,8 +81,8 @@ - [X] get_domain_name - [X] get_domain_names - [ ] get_export -- [ ] get_gateway_response -- [ ] get_gateway_responses +- [X] get_gateway_response +- [X] get_gateway_responses - [X] get_integration - [X] get_integration_response - [X] get_method @@ -280,8 +90,8 @@ - [X] get_model - [ ] get_model_template - [X] get_models -- [ ] get_request_validator -- [ ] get_request_validators +- [X] get_request_validator +- [X] get_request_validators - [X] get_resource - [ ] get_resources - [X] get_rest_api @@ -297,402 +107,265 @@ - [X] get_usage_plan_key - [X] get_usage_plan_keys - [X] get_usage_plans -- [ ] get_vpc_link -- [ ] get_vpc_links +- [X] get_vpc_link +- [X] get_vpc_links - [ ] import_api_keys - [ ] import_documentation_parts - [ ] import_rest_api -- [ ] put_gateway_response -- [ ] put_integration -- [ ] put_integration_response -- [ ] put_method -- [ ] put_method_response +- [X] put_gateway_response +- [X] put_integration +- [X] put_integration_response +- [X] put_method +- [X] put_method_response - [ ] put_rest_api - [ ] tag_resource - [ ] test_invoke_authorizer - [ ] test_invoke_method - [ ] untag_resource - [ ] update_account -- [ ] update_api_key +- [X] update_api_key - [X] update_authorizer -- [ ] update_base_path_mapping +- [X] update_base_path_mapping - [ ] update_client_certificate - [ ] update_deployment - [ ] update_documentation_part - [ ] update_documentation_version -- [ ] update_domain_name +- [X] update_domain_name - [ ] update_gateway_response - [ ] update_integration - [ ] update_integration_response -- [ ] update_method -- [ ] update_method_response +- [X] update_method +- [X] update_method_response - [ ] update_model -- [ ] update_request_validator +- [X] update_request_validator - [ ] update_resource -- [ ] update_rest_api +- [X] update_rest_api - [X] update_stage - [ ] update_usage -- [ ] update_usage_plan +- [X] update_usage_plan - [ ] update_vpc_link
-## apigatewaymanagementapi -
-0% implemented - -- [ ] delete_connection -- [ ] get_connection -- [ ] post_to_connection -
- ## apigatewayv2
-0% implemented +58% implemented -- [ ] create_api +- [X] create_api - [ ] create_api_mapping -- [ ] create_authorizer +- [X] create_authorizer - [ ] create_deployment - [ ] create_domain_name -- [ ] create_integration -- [ ] create_integration_response -- [ ] create_model -- [ ] create_route -- [ ] create_route_response +- [X] create_integration +- [X] create_integration_response +- [X] create_model +- [X] create_route +- [X] create_route_response - [ ] create_stage -- [ ] create_vpc_link +- [X] create_vpc_link - [ ] delete_access_log_settings -- [ ] delete_api +- [X] delete_api - [ ] delete_api_mapping -- [ ] delete_authorizer -- [ ] delete_cors_configuration +- [X] delete_authorizer +- [X] delete_cors_configuration - [ ] delete_deployment - [ ] delete_domain_name -- [ ] delete_integration -- [ ] delete_integration_response -- [ ] delete_model -- [ ] delete_route -- [ ] delete_route_request_parameter -- [ ] delete_route_response +- [X] delete_integration +- [X] delete_integration_response +- [X] delete_model +- [X] delete_route +- [X] delete_route_request_parameter +- [X] delete_route_response - [ ] delete_route_settings - [ ] delete_stage -- [ ] delete_vpc_link +- [X] delete_vpc_link - [ ] export_api -- [ ] get_api +- [X] get_api - [ ] get_api_mapping - [ ] get_api_mappings -- [ ] get_apis -- [ ] get_authorizer +- [X] get_apis +- [X] get_authorizer - [ ] get_authorizers - [ ] get_deployment - [ ] get_deployments - [ ] get_domain_name - [ ] get_domain_names -- [ ] get_integration -- [ ] get_integration_response -- [ ] get_integration_responses -- [ ] get_integrations -- [ ] get_model +- [X] get_integration +- [X] get_integration_response +- [X] get_integration_responses +- [X] get_integrations +- [X] get_model - [ ] get_model_template - [ ] get_models -- [ ] get_route -- [ ] get_route_response +- [X] get_route +- [X] get_route_response - [ ] get_route_responses -- [ ] get_routes +- [X] get_routes - [ ] get_stage - [ ] get_stages -- [ ] get_tags -- [ ] get_vpc_link -- [ ] get_vpc_links +- [X] get_tags +- [X] get_vpc_link +- [X] get_vpc_links - [ ] import_api -- [ ] reimport_api -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_api +- [X] reimport_api +- [ ] reset_authorizers_cache +- [X] tag_resource +- [X] untag_resource +- [X] update_api - [ ] update_api_mapping -- [ ] update_authorizer +- [X] update_authorizer - [ ] update_deployment - [ ] update_domain_name -- [ ] update_integration -- [ ] update_integration_response -- [ ] update_model -- [ ] update_route +- [X] update_integration +- [X] update_integration_response +- [X] update_model +- [X] update_route - [ ] update_route_response - [ ] update_stage -- [ ] update_vpc_link -
- -## appconfig -
-0% implemented - -- [ ] create_application -- [ ] create_configuration_profile -- [ ] create_deployment_strategy -- [ ] create_environment -- [ ] delete_application -- [ ] delete_configuration_profile -- [ ] delete_deployment_strategy -- [ ] delete_environment -- [ ] get_application -- [ ] get_configuration -- [ ] get_configuration_profile -- [ ] get_deployment -- [ ] get_deployment_strategy -- [ ] get_environment -- [ ] list_applications -- [ ] list_configuration_profiles -- [ ] list_deployment_strategies -- [ ] list_deployments -- [ ] list_environments -- [ ] list_tags_for_resource -- [ ] start_deployment -- [ ] stop_deployment -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_application -- [ ] update_configuration_profile -- [ ] update_deployment_strategy -- [ ] update_environment -- [ ] validate_configuration +- [X] update_vpc_link
## application-autoscaling
-20% implemented +60% implemented -- [ ] delete_scaling_policy +- [X] delete_scaling_policy - [ ] delete_scheduled_action -- [ ] deregister_scalable_target -- [x] describe_scalable_targets +- [X] deregister_scalable_target +- [X] describe_scalable_targets - [ ] describe_scaling_activities -- [ ] describe_scaling_policies +- [X] describe_scaling_policies - [ ] describe_scheduled_actions -- [ ] put_scaling_policy +- [X] put_scaling_policy - [ ] put_scheduled_action -- [x] register_scalable_target - includes enhanced validation support for ECS targets -
- -## application-insights -
-0% implemented - -- [ ] create_application -- [ ] create_component -- [ ] create_log_pattern -- [ ] delete_application -- [ ] delete_component -- [ ] delete_log_pattern -- [ ] describe_application -- [ ] describe_component -- [ ] describe_component_configuration -- [ ] describe_component_configuration_recommendation -- [ ] describe_log_pattern -- [ ] describe_observation -- [ ] describe_problem -- [ ] describe_problem_observations -- [ ] list_applications -- [ ] list_components -- [ ] list_configuration_history -- [ ] list_log_pattern_sets -- [ ] list_log_patterns -- [ ] list_problems -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_application -- [ ] update_component -- [ ] update_component_configuration -- [ ] update_log_pattern -
- -## appmesh -
-0% implemented - -- [ ] create_mesh -- [ ] create_route -- [ ] create_virtual_node -- [ ] create_virtual_router -- [ ] create_virtual_service -- [ ] delete_mesh -- [ ] delete_route -- [ ] delete_virtual_node -- [ ] delete_virtual_router -- [ ] delete_virtual_service -- [ ] describe_mesh -- [ ] describe_route -- [ ] describe_virtual_node -- [ ] describe_virtual_router -- [ ] describe_virtual_service -- [ ] list_meshes -- [ ] list_routes -- [ ] list_tags_for_resource -- [ ] list_virtual_nodes -- [ ] list_virtual_routers -- [ ] list_virtual_services -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_mesh -- [ ] update_route -- [ ] update_virtual_node -- [ ] update_virtual_router -- [ ] update_virtual_service -
- -## appstream -
-0% implemented - -- [ ] associate_fleet -- [ ] batch_associate_user_stack -- [ ] batch_disassociate_user_stack -- [ ] copy_image -- [ ] create_directory_config -- [ ] create_fleet -- [ ] create_image_builder -- [ ] create_image_builder_streaming_url -- [ ] create_stack -- [ ] create_streaming_url -- [ ] create_usage_report_subscription -- [ ] create_user -- [ ] delete_directory_config -- [ ] delete_fleet -- [ ] delete_image -- [ ] delete_image_builder -- [ ] delete_image_permissions -- [ ] delete_stack -- [ ] delete_usage_report_subscription -- [ ] delete_user -- [ ] describe_directory_configs -- [ ] describe_fleets -- [ ] describe_image_builders -- [ ] describe_image_permissions -- [ ] describe_images -- [ ] describe_sessions -- [ ] describe_stacks -- [ ] describe_usage_report_subscriptions -- [ ] describe_user_stack_associations -- [ ] describe_users -- [ ] disable_user -- [ ] disassociate_fleet -- [ ] enable_user -- [ ] expire_session -- [ ] list_associated_fleets -- [ ] list_associated_stacks -- [ ] list_tags_for_resource -- [ ] start_fleet -- [ ] start_image_builder -- [ ] stop_fleet -- [ ] stop_image_builder -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_directory_config -- [ ] update_fleet -- [ ] update_image_permissions -- [ ] update_stack +- [X] register_scalable_target
## appsync
-0% implemented +30% implemented +- [ ] associate_api - [ ] create_api_cache -- [ ] create_api_key +- [X] create_api_key - [ ] create_data_source +- [ ] create_domain_name - [ ] create_function -- [ ] create_graphql_api +- [X] create_graphql_api - [ ] create_resolver - [ ] create_type - [ ] delete_api_cache -- [ ] delete_api_key +- [X] delete_api_key - [ ] delete_data_source +- [ ] delete_domain_name - [ ] delete_function -- [ ] delete_graphql_api +- [X] delete_graphql_api - [ ] delete_resolver - [ ] delete_type +- [ ] disassociate_api - [ ] flush_api_cache +- [ ] get_api_association - [ ] get_api_cache - [ ] get_data_source +- [ ] get_domain_name - [ ] get_function -- [ ] get_graphql_api +- [X] get_graphql_api - [ ] get_introspection_schema - [ ] get_resolver -- [ ] get_schema_creation_status -- [ ] get_type -- [ ] list_api_keys +- [X] get_schema_creation_status +- [X] get_type +- [X] list_api_keys - [ ] list_data_sources +- [ ] list_domain_names - [ ] list_functions -- [ ] list_graphql_apis +- [X] list_graphql_apis - [ ] list_resolvers - [ ] list_resolvers_by_function -- [ ] list_tags_for_resource +- [X] list_tags_for_resource - [ ] list_types -- [ ] start_schema_creation -- [ ] tag_resource -- [ ] untag_resource +- [X] start_schema_creation +- [X] tag_resource +- [X] untag_resource - [ ] update_api_cache -- [ ] update_api_key +- [X] update_api_key - [ ] update_data_source +- [ ] update_domain_name - [ ] update_function -- [ ] update_graphql_api +- [X] update_graphql_api - [ ] update_resolver - [ ] update_type
## athena
-26% implemented +29% implemented - [ ] batch_get_named_query - [ ] batch_get_query_execution -- [ ] create_named_query +- [X] create_data_catalog +- [X] create_named_query +- [ ] create_prepared_statement - [X] create_work_group +- [ ] delete_data_catalog - [ ] delete_named_query +- [ ] delete_prepared_statement - [ ] delete_work_group -- [ ] get_named_query +- [X] get_data_catalog +- [ ] get_database +- [X] get_named_query +- [ ] get_prepared_statement - [ ] get_query_execution - [ ] get_query_results +- [ ] get_table_metadata - [X] get_work_group +- [X] list_data_catalogs +- [ ] list_databases +- [ ] list_engine_versions - [ ] list_named_queries +- [ ] list_prepared_statements - [ ] list_query_executions +- [ ] list_table_metadata - [ ] list_tags_for_resource - [X] list_work_groups - [X] start_query_execution - [X] stop_query_execution - [ ] tag_resource - [ ] untag_resource +- [ ] update_data_catalog +- [ ] update_prepared_statement - [ ] update_work_group
## autoscaling
-44% implemented +47% implemented - [X] attach_instances - [X] attach_load_balancer_target_groups - [X] attach_load_balancers - [ ] batch_delete_scheduled_action - [ ] batch_put_scheduled_update_group_action +- [ ] cancel_instance_refresh - [ ] complete_lifecycle_action - [X] create_auto_scaling_group - [X] create_launch_configuration - [X] create_or_update_tags - [X] delete_auto_scaling_group - [X] delete_launch_configuration -- [ ] delete_lifecycle_hook +- [X] delete_lifecycle_hook - [ ] delete_notification_configuration - [X] delete_policy - [ ] delete_scheduled_action -- [ ] delete_tags +- [X] delete_tags +- [ ] delete_warm_pool - [ ] describe_account_limits - [ ] describe_adjustment_types - [X] describe_auto_scaling_groups - [X] describe_auto_scaling_instances - [ ] describe_auto_scaling_notification_types +- [ ] describe_instance_refreshes - [X] describe_launch_configurations - [ ] describe_lifecycle_hook_types -- [ ] describe_lifecycle_hooks +- [X] describe_lifecycle_hooks - [X] describe_load_balancer_target_groups - [X] describe_load_balancers - [ ] describe_metric_collection_types @@ -701,8 +374,9 @@ - [ ] describe_scaling_activities - [ ] describe_scaling_process_types - [ ] describe_scheduled_actions -- [ ] describe_tags +- [X] describe_tags - [ ] describe_termination_policy_types +- [ ] describe_warm_pool - [X] detach_instances - [X] detach_load_balancer_target_groups - [X] detach_load_balancers @@ -711,375 +385,95 @@ - [ ] enter_standby - [X] execute_policy - [ ] exit_standby +- [ ] get_predictive_scaling_forecast - [ ] put_lifecycle_hook - [ ] put_notification_configuration - [ ] put_scaling_policy - [ ] put_scheduled_update_group_action +- [ ] put_warm_pool - [ ] record_lifecycle_action_heartbeat -- [ ] resume_processes +- [X] resume_processes - [X] set_desired_capacity - [X] set_instance_health - [X] set_instance_protection +- [ ] start_instance_refresh - [X] suspend_processes - [ ] terminate_instance_in_auto_scaling_group - [X] update_auto_scaling_group
-## autoscaling-plans -
-0% implemented - -- [ ] create_scaling_plan -- [ ] delete_scaling_plan -- [ ] describe_scaling_plan_resources -- [ ] describe_scaling_plans -- [ ] get_scaling_plan_resource_forecast_data -- [ ] update_scaling_plan -
- -## backup -
-0% implemented - -- [ ] create_backup_plan -- [ ] create_backup_selection -- [ ] create_backup_vault -- [ ] delete_backup_plan -- [ ] delete_backup_selection -- [ ] delete_backup_vault -- [ ] delete_backup_vault_access_policy -- [ ] delete_backup_vault_notifications -- [ ] delete_recovery_point -- [ ] describe_backup_job -- [ ] describe_backup_vault -- [ ] describe_copy_job -- [ ] describe_protected_resource -- [ ] describe_recovery_point -- [ ] describe_region_settings -- [ ] describe_restore_job -- [ ] export_backup_plan_template -- [ ] get_backup_plan -- [ ] get_backup_plan_from_json -- [ ] get_backup_plan_from_template -- [ ] get_backup_selection -- [ ] get_backup_vault_access_policy -- [ ] get_backup_vault_notifications -- [ ] get_recovery_point_restore_metadata -- [ ] get_supported_resource_types -- [ ] list_backup_jobs -- [ ] list_backup_plan_templates -- [ ] list_backup_plan_versions -- [ ] list_backup_plans -- [ ] list_backup_selections -- [ ] list_backup_vaults -- [ ] list_copy_jobs -- [ ] list_protected_resources -- [ ] list_recovery_points_by_backup_vault -- [ ] list_recovery_points_by_resource -- [ ] list_restore_jobs -- [ ] list_tags -- [ ] put_backup_vault_access_policy -- [ ] put_backup_vault_notifications -- [ ] start_backup_job -- [ ] start_copy_job -- [ ] start_restore_job -- [ ] stop_backup_job -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_backup_plan -- [ ] update_recovery_point_lifecycle -- [ ] update_region_settings -
- ## batch
-93% implemented +79% implemented -- [ ] cancel_job +- [X] cancel_job - [X] create_compute_environment - [X] create_job_queue +- [ ] create_scheduling_policy - [X] delete_compute_environment - [X] delete_job_queue +- [ ] delete_scheduling_policy - [X] deregister_job_definition - [X] describe_compute_environments - [X] describe_job_definitions - [X] describe_job_queues - [X] describe_jobs +- [ ] describe_scheduling_policies - [X] list_jobs +- [ ] list_scheduling_policies +- [X] list_tags_for_resource - [X] register_job_definition - [X] submit_job +- [X] tag_resource - [X] terminate_job +- [X] untag_resource - [X] update_compute_environment - [X] update_job_queue +- [ ] update_scheduling_policy
## budgets
-0% implemented +30% implemented -- [ ] create_budget -- [ ] create_notification +- [X] create_budget +- [ ] create_budget_action +- [X] create_notification - [ ] create_subscriber -- [ ] delete_budget -- [ ] delete_notification +- [X] delete_budget +- [ ] delete_budget_action +- [X] delete_notification - [ ] delete_subscriber -- [ ] describe_budget +- [X] describe_budget +- [ ] describe_budget_action +- [ ] describe_budget_action_histories +- [ ] describe_budget_actions_for_account +- [ ] describe_budget_actions_for_budget +- [ ] describe_budget_notifications_for_account - [ ] describe_budget_performance_history -- [ ] describe_budgets -- [ ] describe_notifications_for_budget +- [X] describe_budgets +- [X] describe_notifications_for_budget - [ ] describe_subscribers_for_notification +- [ ] execute_budget_action - [ ] update_budget +- [ ] update_budget_action - [ ] update_notification - [ ] update_subscriber
-## ce -
-0% implemented - -- [ ] create_cost_category_definition -- [ ] delete_cost_category_definition -- [ ] describe_cost_category_definition -- [ ] get_cost_and_usage -- [ ] get_cost_and_usage_with_resources -- [ ] get_cost_forecast -- [ ] get_dimension_values -- [ ] get_reservation_coverage -- [ ] get_reservation_purchase_recommendation -- [ ] get_reservation_utilization -- [ ] get_rightsizing_recommendation -- [ ] get_savings_plans_coverage -- [ ] get_savings_plans_purchase_recommendation -- [ ] get_savings_plans_utilization -- [ ] get_savings_plans_utilization_details -- [ ] get_tags -- [ ] get_usage_forecast -- [ ] list_cost_category_definitions -- [ ] update_cost_category_definition -
- -## chime -
-0% implemented - -- [ ] associate_phone_number_with_user -- [ ] associate_phone_numbers_with_voice_connector -- [ ] associate_phone_numbers_with_voice_connector_group -- [ ] associate_signin_delegate_groups_with_account -- [ ] batch_create_attendee -- [ ] batch_create_room_membership -- [ ] batch_delete_phone_number -- [ ] batch_suspend_user -- [ ] batch_unsuspend_user -- [ ] batch_update_phone_number -- [ ] batch_update_user -- [ ] create_account -- [ ] create_attendee -- [ ] create_bot -- [ ] create_meeting -- [ ] create_phone_number_order -- [ ] create_proxy_session -- [ ] create_room -- [ ] create_room_membership -- [ ] create_user -- [ ] create_voice_connector -- [ ] create_voice_connector_group -- [ ] delete_account -- [ ] delete_attendee -- [ ] delete_events_configuration -- [ ] delete_meeting -- [ ] delete_phone_number -- [ ] delete_proxy_session -- [ ] delete_room -- [ ] delete_room_membership -- [ ] delete_voice_connector -- [ ] delete_voice_connector_group -- [ ] delete_voice_connector_origination -- [ ] delete_voice_connector_proxy -- [ ] delete_voice_connector_streaming_configuration -- [ ] delete_voice_connector_termination -- [ ] delete_voice_connector_termination_credentials -- [ ] disassociate_phone_number_from_user -- [ ] disassociate_phone_numbers_from_voice_connector -- [ ] disassociate_phone_numbers_from_voice_connector_group -- [ ] disassociate_signin_delegate_groups_from_account -- [ ] get_account -- [ ] get_account_settings -- [ ] get_attendee -- [ ] get_bot -- [ ] get_events_configuration -- [ ] get_global_settings -- [ ] get_meeting -- [ ] get_phone_number -- [ ] get_phone_number_order -- [ ] get_phone_number_settings -- [ ] get_proxy_session -- [ ] get_retention_settings -- [ ] get_room -- [ ] get_user -- [ ] get_user_settings -- [ ] get_voice_connector -- [ ] get_voice_connector_group -- [ ] get_voice_connector_logging_configuration -- [ ] get_voice_connector_origination -- [ ] get_voice_connector_proxy -- [ ] get_voice_connector_streaming_configuration -- [ ] get_voice_connector_termination -- [ ] get_voice_connector_termination_health -- [ ] invite_users -- [ ] list_accounts -- [ ] list_attendee_tags -- [ ] list_attendees -- [ ] list_bots -- [ ] list_meeting_tags -- [ ] list_meetings -- [ ] list_phone_number_orders -- [ ] list_phone_numbers -- [ ] list_proxy_sessions -- [ ] list_room_memberships -- [ ] list_rooms -- [ ] list_tags_for_resource -- [ ] list_users -- [ ] list_voice_connector_groups -- [ ] list_voice_connector_termination_credentials -- [ ] list_voice_connectors -- [ ] logout_user -- [ ] put_events_configuration -- [ ] put_retention_settings -- [ ] put_voice_connector_logging_configuration -- [ ] put_voice_connector_origination -- [ ] put_voice_connector_proxy -- [ ] put_voice_connector_streaming_configuration -- [ ] put_voice_connector_termination -- [ ] put_voice_connector_termination_credentials -- [ ] redact_conversation_message -- [ ] redact_room_message -- [ ] regenerate_security_token -- [ ] reset_personal_pin -- [ ] restore_phone_number -- [ ] search_available_phone_numbers -- [ ] tag_attendee -- [ ] tag_meeting -- [ ] tag_resource -- [ ] untag_attendee -- [ ] untag_meeting -- [ ] untag_resource -- [ ] update_account -- [ ] update_account_settings -- [ ] update_bot -- [ ] update_global_settings -- [ ] update_phone_number -- [ ] update_phone_number_settings -- [ ] update_proxy_session -- [ ] update_room -- [ ] update_room_membership -- [ ] update_user -- [ ] update_user_settings -- [ ] update_voice_connector -- [ ] update_voice_connector_group -
- -## cloud9 -
-0% implemented - -- [ ] create_environment_ec2 -- [ ] create_environment_membership -- [ ] delete_environment -- [ ] delete_environment_membership -- [ ] describe_environment_memberships -- [ ] describe_environment_status -- [ ] describe_environments -- [ ] list_environments -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_environment -- [ ] update_environment_membership -
- -## clouddirectory -
-0% implemented - -- [ ] add_facet_to_object -- [ ] apply_schema -- [ ] attach_object -- [ ] attach_policy -- [ ] attach_to_index -- [ ] attach_typed_link -- [ ] batch_read -- [ ] batch_write -- [ ] create_directory -- [ ] create_facet -- [ ] create_index -- [ ] create_object -- [ ] create_schema -- [ ] create_typed_link_facet -- [ ] delete_directory -- [ ] delete_facet -- [ ] delete_object -- [ ] delete_schema -- [ ] delete_typed_link_facet -- [ ] detach_from_index -- [ ] detach_object -- [ ] detach_policy -- [ ] detach_typed_link -- [ ] disable_directory -- [ ] enable_directory -- [ ] get_applied_schema_version -- [ ] get_directory -- [ ] get_facet -- [ ] get_link_attributes -- [ ] get_object_attributes -- [ ] get_object_information -- [ ] get_schema_as_json -- [ ] get_typed_link_facet_information -- [ ] list_applied_schema_arns -- [ ] list_attached_indices -- [ ] list_development_schema_arns -- [ ] list_directories -- [ ] list_facet_attributes -- [ ] list_facet_names -- [ ] list_incoming_typed_links -- [ ] list_index -- [ ] list_managed_schema_arns -- [ ] list_object_attributes -- [ ] list_object_children -- [ ] list_object_parent_paths -- [ ] list_object_parents -- [ ] list_object_policies -- [ ] list_outgoing_typed_links -- [ ] list_policy_attachments -- [ ] list_published_schema_arns -- [ ] list_tags_for_resource -- [ ] list_typed_link_facet_attributes -- [ ] list_typed_link_facet_names -- [ ] lookup_policy -- [ ] publish_schema -- [ ] put_schema_from_json -- [ ] remove_facet_from_object -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_facet -- [ ] update_link_attributes -- [ ] update_object_attributes -- [ ] update_schema -- [ ] update_typed_link_facet -- [ ] upgrade_applied_schema -- [ ] upgrade_published_schema -
- ## cloudformation
-32% implemented +30% implemented +- [ ] activate_type +- [ ] batch_describe_type_configurations - [ ] cancel_update_stack - [ ] continue_update_rollback - [X] create_change_set - [X] create_stack - [X] create_stack_instances - [X] create_stack_set +- [ ] deactivate_type - [X] delete_change_set - [X] delete_stack - [X] delete_stack_instances @@ -1087,6 +481,8 @@ - [ ] deregister_type - [ ] describe_account_limits - [X] describe_change_set +- [ ] describe_change_set_hooks +- [ ] describe_publisher - [ ] describe_stack_drift_detection_status - [ ] describe_stack_events - [ ] describe_stack_instance @@ -1103,9 +499,10 @@ - [ ] detect_stack_set_drift - [ ] estimate_template_cost - [X] execute_change_set -- [ ] get_stack_policy +- [X] get_stack_policy - [ ] get_template - [ ] get_template_summary +- [ ] import_stacks_to_stack_set - [X] list_change_sets - [X] list_exports - [ ] list_imports @@ -1118,12 +515,17 @@ - [ ] list_type_registrations - [ ] list_type_versions - [ ] list_types +- [ ] publish_type - [ ] record_handler_progress +- [ ] register_publisher - [ ] register_type -- [ ] set_stack_policy +- [ ] rollback_stack +- [X] set_stack_policy +- [ ] set_type_configuration - [ ] set_type_default_version - [ ] signal_resource - [ ] stop_stack_set_operation +- [ ] test_type - [X] update_stack - [ ] update_stack_instances - [X] update_stack_set @@ -1133,173 +535,146 @@ ## cloudfront
-0% implemented +4% implemented +- [ ] associate_alias +- [ ] create_cache_policy - [ ] create_cloud_front_origin_access_identity -- [ ] create_distribution +- [X] create_distribution - [ ] create_distribution_with_tags - [ ] create_field_level_encryption_config - [ ] create_field_level_encryption_profile +- [ ] create_function - [ ] create_invalidation +- [ ] create_key_group +- [ ] create_monitoring_subscription +- [ ] create_origin_request_policy - [ ] create_public_key +- [ ] create_realtime_log_config +- [ ] create_response_headers_policy - [ ] create_streaming_distribution - [ ] create_streaming_distribution_with_tags +- [ ] delete_cache_policy - [ ] delete_cloud_front_origin_access_identity -- [ ] delete_distribution +- [X] delete_distribution - [ ] delete_field_level_encryption_config - [ ] delete_field_level_encryption_profile +- [ ] delete_function +- [ ] delete_key_group +- [ ] delete_monitoring_subscription +- [ ] delete_origin_request_policy - [ ] delete_public_key +- [ ] delete_realtime_log_config +- [ ] delete_response_headers_policy - [ ] delete_streaming_distribution +- [ ] describe_function +- [ ] get_cache_policy +- [ ] get_cache_policy_config - [ ] get_cloud_front_origin_access_identity - [ ] get_cloud_front_origin_access_identity_config -- [ ] get_distribution +- [X] get_distribution - [ ] get_distribution_config - [ ] get_field_level_encryption - [ ] get_field_level_encryption_config - [ ] get_field_level_encryption_profile - [ ] get_field_level_encryption_profile_config +- [ ] get_function - [ ] get_invalidation +- [ ] get_key_group +- [ ] get_key_group_config +- [ ] get_monitoring_subscription +- [ ] get_origin_request_policy +- [ ] get_origin_request_policy_config - [ ] get_public_key - [ ] get_public_key_config +- [ ] get_realtime_log_config +- [ ] get_response_headers_policy +- [ ] get_response_headers_policy_config - [ ] get_streaming_distribution - [ ] get_streaming_distribution_config +- [ ] list_cache_policies - [ ] list_cloud_front_origin_access_identities -- [ ] list_distributions +- [ ] list_conflicting_aliases +- [X] list_distributions +- [ ] list_distributions_by_cache_policy_id +- [ ] list_distributions_by_key_group +- [ ] list_distributions_by_origin_request_policy_id +- [ ] list_distributions_by_realtime_log_config +- [ ] list_distributions_by_response_headers_policy_id - [ ] list_distributions_by_web_acl_id - [ ] list_field_level_encryption_configs - [ ] list_field_level_encryption_profiles +- [ ] list_functions - [ ] list_invalidations +- [ ] list_key_groups +- [ ] list_origin_request_policies - [ ] list_public_keys +- [ ] list_realtime_log_configs +- [ ] list_response_headers_policies - [ ] list_streaming_distributions - [ ] list_tags_for_resource +- [ ] publish_function - [ ] tag_resource +- [ ] test_function - [ ] untag_resource +- [ ] update_cache_policy - [ ] update_cloud_front_origin_access_identity - [ ] update_distribution - [ ] update_field_level_encryption_config - [ ] update_field_level_encryption_profile +- [ ] update_function +- [ ] update_key_group +- [ ] update_origin_request_policy - [ ] update_public_key +- [ ] update_realtime_log_config +- [ ] update_response_headers_policy - [ ] update_streaming_distribution
-## cloudhsm -
-0% implemented - -- [ ] add_tags_to_resource -- [ ] create_hapg -- [ ] create_hsm -- [ ] create_luna_client -- [ ] delete_hapg -- [ ] delete_hsm -- [ ] delete_luna_client -- [ ] describe_hapg -- [ ] describe_hsm -- [ ] describe_luna_client -- [ ] get_config -- [ ] list_available_zones -- [ ] list_hapgs -- [ ] list_hsms -- [ ] list_luna_clients -- [ ] list_tags_for_resource -- [ ] modify_hapg -- [ ] modify_hsm -- [ ] modify_luna_client -- [ ] remove_tags_from_resource -
- -## cloudhsmv2 -
-0% implemented - -- [ ] copy_backup_to_region -- [ ] create_cluster -- [ ] create_hsm -- [ ] delete_backup -- [ ] delete_cluster -- [ ] delete_hsm -- [ ] describe_backups -- [ ] describe_clusters -- [ ] initialize_cluster -- [ ] list_tags -- [ ] restore_backup -- [ ] tag_resource -- [ ] untag_resource -
- -## cloudsearch -
-0% implemented - -- [ ] build_suggesters -- [ ] create_domain -- [ ] define_analysis_scheme -- [ ] define_expression -- [ ] define_index_field -- [ ] define_suggester -- [ ] delete_analysis_scheme -- [ ] delete_domain -- [ ] delete_expression -- [ ] delete_index_field -- [ ] delete_suggester -- [ ] describe_analysis_schemes -- [ ] describe_availability_options -- [ ] describe_domain_endpoint_options -- [ ] describe_domains -- [ ] describe_expressions -- [ ] describe_index_fields -- [ ] describe_scaling_parameters -- [ ] describe_service_access_policies -- [ ] describe_suggesters -- [ ] index_documents -- [ ] list_domain_names -- [ ] update_availability_options -- [ ] update_domain_endpoint_options -- [ ] update_scaling_parameters -- [ ] update_service_access_policies -
- -## cloudsearchdomain -
-0% implemented - -- [ ] search -- [ ] suggest -- [ ] upload_documents -
- ## cloudtrail
-0% implemented +55% implemented -- [ ] add_tags -- [ ] create_trail -- [ ] delete_trail -- [ ] describe_trails -- [ ] get_event_selectors -- [ ] get_insight_selectors -- [ ] get_trail -- [ ] get_trail_status +- [X] add_tags +- [ ] cancel_query +- [ ] create_event_data_store +- [X] create_trail +- [ ] delete_event_data_store +- [X] delete_trail +- [ ] describe_query +- [X] describe_trails +- [ ] get_event_data_store +- [X] get_event_selectors +- [X] get_insight_selectors +- [ ] get_query_results +- [X] get_trail +- [X] get_trail_status +- [ ] list_event_data_stores - [ ] list_public_keys -- [ ] list_tags -- [ ] list_trails +- [ ] list_queries +- [X] list_tags +- [X] list_trails - [ ] lookup_events -- [ ] put_event_selectors -- [ ] put_insight_selectors -- [ ] remove_tags -- [ ] start_logging -- [ ] stop_logging -- [ ] update_trail +- [X] put_event_selectors +- [X] put_insight_selectors +- [X] remove_tags +- [ ] restore_event_data_store +- [X] start_logging +- [ ] start_query +- [X] stop_logging +- [ ] update_event_data_store +- [X] update_trail
## cloudwatch
-36% implemented +38% implemented - [X] delete_alarms - [ ] delete_anomaly_detector - [X] delete_dashboards - [ ] delete_insight_rules +- [ ] delete_metric_stream - [ ] describe_alarm_history - [ ] describe_alarms - [ ] describe_alarms_for_metric @@ -1313,64 +688,29 @@ - [ ] get_insight_rule_report - [X] get_metric_data - [X] get_metric_statistics +- [ ] get_metric_stream - [ ] get_metric_widget_image - [X] list_dashboards +- [ ] list_metric_streams - [X] list_metrics -- [ ] list_tags_for_resource +- [X] list_tags_for_resource - [ ] put_anomaly_detector - [ ] put_composite_alarm - [X] put_dashboard - [ ] put_insight_rule - [X] put_metric_alarm - [X] put_metric_data +- [ ] put_metric_stream - [X] set_alarm_state -- [ ] tag_resource -- [ ] untag_resource -
- -## codebuild -
-0% implemented - -- [ ] batch_delete_builds -- [ ] batch_get_builds -- [ ] batch_get_projects -- [ ] batch_get_report_groups -- [ ] batch_get_reports -- [ ] create_project -- [ ] create_report_group -- [ ] create_webhook -- [ ] delete_project -- [ ] delete_report -- [ ] delete_report_group -- [ ] delete_resource_policy -- [ ] delete_source_credentials -- [ ] delete_webhook -- [ ] describe_test_cases -- [ ] get_resource_policy -- [ ] import_source_credentials -- [ ] invalidate_project_cache -- [ ] list_builds -- [ ] list_builds_for_project -- [ ] list_curated_environment_images -- [ ] list_projects -- [ ] list_report_groups -- [ ] list_reports -- [ ] list_reports_for_report_group -- [ ] list_shared_projects -- [ ] list_shared_report_groups -- [ ] list_source_credentials -- [ ] put_resource_policy -- [ ] start_build -- [ ] stop_build -- [ ] update_project -- [ ] update_report_group -- [ ] update_webhook +- [ ] start_metric_streams +- [ ] stop_metric_streams +- [X] tag_resource +- [X] untag_resource
## codecommit
-4% implemented +3% implemented - [ ] associate_approval_rule_template_with_repository - [ ] batch_associate_approval_rule_template_with_repositories @@ -1399,6 +739,7 @@ - [ ] get_blob - [ ] get_branch - [ ] get_comment +- [ ] get_comment_reactions - [ ] get_comments_for_compared_commit - [ ] get_comments_for_pull_request - [ ] get_commit @@ -1430,6 +771,7 @@ - [ ] post_comment_for_compared_commit - [ ] post_comment_for_pull_request - [ ] post_comment_reply +- [ ] put_comment_reaction - [ ] put_file - [ ] put_repository_triggers - [ ] tag_resource @@ -1449,96 +791,9 @@ - [ ] update_repository_name
-## codedeploy -
-0% implemented - -- [ ] add_tags_to_on_premises_instances -- [ ] batch_get_application_revisions -- [ ] batch_get_applications -- [ ] batch_get_deployment_groups -- [ ] batch_get_deployment_instances -- [ ] batch_get_deployment_targets -- [ ] batch_get_deployments -- [ ] batch_get_on_premises_instances -- [ ] continue_deployment -- [ ] create_application -- [ ] create_deployment -- [ ] create_deployment_config -- [ ] create_deployment_group -- [ ] delete_application -- [ ] delete_deployment_config -- [ ] delete_deployment_group -- [ ] delete_git_hub_account_token -- [ ] delete_resources_by_external_id -- [ ] deregister_on_premises_instance -- [ ] get_application -- [ ] get_application_revision -- [ ] get_deployment -- [ ] get_deployment_config -- [ ] get_deployment_group -- [ ] get_deployment_instance -- [ ] get_deployment_target -- [ ] get_on_premises_instance -- [ ] list_application_revisions -- [ ] list_applications -- [ ] list_deployment_configs -- [ ] list_deployment_groups -- [ ] list_deployment_instances -- [ ] list_deployment_targets -- [ ] list_deployments -- [ ] list_git_hub_account_token_names -- [ ] list_on_premises_instances -- [ ] list_tags_for_resource -- [ ] put_lifecycle_event_hook_execution_status -- [ ] register_application_revision -- [ ] register_on_premises_instance -- [ ] remove_tags_from_on_premises_instances -- [ ] skip_wait_time_for_instance_termination -- [ ] stop_deployment -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_application -- [ ] update_deployment_group -
- -## codeguru-reviewer +## codepipeline
-0% implemented - -- [ ] associate_repository -- [ ] describe_code_review -- [ ] describe_recommendation_feedback -- [ ] describe_repository_association -- [ ] disassociate_repository -- [ ] list_code_reviews -- [ ] list_recommendation_feedback -- [ ] list_recommendations -- [ ] list_repository_associations -- [ ] put_recommendation_feedback -
- -## codeguruprofiler -
-0% implemented - -- [ ] configure_agent -- [ ] create_profiling_group -- [ ] delete_profiling_group -- [ ] describe_profiling_group -- [ ] get_policy -- [ ] get_profile -- [ ] list_profile_times -- [ ] list_profiling_groups -- [ ] post_agent_profile -- [ ] put_permission -- [ ] remove_permission -- [ ] update_profiling_group -
- -## codepipeline -
-21% implemented +20% implemented - [ ] acknowledge_job - [ ] acknowledge_third_party_job @@ -1550,6 +805,7 @@ - [ ] deregister_webhook_with_third_party - [ ] disable_stage_transition - [ ] enable_stage_transition +- [ ] get_action_type - [ ] get_job_details - [X] get_pipeline - [ ] get_pipeline_execution @@ -1576,68 +832,13 @@ - [ ] stop_pipeline_execution - [X] tag_resource - [X] untag_resource +- [ ] update_action_type - [X] update_pipeline
-## codestar -
-0% implemented - -- [ ] associate_team_member -- [ ] create_project -- [ ] create_user_profile -- [ ] delete_project -- [ ] delete_user_profile -- [ ] describe_project -- [ ] describe_user_profile -- [ ] disassociate_team_member -- [ ] list_projects -- [ ] list_resources -- [ ] list_tags_for_project -- [ ] list_team_members -- [ ] list_user_profiles -- [ ] tag_project -- [ ] untag_project -- [ ] update_project -- [ ] update_team_member -- [ ] update_user_profile -
- -## codestar-connections -
-0% implemented - -- [ ] create_connection -- [ ] delete_connection -- [ ] get_connection -- [ ] list_connections -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -
- -## codestar-notifications -
-0% implemented - -- [ ] create_notification_rule -- [ ] delete_notification_rule -- [ ] delete_target -- [ ] describe_notification_rule -- [ ] list_event_types -- [ ] list_notification_rules -- [ ] list_tags_for_resource -- [ ] list_targets -- [ ] subscribe -- [ ] tag_resource -- [ ] unsubscribe -- [ ] untag_resource -- [ ] update_notification_rule -
- ## cognito-identity
-28% implemented +34% implemented - [X] create_identity_pool - [ ] delete_identities @@ -1649,29 +850,31 @@ - [ ] get_identity_pool_roles - [X] get_open_id_token - [X] get_open_id_token_for_developer_identity -- [ ] list_identities +- [ ] get_principal_tag_attribute_map +- [X] list_identities - [ ] list_identity_pools - [ ] list_tags_for_resource - [ ] lookup_developer_identity - [ ] merge_developer_identities - [ ] set_identity_pool_roles +- [ ] set_principal_tag_attribute_map - [ ] tag_resource - [ ] unlink_developer_identity - [ ] unlink_identity - [ ] untag_resource -- [ ] update_identity_pool +- [X] update_identity_pool
## cognito-idp
-38% implemented +55% implemented -- [ ] add_custom_attributes +- [X] add_custom_attributes - [X] admin_add_user_to_group -- [ ] admin_confirm_sign_up +- [X] admin_confirm_sign_up - [X] admin_create_user - [X] admin_delete_user -- [ ] admin_delete_user_attributes +- [X] admin_delete_user_attributes - [ ] admin_disable_provider_for_user - [X] admin_disable_user - [X] admin_enable_user @@ -1684,20 +887,20 @@ - [X] admin_list_groups_for_user - [ ] admin_list_user_auth_events - [X] admin_remove_user_from_group -- [ ] admin_reset_user_password +- [X] admin_reset_user_password - [ ] admin_respond_to_auth_challenge -- [ ] admin_set_user_mfa_preference -- [ ] admin_set_user_password +- [X] admin_set_user_mfa_preference +- [X] admin_set_user_password - [ ] admin_set_user_settings - [ ] admin_update_auth_event_feedback - [ ] admin_update_device_status - [X] admin_update_user_attributes -- [ ] admin_user_global_sign_out -- [ ] associate_software_token +- [X] admin_user_global_sign_out +- [X] associate_software_token - [X] change_password - [ ] confirm_device - [X] confirm_forgot_password -- [ ] confirm_sign_up +- [X] confirm_sign_up - [X] create_group - [X] create_identity_provider - [X] create_resource_server @@ -1721,18 +924,18 @@ - [X] describe_user_pool_client - [X] describe_user_pool_domain - [ ] forget_device -- [ ] forgot_password +- [X] forgot_password - [ ] get_csv_header - [ ] get_device - [X] get_group - [ ] get_identity_provider_by_identifier - [ ] get_signing_certificate - [ ] get_ui_customization -- [ ] get_user +- [X] get_user - [ ] get_user_attribute_verification_code -- [ ] get_user_pool_mfa_config +- [X] get_user_pool_mfa_config - [ ] global_sign_out -- [ ] initiate_auth +- [X] initiate_auth - [ ] list_devices - [X] list_groups - [X] list_identity_providers @@ -1745,12 +948,13 @@ - [X] list_users_in_group - [ ] resend_confirmation_code - [X] respond_to_auth_challenge +- [ ] revoke_token - [ ] set_risk_configuration - [ ] set_ui_customization -- [ ] set_user_mfa_preference -- [ ] set_user_pool_mfa_config +- [X] set_user_mfa_preference +- [X] set_user_pool_mfa_config - [ ] set_user_settings -- [ ] sign_up +- [X] sign_up - [ ] start_user_import_job - [ ] stop_user_import_job - [ ] tag_resource @@ -1761,159 +965,42 @@ - [X] update_identity_provider - [ ] update_resource_server - [ ] update_user_attributes -- [ ] update_user_pool +- [X] update_user_pool - [X] update_user_pool_client - [X] update_user_pool_domain -- [ ] verify_software_token +- [X] verify_software_token - [ ] verify_user_attribute
-## cognito-sync -
-0% implemented - -- [ ] bulk_publish -- [ ] delete_dataset -- [ ] describe_dataset -- [ ] describe_identity_pool_usage -- [ ] describe_identity_usage -- [ ] get_bulk_publish_details -- [ ] get_cognito_events -- [ ] get_identity_pool_configuration -- [ ] list_datasets -- [ ] list_identity_pool_usage -- [ ] list_records -- [ ] register_device -- [ ] set_cognito_events -- [ ] set_identity_pool_configuration -- [ ] subscribe_to_dataset -- [ ] unsubscribe_from_dataset -- [ ] update_records -
- -## comprehend -
-0% implemented - -- [ ] batch_detect_dominant_language -- [ ] batch_detect_entities -- [ ] batch_detect_key_phrases -- [ ] batch_detect_sentiment -- [ ] batch_detect_syntax -- [ ] classify_document -- [ ] create_document_classifier -- [ ] create_endpoint -- [ ] create_entity_recognizer -- [ ] delete_document_classifier -- [ ] delete_endpoint -- [ ] delete_entity_recognizer -- [ ] describe_document_classification_job -- [ ] describe_document_classifier -- [ ] describe_dominant_language_detection_job -- [ ] describe_endpoint -- [ ] describe_entities_detection_job -- [ ] describe_entity_recognizer -- [ ] describe_key_phrases_detection_job -- [ ] describe_sentiment_detection_job -- [ ] describe_topics_detection_job -- [ ] detect_dominant_language -- [ ] detect_entities -- [ ] detect_key_phrases -- [ ] detect_sentiment -- [ ] detect_syntax -- [ ] list_document_classification_jobs -- [ ] list_document_classifiers -- [ ] list_dominant_language_detection_jobs -- [ ] list_endpoints -- [ ] list_entities_detection_jobs -- [ ] list_entity_recognizers -- [ ] list_key_phrases_detection_jobs -- [ ] list_sentiment_detection_jobs -- [ ] list_tags_for_resource -- [ ] list_topics_detection_jobs -- [ ] start_document_classification_job -- [ ] start_dominant_language_detection_job -- [ ] start_entities_detection_job -- [ ] start_key_phrases_detection_job -- [ ] start_sentiment_detection_job -- [ ] start_topics_detection_job -- [ ] stop_dominant_language_detection_job -- [ ] stop_entities_detection_job -- [ ] stop_key_phrases_detection_job -- [ ] stop_sentiment_detection_job -- [ ] stop_training_document_classifier -- [ ] stop_training_entity_recognizer -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_endpoint -
- -## comprehendmedical -
-0% implemented - -- [ ] describe_entities_detection_v2_job -- [ ] describe_icd10_cm_inference_job -- [ ] describe_phi_detection_job -- [ ] describe_rx_norm_inference_job -- [ ] detect_entities -- [ ] detect_entities_v2 -- [ ] detect_phi -- [ ] infer_icd10_cm -- [ ] infer_rx_norm -- [ ] list_entities_detection_v2_jobs -- [ ] list_icd10_cm_inference_jobs -- [ ] list_phi_detection_jobs -- [ ] list_rx_norm_inference_jobs -- [ ] start_entities_detection_v2_job -- [ ] start_icd10_cm_inference_job -- [ ] start_phi_detection_job -- [ ] start_rx_norm_inference_job -- [ ] stop_entities_detection_v2_job -- [ ] stop_icd10_cm_inference_job -- [ ] stop_phi_detection_job -- [ ] stop_rx_norm_inference_job -
- -## compute-optimizer -
-0% implemented - -- [ ] get_auto_scaling_group_recommendations -- [ ] get_ec2_instance_recommendations -- [ ] get_ec2_recommendation_projected_metrics -- [ ] get_enrollment_status -- [ ] get_recommendation_summaries -- [ ] update_enrollment_status -
- ## config
-26% implemented +37% implemented - [X] batch_get_aggregate_resource_config - [X] batch_get_resource_config - [X] delete_aggregation_authorization -- [ ] delete_config_rule +- [X] delete_config_rule - [X] delete_configuration_aggregator - [X] delete_configuration_recorder - [ ] delete_conformance_pack - [X] delete_delivery_channel - [ ] delete_evaluation_results - [ ] delete_organization_config_rule -- [ ] delete_organization_conformance_pack +- [X] delete_organization_conformance_pack - [ ] delete_pending_aggregation_request - [ ] delete_remediation_configuration - [ ] delete_remediation_exceptions - [ ] delete_resource_config - [ ] delete_retention_configuration +- [ ] delete_stored_query - [ ] deliver_config_snapshot - [ ] describe_aggregate_compliance_by_config_rules +- [ ] describe_aggregate_compliance_by_conformance_packs - [X] describe_aggregation_authorizations - [ ] describe_compliance_by_config_rule - [ ] describe_compliance_by_resource - [ ] describe_config_rule_evaluation_status -- [ ] describe_config_rules +- [X] describe_config_rules - [ ] describe_configuration_aggregator_sources_status - [X] describe_configuration_aggregators - [X] describe_configuration_recorder_status @@ -1925,8 +1012,8 @@ - [X] describe_delivery_channels - [ ] describe_organization_config_rule_statuses - [ ] describe_organization_config_rules -- [ ] describe_organization_conformance_pack_statuses -- [ ] describe_organization_conformance_packs +- [X] describe_organization_conformance_pack_statuses +- [X] describe_organization_conformance_packs - [ ] describe_pending_aggregation_requests - [ ] describe_remediation_configurations - [ ] describe_remediation_exceptions @@ -1934,6 +1021,7 @@ - [ ] describe_retention_configurations - [ ] get_aggregate_compliance_details_by_config_rule - [ ] get_aggregate_config_rule_compliance_summary +- [ ] get_aggregate_conformance_pack_compliance_summary - [ ] get_aggregate_discovered_resource_counts - [ ] get_aggregate_resource_config - [ ] get_compliance_details_by_config_rule @@ -1944,116 +1032,36 @@ - [ ] get_conformance_pack_compliance_summary - [ ] get_discovered_resource_counts - [ ] get_organization_config_rule_detailed_status -- [ ] get_organization_conformance_pack_detailed_status +- [X] get_organization_conformance_pack_detailed_status - [X] get_resource_config_history +- [ ] get_stored_query - [X] list_aggregate_discovered_resources - [X] list_discovered_resources -- [ ] list_tags_for_resource +- [ ] list_stored_queries +- [X] list_tags_for_resource - [X] put_aggregation_authorization -- [ ] put_config_rule +- [X] put_config_rule - [X] put_configuration_aggregator - [X] put_configuration_recorder - [ ] put_conformance_pack - [X] put_delivery_channel - [X] put_evaluations +- [ ] put_external_evaluation - [ ] put_organization_config_rule -- [ ] put_organization_conformance_pack +- [X] put_organization_conformance_pack - [ ] put_remediation_configurations - [ ] put_remediation_exceptions - [ ] put_resource_config - [ ] put_retention_configuration +- [ ] put_stored_query - [ ] select_aggregate_resource_config - [ ] select_resource_config - [ ] start_config_rules_evaluation - [X] start_configuration_recorder - [ ] start_remediation_execution - [X] stop_configuration_recorder -- [ ] tag_resource -- [ ] untag_resource -
- -## connect -
-0% implemented - -- [ ] create_user -- [ ] delete_user -- [ ] describe_user -- [ ] describe_user_hierarchy_group -- [ ] describe_user_hierarchy_structure -- [ ] get_contact_attributes -- [ ] get_current_metric_data -- [ ] get_federation_token -- [ ] get_metric_data -- [ ] list_contact_flows -- [ ] list_hours_of_operations -- [ ] list_phone_numbers -- [ ] list_queues -- [ ] list_routing_profiles -- [ ] list_security_profiles -- [ ] list_tags_for_resource -- [ ] list_user_hierarchy_groups -- [ ] list_users -- [ ] start_chat_contact -- [ ] start_outbound_voice_contact -- [ ] stop_contact -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_contact_attributes -- [ ] update_user_hierarchy -- [ ] update_user_identity_info -- [ ] update_user_phone_config -- [ ] update_user_routing_profile -- [ ] update_user_security_profiles -
- -## connectparticipant -
-0% implemented - -- [ ] create_participant_connection -- [ ] disconnect_participant -- [ ] get_transcript -- [ ] send_event -- [ ] send_message -
- -## cur -
-0% implemented - -- [ ] delete_report_definition -- [ ] describe_report_definitions -- [ ] modify_report_definition -- [ ] put_report_definition -
- -## dataexchange -
-0% implemented - -- [ ] cancel_job -- [ ] create_data_set -- [ ] create_job -- [ ] create_revision -- [ ] delete_asset -- [ ] delete_data_set -- [ ] delete_revision -- [ ] get_asset -- [ ] get_data_set -- [ ] get_job -- [ ] get_revision -- [ ] list_data_set_revisions -- [ ] list_data_sets -- [ ] list_jobs -- [ ] list_revision_assets -- [ ] list_tags_for_resource -- [ ] start_job -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_asset -- [ ] update_data_set -- [ ] update_revision +- [X] tag_resource +- [X] untag_resource
## datapipeline @@ -2083,13 +1091,16 @@ ## datasync
-20% implemented +15% implemented - [X] cancel_task_execution - [ ] create_agent - [ ] create_location_efs +- [ ] create_location_fsx_lustre - [ ] create_location_fsx_windows +- [ ] create_location_hdfs - [ ] create_location_nfs +- [ ] create_location_object_storage - [ ] create_location_s3 - [ ] create_location_smb - [X] create_task @@ -2098,8 +1109,11 @@ - [X] delete_task - [ ] describe_agent - [ ] describe_location_efs +- [ ] describe_location_fsx_lustre - [ ] describe_location_fsx_windows +- [ ] describe_location_hdfs - [ ] describe_location_nfs +- [ ] describe_location_object_storage - [ ] describe_location_s3 - [ ] describe_location_smb - [ ] describe_task @@ -2113,28 +1127,33 @@ - [ ] tag_resource - [ ] untag_resource - [ ] update_agent +- [ ] update_location_hdfs +- [ ] update_location_nfs +- [ ] update_location_object_storage +- [ ] update_location_smb - [X] update_task +- [ ] update_task_execution
## dax
-0% implemented +28% implemented -- [ ] create_cluster +- [X] create_cluster - [ ] create_parameter_group - [ ] create_subnet_group -- [ ] decrease_replication_factor -- [ ] delete_cluster +- [X] decrease_replication_factor +- [X] delete_cluster - [ ] delete_parameter_group - [ ] delete_subnet_group -- [ ] describe_clusters +- [X] describe_clusters - [ ] describe_default_parameters - [ ] describe_events - [ ] describe_parameter_groups - [ ] describe_parameters - [ ] describe_subnet_groups -- [ ] increase_replication_factor -- [ ] list_tags +- [X] increase_replication_factor +- [X] list_tags - [ ] reboot_node - [ ] tag_resource - [ ] untag_resource @@ -2143,232 +1162,31 @@ - [ ] update_subnet_group
-## detective -
-0% implemented - -- [ ] accept_invitation -- [ ] create_graph -- [ ] create_members -- [ ] delete_graph -- [ ] delete_members -- [ ] disassociate_membership -- [ ] get_members -- [ ] list_graphs -- [ ] list_invitations -- [ ] list_members -- [ ] reject_invitation -- [ ] start_monitoring_member -
- -## devicefarm -
-0% implemented - -- [ ] create_device_pool -- [ ] create_instance_profile -- [ ] create_network_profile -- [ ] create_project -- [ ] create_remote_access_session -- [ ] create_test_grid_project -- [ ] create_test_grid_url -- [ ] create_upload -- [ ] create_vpce_configuration -- [ ] delete_device_pool -- [ ] delete_instance_profile -- [ ] delete_network_profile -- [ ] delete_project -- [ ] delete_remote_access_session -- [ ] delete_run -- [ ] delete_test_grid_project -- [ ] delete_upload -- [ ] delete_vpce_configuration -- [ ] get_account_settings -- [ ] get_device -- [ ] get_device_instance -- [ ] get_device_pool -- [ ] get_device_pool_compatibility -- [ ] get_instance_profile -- [ ] get_job -- [ ] get_network_profile -- [ ] get_offering_status -- [ ] get_project -- [ ] get_remote_access_session -- [ ] get_run -- [ ] get_suite -- [ ] get_test -- [ ] get_test_grid_project -- [ ] get_test_grid_session -- [ ] get_upload -- [ ] get_vpce_configuration -- [ ] install_to_remote_access_session -- [ ] list_artifacts -- [ ] list_device_instances -- [ ] list_device_pools -- [ ] list_devices -- [ ] list_instance_profiles -- [ ] list_jobs -- [ ] list_network_profiles -- [ ] list_offering_promotions -- [ ] list_offering_transactions -- [ ] list_offerings -- [ ] list_projects -- [ ] list_remote_access_sessions -- [ ] list_runs -- [ ] list_samples -- [ ] list_suites -- [ ] list_tags_for_resource -- [ ] list_test_grid_projects -- [ ] list_test_grid_session_actions -- [ ] list_test_grid_session_artifacts -- [ ] list_test_grid_sessions -- [ ] list_tests -- [ ] list_unique_problems -- [ ] list_uploads -- [ ] list_vpce_configurations -- [ ] purchase_offering -- [ ] renew_offering -- [ ] schedule_run -- [ ] stop_job -- [ ] stop_remote_access_session -- [ ] stop_run -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_device_instance -- [ ] update_device_pool -- [ ] update_instance_profile -- [ ] update_network_profile -- [ ] update_project -- [ ] update_test_grid_project -- [ ] update_upload -- [ ] update_vpce_configuration -
- -## directconnect -
-0% implemented - -- [ ] accept_direct_connect_gateway_association_proposal -- [ ] allocate_connection_on_interconnect -- [ ] allocate_hosted_connection -- [ ] allocate_private_virtual_interface -- [ ] allocate_public_virtual_interface -- [ ] allocate_transit_virtual_interface -- [ ] associate_connection_with_lag -- [ ] associate_hosted_connection -- [ ] associate_virtual_interface -- [ ] confirm_connection -- [ ] confirm_private_virtual_interface -- [ ] confirm_public_virtual_interface -- [ ] confirm_transit_virtual_interface -- [ ] create_bgp_peer -- [ ] create_connection -- [ ] create_direct_connect_gateway -- [ ] create_direct_connect_gateway_association -- [ ] create_direct_connect_gateway_association_proposal -- [ ] create_interconnect -- [ ] create_lag -- [ ] create_private_virtual_interface -- [ ] create_public_virtual_interface -- [ ] create_transit_virtual_interface -- [ ] delete_bgp_peer -- [ ] delete_connection -- [ ] delete_direct_connect_gateway -- [ ] delete_direct_connect_gateway_association -- [ ] delete_direct_connect_gateway_association_proposal -- [ ] delete_interconnect -- [ ] delete_lag -- [ ] delete_virtual_interface -- [ ] describe_connection_loa -- [ ] describe_connections -- [ ] describe_connections_on_interconnect -- [ ] describe_direct_connect_gateway_association_proposals -- [ ] describe_direct_connect_gateway_associations -- [ ] describe_direct_connect_gateway_attachments -- [ ] describe_direct_connect_gateways -- [ ] describe_hosted_connections -- [ ] describe_interconnect_loa -- [ ] describe_interconnects -- [ ] describe_lags -- [ ] describe_loa -- [ ] describe_locations -- [ ] describe_tags -- [ ] describe_virtual_gateways -- [ ] describe_virtual_interfaces -- [ ] disassociate_connection_from_lag -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_direct_connect_gateway_association -- [ ] update_lag -- [ ] update_virtual_interface_attributes -
- -## discovery -
-0% implemented - -- [ ] associate_configuration_items_to_application -- [ ] batch_delete_import_data -- [ ] create_application -- [ ] create_tags -- [ ] delete_applications -- [ ] delete_tags -- [ ] describe_agents -- [ ] describe_configurations -- [ ] describe_continuous_exports -- [ ] describe_export_configurations -- [ ] describe_export_tasks -- [ ] describe_import_tasks -- [ ] describe_tags -- [ ] disassociate_configuration_items_from_application -- [ ] export_configurations -- [ ] get_discovery_summary -- [ ] list_configurations -- [ ] list_server_neighbors -- [ ] start_continuous_export -- [ ] start_data_collection_by_agent_ids -- [ ] start_export_task -- [ ] start_import_task -- [ ] stop_continuous_export -- [ ] stop_data_collection_by_agent_ids -- [ ] update_application -
- -## dlm -
-0% implemented - -- [ ] create_lifecycle_policy -- [ ] delete_lifecycle_policy -- [ ] get_lifecycle_policies -- [ ] get_lifecycle_policy -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_lifecycle_policy -
- ## dms
-0% implemented +9% implemented - [ ] add_tags_to_resource - [ ] apply_pending_maintenance_action +- [ ] cancel_replication_task_assessment_run - [ ] create_endpoint - [ ] create_event_subscription - [ ] create_replication_instance - [ ] create_replication_subnet_group -- [ ] create_replication_task +- [X] create_replication_task - [ ] delete_certificate - [ ] delete_connection - [ ] delete_endpoint - [ ] delete_event_subscription - [ ] delete_replication_instance - [ ] delete_replication_subnet_group -- [ ] delete_replication_task +- [X] delete_replication_task +- [ ] delete_replication_task_assessment_run - [ ] describe_account_attributes +- [ ] describe_applicable_individual_assessments - [ ] describe_certificates - [ ] describe_connections +- [ ] describe_endpoint_settings - [ ] describe_endpoint_types - [ ] describe_endpoints - [ ] describe_event_categories @@ -2381,7 +1199,9 @@ - [ ] describe_replication_instances - [ ] describe_replication_subnet_groups - [ ] describe_replication_task_assessment_results -- [ ] describe_replication_tasks +- [ ] describe_replication_task_assessment_runs +- [ ] describe_replication_task_individual_assessments +- [X] describe_replication_tasks - [ ] describe_schemas - [ ] describe_table_statistics - [ ] import_certificate @@ -2391,115 +1211,75 @@ - [ ] modify_replication_instance - [ ] modify_replication_subnet_group - [ ] modify_replication_task +- [ ] move_replication_task - [ ] reboot_replication_instance - [ ] refresh_schemas - [ ] reload_tables - [ ] remove_tags_from_resource -- [ ] start_replication_task +- [X] start_replication_task - [ ] start_replication_task_assessment -- [ ] stop_replication_task +- [ ] start_replication_task_assessment_run +- [X] stop_replication_task - [ ] test_connection
-## docdb -
-0% implemented - -- [ ] add_tags_to_resource -- [ ] apply_pending_maintenance_action -- [ ] copy_db_cluster_parameter_group -- [ ] copy_db_cluster_snapshot -- [ ] create_db_cluster -- [ ] create_db_cluster_parameter_group -- [ ] create_db_cluster_snapshot -- [ ] create_db_instance -- [ ] create_db_subnet_group -- [ ] delete_db_cluster -- [ ] delete_db_cluster_parameter_group -- [ ] delete_db_cluster_snapshot -- [ ] delete_db_instance -- [ ] delete_db_subnet_group -- [ ] describe_certificates -- [ ] describe_db_cluster_parameter_groups -- [ ] describe_db_cluster_parameters -- [ ] describe_db_cluster_snapshot_attributes -- [ ] describe_db_cluster_snapshots -- [ ] describe_db_clusters -- [ ] describe_db_engine_versions -- [ ] describe_db_instances -- [ ] describe_db_subnet_groups -- [ ] describe_engine_default_cluster_parameters -- [ ] describe_event_categories -- [ ] describe_events -- [ ] describe_orderable_db_instance_options -- [ ] describe_pending_maintenance_actions -- [ ] failover_db_cluster -- [ ] list_tags_for_resource -- [ ] modify_db_cluster -- [ ] modify_db_cluster_parameter_group -- [ ] modify_db_cluster_snapshot_attribute -- [ ] modify_db_instance -- [ ] modify_db_subnet_group -- [ ] reboot_db_instance -- [ ] remove_tags_from_resource -- [ ] reset_db_cluster_parameter_group -- [ ] restore_db_cluster_from_snapshot -- [ ] restore_db_cluster_to_point_in_time -- [ ] start_db_cluster -- [ ] stop_db_cluster -
- ## ds
-0% implemented +19% implemented - [ ] accept_shared_directory - [ ] add_ip_routes -- [ ] add_tags_to_resource +- [ ] add_region +- [X] add_tags_to_resource - [ ] cancel_schema_extension -- [ ] connect_directory -- [ ] create_alias +- [X] connect_directory +- [X] create_alias - [ ] create_computer - [ ] create_conditional_forwarder -- [ ] create_directory +- [X] create_directory - [ ] create_log_subscription -- [ ] create_microsoft_ad +- [X] create_microsoft_ad - [ ] create_snapshot - [ ] create_trust - [ ] delete_conditional_forwarder -- [ ] delete_directory +- [X] delete_directory - [ ] delete_log_subscription - [ ] delete_snapshot - [ ] delete_trust - [ ] deregister_certificate - [ ] deregister_event_topic - [ ] describe_certificate +- [ ] describe_client_authentication_settings - [ ] describe_conditional_forwarders -- [ ] describe_directories +- [X] describe_directories - [ ] describe_domain_controllers - [ ] describe_event_topics - [ ] describe_ldaps_settings +- [ ] describe_regions - [ ] describe_shared_directories - [ ] describe_snapshots - [ ] describe_trusts +- [ ] disable_client_authentication - [ ] disable_ldaps - [ ] disable_radius -- [ ] disable_sso +- [X] disable_sso +- [ ] enable_client_authentication - [ ] enable_ldaps - [ ] enable_radius -- [ ] enable_sso -- [ ] get_directory_limits +- [X] enable_sso +- [X] get_directory_limits - [ ] get_snapshot_limits - [ ] list_certificates - [ ] list_ip_routes - [ ] list_log_subscriptions - [ ] list_schema_extensions -- [ ] list_tags_for_resource +- [X] list_tags_for_resource - [ ] register_certificate - [ ] register_event_topic - [ ] reject_shared_directory - [ ] remove_ip_routes -- [ ] remove_tags_from_resource +- [ ] remove_region +- [X] remove_tags_from_resource - [ ] reset_user_password - [ ] restore_from_snapshot - [ ] share_directory @@ -2514,36 +1294,45 @@ ## dynamodb
-53% implemented +58% implemented +- [ ] batch_execute_statement - [X] batch_get_item - [X] batch_write_item -- [ ] create_backup +- [X] create_backup - [ ] create_global_table - [X] create_table -- [ ] delete_backup +- [X] delete_backup - [X] delete_item - [X] delete_table -- [ ] describe_backup +- [X] describe_backup - [X] describe_continuous_backups - [ ] describe_contributor_insights -- [ ] describe_endpoints +- [X] describe_endpoints +- [ ] describe_export - [ ] describe_global_table - [ ] describe_global_table_settings +- [ ] describe_kinesis_streaming_destination - [ ] describe_limits - [X] describe_table - [ ] describe_table_replica_auto_scaling - [X] describe_time_to_live +- [ ] disable_kinesis_streaming_destination +- [ ] enable_kinesis_streaming_destination +- [ ] execute_statement +- [ ] execute_transaction +- [ ] export_table_to_point_in_time - [X] get_item -- [ ] list_backups +- [X] list_backups - [ ] list_contributor_insights +- [ ] list_exports - [ ] list_global_tables - [X] list_tables - [X] list_tags_of_resource - [X] put_item - [X] query -- [ ] restore_table_from_backup -- [ ] restore_table_to_point_in_time +- [X] restore_table_from_backup +- [X] restore_table_to_point_in_time - [X] scan - [X] tag_resource - [X] transact_get_items @@ -2569,38 +1358,34 @@ - [X] list_streams
-## ebs -
-0% implemented - -- [ ] get_snapshot_block -- [ ] list_changed_blocks -- [ ] list_snapshot_blocks -
- ## ec2
-26% implemented +35% implemented - [ ] accept_reserved_instances_exchange_quote -- [ ] accept_transit_gateway_peering_attachment +- [ ] accept_transit_gateway_multicast_domain_associations +- [X] accept_transit_gateway_peering_attachment - [ ] accept_transit_gateway_vpc_attachment - [ ] accept_vpc_endpoint_connections - [X] accept_vpc_peering_connection - [ ] advertise_byoip_cidr - [X] allocate_address - [ ] allocate_hosts +- [ ] allocate_ipam_pool_cidr - [ ] apply_security_groups_to_client_vpn_target_network -- [ ] assign_ipv6_addresses -- [ ] assign_private_ip_addresses +- [X] assign_ipv6_addresses +- [X] assign_private_ip_addresses - [X] associate_address - [ ] associate_client_vpn_target_network - [X] associate_dhcp_options -- [ ] associate_iam_instance_profile +- [ ] associate_enclave_certificate_iam_role +- [X] associate_iam_instance_profile +- [ ] associate_instance_event_window - [X] associate_route_table -- [ ] associate_subnet_cidr_block +- [X] associate_subnet_cidr_block - [ ] associate_transit_gateway_multicast_domain -- [ ] associate_transit_gateway_route_table +- [X] associate_transit_gateway_route_table +- [ ] associate_trunk_interface - [X] associate_vpc_cidr_block - [ ] attach_classic_link_vpc - [X] attach_internet_gateway @@ -2613,6 +1398,7 @@ - [ ] bundle_instance - [ ] cancel_bundle_task - [ ] cancel_capacity_reservation +- [ ] cancel_capacity_reservation_fleets - [ ] cancel_conversion_task - [ ] cancel_export_task - [ ] cancel_import_task @@ -2624,78 +1410,106 @@ - [X] copy_image - [X] copy_snapshot - [ ] create_capacity_reservation +- [ ] create_capacity_reservation_fleet +- [X] create_carrier_gateway - [ ] create_client_vpn_endpoint - [ ] create_client_vpn_route - [X] create_customer_gateway - [ ] create_default_subnet - [ ] create_default_vpc - [X] create_dhcp_options -- [ ] create_egress_only_internet_gateway +- [X] create_egress_only_internet_gateway - [ ] create_fleet -- [ ] create_flow_logs +- [X] create_flow_logs - [ ] create_fpga_image - [X] create_image +- [ ] create_instance_event_window - [ ] create_instance_export_task - [X] create_internet_gateway +- [ ] create_ipam +- [ ] create_ipam_pool +- [ ] create_ipam_scope - [X] create_key_pair - [X] create_launch_template -- [x] create_launch_template_version +- [ ] create_launch_template_version - [ ] create_local_gateway_route - [ ] create_local_gateway_route_table_vpc_association +- [X] create_managed_prefix_list - [X] create_nat_gateway - [X] create_network_acl - [X] create_network_acl_entry +- [ ] create_network_insights_access_scope +- [ ] create_network_insights_path - [X] create_network_interface - [ ] create_network_interface_permission - [ ] create_placement_group +- [ ] create_public_ipv4_pool +- [ ] create_replace_root_volume_task - [ ] create_reserved_instances_listing +- [ ] create_restore_image_task - [X] create_route - [X] create_route_table - [X] create_security_group - [X] create_snapshot -- [ ] create_snapshots +- [X] create_snapshots - [ ] create_spot_datafeed_subscription +- [ ] create_store_image_task - [X] create_subnet +- [ ] create_subnet_cidr_reservation - [X] create_tags - [ ] create_traffic_mirror_filter - [ ] create_traffic_mirror_filter_rule - [ ] create_traffic_mirror_session - [ ] create_traffic_mirror_target -- [ ] create_transit_gateway +- [X] create_transit_gateway +- [ ] create_transit_gateway_connect +- [ ] create_transit_gateway_connect_peer - [ ] create_transit_gateway_multicast_domain -- [ ] create_transit_gateway_peering_attachment -- [ ] create_transit_gateway_route -- [ ] create_transit_gateway_route_table -- [ ] create_transit_gateway_vpc_attachment +- [X] create_transit_gateway_peering_attachment +- [ ] create_transit_gateway_prefix_list_reference +- [X] create_transit_gateway_route +- [X] create_transit_gateway_route_table +- [X] create_transit_gateway_vpc_attachment - [X] create_volume - [X] create_vpc - [X] create_vpc_endpoint - [ ] create_vpc_endpoint_connection_notification -- [ ] create_vpc_endpoint_service_configuration +- [X] create_vpc_endpoint_service_configuration - [X] create_vpc_peering_connection - [X] create_vpn_connection - [ ] create_vpn_connection_route - [X] create_vpn_gateway +- [X] delete_carrier_gateway - [ ] delete_client_vpn_endpoint - [ ] delete_client_vpn_route - [X] delete_customer_gateway - [ ] delete_dhcp_options -- [ ] delete_egress_only_internet_gateway +- [X] delete_egress_only_internet_gateway - [ ] delete_fleets -- [ ] delete_flow_logs +- [X] delete_flow_logs - [ ] delete_fpga_image +- [ ] delete_instance_event_window - [X] delete_internet_gateway +- [ ] delete_ipam +- [ ] delete_ipam_pool +- [ ] delete_ipam_scope - [X] delete_key_pair - [ ] delete_launch_template - [ ] delete_launch_template_versions - [ ] delete_local_gateway_route - [ ] delete_local_gateway_route_table_vpc_association +- [X] delete_managed_prefix_list - [X] delete_nat_gateway - [X] delete_network_acl - [X] delete_network_acl_entry +- [ ] delete_network_insights_access_scope +- [ ] delete_network_insights_access_scope_analysis +- [ ] delete_network_insights_analysis +- [ ] delete_network_insights_path - [X] delete_network_interface - [ ] delete_network_interface_permission - [ ] delete_placement_group +- [ ] delete_public_ipv4_pool - [ ] delete_queued_reserved_instances - [X] delete_route - [X] delete_route_table @@ -2703,38 +1517,47 @@ - [X] delete_snapshot - [ ] delete_spot_datafeed_subscription - [X] delete_subnet +- [ ] delete_subnet_cidr_reservation - [X] delete_tags - [ ] delete_traffic_mirror_filter - [ ] delete_traffic_mirror_filter_rule - [ ] delete_traffic_mirror_session - [ ] delete_traffic_mirror_target -- [ ] delete_transit_gateway +- [X] delete_transit_gateway +- [ ] delete_transit_gateway_connect +- [ ] delete_transit_gateway_connect_peer - [ ] delete_transit_gateway_multicast_domain -- [ ] delete_transit_gateway_peering_attachment -- [ ] delete_transit_gateway_route -- [ ] delete_transit_gateway_route_table -- [ ] delete_transit_gateway_vpc_attachment +- [X] delete_transit_gateway_peering_attachment +- [ ] delete_transit_gateway_prefix_list_reference +- [X] delete_transit_gateway_route +- [X] delete_transit_gateway_route_table +- [X] delete_transit_gateway_vpc_attachment - [X] delete_volume - [X] delete_vpc - [ ] delete_vpc_endpoint_connection_notifications -- [ ] delete_vpc_endpoint_service_configurations -- [ ] delete_vpc_endpoints +- [X] delete_vpc_endpoint_service_configurations +- [X] delete_vpc_endpoints - [X] delete_vpc_peering_connection - [X] delete_vpn_connection - [ ] delete_vpn_connection_route - [X] delete_vpn_gateway - [ ] deprovision_byoip_cidr +- [ ] deprovision_ipam_pool_cidr +- [ ] deprovision_public_ipv4_pool_cidr - [X] deregister_image - [ ] deregister_instance_event_notification_attributes - [ ] deregister_transit_gateway_multicast_group_members - [ ] deregister_transit_gateway_multicast_group_sources - [ ] describe_account_attributes - [X] describe_addresses +- [ ] describe_addresses_attribute - [ ] describe_aggregate_id_format - [X] describe_availability_zones - [ ] describe_bundle_tasks - [ ] describe_byoip_cidrs +- [ ] describe_capacity_reservation_fleets - [ ] describe_capacity_reservations +- [X] describe_carrier_gateways - [ ] describe_classic_link_instances - [ ] describe_client_vpn_authorization_rules - [ ] describe_client_vpn_connections @@ -2745,21 +1568,22 @@ - [ ] describe_conversion_tasks - [ ] describe_customer_gateways - [X] describe_dhcp_options -- [ ] describe_egress_only_internet_gateways +- [X] describe_egress_only_internet_gateways - [ ] describe_elastic_gpus - [ ] describe_export_image_tasks - [ ] describe_export_tasks +- [ ] describe_fast_launch_images - [ ] describe_fast_snapshot_restores - [ ] describe_fleet_history - [ ] describe_fleet_instances - [ ] describe_fleets -- [ ] describe_flow_logs +- [X] describe_flow_logs - [ ] describe_fpga_image_attribute - [ ] describe_fpga_images - [ ] describe_host_reservation_offerings - [ ] describe_host_reservations - [ ] describe_hosts -- [ ] describe_iam_instance_profile_associations +- [X] describe_iam_instance_profile_associations - [ ] describe_id_format - [ ] describe_identity_id_format - [ ] describe_image_attribute @@ -2769,24 +1593,33 @@ - [X] describe_instance_attribute - [X] describe_instance_credit_specifications - [ ] describe_instance_event_notification_attributes -- [ ] describe_instance_status -- [ ] describe_instance_type_offerings -- [ ] describe_instance_types -- [ ] describe_instances +- [ ] describe_instance_event_windows +- [X] describe_instance_status +- [X] describe_instance_type_offerings +- [X] describe_instance_types +- [X] describe_instances - [X] describe_internet_gateways +- [ ] describe_ipam_pools +- [ ] describe_ipam_scopes +- [ ] describe_ipams - [ ] describe_ipv6_pools - [X] describe_key_pairs - [ ] describe_launch_template_versions -- [ ] describe_launch_templates +- [X] describe_launch_templates - [ ] describe_local_gateway_route_table_virtual_interface_group_associations - [ ] describe_local_gateway_route_table_vpc_associations - [ ] describe_local_gateway_route_tables - [ ] describe_local_gateway_virtual_interface_groups - [ ] describe_local_gateway_virtual_interfaces - [ ] describe_local_gateways +- [X] describe_managed_prefix_lists - [ ] describe_moving_addresses -- [ ] describe_nat_gateways +- [X] describe_nat_gateways - [X] describe_network_acls +- [ ] describe_network_insights_access_scope_analyses +- [ ] describe_network_insights_access_scopes +- [ ] describe_network_insights_analyses +- [ ] describe_network_insights_paths - [ ] describe_network_interface_attribute - [ ] describe_network_interface_permissions - [X] describe_network_interfaces @@ -2795,35 +1628,42 @@ - [ ] describe_principal_id_format - [ ] describe_public_ipv4_pools - [X] describe_regions +- [ ] describe_replace_root_volume_tasks - [ ] describe_reserved_instances - [ ] describe_reserved_instances_listings - [ ] describe_reserved_instances_modifications - [ ] describe_reserved_instances_offerings -- [ ] describe_route_tables +- [X] describe_route_tables - [ ] describe_scheduled_instance_availability - [ ] describe_scheduled_instances - [ ] describe_security_group_references +- [ ] describe_security_group_rules - [X] describe_security_groups - [ ] describe_snapshot_attribute +- [ ] describe_snapshot_tier_status - [X] describe_snapshots - [ ] describe_spot_datafeed_subscription - [X] describe_spot_fleet_instances - [ ] describe_spot_fleet_request_history - [X] describe_spot_fleet_requests - [X] describe_spot_instance_requests -- [ ] describe_spot_price_history +- [X] describe_spot_price_history - [ ] describe_stale_security_groups +- [ ] describe_store_image_tasks - [ ] describe_subnets - [X] describe_tags - [ ] describe_traffic_mirror_filters - [ ] describe_traffic_mirror_sessions - [ ] describe_traffic_mirror_targets -- [ ] describe_transit_gateway_attachments +- [X] describe_transit_gateway_attachments +- [ ] describe_transit_gateway_connect_peers +- [ ] describe_transit_gateway_connects - [ ] describe_transit_gateway_multicast_domains -- [ ] describe_transit_gateway_peering_attachments +- [X] describe_transit_gateway_peering_attachments - [ ] describe_transit_gateway_route_tables -- [ ] describe_transit_gateway_vpc_attachments -- [ ] describe_transit_gateways +- [X] describe_transit_gateway_vpc_attachments +- [X] describe_transit_gateways +- [ ] describe_trunk_interface_associations - [ ] describe_volume_attribute - [ ] describe_volume_status - [X] describe_volumes @@ -2833,36 +1673,47 @@ - [ ] describe_vpc_classic_link_dns_support - [ ] describe_vpc_endpoint_connection_notifications - [ ] describe_vpc_endpoint_connections -- [ ] describe_vpc_endpoint_service_configurations -- [ ] describe_vpc_endpoint_service_permissions -- [ ] describe_vpc_endpoint_services -- [ ] describe_vpc_endpoints -- [ ] describe_vpc_peering_connections -- [ ] describe_vpcs +- [X] describe_vpc_endpoint_service_configurations +- [X] describe_vpc_endpoint_service_permissions +- [X] describe_vpc_endpoint_services +- [X] describe_vpc_endpoints +- [X] describe_vpc_peering_connections +- [X] describe_vpcs - [X] describe_vpn_connections -- [ ] describe_vpn_gateways +- [X] describe_vpn_gateways - [ ] detach_classic_link_vpc - [X] detach_internet_gateway - [X] detach_network_interface - [X] detach_volume - [X] detach_vpn_gateway -- [ ] disable_ebs_encryption_by_default +- [X] disable_ebs_encryption_by_default +- [ ] disable_fast_launch - [ ] disable_fast_snapshot_restores -- [ ] disable_transit_gateway_route_table_propagation +- [ ] disable_image_deprecation +- [ ] disable_ipam_organization_admin_account +- [ ] disable_serial_console_access +- [X] disable_transit_gateway_route_table_propagation - [ ] disable_vgw_route_propagation - [X] disable_vpc_classic_link - [X] disable_vpc_classic_link_dns_support - [X] disassociate_address - [ ] disassociate_client_vpn_target_network -- [ ] disassociate_iam_instance_profile +- [ ] disassociate_enclave_certificate_iam_role +- [X] disassociate_iam_instance_profile +- [ ] disassociate_instance_event_window - [X] disassociate_route_table -- [ ] disassociate_subnet_cidr_block +- [X] disassociate_subnet_cidr_block - [ ] disassociate_transit_gateway_multicast_domain -- [ ] disassociate_transit_gateway_route_table +- [X] disassociate_transit_gateway_route_table +- [ ] disassociate_trunk_interface - [X] disassociate_vpc_cidr_block -- [ ] enable_ebs_encryption_by_default +- [X] enable_ebs_encryption_by_default +- [ ] enable_fast_launch - [ ] enable_fast_snapshot_restores -- [ ] enable_transit_gateway_route_table_propagation +- [ ] enable_image_deprecation +- [ ] enable_ipam_organization_admin_account +- [ ] enable_serial_console_access +- [X] enable_transit_gateway_route_table_propagation - [ ] enable_vgw_route_propagation - [ ] enable_volume_io - [X] enable_vpc_classic_link @@ -2871,6 +1722,7 @@ - [ ] export_client_vpn_client_configuration - [ ] export_image - [ ] export_transit_gateway_routes +- [ ] get_associated_enclave_certificate_iam_roles - [ ] get_associated_ipv6_pool_cidrs - [ ] get_capacity_reservation_usage - [ ] get_coip_pool_usage @@ -2878,23 +1730,44 @@ - [ ] get_console_screenshot - [ ] get_default_credit_specification - [ ] get_ebs_default_kms_key_id -- [ ] get_ebs_encryption_by_default +- [X] get_ebs_encryption_by_default +- [ ] get_flow_logs_integration_template +- [ ] get_groups_for_capacity_reservation - [ ] get_host_reservation_purchase_preview +- [ ] get_instance_types_from_instance_requirements +- [ ] get_ipam_address_history +- [ ] get_ipam_pool_allocations +- [ ] get_ipam_pool_cidrs +- [ ] get_ipam_resource_cidrs - [ ] get_launch_template_data +- [ ] get_managed_prefix_list_associations +- [X] get_managed_prefix_list_entries +- [ ] get_network_insights_access_scope_analysis_findings +- [ ] get_network_insights_access_scope_content - [ ] get_password_data - [ ] get_reserved_instances_exchange_quote +- [ ] get_serial_console_access_status +- [ ] get_spot_placement_scores +- [ ] get_subnet_cidr_reservations - [ ] get_transit_gateway_attachment_propagations - [ ] get_transit_gateway_multicast_domain_associations +- [ ] get_transit_gateway_prefix_list_references - [ ] get_transit_gateway_route_table_associations - [ ] get_transit_gateway_route_table_propagations +- [ ] get_vpn_connection_device_sample_configuration +- [ ] get_vpn_connection_device_types - [ ] import_client_vpn_client_certificate_revocation_list - [ ] import_image - [ ] import_instance - [X] import_key_pair - [ ] import_snapshot - [ ] import_volume +- [ ] list_images_in_recycle_bin +- [ ] list_snapshots_in_recycle_bin +- [ ] modify_address_attribute - [ ] modify_availability_zone_group - [ ] modify_capacity_reservation +- [ ] modify_capacity_reservation_fleet - [ ] modify_client_vpn_endpoint - [ ] modify_default_credit_specification - [ ] modify_ebs_default_kms_key_id @@ -2908,48 +1781,66 @@ - [ ] modify_instance_capacity_reservation_attributes - [ ] modify_instance_credit_specification - [ ] modify_instance_event_start_time +- [ ] modify_instance_event_window - [ ] modify_instance_metadata_options - [ ] modify_instance_placement +- [ ] modify_ipam +- [ ] modify_ipam_pool +- [ ] modify_ipam_resource_cidr +- [ ] modify_ipam_scope - [ ] modify_launch_template +- [X] modify_managed_prefix_list - [X] modify_network_interface_attribute +- [ ] modify_private_dns_name_options - [ ] modify_reserved_instances +- [ ] modify_security_group_rules - [ ] modify_snapshot_attribute +- [ ] modify_snapshot_tier - [X] modify_spot_fleet_request - [X] modify_subnet_attribute - [ ] modify_traffic_mirror_filter_network_services - [ ] modify_traffic_mirror_filter_rule - [ ] modify_traffic_mirror_session -- [ ] modify_transit_gateway_vpc_attachment +- [X] modify_transit_gateway +- [ ] modify_transit_gateway_prefix_list_reference +- [X] modify_transit_gateway_vpc_attachment - [ ] modify_volume - [ ] modify_volume_attribute - [X] modify_vpc_attribute - [ ] modify_vpc_endpoint - [ ] modify_vpc_endpoint_connection_notification -- [ ] modify_vpc_endpoint_service_configuration -- [ ] modify_vpc_endpoint_service_permissions -- [ ] modify_vpc_peering_connection_options -- [ ] modify_vpc_tenancy +- [X] modify_vpc_endpoint_service_configuration +- [ ] modify_vpc_endpoint_service_payer_responsibility +- [X] modify_vpc_endpoint_service_permissions +- [X] modify_vpc_peering_connection_options +- [X] modify_vpc_tenancy - [ ] modify_vpn_connection +- [ ] modify_vpn_connection_options - [ ] modify_vpn_tunnel_certificate - [ ] modify_vpn_tunnel_options - [ ] monitor_instances - [ ] move_address_to_vpc +- [ ] move_byoip_cidr_to_ipam - [ ] provision_byoip_cidr +- [ ] provision_ipam_pool_cidr +- [ ] provision_public_ipv4_pool_cidr - [ ] purchase_host_reservation - [ ] purchase_reserved_instances_offering - [ ] purchase_scheduled_instances - [X] reboot_instances -- [ ] register_image +- [X] register_image - [ ] register_instance_event_notification_attributes - [ ] register_transit_gateway_multicast_group_members - [ ] register_transit_gateway_multicast_group_sources -- [ ] reject_transit_gateway_peering_attachment +- [ ] reject_transit_gateway_multicast_domain_associations +- [X] reject_transit_gateway_peering_attachment - [ ] reject_transit_gateway_vpc_attachment - [ ] reject_vpc_endpoint_connections - [X] reject_vpc_peering_connection - [X] release_address - [ ] release_hosts -- [ ] replace_iam_instance_profile_association +- [ ] release_ipam_pool_allocation +- [X] replace_iam_instance_profile_association - [X] replace_network_acl_association - [X] replace_network_acl_entry - [X] replace_route @@ -2958,6 +1849,7 @@ - [ ] report_instance_status - [X] request_spot_fleet - [X] request_spot_instances +- [ ] reset_address_attribute - [ ] reset_ebs_default_kms_key_id - [ ] reset_fpga_image_attribute - [ ] reset_image_attribute @@ -2965,67 +1857,86 @@ - [ ] reset_network_interface_attribute - [ ] reset_snapshot_attribute - [ ] restore_address_to_classic +- [ ] restore_image_from_recycle_bin +- [ ] restore_managed_prefix_list_version +- [ ] restore_snapshot_from_recycle_bin +- [ ] restore_snapshot_tier - [ ] revoke_client_vpn_ingress - [X] revoke_security_group_egress - [X] revoke_security_group_ingress -- [ ] run_instances +- [X] run_instances - [ ] run_scheduled_instances - [ ] search_local_gateway_routes - [ ] search_transit_gateway_multicast_groups -- [ ] search_transit_gateway_routes +- [X] search_transit_gateway_routes - [ ] send_diagnostic_interrupt - [X] start_instances +- [ ] start_network_insights_access_scope_analysis +- [ ] start_network_insights_analysis - [ ] start_vpc_endpoint_service_private_dns_verification - [X] stop_instances - [ ] terminate_client_vpn_connections - [X] terminate_instances -- [ ] unassign_ipv6_addresses -- [ ] unassign_private_ip_addresses +- [X] unassign_ipv6_addresses +- [X] unassign_private_ip_addresses - [ ] unmonitor_instances -- [ ] update_security_group_rule_descriptions_egress -- [ ] update_security_group_rule_descriptions_ingress +- [X] update_security_group_rule_descriptions_egress +- [X] update_security_group_rule_descriptions_ingress - [ ] withdraw_byoip_cidr
## ec2-instance-connect
-100% implemented +50% implemented +- [ ] send_serial_console_ssh_public_key - [X] send_ssh_public_key
## ecr
-27% implemented +63% implemented - [ ] batch_check_layer_availability - [X] batch_delete_image - [X] batch_get_image +- [ ] batch_get_repository_scanning_configuration - [ ] complete_layer_upload +- [ ] create_pull_through_cache_rule - [X] create_repository -- [ ] delete_lifecycle_policy +- [X] delete_lifecycle_policy +- [ ] delete_pull_through_cache_rule +- [X] delete_registry_policy - [X] delete_repository -- [ ] delete_repository_policy -- [ ] describe_image_scan_findings +- [X] delete_repository_policy +- [ ] describe_image_replication_status +- [X] describe_image_scan_findings - [X] describe_images +- [ ] describe_pull_through_cache_rules +- [X] describe_registry - [X] describe_repositories - [ ] get_authorization_token - [ ] get_download_url_for_layer -- [ ] get_lifecycle_policy +- [X] get_lifecycle_policy - [ ] get_lifecycle_policy_preview -- [ ] get_repository_policy +- [X] get_registry_policy +- [ ] get_registry_scanning_configuration +- [X] get_repository_policy - [ ] initiate_layer_upload - [X] list_images -- [ ] list_tags_for_resource +- [X] list_tags_for_resource - [X] put_image -- [ ] put_image_scanning_configuration -- [ ] put_image_tag_mutability -- [ ] put_lifecycle_policy -- [ ] set_repository_policy -- [ ] start_image_scan +- [X] put_image_scanning_configuration +- [X] put_image_tag_mutability +- [X] put_lifecycle_policy +- [X] put_registry_policy +- [ ] put_registry_scanning_configuration +- [X] put_replication_configuration +- [X] set_repository_policy +- [X] start_image_scan - [ ] start_lifecycle_policy_preview -- [ ] tag_resource -- [ ] untag_resource +- [X] tag_resource +- [X] untag_resource - [ ] upload_layer_part
@@ -3037,8 +1948,9 @@ - [X] create_cluster - [X] create_service - [X] create_task_set -- [ ] delete_account_setting +- [X] delete_account_setting - [X] delete_attributes +- [ ] delete_capacity_provider - [X] delete_cluster - [X] delete_service - [X] delete_task_set @@ -3052,7 +1964,8 @@ - [X] describe_task_sets - [X] describe_tasks - [ ] discover_poll_endpoint -- [ ] list_account_settings +- [ ] execute_command +- [X] list_account_settings - [X] list_attributes - [X] list_clusters - [X] list_container_instances @@ -3061,7 +1974,7 @@ - [X] list_task_definition_families - [X] list_task_definitions - [X] list_tasks -- [ ] put_account_setting +- [X] put_account_setting - [ ] put_account_setting_default - [X] put_attributes - [ ] put_cluster_capacity_providers @@ -3075,6 +1988,8 @@ - [ ] submit_task_state_change - [X] tag_resource - [X] untag_resource +- [ ] update_capacity_provider +- [ ] update_cluster - [ ] update_cluster_settings - [ ] update_container_agent - [X] update_container_instances_state @@ -3085,26 +2000,33 @@ ## efs
-0% implemented +23% implemented - [ ] create_access_point -- [ ] create_file_system -- [ ] create_mount_target +- [X] create_file_system +- [X] create_mount_target +- [ ] create_replication_configuration - [ ] create_tags - [ ] delete_access_point -- [ ] delete_file_system +- [X] delete_file_system - [ ] delete_file_system_policy -- [ ] delete_mount_target +- [X] delete_mount_target +- [ ] delete_replication_configuration - [ ] delete_tags - [ ] describe_access_points +- [ ] describe_account_preferences +- [X] describe_backup_policy - [ ] describe_file_system_policy -- [ ] describe_file_systems +- [X] describe_file_systems - [ ] describe_lifecycle_configuration - [ ] describe_mount_target_security_groups -- [ ] describe_mount_targets +- [X] describe_mount_targets +- [ ] describe_replication_configurations - [ ] describe_tags - [ ] list_tags_for_resource - [ ] modify_mount_target_security_groups +- [ ] put_account_preferences +- [ ] put_backup_policy - [ ] put_file_system_policy - [ ] put_lifecycle_configuration - [ ] tag_resource @@ -3114,46 +2036,47 @@ ## eks
-0% implemented - -- [ ] create_cluster -- [ ] create_fargate_profile -- [ ] create_nodegroup -- [ ] delete_cluster -- [ ] delete_fargate_profile -- [ ] delete_nodegroup -- [ ] describe_cluster -- [ ] describe_fargate_profile -- [ ] describe_nodegroup +35% implemented + +- [ ] associate_encryption_config +- [ ] associate_identity_provider_config +- [ ] create_addon +- [X] create_cluster +- [X] create_fargate_profile +- [X] create_nodegroup +- [ ] delete_addon +- [X] delete_cluster +- [X] delete_fargate_profile +- [X] delete_nodegroup +- [ ] deregister_cluster +- [ ] describe_addon +- [ ] describe_addon_versions +- [X] describe_cluster +- [X] describe_fargate_profile +- [ ] describe_identity_provider_config +- [X] describe_nodegroup - [ ] describe_update -- [ ] list_clusters -- [ ] list_fargate_profiles -- [ ] list_nodegroups +- [ ] disassociate_identity_provider_config +- [ ] list_addons +- [X] list_clusters +- [X] list_fargate_profiles +- [ ] list_identity_provider_configs +- [X] list_nodegroups - [ ] list_tags_for_resource - [ ] list_updates +- [ ] register_cluster - [ ] tag_resource - [ ] untag_resource +- [ ] update_addon - [ ] update_cluster_config - [ ] update_cluster_version - [ ] update_nodegroup_config - [ ] update_nodegroup_version
-## elastic-inference -
-0% implemented - -- [ ] describe_accelerator_offerings -- [ ] describe_accelerator_types -- [ ] describe_accelerators -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -
- ## elasticache
-0% implemented +4% implemented - [ ] add_tags_to_resource - [ ] authorize_cache_security_group_ingress @@ -3168,6 +2091,8 @@ - [ ] create_global_replication_group - [ ] create_replication_group - [ ] create_snapshot +- [X] create_user +- [ ] create_user_group - [ ] decrease_node_groups_in_global_replication_group - [ ] decrease_replica_count - [ ] delete_cache_cluster @@ -3177,6 +2102,8 @@ - [ ] delete_global_replication_group - [ ] delete_replication_group - [ ] delete_snapshot +- [X] delete_user +- [ ] delete_user_group - [ ] describe_cache_clusters - [ ] describe_cache_engine_versions - [ ] describe_cache_parameter_groups @@ -3192,6 +2119,8 @@ - [ ] describe_service_updates - [ ] describe_snapshots - [ ] describe_update_actions +- [ ] describe_user_groups +- [X] describe_users - [ ] disassociate_global_replication_group - [ ] failover_global_replication_group - [ ] increase_node_groups_in_global_replication_group @@ -3204,6 +2133,8 @@ - [ ] modify_global_replication_group - [ ] modify_replication_group - [ ] modify_replication_group_shard_configuration +- [ ] modify_user +- [ ] modify_user_group - [ ] purchase_reserved_cache_nodes_offering - [ ] rebalance_slots_in_global_replication_group - [ ] reboot_cache_cluster @@ -3216,10 +2147,11 @@ ## elasticbeanstalk
-13% implemented +12% implemented - [ ] abort_environment_update - [ ] apply_environment_managed_action +- [ ] associate_environment_operations_role - [ ] check_dns_availability - [ ] compose_environments - [X] create_application @@ -3246,6 +2178,7 @@ - [ ] describe_events - [ ] describe_instances_health - [ ] describe_platform_version +- [ ] disassociate_environment_operations_role - [X] list_available_solution_stacks - [ ] list_platform_branches - [ ] list_platform_versions @@ -3267,30 +2200,30 @@ ## elastictranscoder
-0% implemented +29% implemented - [ ] cancel_job - [ ] create_job -- [ ] create_pipeline +- [X] create_pipeline - [ ] create_preset -- [ ] delete_pipeline +- [X] delete_pipeline - [ ] delete_preset - [ ] list_jobs_by_pipeline - [ ] list_jobs_by_status -- [ ] list_pipelines +- [X] list_pipelines - [ ] list_presets - [ ] read_job -- [ ] read_pipeline +- [X] read_pipeline - [ ] read_preset - [ ] test_role -- [ ] update_pipeline +- [X] update_pipeline - [ ] update_pipeline_notifications - [ ] update_pipeline_status
## elb
-34% implemented +41% implemented - [ ] add_tags - [X] apply_security_groups_to_load_balancer @@ -3315,17 +2248,17 @@ - [ ] detach_load_balancer_from_subnets - [ ] disable_availability_zones_for_load_balancer - [ ] enable_availability_zones_for_load_balancer -- [ ] modify_load_balancer_attributes +- [X] modify_load_balancer_attributes - [ ] register_instances_with_load_balancer - [ ] remove_tags -- [ ] set_load_balancer_listener_ssl_certificate +- [X] set_load_balancer_listener_ssl_certificate - [ ] set_load_balancer_policies_for_backend_server - [X] set_load_balancer_policies_of_listener
## elbv2
-70% implemented +73% implemented - [ ] add_listener_certificates - [ ] add_tags @@ -3353,7 +2286,7 @@ - [X] modify_load_balancer_attributes - [X] modify_rule - [X] modify_target_group -- [ ] modify_target_group_attributes +- [X] modify_target_group_attributes - [X] register_targets - [ ] remove_listener_certificates - [ ] remove_tags @@ -3365,100 +2298,167 @@ ## emr
-45% implemented +42% implemented - [ ] add_instance_fleet - [X] add_instance_groups - [X] add_job_flow_steps - [X] add_tags - [ ] cancel_steps -- [ ] create_security_configuration -- [ ] delete_security_configuration -- [ ] describe_cluster +- [X] create_security_configuration +- [ ] create_studio +- [ ] create_studio_session_mapping +- [X] delete_security_configuration +- [ ] delete_studio +- [ ] delete_studio_session_mapping +- [X] describe_cluster - [X] describe_job_flows +- [ ] describe_notebook_execution +- [ ] describe_release_label - [ ] describe_security_configuration - [X] describe_step +- [ ] describe_studio +- [ ] get_auto_termination_policy - [ ] get_block_public_access_configuration - [ ] get_managed_scaling_policy +- [ ] get_studio_session_mapping - [X] list_bootstrap_actions - [X] list_clusters - [ ] list_instance_fleets - [X] list_instance_groups -- [ ] list_instances +- [X] list_instances +- [ ] list_notebook_executions +- [ ] list_release_labels - [ ] list_security_configurations - [X] list_steps -- [ ] modify_cluster +- [ ] list_studio_session_mappings +- [ ] list_studios +- [X] modify_cluster - [ ] modify_instance_fleet - [X] modify_instance_groups -- [ ] put_auto_scaling_policy +- [X] put_auto_scaling_policy +- [ ] put_auto_termination_policy - [ ] put_block_public_access_configuration - [ ] put_managed_scaling_policy -- [ ] remove_auto_scaling_policy +- [X] remove_auto_scaling_policy +- [ ] remove_auto_termination_policy - [ ] remove_managed_scaling_policy - [X] remove_tags - [X] run_job_flow - [X] set_termination_protection - [X] set_visible_to_all_users +- [ ] start_notebook_execution +- [ ] stop_notebook_execution - [X] terminate_job_flows +- [ ] update_studio +- [ ] update_studio_session_mapping +
+ +## emr-containers +
+53% implemented + +- [X] cancel_job_run +- [ ] create_managed_endpoint +- [X] create_virtual_cluster +- [ ] delete_managed_endpoint +- [X] delete_virtual_cluster +- [X] describe_job_run +- [ ] describe_managed_endpoint +- [X] describe_virtual_cluster +- [X] list_job_runs +- [ ] list_managed_endpoints +- [ ] list_tags_for_resource +- [X] list_virtual_clusters +- [X] start_job_run +- [ ] tag_resource +- [ ] untag_resource
## es
-0% implemented +9% implemented +- [ ] accept_inbound_cross_cluster_search_connection - [ ] add_tags - [ ] associate_package - [ ] cancel_elasticsearch_service_software_update -- [ ] create_elasticsearch_domain +- [X] create_elasticsearch_domain +- [ ] create_outbound_cross_cluster_search_connection - [ ] create_package -- [ ] delete_elasticsearch_domain +- [X] delete_elasticsearch_domain - [ ] delete_elasticsearch_service_role +- [ ] delete_inbound_cross_cluster_search_connection +- [ ] delete_outbound_cross_cluster_search_connection - [ ] delete_package -- [ ] describe_elasticsearch_domain +- [ ] describe_domain_auto_tunes +- [ ] describe_domain_change_progress +- [X] describe_elasticsearch_domain - [ ] describe_elasticsearch_domain_config - [ ] describe_elasticsearch_domains - [ ] describe_elasticsearch_instance_type_limits +- [ ] describe_inbound_cross_cluster_search_connections +- [ ] describe_outbound_cross_cluster_search_connections - [ ] describe_packages - [ ] describe_reserved_elasticsearch_instance_offerings - [ ] describe_reserved_elasticsearch_instances - [ ] dissociate_package - [ ] get_compatible_elasticsearch_versions +- [ ] get_package_version_history - [ ] get_upgrade_history - [ ] get_upgrade_status -- [ ] list_domain_names +- [X] list_domain_names - [ ] list_domains_for_package - [ ] list_elasticsearch_instance_types - [ ] list_elasticsearch_versions - [ ] list_packages_for_domain - [ ] list_tags - [ ] purchase_reserved_elasticsearch_instance_offering +- [ ] reject_inbound_cross_cluster_search_connection - [ ] remove_tags - [ ] start_elasticsearch_service_software_update - [ ] update_elasticsearch_domain_config +- [ ] update_package - [ ] upgrade_elasticsearch_domain
## events
-67% implemented +78% implemented - [ ] activate_event_source +- [X] cancel_replay +- [X] create_api_destination +- [X] create_archive +- [X] create_connection - [X] create_event_bus - [ ] create_partner_event_source - [ ] deactivate_event_source +- [ ] deauthorize_connection +- [X] delete_api_destination +- [X] delete_archive +- [X] delete_connection - [X] delete_event_bus - [ ] delete_partner_event_source - [X] delete_rule +- [X] describe_api_destination +- [X] describe_archive +- [X] describe_connection - [X] describe_event_bus - [ ] describe_event_source - [ ] describe_partner_event_source +- [X] describe_replay - [X] describe_rule - [X] disable_rule - [X] enable_rule +- [X] list_api_destinations +- [X] list_archives +- [X] list_connections - [X] list_event_buses - [ ] list_event_sources - [ ] list_partner_event_source_accounts - [ ] list_partner_event_sources +- [X] list_replays - [X] list_rule_names_by_target - [X] list_rules - [X] list_tags_for_resource @@ -3470,247 +2470,87 @@ - [X] put_targets - [X] remove_permission - [X] remove_targets +- [X] start_replay - [X] tag_resource - [X] test_event_pattern - [X] untag_resource +- [X] update_api_destination +- [X] update_archive +- [X] update_connection
## firehose
-0% implemented - -- [ ] create_delivery_stream -- [ ] delete_delivery_stream -- [ ] describe_delivery_stream -- [ ] list_delivery_streams -- [ ] list_tags_for_delivery_stream -- [ ] put_record -- [ ] put_record_batch +83% implemented + +- [X] create_delivery_stream +- [X] delete_delivery_stream +- [X] describe_delivery_stream +- [X] list_delivery_streams +- [X] list_tags_for_delivery_stream +- [X] put_record +- [X] put_record_batch - [ ] start_delivery_stream_encryption - [ ] stop_delivery_stream_encryption -- [ ] tag_delivery_stream -- [ ] untag_delivery_stream -- [ ] update_destination -
- -## fms -
-0% implemented - -- [ ] associate_admin_account -- [ ] delete_notification_channel -- [ ] delete_policy -- [ ] disassociate_admin_account -- [ ] get_admin_account -- [ ] get_compliance_detail -- [ ] get_notification_channel -- [ ] get_policy -- [ ] get_protection_status -- [ ] list_compliance_status -- [ ] list_member_accounts -- [ ] list_policies -- [ ] list_tags_for_resource -- [ ] put_notification_channel -- [ ] put_policy -- [ ] tag_resource -- [ ] untag_resource +- [X] tag_delivery_stream +- [X] untag_delivery_stream +- [X] update_destination
## forecast
-0% implemented +11% implemented +- [ ] create_auto_predictor - [ ] create_dataset -- [ ] create_dataset_group +- [X] create_dataset_group - [ ] create_dataset_import_job +- [ ] create_explainability +- [ ] create_explainability_export - [ ] create_forecast - [ ] create_forecast_export_job - [ ] create_predictor +- [ ] create_predictor_backtest_export_job - [ ] delete_dataset -- [ ] delete_dataset_group +- [X] delete_dataset_group - [ ] delete_dataset_import_job +- [ ] delete_explainability +- [ ] delete_explainability_export - [ ] delete_forecast - [ ] delete_forecast_export_job - [ ] delete_predictor +- [ ] delete_predictor_backtest_export_job +- [ ] delete_resource_tree +- [ ] describe_auto_predictor - [ ] describe_dataset -- [ ] describe_dataset_group +- [X] describe_dataset_group - [ ] describe_dataset_import_job +- [ ] describe_explainability +- [ ] describe_explainability_export - [ ] describe_forecast - [ ] describe_forecast_export_job - [ ] describe_predictor +- [ ] describe_predictor_backtest_export_job - [ ] get_accuracy_metrics -- [ ] list_dataset_groups +- [X] list_dataset_groups - [ ] list_dataset_import_jobs - [ ] list_datasets +- [ ] list_explainabilities +- [ ] list_explainability_exports - [ ] list_forecast_export_jobs - [ ] list_forecasts +- [ ] list_predictor_backtest_export_jobs - [ ] list_predictors -- [ ] update_dataset_group -
- -## forecastquery -
-0% implemented - -- [ ] query_forecast -
- -## frauddetector -
-0% implemented - -- [ ] batch_create_variable -- [ ] batch_get_variable -- [ ] create_detector_version -- [ ] create_model_version -- [ ] create_rule -- [ ] create_variable -- [ ] delete_detector -- [ ] delete_detector_version -- [ ] delete_event -- [ ] delete_rule_version -- [ ] describe_detector -- [ ] describe_model_versions -- [ ] get_detector_version -- [ ] get_detectors -- [ ] get_external_models -- [ ] get_model_version -- [ ] get_models -- [ ] get_outcomes -- [ ] get_prediction -- [ ] get_rules -- [ ] get_variables -- [ ] put_detector -- [ ] put_external_model -- [ ] put_model -- [ ] put_outcome -- [ ] update_detector_version -- [ ] update_detector_version_metadata -- [ ] update_detector_version_status -- [ ] update_model_version -- [ ] update_rule_metadata -- [ ] update_rule_version -- [ ] update_variable -
- -## fsx -
-0% implemented - -- [ ] cancel_data_repository_task -- [ ] create_backup -- [ ] create_data_repository_task -- [ ] create_file_system -- [ ] create_file_system_from_backup -- [ ] delete_backup -- [ ] delete_file_system -- [ ] describe_backups -- [ ] describe_data_repository_tasks -- [ ] describe_file_systems -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_file_system -
- -## gamelift -
-0% implemented - -- [ ] accept_match -- [ ] claim_game_server -- [ ] create_alias -- [ ] create_build -- [ ] create_fleet -- [ ] create_game_server_group -- [ ] create_game_session -- [ ] create_game_session_queue -- [ ] create_matchmaking_configuration -- [ ] create_matchmaking_rule_set -- [ ] create_player_session -- [ ] create_player_sessions -- [ ] create_script -- [ ] create_vpc_peering_authorization -- [ ] create_vpc_peering_connection -- [ ] delete_alias -- [ ] delete_build -- [ ] delete_fleet -- [ ] delete_game_server_group -- [ ] delete_game_session_queue -- [ ] delete_matchmaking_configuration -- [ ] delete_matchmaking_rule_set -- [ ] delete_scaling_policy -- [ ] delete_script -- [ ] delete_vpc_peering_authorization -- [ ] delete_vpc_peering_connection -- [ ] deregister_game_server -- [ ] describe_alias -- [ ] describe_build -- [ ] describe_ec2_instance_limits -- [ ] describe_fleet_attributes -- [ ] describe_fleet_capacity -- [ ] describe_fleet_events -- [ ] describe_fleet_port_settings -- [ ] describe_fleet_utilization -- [ ] describe_game_server -- [ ] describe_game_server_group -- [ ] describe_game_session_details -- [ ] describe_game_session_placement -- [ ] describe_game_session_queues -- [ ] describe_game_sessions -- [ ] describe_instances -- [ ] describe_matchmaking -- [ ] describe_matchmaking_configurations -- [ ] describe_matchmaking_rule_sets -- [ ] describe_player_sessions -- [ ] describe_runtime_configuration -- [ ] describe_scaling_policies -- [ ] describe_script -- [ ] describe_vpc_peering_authorizations -- [ ] describe_vpc_peering_connections -- [ ] get_game_session_log_url -- [ ] get_instance_access -- [ ] list_aliases -- [ ] list_builds -- [ ] list_fleets -- [ ] list_game_server_groups -- [ ] list_game_servers -- [ ] list_scripts - [ ] list_tags_for_resource -- [ ] put_scaling_policy -- [ ] register_game_server -- [ ] request_upload_credentials -- [ ] resolve_alias -- [ ] resume_game_server_group -- [ ] search_game_sessions -- [ ] start_fleet_actions -- [ ] start_game_session_placement -- [ ] start_match_backfill -- [ ] start_matchmaking -- [ ] stop_fleet_actions -- [ ] stop_game_session_placement -- [ ] stop_matchmaking -- [ ] suspend_game_server_group +- [ ] stop_resource - [ ] tag_resource - [ ] untag_resource -- [ ] update_alias -- [ ] update_build -- [ ] update_fleet_attributes -- [ ] update_fleet_capacity -- [ ] update_fleet_port_settings -- [ ] update_game_server -- [ ] update_game_server_group -- [ ] update_game_session -- [ ] update_game_session_queue -- [ ] update_matchmaking_configuration -- [ ] update_runtime_configuration -- [ ] update_script -- [ ] validate_matchmaking_rule_set +- [X] update_dataset_group
## glacier
-12% implemented +24% implemented - [ ] abort_multipart_upload - [ ] abort_vault_lock @@ -3722,10 +2562,10 @@ - [X] delete_vault - [ ] delete_vault_access_policy - [ ] delete_vault_notifications -- [ ] describe_job +- [X] describe_job - [ ] describe_vault - [ ] get_data_retrieval_policy -- [ ] get_job_output +- [X] get_job_output - [ ] get_vault_access_policy - [ ] get_vault_lock - [ ] get_vault_notifications @@ -3737,56 +2577,26 @@ - [ ] list_parts - [ ] list_provisioned_capacity - [ ] list_tags_for_vault -- [ ] list_vaults +- [X] list_vaults - [ ] purchase_provisioned_capacity - [ ] remove_tags_from_vault - [ ] set_data_retrieval_policy - [ ] set_vault_access_policy - [ ] set_vault_notifications -- [ ] upload_archive +- [X] upload_archive - [ ] upload_multipart_part
-## globalaccelerator -
-0% implemented - -- [ ] advertise_byoip_cidr -- [ ] create_accelerator -- [ ] create_endpoint_group -- [ ] create_listener -- [ ] delete_accelerator -- [ ] delete_endpoint_group -- [ ] delete_listener -- [ ] deprovision_byoip_cidr -- [ ] describe_accelerator -- [ ] describe_accelerator_attributes -- [ ] describe_endpoint_group -- [ ] describe_listener -- [ ] list_accelerators -- [ ] list_byoip_cidrs -- [ ] list_endpoint_groups -- [ ] list_listeners -- [ ] list_tags_for_resource -- [ ] provision_byoip_cidr -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_accelerator -- [ ] update_accelerator_attributes -- [ ] update_endpoint_group -- [ ] update_listener -- [ ] withdraw_byoip_cidr -
- ## glue
-5% implemented +9% implemented - [ ] batch_create_partition - [ ] batch_delete_connection - [ ] batch_delete_partition - [ ] batch_delete_table - [ ] batch_delete_table_version +- [ ] batch_get_blueprints - [ ] batch_get_crawlers - [ ] batch_get_dev_endpoints - [ ] batch_get_jobs @@ -3794,44 +2604,62 @@ - [ ] batch_get_triggers - [ ] batch_get_workflows - [ ] batch_stop_job_run +- [ ] batch_update_partition - [ ] cancel_ml_task_run +- [ ] check_schema_version_validity +- [ ] create_blueprint - [ ] create_classifier - [ ] create_connection -- [ ] create_crawler +- [X] create_crawler - [X] create_database - [ ] create_dev_endpoint -- [ ] create_job +- [X] create_job - [ ] create_ml_transform - [ ] create_partition +- [ ] create_partition_index +- [ ] create_registry +- [ ] create_schema - [ ] create_script - [ ] create_security_configuration - [X] create_table - [ ] create_trigger - [ ] create_user_defined_function - [ ] create_workflow +- [ ] delete_blueprint - [ ] delete_classifier +- [ ] delete_column_statistics_for_partition +- [ ] delete_column_statistics_for_table - [ ] delete_connection -- [ ] delete_crawler -- [ ] delete_database +- [X] delete_crawler +- [X] delete_database - [ ] delete_dev_endpoint - [ ] delete_job - [ ] delete_ml_transform - [ ] delete_partition +- [ ] delete_partition_index +- [ ] delete_registry - [ ] delete_resource_policy +- [ ] delete_schema +- [ ] delete_schema_versions - [ ] delete_security_configuration - [X] delete_table - [ ] delete_table_version - [ ] delete_trigger - [ ] delete_user_defined_function - [ ] delete_workflow +- [ ] get_blueprint +- [ ] get_blueprint_run +- [ ] get_blueprint_runs - [ ] get_catalog_import_status - [ ] get_classifier - [ ] get_classifiers +- [ ] get_column_statistics_for_partition +- [ ] get_column_statistics_for_table - [ ] get_connection - [ ] get_connections -- [ ] get_crawler +- [X] get_crawler - [ ] get_crawler_metrics -- [ ] get_crawlers +- [X] get_crawlers - [ ] get_data_catalog_encryption_settings - [X] get_database - [X] get_databases @@ -3849,9 +2677,16 @@ - [ ] get_ml_transform - [ ] get_ml_transforms - [ ] get_partition +- [ ] get_partition_indexes - [ ] get_partitions - [ ] get_plan +- [ ] get_registry +- [ ] get_resource_policies - [ ] get_resource_policy +- [ ] get_schema +- [ ] get_schema_by_definition +- [ ] get_schema_version +- [ ] get_schema_versions_diff - [ ] get_security_configuration - [ ] get_security_configurations - [X] get_table @@ -3861,6 +2696,9 @@ - [ ] get_tags - [ ] get_trigger - [ ] get_triggers +- [ ] get_unfiltered_partition_metadata +- [ ] get_unfiltered_partitions_metadata +- [ ] get_unfiltered_table_metadata - [ ] get_user_defined_function - [ ] get_user_defined_functions - [ ] get_workflow @@ -3868,18 +2706,28 @@ - [ ] get_workflow_run_properties - [ ] get_workflow_runs - [ ] import_catalog_to_glue +- [ ] list_blueprints - [ ] list_crawlers - [ ] list_dev_endpoints -- [ ] list_jobs +- [X] list_jobs - [ ] list_ml_transforms +- [ ] list_registries +- [ ] list_schema_versions +- [ ] list_schemas - [ ] list_triggers - [ ] list_workflows - [ ] put_data_catalog_encryption_settings - [ ] put_resource_policy +- [ ] put_schema_version_metadata - [ ] put_workflow_run_properties +- [ ] query_schema_version_metadata +- [ ] register_schema_version +- [ ] remove_schema_version_metadata - [ ] reset_job_bookmark +- [ ] resume_workflow_run - [ ] search_tables -- [ ] start_crawler +- [ ] start_blueprint_run +- [X] start_crawler - [ ] start_crawler_schedule - [ ] start_export_labels_task_run - [ ] start_import_labels_task_run @@ -3888,13 +2736,16 @@ - [ ] start_ml_labeling_set_generation_task_run - [ ] start_trigger - [ ] start_workflow_run -- [ ] stop_crawler +- [X] stop_crawler - [ ] stop_crawler_schedule - [ ] stop_trigger - [ ] stop_workflow_run - [ ] tag_resource - [ ] untag_resource +- [ ] update_blueprint - [ ] update_classifier +- [ ] update_column_statistics_for_partition +- [ ] update_column_statistics_for_table - [ ] update_connection - [ ] update_crawler - [ ] update_crawler_schedule @@ -3903,146 +2754,21 @@ - [ ] update_job - [ ] update_ml_transform - [ ] update_partition +- [ ] update_registry +- [ ] update_schema - [ ] update_table - [ ] update_trigger - [ ] update_user_defined_function - [ ] update_workflow
-## greengrass -
-0% implemented - -- [ ] associate_role_to_group -- [ ] associate_service_role_to_account -- [ ] create_connector_definition -- [ ] create_connector_definition_version -- [ ] create_core_definition -- [ ] create_core_definition_version -- [ ] create_deployment -- [ ] create_device_definition -- [ ] create_device_definition_version -- [ ] create_function_definition -- [ ] create_function_definition_version -- [ ] create_group -- [ ] create_group_certificate_authority -- [ ] create_group_version -- [ ] create_logger_definition -- [ ] create_logger_definition_version -- [ ] create_resource_definition -- [ ] create_resource_definition_version -- [ ] create_software_update_job -- [ ] create_subscription_definition -- [ ] create_subscription_definition_version -- [ ] delete_connector_definition -- [ ] delete_core_definition -- [ ] delete_device_definition -- [ ] delete_function_definition -- [ ] delete_group -- [ ] delete_logger_definition -- [ ] delete_resource_definition -- [ ] delete_subscription_definition -- [ ] disassociate_role_from_group -- [ ] disassociate_service_role_from_account -- [ ] get_associated_role -- [ ] get_bulk_deployment_status -- [ ] get_connectivity_info -- [ ] get_connector_definition -- [ ] get_connector_definition_version -- [ ] get_core_definition -- [ ] get_core_definition_version -- [ ] get_deployment_status -- [ ] get_device_definition -- [ ] get_device_definition_version -- [ ] get_function_definition -- [ ] get_function_definition_version -- [ ] get_group -- [ ] get_group_certificate_authority -- [ ] get_group_certificate_configuration -- [ ] get_group_version -- [ ] get_logger_definition -- [ ] get_logger_definition_version -- [ ] get_resource_definition -- [ ] get_resource_definition_version -- [ ] get_service_role_for_account -- [ ] get_subscription_definition -- [ ] get_subscription_definition_version -- [ ] list_bulk_deployment_detailed_reports -- [ ] list_bulk_deployments -- [ ] list_connector_definition_versions -- [ ] list_connector_definitions -- [ ] list_core_definition_versions -- [ ] list_core_definitions -- [ ] list_deployments -- [ ] list_device_definition_versions -- [ ] list_device_definitions -- [ ] list_function_definition_versions -- [ ] list_function_definitions -- [ ] list_group_certificate_authorities -- [ ] list_group_versions -- [ ] list_groups -- [ ] list_logger_definition_versions -- [ ] list_logger_definitions -- [ ] list_resource_definition_versions -- [ ] list_resource_definitions -- [ ] list_subscription_definition_versions -- [ ] list_subscription_definitions -- [ ] list_tags_for_resource -- [ ] reset_deployments -- [ ] start_bulk_deployment -- [ ] stop_bulk_deployment -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_connectivity_info -- [ ] update_connector_definition -- [ ] update_core_definition -- [ ] update_device_definition -- [ ] update_function_definition -- [ ] update_group -- [ ] update_group_certificate_configuration -- [ ] update_logger_definition -- [ ] update_resource_definition -- [ ] update_subscription_definition -
- -## groundstation -
-0% implemented - -- [ ] cancel_contact -- [ ] create_config -- [ ] create_dataflow_endpoint_group -- [ ] create_mission_profile -- [ ] delete_config -- [ ] delete_dataflow_endpoint_group -- [ ] delete_mission_profile -- [ ] describe_contact -- [ ] get_config -- [ ] get_dataflow_endpoint_group -- [ ] get_minute_usage -- [ ] get_mission_profile -- [ ] get_satellite -- [ ] list_configs -- [ ] list_contacts -- [ ] list_dataflow_endpoint_groups -- [ ] list_ground_stations -- [ ] list_mission_profiles -- [ ] list_satellites -- [ ] list_tags_for_resource -- [ ] reserve_contact -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_config -- [ ] update_mission_profile -
- ## guardduty
-0% implemented +3% implemented - [ ] accept_invitation - [ ] archive_findings -- [ ] create_detector +- [X] create_detector - [ ] create_filter - [ ] create_ip_set - [ ] create_members @@ -4070,10 +2796,12 @@ - [ ] get_invitations_count - [ ] get_ip_set - [ ] get_master_account +- [ ] get_member_detectors - [ ] get_members - [ ] get_threat_intel_set +- [ ] get_usage_statistics - [ ] invite_members -- [ ] list_detectors +- [X] list_detectors - [ ] list_filters - [ ] list_findings - [ ] list_invitations @@ -4092,33 +2820,15 @@ - [ ] update_filter - [ ] update_findings_feedback - [ ] update_ip_set +- [ ] update_member_detectors - [ ] update_organization_configuration - [ ] update_publishing_destination - [ ] update_threat_intel_set
-## health -
-0% implemented - -- [ ] describe_affected_accounts_for_organization -- [ ] describe_affected_entities -- [ ] describe_affected_entities_for_organization -- [ ] describe_entity_aggregates -- [ ] describe_event_aggregates -- [ ] describe_event_details -- [ ] describe_event_details_for_organization -- [ ] describe_event_types -- [ ] describe_events -- [ ] describe_events_for_organization -- [ ] describe_health_service_status_for_organization -- [ ] disable_health_service_access_for_organization -- [ ] enable_health_service_access_for_organization -
- ## iam
-69% implemented +70% implemented - [ ] add_client_id_to_open_id_connect_provider - [X] add_role_to_instance_profile @@ -4146,14 +2856,14 @@ - [X] delete_account_alias - [X] delete_account_password_policy - [X] delete_group -- [ ] delete_group_policy +- [X] delete_group_policy - [X] delete_instance_profile - [X] delete_login_profile - [X] delete_open_id_connect_provider - [X] delete_policy - [X] delete_policy_version - [X] delete_role -- [ ] delete_role_permissions_boundary +- [X] delete_role_permissions_boundary - [X] delete_role_policy - [X] delete_saml_provider - [X] delete_server_certificate @@ -4206,17 +2916,23 @@ - [X] list_group_policies - [X] list_groups - [ ] list_groups_for_user +- [ ] list_instance_profile_tags - [ ] list_instance_profiles - [ ] list_instance_profiles_for_role +- [ ] list_mfa_device_tags - [X] list_mfa_devices +- [X] list_open_id_connect_provider_tags - [X] list_open_id_connect_providers - [X] list_policies - [ ] list_policies_granting_service_access +- [X] list_policy_tags - [X] list_policy_versions - [X] list_role_policies - [X] list_role_tags - [X] list_roles +- [ ] list_saml_provider_tags - [X] list_saml_providers +- [ ] list_server_certificate_tags - [ ] list_server_certificates - [ ] list_service_specific_credentials - [X] list_signing_certificates @@ -4226,7 +2942,7 @@ - [X] list_users - [X] list_virtual_mfa_devices - [X] put_group_policy -- [ ] put_role_permissions_boundary +- [X] put_role_permissions_boundary - [X] put_role_policy - [ ] put_user_permissions_boundary - [X] put_user_policy @@ -4235,20 +2951,32 @@ - [X] remove_user_from_group - [ ] reset_service_specific_credential - [ ] resync_mfa_device -- [ ] set_default_policy_version +- [X] set_default_policy_version - [ ] set_security_token_service_preferences - [ ] simulate_custom_policy - [ ] simulate_principal_policy +- [ ] tag_instance_profile +- [ ] tag_mfa_device +- [X] tag_open_id_connect_provider +- [X] tag_policy - [X] tag_role -- [ ] tag_user +- [ ] tag_saml_provider +- [ ] tag_server_certificate +- [X] tag_user +- [ ] untag_instance_profile +- [ ] untag_mfa_device +- [X] untag_open_id_connect_provider +- [X] untag_policy - [X] untag_role -- [ ] untag_user +- [ ] untag_saml_provider +- [ ] untag_server_certificate +- [X] untag_user - [X] update_access_key - [X] update_account_password_policy - [ ] update_assume_role_policy -- [ ] update_group +- [X] update_group - [X] update_login_profile -- [ ] update_open_id_connect_provider_thumbprint +- [X] update_open_id_connect_provider_thumbprint - [X] update_role - [X] update_role_description - [X] update_saml_provider @@ -4262,112 +2990,9 @@ - [X] upload_ssh_public_key
-## imagebuilder -
-0% implemented - -- [ ] cancel_image_creation -- [ ] create_component -- [ ] create_distribution_configuration -- [ ] create_image -- [ ] create_image_pipeline -- [ ] create_image_recipe -- [ ] create_infrastructure_configuration -- [ ] delete_component -- [ ] delete_distribution_configuration -- [ ] delete_image -- [ ] delete_image_pipeline -- [ ] delete_image_recipe -- [ ] delete_infrastructure_configuration -- [ ] get_component -- [ ] get_component_policy -- [ ] get_distribution_configuration -- [ ] get_image -- [ ] get_image_pipeline -- [ ] get_image_policy -- [ ] get_image_recipe -- [ ] get_image_recipe_policy -- [ ] get_infrastructure_configuration -- [ ] import_component -- [ ] list_component_build_versions -- [ ] list_components -- [ ] list_distribution_configurations -- [ ] list_image_build_versions -- [ ] list_image_pipeline_images -- [ ] list_image_pipelines -- [ ] list_image_recipes -- [ ] list_images -- [ ] list_infrastructure_configurations -- [ ] list_tags_for_resource -- [ ] put_component_policy -- [ ] put_image_policy -- [ ] put_image_recipe_policy -- [ ] start_image_pipeline_execution -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_distribution_configuration -- [ ] update_image_pipeline -- [ ] update_infrastructure_configuration -
- -## importexport -
-0% implemented - -- [ ] cancel_job -- [ ] create_job -- [ ] get_shipping_label -- [ ] get_status -- [ ] list_jobs -- [ ] update_job -
- -## inspector -
-0% implemented - -- [ ] add_attributes_to_findings -- [ ] create_assessment_target -- [ ] create_assessment_template -- [ ] create_exclusions_preview -- [ ] create_resource_group -- [ ] delete_assessment_run -- [ ] delete_assessment_target -- [ ] delete_assessment_template -- [ ] describe_assessment_runs -- [ ] describe_assessment_targets -- [ ] describe_assessment_templates -- [ ] describe_cross_account_access_role -- [ ] describe_exclusions -- [ ] describe_findings -- [ ] describe_resource_groups -- [ ] describe_rules_packages -- [ ] get_assessment_report -- [ ] get_exclusions_preview -- [ ] get_telemetry_metadata -- [ ] list_assessment_run_agents -- [ ] list_assessment_runs -- [ ] list_assessment_targets -- [ ] list_assessment_templates -- [ ] list_event_subscriptions -- [ ] list_exclusions -- [ ] list_findings -- [ ] list_rules_packages -- [ ] list_tags_for_resource -- [ ] preview_agents -- [ ] register_cross_account_access_role -- [ ] remove_attributes_from_findings -- [ ] set_tags_for_resource -- [ ] start_assessment_run -- [ ] stop_assessment_run -- [ ] subscribe_to_event -- [ ] unsubscribe_from_event -- [ ] update_assessment_target -
- ## iot
-27% implemented +33% implemented - [ ] accept_certificate_transfer - [ ] add_thing_to_billing_group @@ -4380,17 +3005,22 @@ - [ ] cancel_audit_mitigation_actions_task - [ ] cancel_audit_task - [ ] cancel_certificate_transfer +- [ ] cancel_detect_mitigation_actions_task - [X] cancel_job - [X] cancel_job_execution - [ ] clear_default_authorizer - [ ] confirm_topic_rule_destination +- [ ] create_audit_suppression - [ ] create_authorizer - [ ] create_billing_group -- [ ] create_certificate_from_csr +- [X] create_certificate_from_csr +- [ ] create_custom_metric - [ ] create_dimension -- [ ] create_domain_configuration +- [X] create_domain_configuration - [ ] create_dynamic_thing_group +- [ ] create_fleet_metric - [X] create_job +- [ ] create_job_template - [X] create_keys_and_certificate - [ ] create_mitigation_action - [ ] create_ota_update @@ -4406,18 +3036,22 @@ - [X] create_thing - [X] create_thing_group - [X] create_thing_type -- [ ] create_topic_rule +- [X] create_topic_rule - [ ] create_topic_rule_destination - [ ] delete_account_audit_configuration +- [ ] delete_audit_suppression - [ ] delete_authorizer - [ ] delete_billing_group -- [ ] delete_ca_certificate +- [X] delete_ca_certificate - [X] delete_certificate +- [ ] delete_custom_metric - [ ] delete_dimension -- [ ] delete_domain_configuration +- [X] delete_domain_configuration - [ ] delete_dynamic_thing_group +- [ ] delete_fleet_metric - [X] delete_job - [X] delete_job_execution +- [ ] delete_job_template - [ ] delete_mitigation_action - [ ] delete_ota_update - [X] delete_policy @@ -4432,26 +3066,32 @@ - [X] delete_thing - [X] delete_thing_group - [X] delete_thing_type -- [ ] delete_topic_rule +- [X] delete_topic_rule - [ ] delete_topic_rule_destination - [ ] delete_v2_logging_level -- [ ] deprecate_thing_type +- [X] deprecate_thing_type - [ ] describe_account_audit_configuration - [ ] describe_audit_finding - [ ] describe_audit_mitigation_actions_task +- [ ] describe_audit_suppression - [ ] describe_audit_task - [ ] describe_authorizer - [ ] describe_billing_group -- [ ] describe_ca_certificate +- [X] describe_ca_certificate - [X] describe_certificate +- [ ] describe_custom_metric - [ ] describe_default_authorizer +- [ ] describe_detect_mitigation_actions_task - [ ] describe_dimension -- [ ] describe_domain_configuration -- [ ] describe_endpoint +- [X] describe_domain_configuration +- [X] describe_endpoint - [ ] describe_event_configurations +- [ ] describe_fleet_metric - [ ] describe_index - [X] describe_job - [X] describe_job_execution +- [ ] describe_job_template +- [ ] describe_managed_job_template - [ ] describe_mitigation_action - [ ] describe_provisioning_template - [ ] describe_provisioning_template_version @@ -4467,8 +3107,10 @@ - [X] detach_principal_policy - [ ] detach_security_profile - [X] detach_thing_principal -- [ ] disable_topic_rule -- [ ] enable_topic_rule +- [X] disable_topic_rule +- [X] enable_topic_rule +- [ ] get_behavior_model_training_summaries +- [ ] get_buckets_aggregation - [ ] get_cardinality - [ ] get_effective_policies - [ ] get_indexing_configuration @@ -4478,9 +3120,9 @@ - [ ] get_percentiles - [X] get_policy - [X] get_policy_version -- [ ] get_registration_code +- [X] get_registration_code - [ ] get_statistics -- [ ] get_topic_rule +- [X] get_topic_rule - [ ] get_topic_rule_destination - [ ] get_v2_logging_options - [ ] list_active_violations @@ -4488,18 +3130,25 @@ - [ ] list_audit_findings - [ ] list_audit_mitigation_actions_executions - [ ] list_audit_mitigation_actions_tasks +- [ ] list_audit_suppressions - [ ] list_audit_tasks - [ ] list_authorizers - [ ] list_billing_groups - [ ] list_ca_certificates - [X] list_certificates -- [ ] list_certificates_by_ca +- [X] list_certificates_by_ca +- [ ] list_custom_metrics +- [ ] list_detect_mitigation_actions_executions +- [ ] list_detect_mitigation_actions_tasks - [ ] list_dimensions -- [ ] list_domain_configurations +- [X] list_domain_configurations +- [ ] list_fleet_metrics - [ ] list_indices - [X] list_job_executions_for_job - [X] list_job_executions_for_thing +- [ ] list_job_templates - [X] list_jobs +- [ ] list_managed_job_templates - [ ] list_mitigation_actions - [ ] list_ota_updates - [ ] list_outgoing_certificates @@ -4528,24 +3177,26 @@ - [ ] list_things_in_billing_group - [X] list_things_in_thing_group - [ ] list_topic_rule_destinations -- [ ] list_topic_rules +- [X] list_topic_rules - [ ] list_v2_logging_levels - [ ] list_violation_events -- [ ] register_ca_certificate +- [ ] put_verification_state_on_violation +- [X] register_ca_certificate - [X] register_certificate -- [ ] register_certificate_without_ca +- [X] register_certificate_without_ca - [ ] register_thing - [ ] reject_certificate_transfer - [ ] remove_thing_from_billing_group - [X] remove_thing_from_thing_group -- [ ] replace_topic_rule -- [ ] search_index +- [X] replace_topic_rule +- [X] search_index - [ ] set_default_authorizer - [X] set_default_policy_version - [ ] set_logging_options - [ ] set_v2_logging_level - [ ] set_v2_logging_options - [ ] start_audit_mitigation_actions_task +- [ ] start_detect_mitigation_actions_task - [ ] start_on_demand_audit_task - [ ] start_thing_registration_task - [ ] stop_thing_registration_task @@ -4555,14 +3206,17 @@ - [ ] transfer_certificate - [ ] untag_resource - [ ] update_account_audit_configuration +- [ ] update_audit_suppression - [ ] update_authorizer - [ ] update_billing_group -- [ ] update_ca_certificate +- [X] update_ca_certificate - [X] update_certificate +- [ ] update_custom_metric - [ ] update_dimension -- [ ] update_domain_configuration +- [X] update_domain_configuration - [ ] update_dynamic_thing_group - [ ] update_event_configurations +- [ ] update_fleet_metric - [ ] update_indexing_configuration - [ ] update_job - [ ] update_mitigation_action @@ -4580,442 +3234,77 @@ ## iot-data
-100% implemented +57% implemented - [X] delete_thing_shadow +- [ ] get_retained_message - [X] get_thing_shadow +- [ ] list_named_shadows_for_thing +- [ ] list_retained_messages - [X] publish - [X] update_thing_shadow
-## iot-jobs-data -
-0% implemented - -- [ ] describe_job_execution -- [ ] get_pending_job_executions -- [ ] start_next_pending_job_execution -- [ ] update_job_execution -
- -## iot1click-devices -
-0% implemented - -- [ ] claim_devices_by_claim_code -- [ ] describe_device -- [ ] finalize_device_claim -- [ ] get_device_methods -- [ ] initiate_device_claim -- [ ] invoke_device_method -- [ ] list_device_events -- [ ] list_devices -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] unclaim_device -- [ ] untag_resource -- [ ] update_device_state -
- -## iot1click-projects -
-0% implemented - -- [ ] associate_device_with_placement -- [ ] create_placement -- [ ] create_project -- [ ] delete_placement -- [ ] delete_project -- [ ] describe_placement -- [ ] describe_project -- [ ] disassociate_device_from_placement -- [ ] get_devices_in_placement -- [ ] list_placements -- [ ] list_projects -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_placement -- [ ] update_project -
- -## iotanalytics -
-0% implemented - -- [ ] batch_put_message -- [ ] cancel_pipeline_reprocessing -- [ ] create_channel -- [ ] create_dataset -- [ ] create_dataset_content -- [ ] create_datastore -- [ ] create_pipeline -- [ ] delete_channel -- [ ] delete_dataset -- [ ] delete_dataset_content -- [ ] delete_datastore -- [ ] delete_pipeline -- [ ] describe_channel -- [ ] describe_dataset -- [ ] describe_datastore -- [ ] describe_logging_options -- [ ] describe_pipeline -- [ ] get_dataset_content -- [ ] list_channels -- [ ] list_dataset_contents -- [ ] list_datasets -- [ ] list_datastores -- [ ] list_pipelines -- [ ] list_tags_for_resource -- [ ] put_logging_options -- [ ] run_pipeline_activity -- [ ] sample_channel_data -- [ ] start_pipeline_reprocessing -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_channel -- [ ] update_dataset -- [ ] update_datastore -- [ ] update_pipeline -
- -## iotevents -
-0% implemented - -- [ ] create_detector_model -- [ ] create_input -- [ ] delete_detector_model -- [ ] delete_input -- [ ] describe_detector_model -- [ ] describe_input -- [ ] describe_logging_options -- [ ] list_detector_model_versions -- [ ] list_detector_models -- [ ] list_inputs -- [ ] list_tags_for_resource -- [ ] put_logging_options -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_detector_model -- [ ] update_input -
- -## iotevents-data -
-0% implemented - -- [ ] batch_put_message -- [ ] batch_update_detector -- [ ] describe_detector -- [ ] list_detectors -
- -## iotsecuretunneling -
-0% implemented - -- [ ] close_tunnel -- [ ] describe_tunnel -- [ ] list_tags_for_resource -- [ ] list_tunnels -- [ ] open_tunnel -- [ ] tag_resource -- [ ] untag_resource -
- -## iotsitewise -
-0% implemented - -- [ ] associate_assets -- [ ] batch_associate_project_assets -- [ ] batch_disassociate_project_assets -- [ ] batch_put_asset_property_value -- [ ] create_access_policy -- [ ] create_asset -- [ ] create_asset_model -- [ ] create_dashboard -- [ ] create_gateway -- [ ] create_portal -- [ ] create_project -- [ ] delete_access_policy -- [ ] delete_asset -- [ ] delete_asset_model -- [ ] delete_dashboard -- [ ] delete_gateway -- [ ] delete_portal -- [ ] delete_project -- [ ] describe_access_policy -- [ ] describe_asset -- [ ] describe_asset_model -- [ ] describe_asset_property -- [ ] describe_dashboard -- [ ] describe_gateway -- [ ] describe_gateway_capability_configuration -- [ ] describe_logging_options -- [ ] describe_portal -- [ ] describe_project -- [ ] disassociate_assets -- [ ] get_asset_property_aggregates -- [ ] get_asset_property_value -- [ ] get_asset_property_value_history -- [ ] list_access_policies -- [ ] list_asset_models -- [ ] list_assets -- [ ] list_associated_assets -- [ ] list_dashboards -- [ ] list_gateways -- [ ] list_portals -- [ ] list_project_assets -- [ ] list_projects -- [ ] list_tags_for_resource -- [ ] put_logging_options -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_access_policy -- [ ] update_asset -- [ ] update_asset_model -- [ ] update_asset_property -- [ ] update_dashboard -- [ ] update_gateway -- [ ] update_gateway_capability_configuration -- [ ] update_portal -- [ ] update_project -
- -## iotthingsgraph -
-0% implemented - -- [ ] associate_entity_to_thing -- [ ] create_flow_template -- [ ] create_system_instance -- [ ] create_system_template -- [ ] delete_flow_template -- [ ] delete_namespace -- [ ] delete_system_instance -- [ ] delete_system_template -- [ ] deploy_system_instance -- [ ] deprecate_flow_template -- [ ] deprecate_system_template -- [ ] describe_namespace -- [ ] dissociate_entity_from_thing -- [ ] get_entities -- [ ] get_flow_template -- [ ] get_flow_template_revisions -- [ ] get_namespace_deletion_status -- [ ] get_system_instance -- [ ] get_system_template -- [ ] get_system_template_revisions -- [ ] get_upload_status -- [ ] list_flow_execution_messages -- [ ] list_tags_for_resource -- [ ] search_entities -- [ ] search_flow_executions -- [ ] search_flow_templates -- [ ] search_system_instances -- [ ] search_system_templates -- [ ] search_things -- [ ] tag_resource -- [ ] undeploy_system_instance -- [ ] untag_resource -- [ ] update_flow_template -- [ ] update_system_template -- [ ] upload_entity_definitions -
- -## kafka -
-0% implemented - -- [ ] create_cluster -- [ ] create_configuration -- [ ] delete_cluster -- [ ] describe_cluster -- [ ] describe_cluster_operation -- [ ] describe_configuration -- [ ] describe_configuration_revision -- [ ] get_bootstrap_brokers -- [ ] get_compatible_kafka_versions -- [ ] list_cluster_operations -- [ ] list_clusters -- [ ] list_configuration_revisions -- [ ] list_configurations -- [ ] list_kafka_versions -- [ ] list_nodes -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_broker_count -- [ ] update_broker_storage -- [ ] update_cluster_configuration -- [ ] update_cluster_kafka_version -- [ ] update_monitoring -
- -## kendra -
-0% implemented - -- [ ] batch_delete_document -- [ ] batch_put_document -- [ ] create_data_source -- [ ] create_faq -- [ ] create_index -- [ ] delete_data_source -- [ ] delete_faq -- [ ] delete_index -- [ ] describe_data_source -- [ ] describe_faq -- [ ] describe_index -- [ ] list_data_source_sync_jobs -- [ ] list_data_sources -- [ ] list_faqs -- [ ] list_indices -- [ ] list_tags_for_resource -- [ ] query -- [ ] start_data_source_sync_job -- [ ] stop_data_source_sync_job -- [ ] submit_feedback -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_data_source -- [ ] update_index -
- ## kinesis
-50% implemented +89% implemented - [X] add_tags_to_stream - [X] create_stream -- [ ] decrease_stream_retention_period +- [X] decrease_stream_retention_period - [X] delete_stream -- [ ] deregister_stream_consumer +- [X] deregister_stream_consumer - [ ] describe_limits - [X] describe_stream -- [ ] describe_stream_consumer +- [X] describe_stream_consumer - [X] describe_stream_summary -- [ ] disable_enhanced_monitoring -- [ ] enable_enhanced_monitoring +- [X] disable_enhanced_monitoring +- [X] enable_enhanced_monitoring - [X] get_records - [X] get_shard_iterator -- [ ] increase_stream_retention_period -- [ ] list_shards -- [ ] list_stream_consumers +- [X] increase_stream_retention_period +- [X] list_shards +- [X] list_stream_consumers - [X] list_streams - [X] list_tags_for_stream - [X] merge_shards - [X] put_record - [X] put_records -- [ ] register_stream_consumer +- [X] register_stream_consumer - [X] remove_tags_from_stream - [X] split_shard -- [ ] start_stream_encryption -- [ ] stop_stream_encryption +- [X] start_stream_encryption +- [X] stop_stream_encryption - [ ] subscribe_to_shard -- [ ] update_shard_count +- [X] update_shard_count +- [ ] update_stream_mode
## kinesis-video-archived-media
-0% implemented +60% implemented -- [ ] get_clip -- [ ] get_dash_streaming_session_url -- [ ] get_hls_streaming_session_url +- [X] get_clip +- [X] get_dash_streaming_session_url +- [X] get_hls_streaming_session_url - [ ] get_media_for_fragment_list - [ ] list_fragments
-## kinesis-video-media -
-0% implemented - -- [ ] get_media -
- -## kinesis-video-signaling -
-0% implemented - -- [ ] get_ice_server_config -- [ ] send_alexa_offer_to_master -
- -## kinesisanalytics -
-0% implemented - -- [ ] add_application_cloud_watch_logging_option -- [ ] add_application_input -- [ ] add_application_input_processing_configuration -- [ ] add_application_output -- [ ] add_application_reference_data_source -- [ ] create_application -- [ ] delete_application -- [ ] delete_application_cloud_watch_logging_option -- [ ] delete_application_input_processing_configuration -- [ ] delete_application_output -- [ ] delete_application_reference_data_source -- [ ] describe_application -- [ ] discover_input_schema -- [ ] list_applications -- [ ] list_tags_for_resource -- [ ] start_application -- [ ] stop_application -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_application -
- -## kinesisanalyticsv2 -
-0% implemented - -- [ ] add_application_cloud_watch_logging_option -- [ ] add_application_input -- [ ] add_application_input_processing_configuration -- [ ] add_application_output -- [ ] add_application_reference_data_source -- [ ] add_application_vpc_configuration -- [ ] create_application -- [ ] create_application_snapshot -- [ ] delete_application -- [ ] delete_application_cloud_watch_logging_option -- [ ] delete_application_input_processing_configuration -- [ ] delete_application_output -- [ ] delete_application_reference_data_source -- [ ] delete_application_snapshot -- [ ] delete_application_vpc_configuration -- [ ] describe_application -- [ ] describe_application_snapshot -- [ ] discover_input_schema -- [ ] list_application_snapshots -- [ ] list_applications -- [ ] list_tags_for_resource -- [ ] start_application -- [ ] stop_application -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_application -
- ## kinesisvideo
-0% implemented +26% implemented - [ ] create_signaling_channel -- [ ] create_stream +- [X] create_stream - [ ] delete_signaling_channel -- [ ] delete_stream +- [X] delete_stream - [ ] describe_signaling_channel -- [ ] describe_stream -- [ ] get_data_endpoint +- [X] describe_stream +- [X] get_data_endpoint - [ ] get_signaling_channel_endpoint - [ ] list_signaling_channels -- [ ] list_streams +- [X] list_streams - [ ] list_tags_for_resource - [ ] list_tags_for_stream - [ ] tag_resource @@ -5029,7 +3318,7 @@ ## kms
-45% implemented +43% implemented - [X] cancel_key_deletion - [ ] connect_custom_key_store @@ -5067,6 +3356,7 @@ - [ ] list_retirable_grants - [X] put_key_policy - [X] re_encrypt +- [ ] replicate_key - [ ] retire_grant - [ ] revoke_grant - [X] schedule_key_deletion @@ -5076,48 +3366,35 @@ - [ ] update_alias - [ ] update_custom_key_store - [X] update_key_description +- [ ] update_primary_region - [ ] verify
-## lakeformation -
-0% implemented - -- [ ] batch_grant_permissions -- [ ] batch_revoke_permissions -- [ ] deregister_resource -- [ ] describe_resource -- [ ] get_data_lake_settings -- [ ] get_effective_permissions_for_path -- [ ] grant_permissions -- [ ] list_permissions -- [ ] list_resources -- [ ] put_data_lake_settings -- [ ] register_resource -- [ ] revoke_permissions -- [ ] update_resource -
- ## lambda
-38% implemented +43% implemented - [ ] add_layer_version_permission - [X] add_permission - [ ] create_alias +- [ ] create_code_signing_config - [X] create_event_source_mapping - [X] create_function - [ ] delete_alias +- [ ] delete_code_signing_config - [X] delete_event_source_mapping - [X] delete_function +- [ ] delete_function_code_signing_config - [X] delete_function_concurrency - [ ] delete_function_event_invoke_config - [ ] delete_layer_version - [ ] delete_provisioned_concurrency_config - [ ] get_account_settings - [ ] get_alias +- [X] get_code_signing_config - [X] get_event_source_mapping - [X] get_function +- [ ] get_function_code_signing_config - [X] get_function_concurrency - [ ] get_function_configuration - [ ] get_function_event_invoke_config @@ -5129,16 +3406,19 @@ - [X] invoke - [ ] invoke_async - [ ] list_aliases +- [ ] list_code_signing_configs - [X] list_event_source_mappings - [ ] list_function_event_invoke_configs - [X] list_functions +- [ ] list_functions_by_code_signing_config - [ ] list_layer_versions -- [ ] list_layers +- [X] list_layers - [ ] list_provisioned_concurrency_configs - [X] list_tags - [X] list_versions_by_function -- [ ] publish_layer_version +- [X] publish_layer_version - [ ] publish_version +- [ ] put_function_code_signing_config - [X] put_function_concurrency - [ ] put_function_event_invoke_config - [ ] put_provisioned_concurrency_config @@ -5147,234 +3427,38 @@ - [X] tag_resource - [X] untag_resource - [ ] update_alias +- [ ] update_code_signing_config - [X] update_event_source_mapping - [X] update_function_code - [X] update_function_configuration - [ ] update_function_event_invoke_config
-## lex-models -
-0% implemented - -- [ ] create_bot_version -- [ ] create_intent_version -- [ ] create_slot_type_version -- [ ] delete_bot -- [ ] delete_bot_alias -- [ ] delete_bot_channel_association -- [ ] delete_bot_version -- [ ] delete_intent -- [ ] delete_intent_version -- [ ] delete_slot_type -- [ ] delete_slot_type_version -- [ ] delete_utterances -- [ ] get_bot -- [ ] get_bot_alias -- [ ] get_bot_aliases -- [ ] get_bot_channel_association -- [ ] get_bot_channel_associations -- [ ] get_bot_versions -- [ ] get_bots -- [ ] get_builtin_intent -- [ ] get_builtin_intents -- [ ] get_builtin_slot_types -- [ ] get_export -- [ ] get_import -- [ ] get_intent -- [ ] get_intent_versions -- [ ] get_intents -- [ ] get_slot_type -- [ ] get_slot_type_versions -- [ ] get_slot_types -- [ ] get_utterances_view -- [ ] list_tags_for_resource -- [ ] put_bot -- [ ] put_bot_alias -- [ ] put_intent -- [ ] put_slot_type -- [ ] start_import -- [ ] tag_resource -- [ ] untag_resource -
- -## lex-runtime -
-0% implemented - -- [ ] delete_session -- [ ] get_session -- [ ] post_content -- [ ] post_text -- [ ] put_session -
- -## license-manager -
-0% implemented - -- [ ] create_license_configuration -- [ ] delete_license_configuration -- [ ] get_license_configuration -- [ ] get_service_settings -- [ ] list_associations_for_license_configuration -- [ ] list_failures_for_license_configuration_operations -- [ ] list_license_configurations -- [ ] list_license_specifications_for_resource -- [ ] list_resource_inventory -- [ ] list_tags_for_resource -- [ ] list_usage_for_license_configuration -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_license_configuration -- [ ] update_license_specifications_for_resource -- [ ] update_service_settings -
- -## lightsail -
-0% implemented - -- [ ] allocate_static_ip -- [ ] attach_disk -- [ ] attach_instances_to_load_balancer -- [ ] attach_load_balancer_tls_certificate -- [ ] attach_static_ip -- [ ] close_instance_public_ports -- [ ] copy_snapshot -- [ ] create_cloud_formation_stack -- [ ] create_contact_method -- [ ] create_disk -- [ ] create_disk_from_snapshot -- [ ] create_disk_snapshot -- [ ] create_domain -- [ ] create_domain_entry -- [ ] create_instance_snapshot -- [ ] create_instances -- [ ] create_instances_from_snapshot -- [ ] create_key_pair -- [ ] create_load_balancer -- [ ] create_load_balancer_tls_certificate -- [ ] create_relational_database -- [ ] create_relational_database_from_snapshot -- [ ] create_relational_database_snapshot -- [ ] delete_alarm -- [ ] delete_auto_snapshot -- [ ] delete_contact_method -- [ ] delete_disk -- [ ] delete_disk_snapshot -- [ ] delete_domain -- [ ] delete_domain_entry -- [ ] delete_instance -- [ ] delete_instance_snapshot -- [ ] delete_key_pair -- [ ] delete_known_host_keys -- [ ] delete_load_balancer -- [ ] delete_load_balancer_tls_certificate -- [ ] delete_relational_database -- [ ] delete_relational_database_snapshot -- [ ] detach_disk -- [ ] detach_instances_from_load_balancer -- [ ] detach_static_ip -- [ ] disable_add_on -- [ ] download_default_key_pair -- [ ] enable_add_on -- [ ] export_snapshot -- [ ] get_active_names -- [ ] get_alarms -- [ ] get_auto_snapshots -- [ ] get_blueprints -- [ ] get_bundles -- [ ] get_cloud_formation_stack_records -- [ ] get_contact_methods -- [ ] get_disk -- [ ] get_disk_snapshot -- [ ] get_disk_snapshots -- [ ] get_disks -- [ ] get_domain -- [ ] get_domains -- [ ] get_export_snapshot_records -- [ ] get_instance -- [ ] get_instance_access_details -- [ ] get_instance_metric_data -- [ ] get_instance_port_states -- [ ] get_instance_snapshot -- [ ] get_instance_snapshots -- [ ] get_instance_state -- [ ] get_instances -- [ ] get_key_pair -- [ ] get_key_pairs -- [ ] get_load_balancer -- [ ] get_load_balancer_metric_data -- [ ] get_load_balancer_tls_certificates -- [ ] get_load_balancers -- [ ] get_operation -- [ ] get_operations -- [ ] get_operations_for_resource -- [ ] get_regions -- [ ] get_relational_database -- [ ] get_relational_database_blueprints -- [ ] get_relational_database_bundles -- [ ] get_relational_database_events -- [ ] get_relational_database_log_events -- [ ] get_relational_database_log_streams -- [ ] get_relational_database_master_user_password -- [ ] get_relational_database_metric_data -- [ ] get_relational_database_parameters -- [ ] get_relational_database_snapshot -- [ ] get_relational_database_snapshots -- [ ] get_relational_databases -- [ ] get_static_ip -- [ ] get_static_ips -- [ ] import_key_pair -- [ ] is_vpc_peered -- [ ] open_instance_public_ports -- [ ] peer_vpc -- [ ] put_alarm -- [ ] put_instance_public_ports -- [ ] reboot_instance -- [ ] reboot_relational_database -- [ ] release_static_ip -- [ ] send_contact_method_verification -- [ ] start_instance -- [ ] start_relational_database -- [ ] stop_instance -- [ ] stop_relational_database -- [ ] tag_resource -- [ ] test_alarm -- [ ] unpeer_vpc -- [ ] untag_resource -- [ ] update_domain_entry -- [ ] update_load_balancer_attribute -- [ ] update_relational_database -- [ ] update_relational_database_parameters -
- ## logs
-40% implemented +59% implemented - [ ] associate_kms_key - [ ] cancel_export_task -- [ ] create_export_task +- [X] create_export_task - [X] create_log_group - [X] create_log_stream - [ ] delete_destination - [X] delete_log_group - [X] delete_log_stream -- [ ] delete_metric_filter +- [X] delete_metric_filter - [ ] delete_query_definition -- [ ] delete_resource_policy +- [X] delete_resource_policy - [X] delete_retention_policy - [X] delete_subscription_filter - [ ] describe_destinations - [ ] describe_export_tasks - [X] describe_log_groups - [X] describe_log_streams -- [ ] describe_metric_filters +- [X] describe_metric_filters - [ ] describe_queries - [ ] describe_query_definitions -- [ ] describe_resource_policies +- [X] describe_resource_policies - [X] describe_subscription_filters - [ ] disassociate_kms_key - [X] filter_log_events @@ -5386,127 +3470,21 @@ - [ ] put_destination - [ ] put_destination_policy - [X] put_log_events -- [ ] put_metric_filter +- [X] put_metric_filter - [ ] put_query_definition -- [ ] put_resource_policy +- [X] put_resource_policy - [X] put_retention_policy - [X] put_subscription_filter -- [ ] start_query +- [X] start_query - [ ] stop_query - [X] tag_log_group - [ ] test_metric_filter - [X] untag_log_group
-## machinelearning -
-0% implemented - -- [ ] add_tags -- [ ] create_batch_prediction -- [ ] create_data_source_from_rds -- [ ] create_data_source_from_redshift -- [ ] create_data_source_from_s3 -- [ ] create_evaluation -- [ ] create_ml_model -- [ ] create_realtime_endpoint -- [ ] delete_batch_prediction -- [ ] delete_data_source -- [ ] delete_evaluation -- [ ] delete_ml_model -- [ ] delete_realtime_endpoint -- [ ] delete_tags -- [ ] describe_batch_predictions -- [ ] describe_data_sources -- [ ] describe_evaluations -- [ ] describe_ml_models -- [ ] describe_tags -- [ ] get_batch_prediction -- [ ] get_data_source -- [ ] get_evaluation -- [ ] get_ml_model -- [ ] predict -- [ ] update_batch_prediction -- [ ] update_data_source -- [ ] update_evaluation -- [ ] update_ml_model -
- -## macie -
-0% implemented - -- [ ] associate_member_account -- [ ] associate_s3_resources -- [ ] disassociate_member_account -- [ ] disassociate_s3_resources -- [ ] list_member_accounts -- [ ] list_s3_resources -- [ ] update_s3_resources -
- -## macie2 -
-0% implemented - -- [ ] accept_invitation -- [ ] archive_findings -- [ ] batch_get_custom_data_identifiers -- [ ] create_classification_job -- [ ] create_custom_data_identifier -- [ ] create_findings_filter -- [ ] create_invitations -- [ ] create_member -- [ ] create_sample_findings -- [ ] decline_invitations -- [ ] delete_custom_data_identifier -- [ ] delete_findings_filter -- [ ] delete_invitations -- [ ] delete_member -- [ ] describe_buckets -- [ ] describe_classification_job -- [ ] describe_organization_configuration -- [ ] disable_macie -- [ ] disable_organization_admin_account -- [ ] disassociate_from_master_account -- [ ] disassociate_member -- [ ] enable_macie -- [ ] enable_organization_admin_account -- [ ] get_bucket_statistics -- [ ] get_classification_export_configuration -- [ ] get_custom_data_identifier -- [ ] get_finding_statistics -- [ ] get_findings -- [ ] get_findings_filter -- [ ] get_invitations_count -- [ ] get_macie_session -- [ ] get_master_account -- [ ] get_member -- [ ] get_usage_statistics -- [ ] get_usage_totals -- [ ] list_classification_jobs -- [ ] list_custom_data_identifiers -- [ ] list_findings -- [ ] list_findings_filters -- [ ] list_invitations -- [ ] list_members -- [ ] list_organization_admin_accounts -- [ ] list_tags_for_resource -- [ ] put_classification_export_configuration -- [ ] tag_resource -- [ ] test_custom_data_identifier -- [ ] unarchive_findings -- [ ] untag_resource -- [ ] update_classification_job -- [ ] update_findings_filter -- [ ] update_macie_session -- [ ] update_member_session -- [ ] update_organization_configuration -
- ## managedblockchain
-100% implemented +86% implemented - [X] create_member - [X] create_network @@ -5524,143 +3502,107 @@ - [X] list_nodes - [X] list_proposal_votes - [X] list_proposals +- [ ] list_tags_for_resource - [X] reject_invitation +- [ ] tag_resource +- [ ] untag_resource - [X] update_member - [X] update_node - [X] vote_on_proposal
-## marketplace-catalog -
-0% implemented - -- [ ] cancel_change_set -- [ ] describe_change_set -- [ ] describe_entity -- [ ] list_change_sets -- [ ] list_entities -- [ ] start_change_set -
- -## marketplace-entitlement -
-0% implemented - -- [ ] get_entitlements -
- -## marketplacecommerceanalytics -
-0% implemented - -- [ ] generate_data_set -- [ ] start_support_data_export -
- ## mediaconnect
-0% implemented +40% implemented -- [ ] add_flow_outputs +- [ ] add_flow_media_streams +- [X] add_flow_outputs - [ ] add_flow_sources -- [ ] add_flow_vpc_interfaces -- [ ] create_flow -- [ ] delete_flow -- [ ] describe_flow +- [X] add_flow_vpc_interfaces +- [X] create_flow +- [X] delete_flow +- [X] describe_flow +- [ ] describe_offering +- [ ] describe_reservation - [ ] grant_flow_entitlements - [ ] list_entitlements -- [ ] list_flows -- [ ] list_tags_for_resource -- [ ] remove_flow_output +- [X] list_flows +- [ ] list_offerings +- [ ] list_reservations +- [X] list_tags_for_resource +- [ ] purchase_offering +- [ ] remove_flow_media_stream +- [X] remove_flow_output - [ ] remove_flow_source -- [ ] remove_flow_vpc_interface +- [X] remove_flow_vpc_interface - [ ] revoke_flow_entitlement -- [ ] start_flow -- [ ] stop_flow -- [ ] tag_resource +- [X] start_flow +- [X] stop_flow +- [X] tag_resource - [ ] untag_resource - [ ] update_flow - [ ] update_flow_entitlement +- [ ] update_flow_media_stream - [ ] update_flow_output - [ ] update_flow_source
-## mediaconvert -
-0% implemented - -- [ ] associate_certificate -- [ ] cancel_job -- [ ] create_job -- [ ] create_job_template -- [ ] create_preset -- [ ] create_queue -- [ ] delete_job_template -- [ ] delete_preset -- [ ] delete_queue -- [ ] describe_endpoints -- [ ] disassociate_certificate -- [ ] get_job -- [ ] get_job_template -- [ ] get_preset -- [ ] get_queue -- [ ] list_job_templates -- [ ] list_jobs -- [ ] list_presets -- [ ] list_queues -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_job_template -- [ ] update_preset -- [ ] update_queue -
- ## medialive
-0% implemented +21% implemented +- [ ] accept_input_device_transfer +- [ ] batch_delete +- [ ] batch_start +- [ ] batch_stop - [ ] batch_update_schedule -- [ ] create_channel -- [ ] create_input +- [ ] cancel_input_device_transfer +- [ ] claim_device +- [X] create_channel +- [X] create_input - [ ] create_input_security_group - [ ] create_multiplex - [ ] create_multiplex_program +- [ ] create_partner_input - [ ] create_tags -- [ ] delete_channel -- [ ] delete_input +- [X] delete_channel +- [X] delete_input - [ ] delete_input_security_group - [ ] delete_multiplex - [ ] delete_multiplex_program - [ ] delete_reservation - [ ] delete_schedule - [ ] delete_tags -- [ ] describe_channel -- [ ] describe_input +- [X] describe_channel +- [X] describe_input - [ ] describe_input_device +- [ ] describe_input_device_thumbnail - [ ] describe_input_security_group - [ ] describe_multiplex - [ ] describe_multiplex_program - [ ] describe_offering - [ ] describe_reservation - [ ] describe_schedule -- [ ] list_channels +- [X] list_channels +- [ ] list_input_device_transfers - [ ] list_input_devices - [ ] list_input_security_groups -- [ ] list_inputs +- [X] list_inputs - [ ] list_multiplex_programs - [ ] list_multiplexes - [ ] list_offerings - [ ] list_reservations - [ ] list_tags_for_resource - [ ] purchase_offering -- [ ] start_channel +- [ ] reject_input_device_transfer +- [X] start_channel - [ ] start_multiplex -- [ ] stop_channel +- [X] stop_channel - [ ] stop_multiplex -- [ ] update_channel +- [ ] transfer_input_device +- [X] update_channel - [ ] update_channel_class -- [ ] update_input +- [X] update_input - [ ] update_input_device - [ ] update_input_security_group - [ ] update_multiplex @@ -5670,70 +3612,50 @@ ## mediapackage
-0% implemented +47% implemented -- [ ] create_channel +- [ ] configure_logs +- [X] create_channel - [ ] create_harvest_job -- [ ] create_origin_endpoint -- [ ] delete_channel -- [ ] delete_origin_endpoint -- [ ] describe_channel +- [X] create_origin_endpoint +- [X] delete_channel +- [X] delete_origin_endpoint +- [X] describe_channel - [ ] describe_harvest_job -- [ ] describe_origin_endpoint -- [ ] list_channels +- [X] describe_origin_endpoint +- [X] list_channels - [ ] list_harvest_jobs -- [ ] list_origin_endpoints +- [X] list_origin_endpoints - [ ] list_tags_for_resource - [ ] rotate_channel_credentials - [ ] rotate_ingest_endpoint_credentials - [ ] tag_resource - [ ] untag_resource - [ ] update_channel -- [ ] update_origin_endpoint -
- -## mediapackage-vod -
-0% implemented - -- [ ] create_asset -- [ ] create_packaging_configuration -- [ ] create_packaging_group -- [ ] delete_asset -- [ ] delete_packaging_configuration -- [ ] delete_packaging_group -- [ ] describe_asset -- [ ] describe_packaging_configuration -- [ ] describe_packaging_group -- [ ] list_assets -- [ ] list_packaging_configurations -- [ ] list_packaging_groups -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource +- [X] update_origin_endpoint
## mediastore
-0% implemented +52% implemented -- [ ] create_container -- [ ] delete_container +- [X] create_container +- [X] delete_container - [ ] delete_container_policy - [ ] delete_cors_policy - [ ] delete_lifecycle_policy - [ ] delete_metric_policy -- [ ] describe_container -- [ ] get_container_policy +- [X] describe_container +- [X] get_container_policy - [ ] get_cors_policy -- [ ] get_lifecycle_policy -- [ ] get_metric_policy -- [ ] list_containers -- [ ] list_tags_for_resource -- [ ] put_container_policy +- [X] get_lifecycle_policy +- [X] get_metric_policy +- [X] list_containers +- [X] list_tags_for_resource +- [X] put_container_policy - [ ] put_cors_policy -- [ ] put_lifecycle_policy -- [ ] put_metric_policy +- [X] put_lifecycle_policy +- [X] put_metric_policy - [ ] start_access_logging - [ ] stop_access_logging - [ ] tag_resource @@ -5742,255 +3664,41 @@ ## mediastore-data
-0% implemented +80% implemented -- [ ] delete_object +- [X] delete_object - [ ] describe_object -- [ ] get_object -- [ ] list_items -- [ ] put_object -
- -## mediatailor -
-0% implemented - -- [ ] delete_playback_configuration -- [ ] get_playback_configuration -- [ ] list_playback_configurations -- [ ] list_tags_for_resource -- [ ] put_playback_configuration -- [ ] tag_resource -- [ ] untag_resource -
- -## meteringmarketplace -
-0% implemented - -- [ ] batch_meter_usage -- [ ] meter_usage -- [ ] register_usage -- [ ] resolve_customer -
- -## mgh -
-0% implemented - -- [ ] associate_created_artifact -- [ ] associate_discovered_resource -- [ ] create_progress_update_stream -- [ ] delete_progress_update_stream -- [ ] describe_application_state -- [ ] describe_migration_task -- [ ] disassociate_created_artifact -- [ ] disassociate_discovered_resource -- [ ] import_migration_task -- [ ] list_application_states -- [ ] list_created_artifacts -- [ ] list_discovered_resources -- [ ] list_migration_tasks -- [ ] list_progress_update_streams -- [ ] notify_application_state -- [ ] notify_migration_task_state -- [ ] put_resource_attributes -
- -## migrationhub-config -
-0% implemented - -- [ ] create_home_region_control -- [ ] describe_home_region_controls -- [ ] get_home_region -
- -## mobile -
-0% implemented - -- [ ] create_project -- [ ] delete_project -- [ ] describe_bundle -- [ ] describe_project -- [ ] export_bundle -- [ ] export_project -- [ ] list_bundles -- [ ] list_projects -- [ ] update_project +- [X] get_object +- [X] list_items +- [X] put_object
## mq
-0% implemented +86% implemented -- [ ] create_broker -- [ ] create_configuration -- [ ] create_tags -- [ ] create_user -- [ ] delete_broker -- [ ] delete_tags -- [ ] delete_user -- [ ] describe_broker +- [X] create_broker +- [X] create_configuration +- [X] create_tags +- [X] create_user +- [X] delete_broker +- [X] delete_tags +- [X] delete_user +- [X] describe_broker - [ ] describe_broker_engine_types - [ ] describe_broker_instance_options -- [ ] describe_configuration -- [ ] describe_configuration_revision -- [ ] describe_user -- [ ] list_brokers +- [X] describe_configuration +- [X] describe_configuration_revision +- [X] describe_user +- [X] list_brokers - [ ] list_configuration_revisions -- [ ] list_configurations -- [ ] list_tags -- [ ] list_users -- [ ] reboot_broker -- [ ] update_broker -- [ ] update_configuration -- [ ] update_user -
- -## mturk -
-0% implemented - -- [ ] accept_qualification_request -- [ ] approve_assignment -- [ ] associate_qualification_with_worker -- [ ] create_additional_assignments_for_hit -- [ ] create_hit -- [ ] create_hit_type -- [ ] create_hit_with_hit_type -- [ ] create_qualification_type -- [ ] create_worker_block -- [ ] delete_hit -- [ ] delete_qualification_type -- [ ] delete_worker_block -- [ ] disassociate_qualification_from_worker -- [ ] get_account_balance -- [ ] get_assignment -- [ ] get_file_upload_url -- [ ] get_hit -- [ ] get_qualification_score -- [ ] get_qualification_type -- [ ] list_assignments_for_hit -- [ ] list_bonus_payments -- [ ] list_hits -- [ ] list_hits_for_qualification_type -- [ ] list_qualification_requests -- [ ] list_qualification_types -- [ ] list_review_policy_results_for_hit -- [ ] list_reviewable_hits -- [ ] list_worker_blocks -- [ ] list_workers_with_qualification_type -- [ ] notify_workers -- [ ] reject_assignment -- [ ] reject_qualification_request -- [ ] send_bonus -- [ ] send_test_event_notification -- [ ] update_expiration_for_hit -- [ ] update_hit_review_status -- [ ] update_hit_type_of_hit -- [ ] update_notification_settings -- [ ] update_qualification_type -
- -## neptune -
-0% implemented - -- [ ] add_role_to_db_cluster -- [ ] add_source_identifier_to_subscription -- [ ] add_tags_to_resource -- [ ] apply_pending_maintenance_action -- [ ] copy_db_cluster_parameter_group -- [ ] copy_db_cluster_snapshot -- [ ] copy_db_parameter_group -- [ ] create_db_cluster -- [ ] create_db_cluster_parameter_group -- [ ] create_db_cluster_snapshot -- [ ] create_db_instance -- [ ] create_db_parameter_group -- [ ] create_db_subnet_group -- [ ] create_event_subscription -- [ ] delete_db_cluster -- [ ] delete_db_cluster_parameter_group -- [ ] delete_db_cluster_snapshot -- [ ] delete_db_instance -- [ ] delete_db_parameter_group -- [ ] delete_db_subnet_group -- [ ] delete_event_subscription -- [ ] describe_db_cluster_parameter_groups -- [ ] describe_db_cluster_parameters -- [ ] describe_db_cluster_snapshot_attributes -- [ ] describe_db_cluster_snapshots -- [ ] describe_db_clusters -- [ ] describe_db_engine_versions -- [ ] describe_db_instances -- [ ] describe_db_parameter_groups -- [ ] describe_db_parameters -- [ ] describe_db_subnet_groups -- [ ] describe_engine_default_cluster_parameters -- [ ] describe_engine_default_parameters -- [ ] describe_event_categories -- [ ] describe_event_subscriptions -- [ ] describe_events -- [ ] describe_orderable_db_instance_options -- [ ] describe_pending_maintenance_actions -- [ ] describe_valid_db_instance_modifications -- [ ] failover_db_cluster -- [ ] list_tags_for_resource -- [ ] modify_db_cluster -- [ ] modify_db_cluster_parameter_group -- [ ] modify_db_cluster_snapshot_attribute -- [ ] modify_db_instance -- [ ] modify_db_parameter_group -- [ ] modify_db_subnet_group -- [ ] modify_event_subscription -- [ ] promote_read_replica_db_cluster -- [ ] reboot_db_instance -- [ ] remove_role_from_db_cluster -- [ ] remove_source_identifier_from_subscription -- [ ] remove_tags_from_resource -- [ ] reset_db_cluster_parameter_group -- [ ] reset_db_parameter_group -- [ ] restore_db_cluster_from_snapshot -- [ ] restore_db_cluster_to_point_in_time -- [ ] start_db_cluster -- [ ] stop_db_cluster -
- -## networkmanager -
-0% implemented - -- [ ] associate_customer_gateway -- [ ] associate_link -- [ ] create_device -- [ ] create_global_network -- [ ] create_link -- [ ] create_site -- [ ] delete_device -- [ ] delete_global_network -- [ ] delete_link -- [ ] delete_site -- [ ] deregister_transit_gateway -- [ ] describe_global_networks -- [ ] disassociate_customer_gateway -- [ ] disassociate_link -- [ ] get_customer_gateway_associations -- [ ] get_devices -- [ ] get_link_associations -- [ ] get_links -- [ ] get_sites -- [ ] get_transit_gateway_registrations -- [ ] list_tags_for_resource -- [ ] register_transit_gateway -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_device -- [ ] update_global_network -- [ ] update_link -- [ ] update_site +- [X] list_configurations +- [X] list_tags +- [X] list_users +- [X] reboot_broker +- [X] update_broker +- [X] update_configuration +- [X] update_user
## opsworks @@ -6069,350 +3777,65 @@ - [ ] update_my_user_profile - [ ] update_rds_db_instance - [ ] update_stack -- [ ] update_user_profile -- [ ] update_volume -
- -## opsworkscm -
-0% implemented - -- [ ] associate_node -- [ ] create_backup -- [ ] create_server -- [ ] delete_backup -- [ ] delete_server -- [ ] describe_account_attributes -- [ ] describe_backups -- [ ] describe_events -- [ ] describe_node_association_status -- [ ] describe_servers -- [ ] disassociate_node -- [ ] export_server_engine_attribute -- [ ] list_tags_for_resource -- [ ] restore_server -- [ ] start_maintenance -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_server -- [ ] update_server_engine_attributes -
- -## organizations -
-47% implemented - -- [ ] accept_handshake -- [X] attach_policy -- [ ] cancel_handshake -- [X] create_account -- [ ] create_gov_cloud_account -- [X] create_organization -- [X] create_organizational_unit -- [X] create_policy -- [ ] decline_handshake -- [ ] delete_organization -- [ ] delete_organizational_unit -- [X] delete_policy -- [ ] deregister_delegated_administrator -- [X] describe_account -- [X] describe_create_account_status -- [ ] describe_effective_policy -- [ ] describe_handshake -- [X] describe_organization -- [X] describe_organizational_unit -- [X] describe_policy -- [ ] detach_policy -- [ ] disable_aws_service_access -- [ ] disable_policy_type -- [ ] enable_all_features -- [ ] enable_aws_service_access -- [ ] enable_policy_type -- [ ] invite_account_to_organization -- [ ] leave_organization -- [X] list_accounts -- [X] list_accounts_for_parent -- [ ] list_aws_service_access_for_organization -- [X] list_children -- [ ] list_create_account_status -- [ ] list_delegated_administrators -- [ ] list_delegated_services_for_account -- [ ] list_handshakes_for_account -- [ ] list_handshakes_for_organization -- [X] list_organizational_units_for_parent -- [X] list_parents -- [X] list_policies -- [X] list_policies_for_target -- [X] list_roots -- [X] list_tags_for_resource -- [X] list_targets_for_policy -- [X] move_account -- [ ] register_delegated_administrator -- [ ] remove_account_from_organization -- [X] tag_resource -- [X] untag_resource -- [X] update_organizational_unit -- [X] update_policy -
- -## outposts -
-0% implemented - -- [ ] create_outpost -- [ ] delete_outpost -- [ ] delete_site -- [ ] get_outpost -- [ ] get_outpost_instance_types -- [ ] list_outposts -- [ ] list_sites -
- -## personalize -
-0% implemented - -- [ ] create_batch_inference_job -- [ ] create_campaign -- [ ] create_dataset -- [ ] create_dataset_group -- [ ] create_dataset_import_job -- [ ] create_event_tracker -- [ ] create_schema -- [ ] create_solution -- [ ] create_solution_version -- [ ] delete_campaign -- [ ] delete_dataset -- [ ] delete_dataset_group -- [ ] delete_event_tracker -- [ ] delete_schema -- [ ] delete_solution -- [ ] describe_algorithm -- [ ] describe_batch_inference_job -- [ ] describe_campaign -- [ ] describe_dataset -- [ ] describe_dataset_group -- [ ] describe_dataset_import_job -- [ ] describe_event_tracker -- [ ] describe_feature_transformation -- [ ] describe_recipe -- [ ] describe_schema -- [ ] describe_solution -- [ ] describe_solution_version -- [ ] get_solution_metrics -- [ ] list_batch_inference_jobs -- [ ] list_campaigns -- [ ] list_dataset_groups -- [ ] list_dataset_import_jobs -- [ ] list_datasets -- [ ] list_event_trackers -- [ ] list_recipes -- [ ] list_schemas -- [ ] list_solution_versions -- [ ] list_solutions -- [ ] update_campaign -
- -## personalize-events -
-0% implemented - -- [ ] put_events -
- -## personalize-runtime -
-0% implemented - -- [ ] get_personalized_ranking -- [ ] get_recommendations -
- -## pi -
-0% implemented - -- [ ] describe_dimension_keys -- [ ] get_resource_metrics -
- -## pinpoint -
-0% implemented - -- [ ] create_app -- [ ] create_campaign -- [ ] create_email_template -- [ ] create_export_job -- [ ] create_import_job -- [ ] create_journey -- [ ] create_push_template -- [ ] create_recommender_configuration -- [ ] create_segment -- [ ] create_sms_template -- [ ] create_voice_template -- [ ] delete_adm_channel -- [ ] delete_apns_channel -- [ ] delete_apns_sandbox_channel -- [ ] delete_apns_voip_channel -- [ ] delete_apns_voip_sandbox_channel -- [ ] delete_app -- [ ] delete_baidu_channel -- [ ] delete_campaign -- [ ] delete_email_channel -- [ ] delete_email_template -- [ ] delete_endpoint -- [ ] delete_event_stream -- [ ] delete_gcm_channel -- [ ] delete_journey -- [ ] delete_push_template -- [ ] delete_recommender_configuration -- [ ] delete_segment -- [ ] delete_sms_channel -- [ ] delete_sms_template -- [ ] delete_user_endpoints -- [ ] delete_voice_channel -- [ ] delete_voice_template -- [ ] get_adm_channel -- [ ] get_apns_channel -- [ ] get_apns_sandbox_channel -- [ ] get_apns_voip_channel -- [ ] get_apns_voip_sandbox_channel -- [ ] get_app -- [ ] get_application_date_range_kpi -- [ ] get_application_settings -- [ ] get_apps -- [ ] get_baidu_channel -- [ ] get_campaign -- [ ] get_campaign_activities -- [ ] get_campaign_date_range_kpi -- [ ] get_campaign_version -- [ ] get_campaign_versions -- [ ] get_campaigns -- [ ] get_channels -- [ ] get_email_channel -- [ ] get_email_template -- [ ] get_endpoint -- [ ] get_event_stream -- [ ] get_export_job -- [ ] get_export_jobs -- [ ] get_gcm_channel -- [ ] get_import_job -- [ ] get_import_jobs -- [ ] get_journey -- [ ] get_journey_date_range_kpi -- [ ] get_journey_execution_activity_metrics -- [ ] get_journey_execution_metrics -- [ ] get_push_template -- [ ] get_recommender_configuration -- [ ] get_recommender_configurations -- [ ] get_segment -- [ ] get_segment_export_jobs -- [ ] get_segment_import_jobs -- [ ] get_segment_version -- [ ] get_segment_versions -- [ ] get_segments -- [ ] get_sms_channel -- [ ] get_sms_template -- [ ] get_user_endpoints -- [ ] get_voice_channel -- [ ] get_voice_template -- [ ] list_journeys -- [ ] list_tags_for_resource -- [ ] list_template_versions -- [ ] list_templates -- [ ] phone_number_validate -- [ ] put_event_stream -- [ ] put_events -- [ ] remove_attributes -- [ ] send_messages -- [ ] send_users_messages -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_adm_channel -- [ ] update_apns_channel -- [ ] update_apns_sandbox_channel -- [ ] update_apns_voip_channel -- [ ] update_apns_voip_sandbox_channel -- [ ] update_application_settings -- [ ] update_baidu_channel -- [ ] update_campaign -- [ ] update_email_channel -- [ ] update_email_template -- [ ] update_endpoint -- [ ] update_endpoints_batch -- [ ] update_gcm_channel -- [ ] update_journey -- [ ] update_journey_state -- [ ] update_push_template -- [ ] update_recommender_configuration -- [ ] update_segment -- [ ] update_sms_channel -- [ ] update_sms_template -- [ ] update_template_active_version -- [ ] update_voice_channel -- [ ] update_voice_template -
- -## pinpoint-email -
-0% implemented - -- [ ] create_configuration_set -- [ ] create_configuration_set_event_destination -- [ ] create_dedicated_ip_pool -- [ ] create_deliverability_test_report -- [ ] create_email_identity -- [ ] delete_configuration_set -- [ ] delete_configuration_set_event_destination -- [ ] delete_dedicated_ip_pool -- [ ] delete_email_identity -- [ ] get_account -- [ ] get_blacklist_reports -- [ ] get_configuration_set -- [ ] get_configuration_set_event_destinations -- [ ] get_dedicated_ip -- [ ] get_dedicated_ips -- [ ] get_deliverability_dashboard_options -- [ ] get_deliverability_test_report -- [ ] get_domain_deliverability_campaign -- [ ] get_domain_statistics_report -- [ ] get_email_identity -- [ ] list_configuration_sets -- [ ] list_dedicated_ip_pools -- [ ] list_deliverability_test_reports -- [ ] list_domain_deliverability_campaigns -- [ ] list_email_identities -- [ ] list_tags_for_resource -- [ ] put_account_dedicated_ip_warmup_attributes -- [ ] put_account_sending_attributes -- [ ] put_configuration_set_delivery_options -- [ ] put_configuration_set_reputation_options -- [ ] put_configuration_set_sending_options -- [ ] put_configuration_set_tracking_options -- [ ] put_dedicated_ip_in_pool -- [ ] put_dedicated_ip_warmup_attributes -- [ ] put_deliverability_dashboard_option -- [ ] put_email_identity_dkim_attributes -- [ ] put_email_identity_feedback_attributes -- [ ] put_email_identity_mail_from_attributes -- [ ] send_email -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_configuration_set_event_destination +- [ ] update_user_profile +- [ ] update_volume
-## pinpoint-sms-voice +## organizations
-0% implemented +76% implemented -- [ ] create_configuration_set -- [ ] create_configuration_set_event_destination -- [ ] delete_configuration_set -- [ ] delete_configuration_set_event_destination -- [ ] get_configuration_set_event_destinations -- [ ] send_voice_message -- [ ] update_configuration_set_event_destination +- [ ] accept_handshake +- [X] attach_policy +- [ ] cancel_handshake +- [X] create_account +- [ ] create_gov_cloud_account +- [X] create_organization +- [X] create_organizational_unit +- [X] create_policy +- [ ] decline_handshake +- [X] delete_organization +- [ ] delete_organizational_unit +- [X] delete_policy +- [X] deregister_delegated_administrator +- [X] describe_account +- [X] describe_create_account_status +- [ ] describe_effective_policy +- [ ] describe_handshake +- [X] describe_organization +- [X] describe_organizational_unit +- [X] describe_policy +- [X] detach_policy +- [X] disable_aws_service_access +- [X] disable_policy_type +- [ ] enable_all_features +- [X] enable_aws_service_access +- [X] enable_policy_type +- [ ] invite_account_to_organization +- [ ] leave_organization +- [X] list_accounts +- [X] list_accounts_for_parent +- [X] list_aws_service_access_for_organization +- [X] list_children +- [X] list_create_account_status +- [X] list_delegated_administrators +- [X] list_delegated_services_for_account +- [ ] list_handshakes_for_account +- [ ] list_handshakes_for_organization +- [X] list_organizational_units_for_parent +- [X] list_parents +- [X] list_policies +- [X] list_policies_for_target +- [X] list_roots +- [X] list_tags_for_resource +- [X] list_targets_for_policy +- [X] move_account +- [X] register_delegated_administrator +- [X] remove_account_from_organization +- [X] tag_resource +- [X] untag_resource +- [X] update_organizational_unit +- [X] update_policy
## polly @@ -6430,137 +3853,25 @@ - [ ] synthesize_speech
-## pricing -
-0% implemented - -- [ ] describe_services -- [ ] get_attribute_values -- [ ] get_products -
- -## qldb -
-0% implemented - -- [ ] cancel_journal_kinesis_stream -- [ ] create_ledger -- [ ] delete_ledger -- [ ] describe_journal_kinesis_stream -- [ ] describe_journal_s3_export -- [ ] describe_ledger -- [ ] export_journal_to_s3 -- [ ] get_block -- [ ] get_digest -- [ ] get_revision -- [ ] list_journal_kinesis_streams_for_ledger -- [ ] list_journal_s3_exports -- [ ] list_journal_s3_exports_for_ledger -- [ ] list_ledgers -- [ ] list_tags_for_resource -- [ ] stream_journal_to_kinesis -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_ledger -
- -## qldb-session -
-0% implemented - -- [ ] send_command -
- -## quicksight -
-0% implemented - -- [ ] cancel_ingestion -- [ ] create_dashboard -- [ ] create_data_set -- [ ] create_data_source -- [ ] create_group -- [ ] create_group_membership -- [ ] create_iam_policy_assignment -- [ ] create_ingestion -- [ ] create_template -- [ ] create_template_alias -- [ ] delete_dashboard -- [ ] delete_data_set -- [ ] delete_data_source -- [ ] delete_group -- [ ] delete_group_membership -- [ ] delete_iam_policy_assignment -- [ ] delete_template -- [ ] delete_template_alias -- [ ] delete_user -- [ ] delete_user_by_principal_id -- [ ] describe_dashboard -- [ ] describe_dashboard_permissions -- [ ] describe_data_set -- [ ] describe_data_set_permissions -- [ ] describe_data_source -- [ ] describe_data_source_permissions -- [ ] describe_group -- [ ] describe_iam_policy_assignment -- [ ] describe_ingestion -- [ ] describe_template -- [ ] describe_template_alias -- [ ] describe_template_permissions -- [ ] describe_user -- [ ] get_dashboard_embed_url -- [ ] list_dashboard_versions -- [ ] list_dashboards -- [ ] list_data_sets -- [ ] list_data_sources -- [ ] list_group_memberships -- [ ] list_groups -- [ ] list_iam_policy_assignments -- [ ] list_iam_policy_assignments_for_user -- [ ] list_ingestions -- [ ] list_tags_for_resource -- [ ] list_template_aliases -- [ ] list_template_versions -- [ ] list_templates -- [ ] list_user_groups -- [ ] list_users -- [ ] register_user -- [ ] search_dashboards -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_dashboard -- [ ] update_dashboard_permissions -- [ ] update_dashboard_published_version -- [ ] update_data_set -- [ ] update_data_set_permissions -- [ ] update_data_source -- [ ] update_data_source_permissions -- [ ] update_group -- [ ] update_iam_policy_assignment -- [ ] update_template -- [ ] update_template_alias -- [ ] update_template_permissions -- [ ] update_user -
- ## ram
-0% implemented +20% implemented - [ ] accept_resource_share_invitation - [ ] associate_resource_share - [ ] associate_resource_share_permission -- [ ] create_resource_share -- [ ] delete_resource_share +- [X] create_resource_share +- [X] delete_resource_share - [ ] disassociate_resource_share - [ ] disassociate_resource_share_permission -- [ ] enable_sharing_with_aws_organization +- [X] enable_sharing_with_aws_organization - [ ] get_permission - [ ] get_resource_policies - [ ] get_resource_share_associations - [ ] get_resource_share_invitations -- [ ] get_resource_shares +- [X] get_resource_shares - [ ] list_pending_invitation_resources +- [ ] list_permission_versions - [ ] list_permissions - [ ] list_principals - [ ] list_resource_share_permissions @@ -6570,57 +3881,61 @@ - [ ] reject_resource_share_invitation - [ ] tag_resource - [ ] untag_resource -- [ ] update_resource_share +- [X] update_resource_share
## rds
-0% implemented +21% implemented - [ ] add_role_to_db_cluster - [ ] add_role_to_db_instance - [ ] add_source_identifier_to_subscription -- [ ] add_tags_to_resource +- [X] add_tags_to_resource - [ ] apply_pending_maintenance_action - [ ] authorize_db_security_group_ingress - [ ] backtrack_db_cluster -- [ ] cancel_export_task +- [X] cancel_export_task - [ ] copy_db_cluster_parameter_group - [ ] copy_db_cluster_snapshot - [ ] copy_db_parameter_group - [ ] copy_db_snapshot - [ ] copy_option_group - [ ] create_custom_availability_zone -- [ ] create_db_cluster +- [ ] create_custom_db_engine_version +- [X] create_db_cluster - [ ] create_db_cluster_endpoint - [ ] create_db_cluster_parameter_group -- [ ] create_db_cluster_snapshot +- [X] create_db_cluster_snapshot - [ ] create_db_instance - [ ] create_db_instance_read_replica -- [ ] create_db_parameter_group +- [X] create_db_parameter_group - [ ] create_db_proxy +- [ ] create_db_proxy_endpoint - [ ] create_db_security_group - [ ] create_db_snapshot - [ ] create_db_subnet_group -- [ ] create_event_subscription +- [X] create_event_subscription - [ ] create_global_cluster -- [ ] create_option_group +- [X] create_option_group - [ ] delete_custom_availability_zone -- [ ] delete_db_cluster +- [ ] delete_custom_db_engine_version +- [X] delete_db_cluster - [ ] delete_db_cluster_endpoint - [ ] delete_db_cluster_parameter_group -- [ ] delete_db_cluster_snapshot +- [X] delete_db_cluster_snapshot - [ ] delete_db_instance - [ ] delete_db_instance_automated_backup -- [ ] delete_db_parameter_group +- [X] delete_db_parameter_group - [ ] delete_db_proxy +- [ ] delete_db_proxy_endpoint - [ ] delete_db_security_group - [ ] delete_db_snapshot - [ ] delete_db_subnet_group -- [ ] delete_event_subscription +- [X] delete_event_subscription - [ ] delete_global_cluster - [ ] delete_installation_media -- [ ] delete_option_group +- [X] delete_option_group - [ ] deregister_db_proxy_targets - [ ] describe_account_attributes - [ ] describe_certificates @@ -6630,15 +3945,16 @@ - [ ] describe_db_cluster_parameter_groups - [ ] describe_db_cluster_parameters - [ ] describe_db_cluster_snapshot_attributes -- [ ] describe_db_cluster_snapshots -- [ ] describe_db_clusters +- [X] describe_db_cluster_snapshots +- [X] describe_db_clusters - [ ] describe_db_engine_versions - [ ] describe_db_instance_automated_backups - [ ] describe_db_instances - [ ] describe_db_log_files -- [ ] describe_db_parameter_groups +- [X] describe_db_parameter_groups - [ ] describe_db_parameters - [ ] describe_db_proxies +- [ ] describe_db_proxy_endpoints - [ ] describe_db_proxy_target_groups - [ ] describe_db_proxy_targets - [ ] describe_db_security_groups @@ -6648,13 +3964,13 @@ - [ ] describe_engine_default_cluster_parameters - [ ] describe_engine_default_parameters - [ ] describe_event_categories -- [ ] describe_event_subscriptions +- [X] describe_event_subscriptions - [ ] describe_events -- [ ] describe_export_tasks +- [X] describe_export_tasks - [ ] describe_global_clusters - [ ] describe_installation_media -- [ ] describe_option_group_options -- [ ] describe_option_groups +- [X] describe_option_group_options +- [X] describe_option_groups - [ ] describe_orderable_db_instance_options - [ ] describe_pending_maintenance_actions - [ ] describe_reserved_db_instances @@ -6663,80 +3979,80 @@ - [ ] describe_valid_db_instance_modifications - [ ] download_db_log_file_portion - [ ] failover_db_cluster +- [ ] failover_global_cluster - [ ] import_installation_media -- [ ] list_tags_for_resource +- [X] list_tags_for_resource - [ ] modify_certificates - [ ] modify_current_db_cluster_capacity +- [ ] modify_custom_db_engine_version - [ ] modify_db_cluster - [ ] modify_db_cluster_endpoint - [ ] modify_db_cluster_parameter_group - [ ] modify_db_cluster_snapshot_attribute - [ ] modify_db_instance -- [ ] modify_db_parameter_group +- [X] modify_db_parameter_group - [ ] modify_db_proxy +- [ ] modify_db_proxy_endpoint - [ ] modify_db_proxy_target_group - [ ] modify_db_snapshot - [ ] modify_db_snapshot_attribute -- [ ] modify_db_subnet_group +- [X] modify_db_subnet_group - [ ] modify_event_subscription - [ ] modify_global_cluster -- [ ] modify_option_group +- [X] modify_option_group - [ ] promote_read_replica - [ ] promote_read_replica_db_cluster - [ ] purchase_reserved_db_instances_offering -- [ ] reboot_db_instance +- [ ] reboot_db_cluster +- [X] reboot_db_instance - [ ] register_db_proxy_targets - [ ] remove_from_global_cluster - [ ] remove_role_from_db_cluster - [ ] remove_role_from_db_instance - [ ] remove_source_identifier_from_subscription -- [ ] remove_tags_from_resource +- [X] remove_tags_from_resource - [ ] reset_db_cluster_parameter_group - [ ] reset_db_parameter_group - [ ] restore_db_cluster_from_s3 -- [ ] restore_db_cluster_from_snapshot +- [X] restore_db_cluster_from_snapshot - [ ] restore_db_cluster_to_point_in_time -- [ ] restore_db_instance_from_db_snapshot +- [X] restore_db_instance_from_db_snapshot - [ ] restore_db_instance_from_s3 - [ ] restore_db_instance_to_point_in_time - [ ] revoke_db_security_group_ingress - [ ] start_activity_stream -- [ ] start_db_cluster +- [X] start_db_cluster - [ ] start_db_instance -- [ ] start_export_task +- [ ] start_db_instance_automated_backups_replication +- [X] start_export_task - [ ] stop_activity_stream -- [ ] stop_db_cluster +- [X] stop_db_cluster - [ ] stop_db_instance -
- -## rds-data -
-0% implemented - -- [ ] batch_execute_statement -- [ ] begin_transaction -- [ ] commit_transaction -- [ ] execute_sql -- [ ] execute_statement -- [ ] rollback_transaction +- [ ] stop_db_instance_automated_backups_replication
## redshift
-28% implemented +25% implemented - [ ] accept_reserved_node_exchange -- [ ] authorize_cluster_security_group_ingress +- [ ] add_partner +- [ ] associate_data_share_consumer +- [X] authorize_cluster_security_group_ingress +- [ ] authorize_data_share +- [ ] authorize_endpoint_access - [ ] authorize_snapshot_access - [ ] batch_delete_cluster_snapshots - [ ] batch_modify_cluster_snapshots - [ ] cancel_resize - [ ] copy_cluster_snapshot +- [ ] create_authentication_profile - [X] create_cluster - [X] create_cluster_parameter_group - [X] create_cluster_security_group - [X] create_cluster_snapshot - [X] create_cluster_subnet_group +- [ ] create_endpoint_access - [ ] create_event_subscription - [ ] create_hsm_client_certificate - [ ] create_hsm_configuration @@ -6745,20 +4061,25 @@ - [ ] create_snapshot_schedule - [X] create_tags - [ ] create_usage_limit +- [ ] deauthorize_data_share +- [ ] delete_authentication_profile - [X] delete_cluster - [X] delete_cluster_parameter_group - [X] delete_cluster_security_group - [X] delete_cluster_snapshot - [X] delete_cluster_subnet_group +- [ ] delete_endpoint_access - [ ] delete_event_subscription - [ ] delete_hsm_client_certificate - [ ] delete_hsm_configuration +- [ ] delete_partner - [ ] delete_scheduled_action - [X] delete_snapshot_copy_grant - [ ] delete_snapshot_schedule - [X] delete_tags - [ ] delete_usage_limit - [ ] describe_account_attributes +- [ ] describe_authentication_profiles - [ ] describe_cluster_db_revisions - [X] describe_cluster_parameter_groups - [ ] describe_cluster_parameters @@ -6768,7 +4089,12 @@ - [ ] describe_cluster_tracks - [ ] describe_cluster_versions - [X] describe_clusters +- [ ] describe_data_shares +- [ ] describe_data_shares_for_consumer +- [ ] describe_data_shares_for_producer - [ ] describe_default_cluster_parameters +- [ ] describe_endpoint_access +- [ ] describe_endpoint_authorization - [ ] describe_event_categories - [ ] describe_event_subscriptions - [ ] describe_events @@ -6777,6 +4103,8 @@ - [ ] describe_logging_status - [ ] describe_node_configuration_options - [ ] describe_orderable_cluster_options +- [ ] describe_partners +- [ ] describe_reserved_node_exchange_status - [ ] describe_reserved_node_offerings - [ ] describe_reserved_nodes - [ ] describe_resize @@ -6789,10 +4117,14 @@ - [ ] describe_usage_limits - [ ] disable_logging - [X] disable_snapshot_copy +- [ ] disassociate_data_share_consumer - [ ] enable_logging - [X] enable_snapshot_copy -- [ ] get_cluster_credentials +- [X] get_cluster_credentials +- [ ] get_reserved_node_exchange_configuration_options - [ ] get_reserved_node_exchange_offerings +- [ ] modify_aqua_configuration +- [ ] modify_authentication_profile - [X] modify_cluster - [ ] modify_cluster_db_revision - [ ] modify_cluster_iam_roles @@ -6801,88 +4133,61 @@ - [ ] modify_cluster_snapshot - [ ] modify_cluster_snapshot_schedule - [ ] modify_cluster_subnet_group +- [ ] modify_endpoint_access - [ ] modify_event_subscription - [ ] modify_scheduled_action - [X] modify_snapshot_copy_retention_period - [ ] modify_snapshot_schedule - [ ] modify_usage_limit -- [ ] pause_cluster +- [X] pause_cluster - [ ] purchase_reserved_node_offering - [ ] reboot_cluster +- [ ] reject_data_share - [ ] reset_cluster_parameter_group - [ ] resize_cluster - [X] restore_from_cluster_snapshot - [ ] restore_table_from_cluster_snapshot -- [ ] resume_cluster +- [X] resume_cluster - [ ] revoke_cluster_security_group_ingress +- [ ] revoke_endpoint_access - [ ] revoke_snapshot_access - [ ] rotate_encryption_key +- [ ] update_partner_status
-## rekognition +## redshift-data
-0% implemented +40% implemented -- [ ] compare_faces -- [ ] create_collection -- [ ] create_project -- [ ] create_project_version -- [ ] create_stream_processor -- [ ] delete_collection -- [ ] delete_faces -- [ ] delete_project -- [ ] delete_project_version -- [ ] delete_stream_processor -- [ ] describe_collection -- [ ] describe_project_versions -- [ ] describe_projects -- [ ] describe_stream_processor -- [ ] detect_custom_labels -- [ ] detect_faces -- [ ] detect_labels -- [ ] detect_moderation_labels -- [ ] detect_text -- [ ] get_celebrity_info -- [ ] get_celebrity_recognition -- [ ] get_content_moderation -- [ ] get_face_detection -- [ ] get_face_search -- [ ] get_label_detection -- [ ] get_person_tracking -- [ ] get_text_detection -- [ ] index_faces -- [ ] list_collections -- [ ] list_faces -- [ ] list_stream_processors -- [ ] recognize_celebrities -- [ ] search_faces -- [ ] search_faces_by_image -- [ ] start_celebrity_recognition -- [ ] start_content_moderation -- [ ] start_face_detection -- [ ] start_face_search -- [ ] start_label_detection -- [ ] start_person_tracking -- [ ] start_project_version -- [ ] start_stream_processor -- [ ] start_text_detection -- [ ] stop_project_version -- [ ] stop_stream_processor +- [ ] batch_execute_statement +- [X] cancel_statement +- [X] describe_statement +- [ ] describe_table +- [X] execute_statement +- [X] get_statement_result +- [ ] list_databases +- [ ] list_schemas +- [ ] list_statements +- [ ] list_tables
## resource-groups
-75% implemented +68% implemented - [X] create_group - [X] delete_group - [X] get_group +- [X] get_group_configuration - [ ] get_group_query - [X] get_tags +- [ ] group_resources - [ ] list_group_resources - [X] list_groups +- [X] put_group_configuration - [ ] search_resources - [X] tag +- [ ] ungroup_resources - [X] untag - [X] update_group - [X] update_group_query @@ -6902,99 +4207,61 @@ - [ ] untag_resources
-## robomaker -
-0% implemented - -- [ ] batch_describe_simulation_job -- [ ] cancel_deployment_job -- [ ] cancel_simulation_job -- [ ] cancel_simulation_job_batch -- [ ] create_deployment_job -- [ ] create_fleet -- [ ] create_robot -- [ ] create_robot_application -- [ ] create_robot_application_version -- [ ] create_simulation_application -- [ ] create_simulation_application_version -- [ ] create_simulation_job -- [ ] delete_fleet -- [ ] delete_robot -- [ ] delete_robot_application -- [ ] delete_simulation_application -- [ ] deregister_robot -- [ ] describe_deployment_job -- [ ] describe_fleet -- [ ] describe_robot -- [ ] describe_robot_application -- [ ] describe_simulation_application -- [ ] describe_simulation_job -- [ ] describe_simulation_job_batch -- [ ] list_deployment_jobs -- [ ] list_fleets -- [ ] list_robot_applications -- [ ] list_robots -- [ ] list_simulation_applications -- [ ] list_simulation_job_batches -- [ ] list_simulation_jobs -- [ ] list_tags_for_resource -- [ ] register_robot -- [ ] restart_simulation_job -- [ ] start_simulation_job_batch -- [ ] sync_deployment_job -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_robot_application -- [ ] update_simulation_application -
- ## route53
-12% implemented +34% implemented +- [ ] activate_key_signing_key - [ ] associate_vpc_with_hosted_zone -- [ ] change_resource_record_sets +- [X] change_resource_record_sets - [X] change_tags_for_resource - [X] create_health_check - [X] create_hosted_zone -- [ ] create_query_logging_config -- [ ] create_reusable_delegation_set +- [ ] create_key_signing_key +- [X] create_query_logging_config +- [X] create_reusable_delegation_set - [ ] create_traffic_policy - [ ] create_traffic_policy_instance - [ ] create_traffic_policy_version - [ ] create_vpc_association_authorization +- [ ] deactivate_key_signing_key - [X] delete_health_check - [X] delete_hosted_zone -- [ ] delete_query_logging_config -- [ ] delete_reusable_delegation_set +- [ ] delete_key_signing_key +- [X] delete_query_logging_config +- [X] delete_reusable_delegation_set - [ ] delete_traffic_policy - [ ] delete_traffic_policy_instance - [ ] delete_vpc_association_authorization +- [ ] disable_hosted_zone_dnssec - [ ] disassociate_vpc_from_hosted_zone +- [ ] enable_hosted_zone_dnssec - [ ] get_account_limit - [ ] get_change - [ ] get_checker_ip_ranges +- [ ] get_dnssec - [ ] get_geo_location - [ ] get_health_check - [ ] get_health_check_count - [ ] get_health_check_last_failure_reason - [ ] get_health_check_status - [X] get_hosted_zone -- [ ] get_hosted_zone_count +- [X] get_hosted_zone_count - [ ] get_hosted_zone_limit -- [ ] get_query_logging_config -- [ ] get_reusable_delegation_set +- [X] get_query_logging_config +- [X] get_reusable_delegation_set - [ ] get_reusable_delegation_set_limit - [ ] get_traffic_policy - [ ] get_traffic_policy_instance - [ ] get_traffic_policy_instance_count - [ ] list_geo_locations -- [ ] list_health_checks -- [ ] list_hosted_zones -- [ ] list_hosted_zones_by_name -- [ ] list_query_logging_configs -- [ ] list_resource_record_sets -- [ ] list_reusable_delegation_sets +- [X] list_health_checks +- [X] list_hosted_zones +- [X] list_hosted_zones_by_name +- [X] list_hosted_zones_by_vpc +- [X] list_query_logging_configs +- [X] list_resource_record_sets +- [X] list_reusable_delegation_sets - [X] list_tags_for_resource - [ ] list_tags_for_resources - [ ] list_traffic_policies @@ -7010,319 +4277,491 @@ - [ ] update_traffic_policy_instance
-## route53domains -
-0% implemented - -- [ ] accept_domain_transfer_from_another_aws_account -- [ ] cancel_domain_transfer_to_another_aws_account -- [ ] check_domain_availability -- [ ] check_domain_transferability -- [ ] delete_tags_for_domain -- [ ] disable_domain_auto_renew -- [ ] disable_domain_transfer_lock -- [ ] enable_domain_auto_renew -- [ ] enable_domain_transfer_lock -- [ ] get_contact_reachability_status -- [ ] get_domain_detail -- [ ] get_domain_suggestions -- [ ] get_operation_detail -- [ ] list_domains -- [ ] list_operations -- [ ] list_tags_for_domain -- [ ] register_domain -- [ ] reject_domain_transfer_from_another_aws_account -- [ ] renew_domain -- [ ] resend_contact_reachability_email -- [ ] retrieve_domain_auth_code -- [ ] transfer_domain -- [ ] transfer_domain_to_another_aws_account -- [ ] update_domain_contact -- [ ] update_domain_contact_privacy -- [ ] update_domain_nameservers -- [ ] update_tags_for_domain -- [ ] view_billing -
- ## route53resolver
-0% implemented +26% implemented +- [ ] associate_firewall_rule_group - [ ] associate_resolver_endpoint_ip_address -- [ ] associate_resolver_rule -- [ ] create_resolver_endpoint -- [ ] create_resolver_rule -- [ ] delete_resolver_endpoint -- [ ] delete_resolver_rule +- [ ] associate_resolver_query_log_config +- [X] associate_resolver_rule +- [ ] create_firewall_domain_list +- [ ] create_firewall_rule +- [ ] create_firewall_rule_group +- [X] create_resolver_endpoint +- [ ] create_resolver_query_log_config +- [X] create_resolver_rule +- [ ] delete_firewall_domain_list +- [ ] delete_firewall_rule +- [ ] delete_firewall_rule_group +- [X] delete_resolver_endpoint +- [ ] delete_resolver_query_log_config +- [X] delete_resolver_rule +- [ ] disassociate_firewall_rule_group - [ ] disassociate_resolver_endpoint_ip_address -- [ ] disassociate_resolver_rule -- [ ] get_resolver_endpoint -- [ ] get_resolver_rule -- [ ] get_resolver_rule_association +- [ ] disassociate_resolver_query_log_config +- [X] disassociate_resolver_rule +- [ ] get_firewall_config +- [ ] get_firewall_domain_list +- [ ] get_firewall_rule_group +- [ ] get_firewall_rule_group_association +- [ ] get_firewall_rule_group_policy +- [ ] get_resolver_config +- [ ] get_resolver_dnssec_config +- [X] get_resolver_endpoint +- [ ] get_resolver_query_log_config +- [ ] get_resolver_query_log_config_association +- [ ] get_resolver_query_log_config_policy +- [X] get_resolver_rule +- [X] get_resolver_rule_association - [ ] get_resolver_rule_policy -- [ ] list_resolver_endpoint_ip_addresses -- [ ] list_resolver_endpoints -- [ ] list_resolver_rule_associations -- [ ] list_resolver_rules -- [ ] list_tags_for_resource +- [ ] import_firewall_domains +- [ ] list_firewall_configs +- [ ] list_firewall_domain_lists +- [ ] list_firewall_domains +- [ ] list_firewall_rule_group_associations +- [ ] list_firewall_rule_groups +- [ ] list_firewall_rules +- [ ] list_resolver_configs +- [ ] list_resolver_dnssec_configs +- [X] list_resolver_endpoint_ip_addresses +- [X] list_resolver_endpoints +- [ ] list_resolver_query_log_config_associations +- [ ] list_resolver_query_log_configs +- [X] list_resolver_rule_associations +- [X] list_resolver_rules +- [X] list_tags_for_resource +- [ ] put_firewall_rule_group_policy +- [ ] put_resolver_query_log_config_policy - [ ] put_resolver_rule_policy -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_resolver_endpoint +- [X] tag_resource +- [X] untag_resource +- [ ] update_firewall_config +- [ ] update_firewall_domains +- [ ] update_firewall_rule +- [ ] update_firewall_rule_group_association +- [ ] update_resolver_config +- [ ] update_resolver_dnssec_config +- [X] update_resolver_endpoint - [ ] update_resolver_rule
## s3
-25% implemented +58% implemented -- [ ] abort_multipart_upload -- [ ] complete_multipart_upload -- [ ] copy_object +- [X] abort_multipart_upload +- [X] complete_multipart_upload +- [X] copy_object - [X] create_bucket -- [ ] create_multipart_upload +- [X] create_multipart_upload - [X] delete_bucket - [ ] delete_bucket_analytics_configuration - [X] delete_bucket_cors - [X] delete_bucket_encryption +- [ ] delete_bucket_intelligent_tiering_configuration - [ ] delete_bucket_inventory_configuration -- [ ] delete_bucket_lifecycle +- [X] delete_bucket_lifecycle - [ ] delete_bucket_metrics_configuration +- [ ] delete_bucket_ownership_controls - [X] delete_bucket_policy -- [ ] delete_bucket_replication +- [X] delete_bucket_replication - [X] delete_bucket_tagging -- [ ] delete_bucket_website +- [X] delete_bucket_website - [X] delete_object -- [x] delete_object_tagging -- [ ] delete_objects -- [ ] delete_public_access_block +- [X] delete_object_tagging +- [X] delete_objects +- [X] delete_public_access_block - [ ] get_bucket_accelerate_configuration - [X] get_bucket_acl - [ ] get_bucket_analytics_configuration - [X] get_bucket_cors - [X] get_bucket_encryption +- [ ] get_bucket_intelligent_tiering_configuration - [ ] get_bucket_inventory_configuration -- [ ] get_bucket_lifecycle +- [X] get_bucket_lifecycle - [ ] get_bucket_lifecycle_configuration -- [ ] get_bucket_location +- [X] get_bucket_location - [X] get_bucket_logging - [ ] get_bucket_metrics_configuration - [ ] get_bucket_notification - [X] get_bucket_notification_configuration +- [ ] get_bucket_ownership_controls - [X] get_bucket_policy - [ ] get_bucket_policy_status -- [ ] get_bucket_replication +- [X] get_bucket_replication - [ ] get_bucket_request_payment - [X] get_bucket_tagging - [X] get_bucket_versioning - [ ] get_bucket_website - [X] get_object -- [ ] get_object_acl -- [ ] get_object_legal_hold -- [ ] get_object_lock_configuration +- [X] get_object_acl +- [ ] get_object_attributes +- [X] get_object_legal_hold +- [X] get_object_lock_configuration - [ ] get_object_retention -- [ ] get_object_tagging +- [X] get_object_tagging - [ ] get_object_torrent -- [ ] get_public_access_block -- [ ] head_bucket -- [ ] head_object +- [X] get_public_access_block +- [X] head_bucket +- [X] head_object - [ ] list_bucket_analytics_configurations +- [ ] list_bucket_intelligent_tiering_configurations - [ ] list_bucket_inventory_configurations - [ ] list_bucket_metrics_configurations -- [ ] list_buckets +- [X] list_buckets - [ ] list_multipart_uploads -- [ ] list_object_versions -- [ ] list_objects -- [ ] list_objects_v2 -- [ ] list_parts +- [X] list_object_versions +- [X] list_objects +- [X] list_objects_v2 +- [X] list_parts - [X] put_bucket_accelerate_configuration -- [ ] put_bucket_acl +- [X] put_bucket_acl - [ ] put_bucket_analytics_configuration - [X] put_bucket_cors - [X] put_bucket_encryption +- [ ] put_bucket_intelligent_tiering_configuration - [ ] put_bucket_inventory_configuration -- [ ] put_bucket_lifecycle +- [X] put_bucket_lifecycle - [ ] put_bucket_lifecycle_configuration - [X] put_bucket_logging - [ ] put_bucket_metrics_configuration - [ ] put_bucket_notification - [X] put_bucket_notification_configuration -- [ ] put_bucket_policy -- [ ] put_bucket_replication +- [ ] put_bucket_ownership_controls +- [X] put_bucket_policy +- [X] put_bucket_replication - [ ] put_bucket_request_payment - [X] put_bucket_tagging - [ ] put_bucket_versioning - [ ] put_bucket_website -- [ ] put_object -- [ ] put_object_acl -- [ ] put_object_legal_hold -- [ ] put_object_lock_configuration -- [ ] put_object_retention +- [X] put_object +- [X] put_object_acl +- [X] put_object_legal_hold +- [X] put_object_lock_configuration +- [X] put_object_retention - [ ] put_object_tagging - [ ] put_public_access_block - [ ] restore_object - [ ] select_object_content -- [ ] upload_part +- [X] upload_part - [ ] upload_part_copy +- [ ] write_get_object_response
## s3control
-0% implemented +15% implemented -- [ ] create_access_point +- [X] create_access_point +- [ ] create_access_point_for_object_lambda +- [ ] create_bucket - [ ] create_job -- [ ] delete_access_point -- [ ] delete_access_point_policy +- [ ] create_multi_region_access_point +- [X] delete_access_point +- [ ] delete_access_point_for_object_lambda +- [X] delete_access_point_policy +- [ ] delete_access_point_policy_for_object_lambda +- [ ] delete_bucket +- [ ] delete_bucket_lifecycle_configuration +- [ ] delete_bucket_policy +- [ ] delete_bucket_tagging - [ ] delete_job_tagging -- [ ] delete_public_access_block +- [ ] delete_multi_region_access_point +- [X] delete_public_access_block +- [ ] delete_storage_lens_configuration +- [ ] delete_storage_lens_configuration_tagging - [ ] describe_job -- [ ] get_access_point -- [ ] get_access_point_policy -- [ ] get_access_point_policy_status +- [ ] describe_multi_region_access_point_operation +- [X] get_access_point +- [ ] get_access_point_configuration_for_object_lambda +- [ ] get_access_point_for_object_lambda +- [X] get_access_point_policy +- [ ] get_access_point_policy_for_object_lambda +- [X] get_access_point_policy_status +- [ ] get_access_point_policy_status_for_object_lambda +- [ ] get_bucket +- [ ] get_bucket_lifecycle_configuration +- [ ] get_bucket_policy +- [ ] get_bucket_tagging - [ ] get_job_tagging -- [ ] get_public_access_block +- [ ] get_multi_region_access_point +- [ ] get_multi_region_access_point_policy +- [ ] get_multi_region_access_point_policy_status +- [X] get_public_access_block +- [ ] get_storage_lens_configuration +- [ ] get_storage_lens_configuration_tagging - [ ] list_access_points +- [ ] list_access_points_for_object_lambda - [ ] list_jobs +- [ ] list_multi_region_access_points +- [ ] list_regional_buckets +- [ ] list_storage_lens_configurations +- [ ] put_access_point_configuration_for_object_lambda - [ ] put_access_point_policy +- [ ] put_access_point_policy_for_object_lambda +- [ ] put_bucket_lifecycle_configuration +- [ ] put_bucket_policy +- [ ] put_bucket_tagging - [ ] put_job_tagging -- [ ] put_public_access_block +- [ ] put_multi_region_access_point_policy +- [X] put_public_access_block +- [ ] put_storage_lens_configuration +- [ ] put_storage_lens_configuration_tagging - [ ] update_job_priority - [ ] update_job_status
## sagemaker
-0% implemented +15% implemented +- [ ] add_association - [ ] add_tags -- [ ] associate_trial_component +- [X] associate_trial_component +- [ ] batch_describe_model_package +- [ ] create_action - [ ] create_algorithm - [ ] create_app +- [ ] create_app_image_config +- [ ] create_artifact - [ ] create_auto_ml_job - [ ] create_code_repository - [ ] create_compilation_job +- [ ] create_context +- [ ] create_data_quality_job_definition +- [ ] create_device_fleet - [ ] create_domain -- [ ] create_endpoint -- [ ] create_endpoint_config -- [ ] create_experiment +- [ ] create_edge_packaging_job +- [X] create_endpoint +- [X] create_endpoint_config +- [X] create_experiment +- [ ] create_feature_group - [ ] create_flow_definition - [ ] create_human_task_ui - [ ] create_hyper_parameter_tuning_job +- [ ] create_image +- [ ] create_image_version +- [ ] create_inference_recommendations_job - [ ] create_labeling_job -- [ ] create_model +- [X] create_model +- [ ] create_model_bias_job_definition +- [ ] create_model_explainability_job_definition - [ ] create_model_package +- [ ] create_model_package_group +- [ ] create_model_quality_job_definition - [ ] create_monitoring_schedule -- [ ] create_notebook_instance -- [ ] create_notebook_instance_lifecycle_config +- [X] create_notebook_instance +- [X] create_notebook_instance_lifecycle_config +- [ ] create_pipeline - [ ] create_presigned_domain_url - [ ] create_presigned_notebook_instance_url -- [ ] create_processing_job -- [ ] create_training_job +- [X] create_processing_job +- [ ] create_project +- [ ] create_studio_lifecycle_config +- [X] create_training_job - [ ] create_transform_job -- [ ] create_trial -- [ ] create_trial_component +- [X] create_trial +- [X] create_trial_component - [ ] create_user_profile +- [ ] create_workforce - [ ] create_workteam +- [ ] delete_action - [ ] delete_algorithm - [ ] delete_app +- [ ] delete_app_image_config +- [ ] delete_artifact +- [ ] delete_association - [ ] delete_code_repository +- [ ] delete_context +- [ ] delete_data_quality_job_definition +- [ ] delete_device_fleet - [ ] delete_domain -- [ ] delete_endpoint -- [ ] delete_endpoint_config -- [ ] delete_experiment +- [X] delete_endpoint +- [X] delete_endpoint_config +- [X] delete_experiment +- [ ] delete_feature_group - [ ] delete_flow_definition -- [ ] delete_model +- [ ] delete_human_task_ui +- [ ] delete_image +- [ ] delete_image_version +- [X] delete_model +- [ ] delete_model_bias_job_definition +- [ ] delete_model_explainability_job_definition - [ ] delete_model_package +- [ ] delete_model_package_group +- [ ] delete_model_package_group_policy +- [ ] delete_model_quality_job_definition - [ ] delete_monitoring_schedule -- [ ] delete_notebook_instance -- [ ] delete_notebook_instance_lifecycle_config +- [X] delete_notebook_instance +- [X] delete_notebook_instance_lifecycle_config +- [ ] delete_pipeline +- [ ] delete_project +- [ ] delete_studio_lifecycle_config - [ ] delete_tags -- [ ] delete_trial -- [ ] delete_trial_component +- [X] delete_trial +- [X] delete_trial_component - [ ] delete_user_profile +- [ ] delete_workforce - [ ] delete_workteam +- [ ] deregister_devices +- [ ] describe_action - [ ] describe_algorithm - [ ] describe_app +- [ ] describe_app_image_config +- [ ] describe_artifact - [ ] describe_auto_ml_job - [ ] describe_code_repository - [ ] describe_compilation_job +- [ ] describe_context +- [ ] describe_data_quality_job_definition +- [ ] describe_device +- [ ] describe_device_fleet - [ ] describe_domain -- [ ] describe_endpoint -- [ ] describe_endpoint_config -- [ ] describe_experiment +- [ ] describe_edge_packaging_job +- [X] describe_endpoint +- [X] describe_endpoint_config +- [X] describe_experiment +- [ ] describe_feature_group - [ ] describe_flow_definition - [ ] describe_human_task_ui - [ ] describe_hyper_parameter_tuning_job +- [ ] describe_image +- [ ] describe_image_version +- [ ] describe_inference_recommendations_job - [ ] describe_labeling_job -- [ ] describe_model +- [ ] describe_lineage_group +- [X] describe_model +- [ ] describe_model_bias_job_definition +- [ ] describe_model_explainability_job_definition - [ ] describe_model_package +- [ ] describe_model_package_group +- [ ] describe_model_quality_job_definition - [ ] describe_monitoring_schedule - [ ] describe_notebook_instance -- [ ] describe_notebook_instance_lifecycle_config -- [ ] describe_processing_job +- [X] describe_notebook_instance_lifecycle_config +- [ ] describe_pipeline +- [ ] describe_pipeline_definition_for_execution +- [ ] describe_pipeline_execution +- [X] describe_processing_job +- [ ] describe_project +- [ ] describe_studio_lifecycle_config - [ ] describe_subscribed_workteam -- [ ] describe_training_job +- [X] describe_training_job - [ ] describe_transform_job -- [ ] describe_trial -- [ ] describe_trial_component +- [X] describe_trial +- [X] describe_trial_component - [ ] describe_user_profile - [ ] describe_workforce - [ ] describe_workteam -- [ ] disassociate_trial_component +- [ ] disable_sagemaker_servicecatalog_portfolio +- [X] disassociate_trial_component +- [ ] enable_sagemaker_servicecatalog_portfolio +- [ ] get_device_fleet_report +- [ ] get_lineage_group_policy +- [ ] get_model_package_group_policy +- [ ] get_sagemaker_servicecatalog_portfolio_status - [ ] get_search_suggestions +- [ ] list_actions - [ ] list_algorithms +- [ ] list_app_image_configs - [ ] list_apps +- [ ] list_artifacts +- [ ] list_associations - [ ] list_auto_ml_jobs - [ ] list_candidates_for_auto_ml_job - [ ] list_code_repositories - [ ] list_compilation_jobs +- [ ] list_contexts +- [ ] list_data_quality_job_definitions +- [ ] list_device_fleets +- [ ] list_devices - [ ] list_domains +- [ ] list_edge_packaging_jobs - [ ] list_endpoint_configs - [ ] list_endpoints -- [ ] list_experiments +- [X] list_experiments +- [ ] list_feature_groups - [ ] list_flow_definitions - [ ] list_human_task_uis - [ ] list_hyper_parameter_tuning_jobs +- [ ] list_image_versions +- [ ] list_images +- [ ] list_inference_recommendations_jobs - [ ] list_labeling_jobs - [ ] list_labeling_jobs_for_workteam +- [ ] list_lineage_groups +- [ ] list_model_bias_job_definitions +- [ ] list_model_explainability_job_definitions +- [ ] list_model_metadata +- [ ] list_model_package_groups - [ ] list_model_packages -- [ ] list_models +- [ ] list_model_quality_job_definitions +- [X] list_models - [ ] list_monitoring_executions - [ ] list_monitoring_schedules - [ ] list_notebook_instance_lifecycle_configs - [ ] list_notebook_instances -- [ ] list_processing_jobs +- [ ] list_pipeline_execution_steps +- [ ] list_pipeline_executions +- [ ] list_pipeline_parameters_for_execution +- [ ] list_pipelines +- [X] list_processing_jobs +- [ ] list_projects +- [ ] list_studio_lifecycle_configs - [ ] list_subscribed_workteams - [ ] list_tags -- [ ] list_training_jobs +- [X] list_training_jobs - [ ] list_training_jobs_for_hyper_parameter_tuning_job - [ ] list_transform_jobs -- [ ] list_trial_components -- [ ] list_trials +- [X] list_trial_components +- [X] list_trials - [ ] list_user_profiles +- [ ] list_workforces - [ ] list_workteams +- [ ] put_model_package_group_policy +- [ ] query_lineage +- [ ] register_devices - [ ] render_ui_template -- [ ] search +- [ ] retry_pipeline_execution +- [X] search +- [ ] send_pipeline_execution_step_failure +- [ ] send_pipeline_execution_step_success - [ ] start_monitoring_schedule -- [ ] start_notebook_instance +- [X] start_notebook_instance +- [ ] start_pipeline_execution - [ ] stop_auto_ml_job - [ ] stop_compilation_job +- [ ] stop_edge_packaging_job - [ ] stop_hyper_parameter_tuning_job +- [ ] stop_inference_recommendations_job - [ ] stop_labeling_job - [ ] stop_monitoring_schedule -- [ ] stop_notebook_instance +- [X] stop_notebook_instance +- [ ] stop_pipeline_execution - [ ] stop_processing_job - [ ] stop_training_job - [ ] stop_transform_job +- [ ] update_action +- [ ] update_app_image_config +- [ ] update_artifact - [ ] update_code_repository +- [ ] update_context +- [ ] update_device_fleet +- [ ] update_devices - [ ] update_domain - [ ] update_endpoint - [ ] update_endpoint_weights_and_capacities - [ ] update_experiment +- [ ] update_image +- [ ] update_model_package - [ ] update_monitoring_schedule - [ ] update_notebook_instance - [ ] update_notebook_instance_lifecycle_config +- [ ] update_pipeline +- [ ] update_pipeline_execution +- [ ] update_project +- [ ] update_training_job - [ ] update_trial - [ ] update_trial_component - [ ] update_user_profile @@ -7330,322 +4769,85 @@ - [ ] update_workteam
-## sagemaker-a2i-runtime -
-0% implemented - -- [ ] delete_human_loop -- [ ] describe_human_loop -- [ ] list_human_loops -- [ ] start_human_loop -- [ ] stop_human_loop -
- -## sagemaker-runtime -
-0% implemented - -- [ ] invoke_endpoint -
- -## savingsplans -
-0% implemented - -- [ ] create_savings_plan -- [ ] describe_savings_plan_rates -- [ ] describe_savings_plans -- [ ] describe_savings_plans_offering_rates -- [ ] describe_savings_plans_offerings -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -
- -## schemas -
-0% implemented - -- [ ] create_discoverer -- [ ] create_registry -- [ ] create_schema -- [ ] delete_discoverer -- [ ] delete_registry -- [ ] delete_resource_policy -- [ ] delete_schema -- [ ] delete_schema_version -- [ ] describe_code_binding -- [ ] describe_discoverer -- [ ] describe_registry -- [ ] describe_schema -- [ ] get_code_binding_source -- [ ] get_discovered_schema -- [ ] get_resource_policy -- [ ] list_discoverers -- [ ] list_registries -- [ ] list_schema_versions -- [ ] list_schemas -- [ ] list_tags_for_resource -- [ ] put_code_binding -- [ ] put_resource_policy -- [ ] search_schemas -- [ ] start_discoverer -- [ ] stop_discoverer -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_discoverer -- [ ] update_registry -- [ ] update_schema -
- ## sdb
-0% implemented - -- [ ] batch_delete_attributes -- [ ] batch_put_attributes -- [ ] create_domain -- [ ] delete_attributes -- [ ] delete_domain -- [ ] domain_metadata -- [ ] get_attributes -- [ ] list_domains -- [ ] put_attributes -- [ ] select -
- -## secretsmanager -
-66% implemented - -- [ ] cancel_rotate_secret -- [X] create_secret -- [ ] delete_resource_policy -- [X] delete_secret -- [X] describe_secret -- [X] get_random_password -- [X] get_resource_policy -- [X] get_secret_value -- [X] list_secret_version_ids -- [X] list_secrets -- [ ] put_resource_policy -- [X] put_secret_value -- [X] restore_secret -- [X] rotate_secret -- [ ] tag_resource -- [ ] untag_resource -- [X] update_secret -- [ ] update_secret_version_stage -
- -## securityhub -
-0% implemented - -- [ ] accept_invitation -- [ ] batch_disable_standards -- [ ] batch_enable_standards -- [ ] batch_import_findings -- [ ] batch_update_findings -- [ ] create_action_target -- [ ] create_insight -- [ ] create_members -- [ ] decline_invitations -- [ ] delete_action_target -- [ ] delete_insight -- [ ] delete_invitations -- [ ] delete_members -- [ ] describe_action_targets -- [ ] describe_hub -- [ ] describe_products -- [ ] describe_standards -- [ ] describe_standards_controls -- [ ] disable_import_findings_for_product -- [ ] disable_security_hub -- [ ] disassociate_from_master_account -- [ ] disassociate_members -- [ ] enable_import_findings_for_product -- [ ] enable_security_hub -- [ ] get_enabled_standards -- [ ] get_findings -- [ ] get_insight_results -- [ ] get_insights -- [ ] get_invitations_count -- [ ] get_master_account -- [ ] get_members -- [ ] invite_members -- [ ] list_enabled_products_for_import -- [ ] list_invitations -- [ ] list_members -- [ ] list_tags_for_resource -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_action_target -- [ ] update_findings -- [ ] update_insight -- [ ] update_standards_control -
- -## serverlessrepo -
-0% implemented - -- [ ] create_application -- [ ] create_application_version -- [ ] create_cloud_formation_change_set -- [ ] create_cloud_formation_template -- [ ] delete_application -- [ ] get_application -- [ ] get_application_policy -- [ ] get_cloud_formation_template -- [ ] list_application_dependencies -- [ ] list_application_versions -- [ ] list_applications -- [ ] put_application_policy -- [ ] unshare_application -- [ ] update_application -
+50% implemented -## service-quotas -
-0% implemented - -- [ ] associate_service_quota_template -- [ ] delete_service_quota_increase_request_from_template -- [ ] disassociate_service_quota_template -- [ ] get_association_for_service_quota_template -- [ ] get_aws_default_service_quota -- [ ] get_requested_service_quota_change -- [ ] get_service_quota -- [ ] get_service_quota_increase_request_from_template -- [ ] list_aws_default_service_quotas -- [ ] list_requested_service_quota_change_history -- [ ] list_requested_service_quota_change_history_by_quota -- [ ] list_service_quota_increase_requests_in_template -- [ ] list_service_quotas -- [ ] list_services -- [ ] put_service_quota_increase_request_into_template -- [ ] request_service_quota_increase +- [ ] batch_delete_attributes +- [ ] batch_put_attributes +- [X] create_domain +- [ ] delete_attributes +- [X] delete_domain +- [ ] domain_metadata +- [X] get_attributes +- [X] list_domains +- [X] put_attributes +- [ ] select
-## servicecatalog +## secretsmanager
-0% implemented - -- [ ] accept_portfolio_share -- [ ] associate_budget_with_resource -- [ ] associate_principal_with_portfolio -- [ ] associate_product_with_portfolio -- [ ] associate_service_action_with_provisioning_artifact -- [ ] associate_tag_option_with_resource -- [ ] batch_associate_service_action_with_provisioning_artifact -- [ ] batch_disassociate_service_action_from_provisioning_artifact -- [ ] copy_product -- [ ] create_constraint -- [ ] create_portfolio -- [ ] create_portfolio_share -- [ ] create_product -- [ ] create_provisioned_product_plan -- [ ] create_provisioning_artifact -- [ ] create_service_action -- [ ] create_tag_option -- [ ] delete_constraint -- [ ] delete_portfolio -- [ ] delete_portfolio_share -- [ ] delete_product -- [ ] delete_provisioned_product_plan -- [ ] delete_provisioning_artifact -- [ ] delete_service_action -- [ ] delete_tag_option -- [ ] describe_constraint -- [ ] describe_copy_product_status -- [ ] describe_portfolio -- [ ] describe_portfolio_share_status -- [ ] describe_product -- [ ] describe_product_as_admin -- [ ] describe_product_view -- [ ] describe_provisioned_product -- [ ] describe_provisioned_product_plan -- [ ] describe_provisioning_artifact -- [ ] describe_provisioning_parameters -- [ ] describe_record -- [ ] describe_service_action -- [ ] describe_service_action_execution_parameters -- [ ] describe_tag_option -- [ ] disable_aws_organizations_access -- [ ] disassociate_budget_from_resource -- [ ] disassociate_principal_from_portfolio -- [ ] disassociate_product_from_portfolio -- [ ] disassociate_service_action_from_provisioning_artifact -- [ ] disassociate_tag_option_from_resource -- [ ] enable_aws_organizations_access -- [ ] execute_provisioned_product_plan -- [ ] execute_provisioned_product_service_action -- [ ] get_aws_organizations_access_status -- [ ] list_accepted_portfolio_shares -- [ ] list_budgets_for_resource -- [ ] list_constraints_for_portfolio -- [ ] list_launch_paths -- [ ] list_organization_portfolio_access -- [ ] list_portfolio_access -- [ ] list_portfolios -- [ ] list_portfolios_for_product -- [ ] list_principals_for_portfolio -- [ ] list_provisioned_product_plans -- [ ] list_provisioning_artifacts -- [ ] list_provisioning_artifacts_for_service_action -- [ ] list_record_history -- [ ] list_resources_for_tag_option -- [ ] list_service_actions -- [ ] list_service_actions_for_provisioning_artifact -- [ ] list_stack_instances_for_provisioned_product -- [ ] list_tag_options -- [ ] provision_product -- [ ] reject_portfolio_share -- [ ] scan_provisioned_products -- [ ] search_products -- [ ] search_products_as_admin -- [ ] search_provisioned_products -- [ ] terminate_provisioned_product -- [ ] update_constraint -- [ ] update_portfolio -- [ ] update_product -- [ ] update_provisioned_product -- [ ] update_provisioned_product_properties -- [ ] update_provisioning_artifact -- [ ] update_service_action -- [ ] update_tag_option +68% implemented + +- [ ] cancel_rotate_secret +- [X] create_secret +- [ ] delete_resource_policy +- [X] delete_secret +- [X] describe_secret +- [X] get_random_password +- [X] get_resource_policy +- [X] get_secret_value +- [X] list_secret_version_ids +- [X] list_secrets +- [ ] put_resource_policy +- [X] put_secret_value +- [ ] remove_regions_from_replication +- [ ] replicate_secret_to_regions +- [X] restore_secret +- [X] rotate_secret +- [ ] stop_replication_to_replica +- [X] tag_resource +- [X] untag_resource +- [X] update_secret +- [X] update_secret_version_stage +- [ ] validate_resource_policy
## servicediscovery
-0% implemented - -- [ ] create_http_namespace -- [ ] create_private_dns_namespace -- [ ] create_public_dns_namespace -- [ ] create_service -- [ ] delete_namespace -- [ ] delete_service +61% implemented + +- [X] create_http_namespace +- [X] create_private_dns_namespace +- [X] create_public_dns_namespace +- [X] create_service +- [X] delete_namespace +- [X] delete_service - [ ] deregister_instance - [ ] discover_instances - [ ] get_instance - [ ] get_instances_health_status -- [ ] get_namespace -- [ ] get_operation -- [ ] get_service +- [X] get_namespace +- [X] get_operation +- [X] get_service - [ ] list_instances -- [ ] list_namespaces -- [ ] list_operations -- [ ] list_services +- [X] list_namespaces +- [X] list_operations +- [X] list_services +- [X] list_tags_for_resource - [ ] register_instance +- [X] tag_resource +- [X] untag_resource +- [ ] update_http_namespace - [ ] update_instance_custom_health_status -- [ ] update_service +- [ ] update_private_dns_namespace +- [ ] update_public_dns_namespace +- [X] update_service
## ses
-21% implemented +35% implemented - [ ] clone_receipt_rule_set - [X] create_configuration_set @@ -7653,8 +4855,8 @@ - [ ] create_configuration_set_tracking_options - [ ] create_custom_verification_email_template - [ ] create_receipt_filter -- [ ] create_receipt_rule -- [ ] create_receipt_rule_set +- [X] create_receipt_rule +- [X] create_receipt_rule_set - [ ] create_template - [ ] delete_configuration_set - [ ] delete_configuration_set_event_destination @@ -7669,13 +4871,13 @@ - [ ] delete_verified_email_address - [ ] describe_active_receipt_rule_set - [ ] describe_configuration_set -- [ ] describe_receipt_rule -- [ ] describe_receipt_rule_set +- [X] describe_receipt_rule +- [X] describe_receipt_rule_set - [ ] get_account_sending_enabled - [ ] get_custom_verification_email_template - [ ] get_identity_dkim_attributes -- [ ] get_identity_mail_from_domain_attributes -- [ ] get_identity_notification_attributes +- [X] get_identity_mail_from_domain_attributes +- [X] get_identity_notification_attributes - [ ] get_identity_policies - [ ] get_identity_verification_attributes - [X] get_send_quota @@ -7700,9 +4902,9 @@ - [X] send_templated_email - [ ] set_active_receipt_rule_set - [ ] set_identity_dkim_enabled -- [ ] set_identity_feedback_forwarding_enabled +- [X] set_identity_feedback_forwarding_enabled - [ ] set_identity_headers_in_notifications_enabled -- [ ] set_identity_mail_from_domain +- [X] set_identity_mail_from_domain - [X] set_identity_notification_topic - [ ] set_receipt_rule_position - [ ] test_render_template @@ -7712,213 +4914,47 @@ - [ ] update_configuration_set_sending_enabled - [ ] update_configuration_set_tracking_options - [ ] update_custom_verification_email_template -- [ ] update_receipt_rule -- [ ] update_template +- [X] update_receipt_rule +- [X] update_template - [ ] verify_domain_dkim - [ ] verify_domain_identity - [X] verify_email_address - [X] verify_email_identity
-## sesv2 -
-0% implemented - -- [ ] create_configuration_set -- [ ] create_configuration_set_event_destination -- [ ] create_dedicated_ip_pool -- [ ] create_deliverability_test_report -- [ ] create_email_identity -- [ ] delete_configuration_set -- [ ] delete_configuration_set_event_destination -- [ ] delete_dedicated_ip_pool -- [ ] delete_email_identity -- [ ] delete_suppressed_destination -- [ ] get_account -- [ ] get_blacklist_reports -- [ ] get_configuration_set -- [ ] get_configuration_set_event_destinations -- [ ] get_dedicated_ip -- [ ] get_dedicated_ips -- [ ] get_deliverability_dashboard_options -- [ ] get_deliverability_test_report -- [ ] get_domain_deliverability_campaign -- [ ] get_domain_statistics_report -- [ ] get_email_identity -- [ ] get_suppressed_destination -- [ ] list_configuration_sets -- [ ] list_dedicated_ip_pools -- [ ] list_deliverability_test_reports -- [ ] list_domain_deliverability_campaigns -- [ ] list_email_identities -- [ ] list_suppressed_destinations -- [ ] list_tags_for_resource -- [ ] put_account_dedicated_ip_warmup_attributes -- [ ] put_account_sending_attributes -- [ ] put_account_suppression_attributes -- [ ] put_configuration_set_delivery_options -- [ ] put_configuration_set_reputation_options -- [ ] put_configuration_set_sending_options -- [ ] put_configuration_set_suppression_options -- [ ] put_configuration_set_tracking_options -- [ ] put_dedicated_ip_in_pool -- [ ] put_dedicated_ip_warmup_attributes -- [ ] put_deliverability_dashboard_option -- [ ] put_email_identity_dkim_attributes -- [ ] put_email_identity_dkim_signing_attributes -- [ ] put_email_identity_feedback_attributes -- [ ] put_email_identity_mail_from_attributes -- [ ] put_suppressed_destination -- [ ] send_email -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_configuration_set_event_destination -
- -## shield -
-0% implemented - -- [ ] associate_drt_log_bucket -- [ ] associate_drt_role -- [ ] associate_health_check -- [ ] create_protection -- [ ] create_subscription -- [ ] delete_protection -- [ ] delete_subscription -- [ ] describe_attack -- [ ] describe_drt_access -- [ ] describe_emergency_contact_settings -- [ ] describe_protection -- [ ] describe_subscription -- [ ] disassociate_drt_log_bucket -- [ ] disassociate_drt_role -- [ ] disassociate_health_check -- [ ] get_subscription_state -- [ ] list_attacks -- [ ] list_protections -- [ ] update_emergency_contact_settings -- [ ] update_subscription -
- -## signer -
-0% implemented - -- [ ] cancel_signing_profile -- [ ] describe_signing_job -- [ ] get_signing_platform -- [ ] get_signing_profile -- [ ] list_signing_jobs -- [ ] list_signing_platforms -- [ ] list_signing_profiles -- [ ] list_tags_for_resource -- [ ] put_signing_profile -- [ ] start_signing_job -- [ ] tag_resource -- [ ] untag_resource -
- -## sms -
-0% implemented - -- [ ] create_app -- [ ] create_replication_job -- [ ] delete_app -- [ ] delete_app_launch_configuration -- [ ] delete_app_replication_configuration -- [ ] delete_replication_job -- [ ] delete_server_catalog -- [ ] disassociate_connector -- [ ] generate_change_set -- [ ] generate_template -- [ ] get_app -- [ ] get_app_launch_configuration -- [ ] get_app_replication_configuration -- [ ] get_connectors -- [ ] get_replication_jobs -- [ ] get_replication_runs -- [ ] get_servers -- [ ] import_server_catalog -- [ ] launch_app -- [ ] list_apps -- [ ] put_app_launch_configuration -- [ ] put_app_replication_configuration -- [ ] start_app_replication -- [ ] start_on_demand_replication_run -- [ ] stop_app_replication -- [ ] terminate_app -- [ ] update_app -- [ ] update_replication_job -
- -## sms-voice -
-0% implemented - -- [ ] create_configuration_set -- [ ] create_configuration_set_event_destination -- [ ] delete_configuration_set -- [ ] delete_configuration_set_event_destination -- [ ] get_configuration_set_event_destinations -- [ ] list_configuration_sets -- [ ] send_voice_message -- [ ] update_configuration_set_event_destination -
- -## snowball -
-0% implemented - -- [ ] cancel_cluster -- [ ] cancel_job -- [ ] create_address -- [ ] create_cluster -- [ ] create_job -- [ ] describe_address -- [ ] describe_addresses -- [ ] describe_cluster -- [ ] describe_job -- [ ] get_job_manifest -- [ ] get_job_unlock_code -- [ ] get_snowball_usage -- [ ] get_software_updates -- [ ] list_cluster_jobs -- [ ] list_clusters -- [ ] list_compatible_images -- [ ] list_jobs -- [ ] update_cluster -- [ ] update_job -
- ## sns
-63% implemented +55% implemented - [X] add_permission - [ ] check_if_phone_number_is_opted_out - [ ] confirm_subscription - [X] create_platform_application - [X] create_platform_endpoint +- [ ] create_sms_sandbox_phone_number - [X] create_topic - [X] delete_endpoint - [X] delete_platform_application +- [ ] delete_sms_sandbox_phone_number - [X] delete_topic - [ ] get_endpoint_attributes - [ ] get_platform_application_attributes - [ ] get_sms_attributes +- [ ] get_sms_sandbox_account_status - [X] get_subscription_attributes - [ ] get_topic_attributes - [X] list_endpoints_by_platform_application +- [ ] list_origination_numbers - [ ] list_phone_numbers_opted_out - [X] list_platform_applications +- [ ] list_sms_sandbox_phone_numbers - [X] list_subscriptions - [ ] list_subscriptions_by_topic - [X] list_tags_for_resource - [X] list_topics - [ ] opt_in_phone_number - [X] publish +- [X] publish_batch - [X] remove_permission - [X] set_endpoint_attributes - [ ] set_platform_application_attributes @@ -7929,6 +4965,7 @@ - [X] tag_resource - [X] unsubscribe - [X] untag_resource +- [ ] verify_sms_sandbox_phone_number
## sqs @@ -7959,24 +4996,27 @@ ## ssm
-12% implemented +20% implemented - [X] add_tags_to_resource +- [ ] associate_ops_item_related_item - [ ] cancel_command - [ ] cancel_maintenance_window_execution - [ ] create_activation - [ ] create_association - [ ] create_association_batch -- [ ] create_document -- [ ] create_maintenance_window +- [X] create_document +- [X] create_maintenance_window - [ ] create_ops_item +- [ ] create_ops_metadata - [ ] create_patch_baseline - [ ] create_resource_data_sync - [ ] delete_activation - [ ] delete_association -- [ ] delete_document +- [X] delete_document - [ ] delete_inventory -- [ ] delete_maintenance_window +- [X] delete_maintenance_window +- [ ] delete_ops_metadata - [X] delete_parameter - [X] delete_parameters - [ ] delete_patch_baseline @@ -7992,8 +5032,8 @@ - [ ] describe_automation_executions - [ ] describe_automation_step_executions - [ ] describe_available_patches -- [ ] describe_document -- [ ] describe_document_permission +- [X] describe_document +- [X] describe_document_permission - [ ] describe_effective_instance_associations - [ ] describe_effective_patches_for_patch_baseline - [ ] describe_instance_associations_status @@ -8008,7 +5048,7 @@ - [ ] describe_maintenance_window_schedule - [ ] describe_maintenance_window_targets - [ ] describe_maintenance_window_tasks -- [ ] describe_maintenance_windows +- [X] describe_maintenance_windows - [ ] describe_maintenance_windows_for_target - [ ] describe_ops_items - [X] describe_parameters @@ -8017,21 +5057,23 @@ - [ ] describe_patch_groups - [ ] describe_patch_properties - [ ] describe_sessions +- [ ] disassociate_ops_item_related_item - [ ] get_automation_execution - [ ] get_calendar_state - [X] get_command_invocation - [ ] get_connection_status - [ ] get_default_patch_baseline - [ ] get_deployable_patch_snapshot_for_instance -- [ ] get_document +- [X] get_document - [ ] get_inventory - [ ] get_inventory_schema -- [ ] get_maintenance_window +- [X] get_maintenance_window - [ ] get_maintenance_window_execution - [ ] get_maintenance_window_execution_task - [ ] get_maintenance_window_execution_task_invocation - [ ] get_maintenance_window_task - [ ] get_ops_item +- [ ] get_ops_metadata - [ ] get_ops_summary - [X] get_parameter - [X] get_parameter_history @@ -8047,13 +5089,17 @@ - [X] list_commands - [ ] list_compliance_items - [ ] list_compliance_summaries +- [ ] list_document_metadata_history - [ ] list_document_versions -- [ ] list_documents +- [X] list_documents - [ ] list_inventory_entries +- [ ] list_ops_item_events +- [ ] list_ops_item_related_items +- [ ] list_ops_metadata - [ ] list_resource_compliance_summaries - [ ] list_resource_data_sync - [X] list_tags_for_resource -- [ ] modify_document_permission +- [X] modify_document_permission - [ ] put_compliance_items - [ ] put_inventory - [X] put_parameter @@ -8068,45 +5114,67 @@ - [X] send_command - [ ] start_associations_once - [ ] start_automation_execution +- [ ] start_change_request_execution - [ ] start_session - [ ] stop_automation_execution - [ ] terminate_session +- [ ] unlabel_parameter_version - [ ] update_association - [ ] update_association_status -- [ ] update_document -- [ ] update_document_default_version +- [X] update_document +- [X] update_document_default_version +- [ ] update_document_metadata - [ ] update_maintenance_window - [ ] update_maintenance_window_target - [ ] update_maintenance_window_task - [ ] update_managed_instance_role - [ ] update_ops_item +- [ ] update_ops_metadata - [ ] update_patch_baseline - [ ] update_resource_data_sync - [ ] update_service_setting
-## sso -
-0% implemented - -- [ ] get_role_credentials -- [ ] list_account_roles -- [ ] list_accounts -- [ ] logout -
- -## sso-oidc -
-0% implemented - -- [ ] create_token -- [ ] register_client -- [ ] start_device_authorization +## sso-admin +
+9% implemented + +- [ ] attach_managed_policy_to_permission_set +- [X] create_account_assignment +- [ ] create_instance_access_control_attribute_configuration +- [ ] create_permission_set +- [X] delete_account_assignment +- [ ] delete_inline_policy_from_permission_set +- [ ] delete_instance_access_control_attribute_configuration +- [ ] delete_permission_set +- [ ] describe_account_assignment_creation_status +- [ ] describe_account_assignment_deletion_status +- [ ] describe_instance_access_control_attribute_configuration +- [ ] describe_permission_set +- [ ] describe_permission_set_provisioning_status +- [ ] detach_managed_policy_from_permission_set +- [ ] get_inline_policy_for_permission_set +- [ ] list_account_assignment_creation_status +- [ ] list_account_assignment_deletion_status +- [X] list_account_assignments +- [ ] list_accounts_for_provisioned_permission_set +- [ ] list_instances +- [ ] list_managed_policies_in_permission_set +- [ ] list_permission_set_provisioning_status +- [ ] list_permission_sets +- [ ] list_permission_sets_provisioned_to_account +- [ ] list_tags_for_resource +- [ ] provision_permission_set +- [ ] put_inline_policy_to_permission_set +- [ ] tag_resource +- [ ] untag_resource +- [ ] update_instance_access_control_attribute_configuration +- [ ] update_permission_set
## stepfunctions
-36% implemented +52% implemented - [ ] create_activity - [X] create_state_machine @@ -8117,7 +5185,7 @@ - [X] describe_state_machine - [ ] describe_state_machine_for_execution - [ ] get_activity_task -- [ ] get_execution_history +- [X] get_execution_history - [ ] list_activities - [X] list_executions - [X] list_state_machines @@ -8126,128 +5194,45 @@ - [ ] send_task_heartbeat - [ ] send_task_success - [X] start_execution +- [ ] start_sync_execution - [X] stop_execution -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_state_machine -
- -## storagegateway -
-0% implemented - -- [ ] activate_gateway -- [ ] add_cache -- [ ] add_tags_to_resource -- [ ] add_upload_buffer -- [ ] add_working_storage -- [ ] assign_tape_pool -- [ ] attach_volume -- [ ] cancel_archival -- [ ] cancel_retrieval -- [ ] create_cached_iscsi_volume -- [ ] create_nfs_file_share -- [ ] create_smb_file_share -- [ ] create_snapshot -- [ ] create_snapshot_from_volume_recovery_point -- [ ] create_stored_iscsi_volume -- [ ] create_tape_with_barcode -- [ ] create_tapes -- [ ] delete_automatic_tape_creation_policy -- [ ] delete_bandwidth_rate_limit -- [ ] delete_chap_credentials -- [ ] delete_file_share -- [ ] delete_gateway -- [ ] delete_snapshot_schedule -- [ ] delete_tape -- [ ] delete_tape_archive -- [ ] delete_volume -- [ ] describe_availability_monitor_test -- [ ] describe_bandwidth_rate_limit -- [ ] describe_cache -- [ ] describe_cached_iscsi_volumes -- [ ] describe_chap_credentials -- [ ] describe_gateway_information -- [ ] describe_maintenance_start_time -- [ ] describe_nfs_file_shares -- [ ] describe_smb_file_shares -- [ ] describe_smb_settings -- [ ] describe_snapshot_schedule -- [ ] describe_stored_iscsi_volumes -- [ ] describe_tape_archives -- [ ] describe_tape_recovery_points -- [ ] describe_tapes -- [ ] describe_upload_buffer -- [ ] describe_vtl_devices -- [ ] describe_working_storage -- [ ] detach_volume -- [ ] disable_gateway -- [ ] join_domain -- [ ] list_automatic_tape_creation_policies -- [ ] list_file_shares -- [ ] list_gateways -- [ ] list_local_disks -- [ ] list_tags_for_resource -- [ ] list_tapes -- [ ] list_volume_initiators -- [ ] list_volume_recovery_points -- [ ] list_volumes -- [ ] notify_when_uploaded -- [ ] refresh_cache -- [ ] remove_tags_from_resource -- [ ] reset_cache -- [ ] retrieve_tape_archive -- [ ] retrieve_tape_recovery_point -- [ ] set_local_console_password -- [ ] set_smb_guest_password -- [ ] shutdown_gateway -- [ ] start_availability_monitor_test -- [ ] start_gateway -- [ ] update_automatic_tape_creation_policy -- [ ] update_bandwidth_rate_limit -- [ ] update_chap_credentials -- [ ] update_gateway_information -- [ ] update_gateway_software_now -- [ ] update_maintenance_start_time -- [ ] update_nfs_file_share -- [ ] update_smb_file_share -- [ ] update_smb_security_strategy -- [ ] update_snapshot_schedule -- [ ] update_vtl_device_type +- [X] tag_resource +- [X] untag_resource +- [X] update_state_machine
## sts
-62% implemented +75% implemented - [X] assume_role - [X] assume_role_with_saml - [X] assume_role_with_web_identity - [ ] decode_authorization_message - [ ] get_access_key_info -- [ ] get_caller_identity +- [X] get_caller_identity - [X] get_federation_token - [X] get_session_token
## support
-0% implemented +35% implemented - [ ] add_attachments_to_set - [ ] add_communication_to_case -- [ ] create_case +- [X] create_case - [ ] describe_attachment -- [ ] describe_cases +- [X] describe_cases - [ ] describe_communications - [ ] describe_services - [ ] describe_severity_levels - [ ] describe_trusted_advisor_check_refresh_statuses - [ ] describe_trusted_advisor_check_result - [ ] describe_trusted_advisor_check_summaries -- [ ] describe_trusted_advisor_checks -- [ ] refresh_trusted_advisor_check -- [ ] resolve_case +- [X] describe_trusted_advisor_checks +- [X] refresh_trusted_advisor_check +- [X] resolve_case
## swf @@ -8293,285 +5278,98 @@ - [ ] untag_resource
-## synthetics -
-0% implemented - -- [ ] create_canary -- [ ] delete_canary -- [ ] describe_canaries -- [ ] describe_canaries_last_run -- [ ] describe_runtime_versions -- [ ] get_canary -- [ ] get_canary_runs -- [ ] list_tags_for_resource -- [ ] start_canary -- [ ] stop_canary -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_canary -
- ## textract
-0% implemented +20% implemented - [ ] analyze_document +- [ ] analyze_expense +- [ ] analyze_id - [ ] detect_document_text - [ ] get_document_analysis -- [ ] get_document_text_detection +- [X] get_document_text_detection +- [ ] get_expense_analysis - [ ] start_document_analysis -- [ ] start_document_text_detection -
- -## transcribe -
-0% implemented - -- [ ] create_medical_vocabulary -- [ ] create_vocabulary -- [ ] create_vocabulary_filter -- [ ] delete_medical_transcription_job -- [ ] delete_medical_vocabulary -- [ ] delete_transcription_job -- [ ] delete_vocabulary -- [ ] delete_vocabulary_filter -- [ ] get_medical_transcription_job -- [ ] get_medical_vocabulary -- [ ] get_transcription_job -- [ ] get_vocabulary -- [ ] get_vocabulary_filter -- [ ] list_medical_transcription_jobs -- [ ] list_medical_vocabularies -- [ ] list_transcription_jobs -- [ ] list_vocabularies -- [ ] list_vocabulary_filters -- [ ] start_medical_transcription_job -- [ ] start_transcription_job -- [ ] update_medical_vocabulary -- [ ] update_vocabulary -- [ ] update_vocabulary_filter -
- -## transfer -
-0% implemented - -- [ ] create_server -- [ ] create_user -- [ ] delete_server -- [ ] delete_ssh_public_key -- [ ] delete_user -- [ ] describe_server -- [ ] describe_user -- [ ] import_ssh_public_key -- [ ] list_servers -- [ ] list_tags_for_resource -- [ ] list_users -- [ ] start_server -- [ ] stop_server -- [ ] tag_resource -- [ ] test_identity_provider -- [ ] untag_resource -- [ ] update_server -- [ ] update_user +- [X] start_document_text_detection +- [ ] start_expense_analysis
-## translate +## timestream-write
-0% implemented - -- [ ] delete_terminology -- [ ] describe_text_translation_job -- [ ] get_terminology -- [ ] import_terminology -- [ ] list_terminologies -- [ ] list_text_translation_jobs -- [ ] start_text_translation_job -- [ ] stop_text_translation_job -- [ ] translate_text -
- -## waf -
-0% implemented +80% implemented -- [ ] create_byte_match_set -- [ ] create_geo_match_set -- [ ] create_ip_set -- [ ] create_rate_based_rule -- [ ] create_regex_match_set -- [ ] create_regex_pattern_set -- [ ] create_rule -- [ ] create_rule_group -- [ ] create_size_constraint_set -- [ ] create_sql_injection_match_set -- [ ] create_web_acl -- [ ] create_web_acl_migration_stack -- [ ] create_xss_match_set -- [ ] delete_byte_match_set -- [ ] delete_geo_match_set -- [ ] delete_ip_set -- [ ] delete_logging_configuration -- [ ] delete_permission_policy -- [ ] delete_rate_based_rule -- [ ] delete_regex_match_set -- [ ] delete_regex_pattern_set -- [ ] delete_rule -- [ ] delete_rule_group -- [ ] delete_size_constraint_set -- [ ] delete_sql_injection_match_set -- [ ] delete_web_acl -- [ ] delete_xss_match_set -- [ ] get_byte_match_set -- [ ] get_change_token -- [ ] get_change_token_status -- [ ] get_geo_match_set -- [ ] get_ip_set -- [ ] get_logging_configuration -- [ ] get_permission_policy -- [ ] get_rate_based_rule -- [ ] get_rate_based_rule_managed_keys -- [ ] get_regex_match_set -- [ ] get_regex_pattern_set -- [ ] get_rule -- [ ] get_rule_group -- [ ] get_sampled_requests -- [ ] get_size_constraint_set -- [ ] get_sql_injection_match_set -- [ ] get_web_acl -- [ ] get_xss_match_set -- [ ] list_activated_rules_in_rule_group -- [ ] list_byte_match_sets -- [ ] list_geo_match_sets -- [ ] list_ip_sets -- [ ] list_logging_configurations -- [ ] list_rate_based_rules -- [ ] list_regex_match_sets -- [ ] list_regex_pattern_sets -- [ ] list_rule_groups -- [ ] list_rules -- [ ] list_size_constraint_sets -- [ ] list_sql_injection_match_sets -- [ ] list_subscribed_rule_groups +- [X] create_database +- [X] create_table +- [X] delete_database +- [X] delete_table +- [X] describe_database +- [X] describe_endpoints +- [X] describe_table +- [X] list_databases +- [X] list_tables - [ ] list_tags_for_resource -- [ ] list_web_acls -- [ ] list_xss_match_sets -- [ ] put_logging_configuration -- [ ] put_permission_policy - [ ] tag_resource - [ ] untag_resource -- [ ] update_byte_match_set -- [ ] update_geo_match_set -- [ ] update_ip_set -- [ ] update_rate_based_rule -- [ ] update_regex_match_set -- [ ] update_regex_pattern_set -- [ ] update_rule -- [ ] update_rule_group -- [ ] update_size_constraint_set -- [ ] update_sql_injection_match_set -- [ ] update_web_acl -- [ ] update_xss_match_set +- [X] update_database +- [X] update_table +- [X] write_records
-## waf-regional +## transcribe
-0% implemented +41% implemented -- [ ] associate_web_acl -- [ ] create_byte_match_set -- [ ] create_geo_match_set -- [ ] create_ip_set -- [ ] create_rate_based_rule -- [ ] create_regex_match_set -- [ ] create_regex_pattern_set -- [ ] create_rule -- [ ] create_rule_group -- [ ] create_size_constraint_set -- [ ] create_sql_injection_match_set -- [ ] create_web_acl -- [ ] create_web_acl_migration_stack -- [ ] create_xss_match_set -- [ ] delete_byte_match_set -- [ ] delete_geo_match_set -- [ ] delete_ip_set -- [ ] delete_logging_configuration -- [ ] delete_permission_policy -- [ ] delete_rate_based_rule -- [ ] delete_regex_match_set -- [ ] delete_regex_pattern_set -- [ ] delete_rule -- [ ] delete_rule_group -- [ ] delete_size_constraint_set -- [ ] delete_sql_injection_match_set -- [ ] delete_web_acl -- [ ] delete_xss_match_set -- [ ] disassociate_web_acl -- [ ] get_byte_match_set -- [ ] get_change_token -- [ ] get_change_token_status -- [ ] get_geo_match_set -- [ ] get_ip_set -- [ ] get_logging_configuration -- [ ] get_permission_policy -- [ ] get_rate_based_rule -- [ ] get_rate_based_rule_managed_keys -- [ ] get_regex_match_set -- [ ] get_regex_pattern_set -- [ ] get_rule -- [ ] get_rule_group -- [ ] get_sampled_requests -- [ ] get_size_constraint_set -- [ ] get_sql_injection_match_set -- [ ] get_web_acl -- [ ] get_web_acl_for_resource -- [ ] get_xss_match_set -- [ ] list_activated_rules_in_rule_group -- [ ] list_byte_match_sets -- [ ] list_geo_match_sets -- [ ] list_ip_sets -- [ ] list_logging_configurations -- [ ] list_rate_based_rules -- [ ] list_regex_match_sets -- [ ] list_regex_pattern_sets -- [ ] list_resources_for_web_acl -- [ ] list_rule_groups -- [ ] list_rules -- [ ] list_size_constraint_sets -- [ ] list_sql_injection_match_sets -- [ ] list_subscribed_rule_groups +- [ ] create_call_analytics_category +- [ ] create_language_model +- [X] create_medical_vocabulary +- [X] create_vocabulary +- [ ] create_vocabulary_filter +- [ ] delete_call_analytics_category +- [ ] delete_call_analytics_job +- [ ] delete_language_model +- [X] delete_medical_transcription_job +- [X] delete_medical_vocabulary +- [X] delete_transcription_job +- [X] delete_vocabulary +- [ ] delete_vocabulary_filter +- [ ] describe_language_model +- [ ] get_call_analytics_category +- [ ] get_call_analytics_job +- [X] get_medical_transcription_job +- [X] get_medical_vocabulary +- [X] get_transcription_job +- [X] get_vocabulary +- [ ] get_vocabulary_filter +- [ ] list_call_analytics_categories +- [ ] list_call_analytics_jobs +- [ ] list_language_models +- [X] list_medical_transcription_jobs +- [X] list_medical_vocabularies - [ ] list_tags_for_resource -- [ ] list_web_acls -- [ ] list_xss_match_sets -- [ ] put_logging_configuration -- [ ] put_permission_policy +- [X] list_transcription_jobs +- [X] list_vocabularies +- [ ] list_vocabulary_filters +- [ ] start_call_analytics_job +- [X] start_medical_transcription_job +- [X] start_transcription_job - [ ] tag_resource - [ ] untag_resource -- [ ] update_byte_match_set -- [ ] update_geo_match_set -- [ ] update_ip_set -- [ ] update_rate_based_rule -- [ ] update_regex_match_set -- [ ] update_regex_pattern_set -- [ ] update_rule -- [ ] update_rule_group -- [ ] update_size_constraint_set -- [ ] update_sql_injection_match_set -- [ ] update_web_acl -- [ ] update_xss_match_set +- [ ] update_call_analytics_category +- [ ] update_medical_vocabulary +- [ ] update_vocabulary +- [ ] update_vocabulary_filter
## wafv2
-0% implemented +4% implemented - [ ] associate_web_acl - [ ] check_capacity - [ ] create_ip_set - [ ] create_regex_pattern_set - [ ] create_rule_group -- [ ] create_web_acl +- [X] create_web_acl - [ ] delete_firewall_manager_rule_groups - [ ] delete_ip_set - [ ] delete_logging_configuration @@ -8581,8 +5379,11 @@ - [ ] delete_web_acl - [ ] describe_managed_rule_group - [ ] disassociate_web_acl +- [ ] generate_mobile_sdk_release_url - [ ] get_ip_set - [ ] get_logging_configuration +- [ ] get_managed_rule_set +- [ ] get_mobile_sdk_release - [ ] get_permission_policy - [ ] get_rate_based_statement_managed_keys - [ ] get_regex_pattern_set @@ -8590,232 +5391,238 @@ - [ ] get_sampled_requests - [ ] get_web_acl - [ ] get_web_acl_for_resource +- [ ] list_available_managed_rule_group_versions - [ ] list_available_managed_rule_groups - [ ] list_ip_sets - [ ] list_logging_configurations +- [ ] list_managed_rule_sets +- [ ] list_mobile_sdk_releases - [ ] list_regex_pattern_sets - [ ] list_resources_for_web_acl - [ ] list_rule_groups - [ ] list_tags_for_resource -- [ ] list_web_acls +- [X] list_web_acls - [ ] put_logging_configuration +- [ ] put_managed_rule_set_versions - [ ] put_permission_policy - [ ] tag_resource - [ ] untag_resource - [ ] update_ip_set +- [ ] update_managed_rule_set_version_expiry_date - [ ] update_regex_pattern_set - [ ] update_rule_group - [ ] update_web_acl
-## workdocs -
-0% implemented - -- [ ] abort_document_version_upload -- [ ] activate_user -- [ ] add_resource_permissions -- [ ] create_comment -- [ ] create_custom_metadata -- [ ] create_folder -- [ ] create_labels -- [ ] create_notification_subscription -- [ ] create_user -- [ ] deactivate_user -- [ ] delete_comment -- [ ] delete_custom_metadata -- [ ] delete_document -- [ ] delete_folder -- [ ] delete_folder_contents -- [ ] delete_labels -- [ ] delete_notification_subscription -- [ ] delete_user -- [ ] describe_activities -- [ ] describe_comments -- [ ] describe_document_versions -- [ ] describe_folder_contents -- [ ] describe_groups -- [ ] describe_notification_subscriptions -- [ ] describe_resource_permissions -- [ ] describe_root_folders -- [ ] describe_users -- [ ] get_current_user -- [ ] get_document -- [ ] get_document_path -- [ ] get_document_version -- [ ] get_folder -- [ ] get_folder_path -- [ ] get_resources -- [ ] initiate_document_version_upload -- [ ] remove_all_resource_permissions -- [ ] remove_resource_permission -- [ ] update_document -- [ ] update_document_version -- [ ] update_folder -- [ ] update_user -
- -## worklink -
-0% implemented - -- [ ] associate_domain -- [ ] associate_website_authorization_provider -- [ ] associate_website_certificate_authority -- [ ] create_fleet -- [ ] delete_fleet -- [ ] describe_audit_stream_configuration -- [ ] describe_company_network_configuration -- [ ] describe_device -- [ ] describe_device_policy_configuration -- [ ] describe_domain -- [ ] describe_fleet_metadata -- [ ] describe_identity_provider_configuration -- [ ] describe_website_certificate_authority -- [ ] disassociate_domain -- [ ] disassociate_website_authorization_provider -- [ ] disassociate_website_certificate_authority -- [ ] list_devices -- [ ] list_domains -- [ ] list_fleets -- [ ] list_website_authorization_providers -- [ ] list_website_certificate_authorities -- [ ] restore_domain_access -- [ ] revoke_domain_access -- [ ] sign_out_user -- [ ] update_audit_stream_configuration -- [ ] update_company_network_configuration -- [ ] update_device_policy_configuration -- [ ] update_domain_metadata -- [ ] update_fleet_metadata -- [ ] update_identity_provider_configuration -
- -## workmail -
-0% implemented - -- [ ] associate_delegate_to_resource -- [ ] associate_member_to_group -- [ ] create_alias -- [ ] create_group -- [ ] create_resource -- [ ] create_user -- [ ] delete_access_control_rule -- [ ] delete_alias -- [ ] delete_group -- [ ] delete_mailbox_permissions -- [ ] delete_resource -- [ ] delete_retention_policy -- [ ] delete_user -- [ ] deregister_from_work_mail -- [ ] describe_group -- [ ] describe_organization -- [ ] describe_resource -- [ ] describe_user -- [ ] disassociate_delegate_from_resource -- [ ] disassociate_member_from_group -- [ ] get_access_control_effect -- [ ] get_default_retention_policy -- [ ] get_mailbox_details -- [ ] list_access_control_rules -- [ ] list_aliases -- [ ] list_group_members -- [ ] list_groups -- [ ] list_mailbox_permissions -- [ ] list_organizations -- [ ] list_resource_delegates -- [ ] list_resources -- [ ] list_tags_for_resource -- [ ] list_users -- [ ] put_access_control_rule -- [ ] put_mailbox_permissions -- [ ] put_retention_policy -- [ ] register_to_work_mail -- [ ] reset_password -- [ ] tag_resource -- [ ] untag_resource -- [ ] update_mailbox_quota -- [ ] update_primary_email_address -- [ ] update_resource -
- -## workmailmessageflow -
-0% implemented - -- [ ] get_raw_message_content -
- -## workspaces -
-0% implemented - -- [ ] associate_ip_groups -- [ ] authorize_ip_rules -- [ ] copy_workspace_image -- [ ] create_ip_group -- [ ] create_tags -- [ ] create_workspaces -- [ ] delete_ip_group -- [ ] delete_tags -- [ ] delete_workspace_image -- [ ] deregister_workspace_directory -- [ ] describe_account -- [ ] describe_account_modifications -- [ ] describe_client_properties -- [ ] describe_ip_groups -- [ ] describe_tags -- [ ] describe_workspace_bundles -- [ ] describe_workspace_directories -- [ ] describe_workspace_images -- [ ] describe_workspace_snapshots -- [ ] describe_workspaces -- [ ] describe_workspaces_connection_status -- [ ] disassociate_ip_groups -- [ ] import_workspace_image -- [ ] list_available_management_cidr_ranges -- [ ] migrate_workspace -- [ ] modify_account -- [ ] modify_client_properties -- [ ] modify_selfservice_permissions -- [ ] modify_workspace_access_properties -- [ ] modify_workspace_creation_properties -- [ ] modify_workspace_properties -- [ ] modify_workspace_state -- [ ] reboot_workspaces -- [ ] rebuild_workspaces -- [ ] register_workspace_directory -- [ ] restore_workspace -- [ ] revoke_ip_rules -- [ ] start_workspaces -- [ ] stop_workspaces -- [ ] terminate_workspaces -- [ ] update_rules_of_ip_group -
- -## xray -
-0% implemented - -- [ ] batch_get_traces -- [ ] create_group -- [ ] create_sampling_rule -- [ ] delete_group -- [ ] delete_sampling_rule -- [ ] get_encryption_config -- [ ] get_group -- [ ] get_groups -- [ ] get_sampling_rules -- [ ] get_sampling_statistic_summaries -- [ ] get_sampling_targets -- [ ] get_service_graph -- [ ] get_time_series_service_statistics -- [ ] get_trace_graph -- [ ] get_trace_summaries -- [ ] put_encryption_config -- [ ] put_telemetry_records -- [ ] put_trace_segments -- [ ] update_group -- [ ] update_sampling_rule -
+## Unimplemented: +
+ +- accessanalyzer +- account +- acm-pca +- alexaforbusiness +- amp +- amplify +- amplifybackend +- amplifyuibuilder +- apigatewaymanagementapi +- appconfig +- appconfigdata +- appflow +- appintegrations +- application-insights +- applicationcostprofiler +- appmesh +- apprunner +- appstream +- auditmanager +- autoscaling-plans +- backup +- backup-gateway +- braket +- ce +- chime +- chime-sdk-identity +- chime-sdk-meetings +- chime-sdk-messaging +- cloud9 +- cloudcontrol +- clouddirectory +- cloudhsm +- cloudhsmv2 +- cloudsearch +- cloudsearchdomain +- codeartifact +- codebuild +- codedeploy +- codeguru-reviewer +- codeguruprofiler +- codestar +- codestar-connections +- codestar-notifications +- cognito-sync +- comprehend +- comprehendmedical +- compute-optimizer +- connect +- connect-contact-lens +- connectparticipant +- cur +- customer-profiles +- databrew +- dataexchange +- detective +- devicefarm +- devops-guru +- directconnect +- discovery +- dlm +- docdb +- drs +- ebs +- ecr-public +- elastic-inference +- evidently +- finspace +- finspace-data +- fis +- fms +- forecastquery +- frauddetector +- fsx +- gamelift +- globalaccelerator +- grafana +- greengrass +- greengrassv2 +- groundstation +- health +- healthlake +- honeycode +- identitystore +- imagebuilder +- importexport +- inspector +- inspector2 +- iot-jobs-data +- iot1click-devices +- iot1click-projects +- iotanalytics +- iotdeviceadvisor +- iotevents +- iotevents-data +- iotfleethub +- iotsecuretunneling +- iotsitewise +- iotthingsgraph +- iottwinmaker +- iotwireless +- ivs +- kafka +- kafkaconnect +- kendra +- kinesis-video-media +- kinesis-video-signaling +- kinesisanalytics +- kinesisanalyticsv2 +- lakeformation +- lex-models +- lex-runtime +- lexv2-models +- lexv2-runtime +- license-manager +- lightsail +- location +- lookoutequipment +- lookoutmetrics +- lookoutvision +- machinelearning +- macie +- macie2 +- marketplace-catalog +- marketplace-entitlement +- marketplacecommerceanalytics +- mediaconvert +- mediapackage-vod +- mediatailor +- memorydb +- meteringmarketplace +- mgh +- mgn +- migration-hub-refactor-spaces +- migrationhub-config +- migrationhubstrategy +- mobile +- mturk +- mwaa +- neptune +- network-firewall +- networkmanager +- nimble +- opensearch +- opsworkscm +- outposts +- panorama +- personalize +- personalize-events +- personalize-runtime +- pi +- pinpoint +- pinpoint-email +- pinpoint-sms-voice +- pricing +- proton +- qldb +- qldb-session +- quicksight +- rbin +- rds-data +- rekognition +- resiliencehub +- robomaker +- route53-recovery-cluster +- route53-recovery-control-config +- route53-recovery-readiness +- route53domains +- rum +- s3outposts +- sagemaker-a2i-runtime +- sagemaker-edge +- sagemaker-featurestore-runtime +- sagemaker-runtime +- savingsplans +- schemas +- securityhub +- serverlessrepo +- service-quotas +- servicecatalog +- servicecatalog-appregistry +- sesv2 +- shield +- signer +- sms +- sms-voice +- snow-device-management +- snowball +- ssm-contacts +- ssm-incidents +- sso +- sso-oidc +- storagegateway +- synthetics +- timestream-query +- transfer +- translate +- voice-id +- waf +- waf-regional +- wellarchitected +- wisdom +- workdocs +- worklink +- workmail +- workmailmessageflow +- workspaces +- workspaces-web +- xray +
\ No newline at end of file diff --git a/MANIFEST.in b/MANIFEST.in index 51d1b223ccb..2ccc920d1a2 100644 --- a/MANIFEST.in +++ b/MANIFEST.in @@ -1,8 +1,13 @@ include README.md LICENSE AUTHORS.md include requirements.txt requirements-dev.txt tox.ini +include moto/config/resources/aws_managed_rules.json +include moto/ec2/_models/*.py include moto/ec2/resources/instance_types.json +include moto/ec2/resources/instance_type_offerings/*/*.json include moto/ec2/resources/amis.json include moto/cognitoidp/resources/*.json include moto/dynamodb2/parsing/reserved_keywords.txt +include moto/ssm/resources/*.json +include moto/support/resources/*.json recursive-include moto/templates * recursive-include tests * diff --git a/Makefile b/Makefile index e84d036b7fc..c5b5edefacb 100644 --- a/Makefile +++ b/Makefile @@ -1,11 +1,14 @@ SHELL := /bin/bash ifeq ($(TEST_SERVER_MODE), true) - # exclude test_iot and test_iotdata for now - # because authentication of iot is very complicated - TEST_EXCLUDE := --exclude='test_iot.*' + # exclude test_kinesisvideoarchivedmedia + # because testing with moto_server is difficult with data-endpoint + TEST_EXCLUDE := -k 'not (test_kinesisvideoarchivedmedia or test_awslambda or test_batch or test_ec2 or test_sqs)' + # Parallel tests will be run separate + PARALLEL_TESTS := ./tests/test_awslambda ./tests/test_batch ./tests/test_ec2 ./tests/test_sqs else TEST_EXCLUDE := + PARALLEL_TESTS := ./tests/test_core endif init: @@ -15,37 +18,25 @@ init: lint: flake8 moto black --check moto/ tests/ + pylint -j 0 moto tests + +format: + black moto/ tests/ test-only: rm -f .coverage rm -rf cover - @nosetests -sv --with-coverage --cover-html ./tests/ $(TEST_EXCLUDE) - + pytest -sv --cov=moto --cov-report xml ./tests/ $(TEST_EXCLUDE) + MOTO_CALL_RESET_API=false pytest -n 4 $(PARALLEL_TESTS) test: lint test-only test_server: - @TEST_SERVER_MODE=true nosetests -sv --with-coverage --cover-html ./tests/ + @TEST_SERVER_MODE=true pytest -sv --cov=moto --cov-report xml ./tests/ aws_managed_policies: scripts/update_managed_policies.py -upload_pypi_artifact: - python setup.py sdist bdist_wheel - twine upload dist/* - -push_dockerhub_image: - docker build -t motoserver/moto . - docker push motoserver/moto - -tag_github_release: - git tag `python setup.py --version` - git push origin `python setup.py --version` - -publish: upload_pypi_artifact \ - tag_github_release \ - push_dockerhub_image - implementation_coverage: ./scripts/implementation_coverage.py git commit IMPLEMENTATION_COVERAGE.md -m "Updating implementation coverage" || true @@ -53,3 +44,6 @@ implementation_coverage: scaffold: @pip install -r requirements-dev.txt > /dev/null exec python scripts/scaffold.py + +int_test: + @./scripts/int_test.sh diff --git a/README.md b/README.md index 956be5da15e..59f8da5968e 100644 --- a/README.md +++ b/README.md @@ -2,15 +2,24 @@ [![Join the chat at https://gitter.im/awsmoto/Lobby](https://badges.gitter.im/awsmoto/Lobby.svg)](https://gitter.im/awsmoto/Lobby?utm_source=badge&utm_medium=badge&utm_campaign=pr-badge&utm_content=badge) -[![Build Status](https://travis-ci.org/spulec/moto.svg?branch=master)](https://travis-ci.org/spulec/moto) -[![Coverage Status](https://coveralls.io/repos/spulec/moto/badge.svg?branch=master)](https://coveralls.io/r/spulec/moto) +[![Build Status](https://github.com/spulec/moto/workflows/TestNDeploy/badge.svg)](https://github.com/spulec/moto/actions) +[![Coverage Status](https://codecov.io/gh/spulec/moto/branch/master/graph/badge.svg)](https://codecov.io/gh/spulec/moto) [![Docs](https://readthedocs.org/projects/pip/badge/?version=stable)](http://docs.getmoto.org) -![PyPI](https://img.shields.io/pypi/v/moto.svg) -![PyPI - Python Version](https://img.shields.io/pypi/pyversions/moto.svg) -![PyPI - Downloads](https://img.shields.io/pypi/dw/moto.svg) [![Code style: black](https://img.shields.io/badge/code%20style-black-000000.svg)](https://github.com/psf/black) +[![PyPI](https://img.shields.io/pypi/v/moto.svg)](https://pypi.org/project/moto/) +[![PyPI - Python Version](https://img.shields.io/pypi/pyversions/moto.svg)](#) +[![PyPI - Downloads](https://img.shields.io/pypi/dw/moto.svg)](https://pypistats.org/packages/moto) +[![Code style: black](https://img.shields.io/badge/code%20style-black-000000.svg)](https://github.com/psf/black) + + +## Install + +```console +$ pip install moto[ec2,s3,all] +``` ## In a nutshell + Moto is a library that allows your tests to easily mock out AWS Services. Imagine you have the following python code that you want to test: @@ -26,7 +35,6 @@ class MyModel(object): def save(self): s3 = boto3.client('s3', region_name='us-east-1') s3.put_object(Bucket='mybucket', Key=self.name, Body=self.value) - ``` Take a minute to think how you would have tested that in the past. @@ -38,441 +46,23 @@ import boto3 from moto import mock_s3 from mymodule import MyModel - @mock_s3 def test_my_model_save(): conn = boto3.resource('s3', region_name='us-east-1') # We need to create the bucket since this is all in Moto's 'virtual' AWS account conn.create_bucket(Bucket='mybucket') - model_instance = MyModel('steve', 'is awesome') model_instance.save() - body = conn.Object('mybucket', 'steve').get()['Body'].read().decode("utf-8") - assert body == 'is awesome' ``` With the decorator wrapping the test, all the calls to s3 are automatically mocked out. The mock keeps the state of the buckets and keys. -It gets even better! Moto isn't just for Python code and it isn't just for S3. Look at the [standalone server mode](https://github.com/spulec/moto#stand-alone-server-mode) for more information about running Moto with other languages. Here's the status of the other AWS services implemented: - -```gherkin -|-------------------------------------------------------------------------------------|-----------------------------| -| Service Name | Decorator | Development Status | Comment | -|-------------------------------------------------------------------------------------| | -| ACM | @mock_acm | all endpoints done | | -|-------------------------------------------------------------------------------------| | -| API Gateway | @mock_apigateway | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Application Autoscaling | @mock_applicationautoscaling | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| Autoscaling | @mock_autoscaling | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Cloudformation | @mock_cloudformation | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Cloudwatch | @mock_cloudwatch | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| CloudwatchEvents | @mock_events | all endpoints done | | -|-------------------------------------------------------------------------------------| | -| Cognito Identity | @mock_cognitoidentity | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| Cognito Identity Provider | @mock_cognitoidp | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| Config | @mock_config | basic endpoints done | | -| | | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Data Pipeline | @mock_datapipeline | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| DynamoDB | @mock_dynamodb | core endpoints done | API 20111205. Deprecated. | -| DynamoDB2 | @mock_dynamodb2 | all endpoints + partial indexes | API 20120810 (Latest) | -|-------------------------------------------------------------------------------------| | -| EC2 | @mock_ec2 | core endpoints done | | -| - AMI | | core endpoints done | | -| - EBS | | core endpoints done | | -| - Instances | | all endpoints done | | -| - Security Groups | | core endpoints done | | -| - Tags | | all endpoints done | | -|-------------------------------------------------------------------------------------| | -| ECR | @mock_ecr | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| ECS | @mock_ecs | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| ELB | @mock_elb | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| ELBv2 | @mock_elbv2 | all endpoints done | | -|-------------------------------------------------------------------------------------| | -| EMR | @mock_emr | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Glacier | @mock_glacier | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| IAM | @mock_iam | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| IoT | @mock_iot | core endpoints done | | -| | @mock_iotdata | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Kinesis | @mock_kinesis | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| KMS | @mock_kms | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| Lambda | @mock_lambda | basic endpoints done, requires | | -| | | docker | | -|-------------------------------------------------------------------------------------| | -| Logs | @mock_logs | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| Organizations | @mock_organizations | some core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Polly | @mock_polly | all endpoints done | | -|-------------------------------------------------------------------------------------| | -| RDS | @mock_rds | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| RDS2 | @mock_rds2 | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Redshift | @mock_redshift | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| Route53 | @mock_route53 | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| S3 | @mock_s3 | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| SecretsManager | @mock_secretsmanager | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| SES | @mock_ses | all endpoints done | | -|-------------------------------------------------------------------------------------| | -| SNS | @mock_sns | all endpoints done | | -|-------------------------------------------------------------------------------------| | -| SQS | @mock_sqs | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| SSM | @mock_ssm | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| STS | @mock_sts | core endpoints done | | -|-------------------------------------------------------------------------------------| | -| SWF | @mock_swf | basic endpoints done | | -|-------------------------------------------------------------------------------------| | -| X-Ray | @mock_xray | all endpoints done | | -|-------------------------------------------------------------------------------------| -``` - -For a full list of endpoint [implementation coverage](https://github.com/spulec/moto/blob/master/IMPLEMENTATION_COVERAGE.md) - -### Another Example - -Imagine you have a function that you use to launch new ec2 instances: - -```python -import boto3 - - -def add_servers(ami_id, count): - client = boto3.client('ec2', region_name='us-west-1') - client.run_instances(ImageId=ami_id, MinCount=count, MaxCount=count) -``` - -To test it: - -```python -from . import add_servers -from moto import mock_ec2 - -@mock_ec2 -def test_add_servers(): - add_servers('ami-1234abcd', 2) - - client = boto3.client('ec2', region_name='us-west-1') - instances = client.describe_instances()['Reservations'][0]['Instances'] - assert len(instances) == 2 - instance1 = instances[0] - assert instance1['ImageId'] == 'ami-1234abcd' -``` - -#### Using moto 1.0.X with boto2 -moto 1.0.X mock decorators are defined for boto3 and do not work with boto2. Use the @mock_AWSSVC_deprecated to work with boto2. - -Using moto with boto2 -```python -from moto import mock_ec2_deprecated -import boto - -@mock_ec2_deprecated -def test_something_with_ec2(): - ec2_conn = boto.ec2.connect_to_region('us-east-1') - ec2_conn.get_only_instances(instance_ids='i-123456') - -``` - -When using both boto2 and boto3, one can do this to avoid confusion: -```python -from moto import mock_ec2_deprecated as mock_ec2_b2 -from moto import mock_ec2 - -``` - -## Usage - -All of the services can be used as a decorator, context manager, or in a raw form. - -### Decorator - -```python -@mock_s3 -def test_my_model_save(): - # Create Bucket so that test can run - conn = boto3.resource('s3', region_name='us-east-1') - conn.create_bucket(Bucket='mybucket') - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - body = conn.Object('mybucket', 'steve').get()['Body'].read().decode() - - assert body == 'is awesome' -``` - -### Context Manager - -```python -def test_my_model_save(): - with mock_s3(): - conn = boto3.resource('s3', region_name='us-east-1') - conn.create_bucket(Bucket='mybucket') - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - body = conn.Object('mybucket', 'steve').get()['Body'].read().decode() - - assert body == 'is awesome' -``` - - -### Raw use - -```python -def test_my_model_save(): - mock = mock_s3() - mock.start() - - conn = boto3.resource('s3', region_name='us-east-1') - conn.create_bucket(Bucket='mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.Object('mybucket', 'steve').get()['Body'].read().decode() == 'is awesome' - - mock.stop() -``` - -## IAM-like Access Control - -Moto also has the ability to authenticate and authorize actions, just like it's done by IAM in AWS. This functionality can be enabled by either setting the `INITIAL_NO_AUTH_ACTION_COUNT` environment variable or using the `set_initial_no_auth_action_count` decorator. Note that the current implementation is very basic, see [this file](https://github.com/spulec/moto/blob/master/moto/core/access_control.py) for more information. - -### `INITIAL_NO_AUTH_ACTION_COUNT` - -If this environment variable is set, moto will skip performing any authentication as many times as the variable's value, and only starts authenticating requests afterwards. If it is not set, it defaults to infinity, thus moto will never perform any authentication at all. - -### `set_initial_no_auth_action_count` - -This is a decorator that works similarly to the environment variable, but the settings are only valid in the function's scope. When the function returns, everything is restored. - -```python -@set_initial_no_auth_action_count(4) -@mock_ec2 -def test_describe_instances_allowed(): - policy_document = { - "Version": "2012-10-17", - "Statement": [ - { - "Effect": "Allow", - "Action": "ec2:Describe*", - "Resource": "*" - } - ] - } - access_key = ... - # create access key for an IAM user/assumed role that has the policy above. - # this part should call __exactly__ 4 AWS actions, so that authentication and authorization starts exactly after this - - client = boto3.client('ec2', region_name='us-east-1', - aws_access_key_id=access_key['AccessKeyId'], - aws_secret_access_key=access_key['SecretAccessKey']) - - # if the IAM principal whose access key is used, does not have the permission to describe instances, this will fail - instances = client.describe_instances()['Reservations'][0]['Instances'] - assert len(instances) == 0 -``` - -See [the related test suite](https://github.com/spulec/moto/blob/master/tests/test_core/test_auth.py) for more examples. - -## Experimental: AWS Config Querying -For details about the experimental AWS Config support please see the [AWS Config readme here](CONFIG_README.md). - -## Very Important -- Recommended Usage -There are some important caveats to be aware of when using moto: - -*Failure to follow these guidelines could result in your tests mutating your __REAL__ infrastructure!* - -### How do I avoid tests from mutating my real infrastructure? -You need to ensure that the mocks are actually in place. Changes made to recent versions of `botocore` -have altered some of the mock behavior. In short, you need to ensure that you _always_ do the following: - -1. Ensure that your tests have dummy environment variables set up: - - export AWS_ACCESS_KEY_ID='testing' - export AWS_SECRET_ACCESS_KEY='testing' - export AWS_SECURITY_TOKEN='testing' - export AWS_SESSION_TOKEN='testing' - -1. __VERY IMPORTANT__: ensure that you have your mocks set up __BEFORE__ your `boto3` client is established. - This can typically happen if you import a module that has a `boto3` client instantiated outside of a function. - See the pesky imports section below on how to work around this. - -### Example on usage? -If you are a user of [pytest](https://pytest.org/en/latest/), you can leverage [pytest fixtures](https://pytest.org/en/latest/fixture.html#fixture) -to help set up your mocks and other AWS resources that you would need. - -Here is an example: -```python -@pytest.fixture(scope='function') -def aws_credentials(): - """Mocked AWS Credentials for moto.""" - os.environ['AWS_ACCESS_KEY_ID'] = 'testing' - os.environ['AWS_SECRET_ACCESS_KEY'] = 'testing' - os.environ['AWS_SECURITY_TOKEN'] = 'testing' - os.environ['AWS_SESSION_TOKEN'] = 'testing' - -@pytest.fixture(scope='function') -def s3(aws_credentials): - with mock_s3(): - yield boto3.client('s3', region_name='us-east-1') - - -@pytest.fixture(scope='function') -def sts(aws_credentials): - with mock_sts(): - yield boto3.client('sts', region_name='us-east-1') - - -@pytest.fixture(scope='function') -def cloudwatch(aws_credentials): - with mock_cloudwatch(): - yield boto3.client('cloudwatch', region_name='us-east-1') - -... etc. -``` - -In the code sample above, all of the AWS/mocked fixtures take in a parameter of `aws_credentials`, -which sets the proper fake environment variables. The fake environment variables are used so that `botocore` doesn't try to locate real -credentials on your system. - -Next, once you need to do anything with the mocked AWS environment, do something like: -```python -def test_create_bucket(s3): - # s3 is a fixture defined above that yields a boto3 s3 client. - # Feel free to instantiate another boto3 S3 client -- Keep note of the region though. - s3.create_bucket(Bucket="somebucket") - - result = s3.list_buckets() - assert len(result['Buckets']) == 1 - assert result['Buckets'][0]['Name'] == 'somebucket' -``` - -### What about those pesky imports? -Recall earlier, it was mentioned that mocks should be established __BEFORE__ the clients are set up. One way -to avoid import issues is to make use of local Python imports -- i.e. import the module inside of the unit -test you want to run vs. importing at the top of the file. - -Example: -```python -def test_something(s3): - from some.package.that.does.something.with.s3 import some_func # <-- Local import for unit test - # ^^ Importing here ensures that the mock has been established. - - some_func() # The mock has been established from the "s3" pytest fixture, so this function that uses - # a package-level S3 client will properly use the mock and not reach out to AWS. -``` - -### Other caveats -For Tox, Travis CI, and other build systems, you might need to also perform a `touch ~/.aws/credentials` -command before running the tests. As long as that file is present (empty preferably) and the environment -variables above are set, you should be good to go. - -## Stand-alone Server Mode - -Moto also has a stand-alone server mode. This allows you to utilize -the backend structure of Moto even if you don't use Python. - -It uses flask, which isn't a default dependency. You can install the -server 'extra' package with: - -```python -pip install "moto[server]" -``` - -You can then start it running a service: - -```console -$ moto_server ec2 - * Running on http://127.0.0.1:5000/ -``` - -You can also pass the port: - -```console -$ moto_server ec2 -p3000 - * Running on http://127.0.0.1:3000/ -``` - -If you want to be able to use the server externally you can pass an IP -address to bind to as a hostname or allow any of your external -interfaces with 0.0.0.0: - -```console -$ moto_server ec2 -H 0.0.0.0 - * Running on http://0.0.0.0:5000/ -``` - -Please be aware this might allow other network users to access your -server. - -Then go to [localhost](http://localhost:5000/?Action=DescribeInstances) to see a list of running instances (it will be empty since you haven't added any yet). - -If you want to use boto with this (using the simpler decorators above instead is strongly encouraged), the easiest way is to create a boto config file (`~/.boto`) with the following values: - -``` -[Boto] -is_secure = False -https_validate_certificates = False -proxy_port = 5000 -proxy = 127.0.0.1 -``` - -If you want to use boto3 with this, you can pass an `endpoint_url` to the resource - -```python -boto3.resource( - service_name='s3', - region_name='us-west-1', - endpoint_url='http://localhost:5000', -) -``` - -### Caveats -The standalone server has some caveats with some services. The following services -require that you update your hosts file for your code to work properly: - -1. `s3-control` - -For the above services, this is required because the hostname is in the form of `AWS_ACCOUNT_ID.localhost`. -As a result, you need to add that entry to your host file for your tests to function properly. - - -## Install - - -```console -$ pip install moto -``` +For a full list of which services and features are covered, please see our [implementation coverage](https://github.com/spulec/moto/blob/master/IMPLEMENTATION_COVERAGE.md). -## Releases -Releases are done from travisci. Fairly closely following this: -https://docs.travis-ci.com/user/deployment/pypi/ +### Documentation +The full documentation can be found here: -- Commits to `master` branch do a dev deploy to pypi. -- Commits to a tag do a real deploy to pypi. +[http://docs.getmoto.org/en/latest/](http://docs.getmoto.org/en/latest/) \ No newline at end of file diff --git a/codecov.yml b/codecov.yml new file mode 100644 index 00000000000..4fe85e33f0e --- /dev/null +++ b/codecov.yml @@ -0,0 +1,15 @@ +codecov: + notify: + # Leave a GitHub comment after all builds have passed + after_n_builds: 8 +coverage: + status: + project: + default: + target: auto + # this allows a drop from the previous base commit coverage + threshold: 0.5% + patch: + default: + # New code must have a 90% coverage + target: 90% diff --git a/docs/_build/doctrees/docs/ec2_tut.doctree b/docs/_build/doctrees/docs/ec2_tut.doctree deleted file mode 100644 index d9f63cfa2c6..00000000000 Binary files a/docs/_build/doctrees/docs/ec2_tut.doctree and /dev/null differ diff --git a/docs/_build/doctrees/docs/getting_started.doctree b/docs/_build/doctrees/docs/getting_started.doctree deleted file mode 100644 index 96db7c269c1..00000000000 Binary files a/docs/_build/doctrees/docs/getting_started.doctree and /dev/null differ diff --git a/docs/_build/doctrees/docs/moto_apis.doctree b/docs/_build/doctrees/docs/moto_apis.doctree deleted file mode 100644 index 32d9752f643..00000000000 Binary files a/docs/_build/doctrees/docs/moto_apis.doctree and /dev/null differ diff --git a/docs/_build/doctrees/docs/other_langs.doctree b/docs/_build/doctrees/docs/other_langs.doctree deleted file mode 100644 index 952300c9e7c..00000000000 Binary files a/docs/_build/doctrees/docs/other_langs.doctree and /dev/null differ diff --git a/docs/_build/doctrees/docs/server_mode.doctree b/docs/_build/doctrees/docs/server_mode.doctree deleted file mode 100644 index 0cd41aa5686..00000000000 Binary files a/docs/_build/doctrees/docs/server_mode.doctree and /dev/null differ diff --git a/docs/_build/doctrees/ec2_tut.doctree b/docs/_build/doctrees/ec2_tut.doctree deleted file mode 100644 index 719a1ed0b0b..00000000000 Binary files a/docs/_build/doctrees/ec2_tut.doctree and /dev/null differ diff --git a/docs/_build/doctrees/environment.pickle b/docs/_build/doctrees/environment.pickle deleted file mode 100644 index a1e8e8bbb38..00000000000 Binary files a/docs/_build/doctrees/environment.pickle and /dev/null differ diff --git a/docs/_build/doctrees/getting_started.doctree b/docs/_build/doctrees/getting_started.doctree deleted file mode 100644 index b34024fc2fd..00000000000 Binary files a/docs/_build/doctrees/getting_started.doctree and /dev/null differ diff --git a/docs/_build/doctrees/index.doctree b/docs/_build/doctrees/index.doctree deleted file mode 100644 index 318fbf7351e..00000000000 Binary files a/docs/_build/doctrees/index.doctree and /dev/null differ diff --git a/docs/_build/doctrees/moto_apis.doctree b/docs/_build/doctrees/moto_apis.doctree deleted file mode 100644 index d53085fe2bf..00000000000 Binary files a/docs/_build/doctrees/moto_apis.doctree and /dev/null differ diff --git a/docs/_build/doctrees/other_langs.doctree b/docs/_build/doctrees/other_langs.doctree deleted file mode 100644 index eb8fa047303..00000000000 Binary files a/docs/_build/doctrees/other_langs.doctree and /dev/null differ diff --git a/docs/_build/html/.buildinfo b/docs/_build/html/.buildinfo deleted file mode 100644 index a9199980918..00000000000 --- a/docs/_build/html/.buildinfo +++ /dev/null @@ -1,4 +0,0 @@ -# Sphinx build info version 1 -# This file hashes the configuration used when building these files. When it is not found, a full rebuild will be done. -config: 0f8e40ac9295d621f3784a1c972bdb78 -tags: 645f666f9bcd5a90fca523b33c5a78b7 diff --git a/docs/_build/html/_sources/docs/ec2_tut.rst.txt b/docs/_build/html/_sources/docs/ec2_tut.rst.txt deleted file mode 100644 index 86d6ae3135e..00000000000 --- a/docs/_build/html/_sources/docs/ec2_tut.rst.txt +++ /dev/null @@ -1,74 +0,0 @@ -.. _ec2_tut: - -======================= -Use Moto as EC2 backend -======================= - -This tutorial explains ``moto.ec2``'s features and how to use it. This -tutorial assumes that you have already downloaded and installed boto and moto. -Before all code examples the following snippet is launched:: - - >>> import boto.ec2, moto - >>> mock_ec2 = moto.mock_ec2() - >>> mock_ec2.start() - >>> conn = boto.ec2.connect_to_region("eu-west-1") - -Launching instances -------------------- - -After mock is started, the behavior is the same than previously:: - - >>> reservation = conn.run_instances('ami-f00ba4') - >>> reservation.instances[0] - Instance:i-91dd2f32 - -Moto set static or generate random object's attributes:: - - >>> vars(reservation.instances[0]) - {'_in_monitoring_element': False, - '_placement': None, - '_previous_state': None, - '_state': pending(0), - 'ami_launch_index': u'0', - 'architecture': u'x86_64', - 'block_device_mapping': None, - 'client_token': '', - 'connection': EC2Connection:ec2.eu-west-1.amazonaws.com, - 'dns_name': u'ec2-54.214.135.84.compute-1.amazonaws.com', - 'ebs_optimized': False, - 'eventsSet': None, - 'group_name': None, - 'groups': [], - 'hypervisor': u'xen', - 'id': u'i-91dd2f32', - 'image_id': u'f00ba4', - 'instance_profile': None, - 'instance_type': u'm1.small', - 'interfaces': [NetworkInterface:eni-ed65f870], - 'ip_address': u'54.214.135.84', - 'item': u'\n ', - 'kernel': u'None', - 'key_name': u'None', - 'launch_time': u'2015-07-27T05:59:57Z', - 'monitored': True, - 'monitoring': u'\n ', - 'monitoring_state': u'enabled', - 'persistent': False, - 'platform': None, - 'private_dns_name': u'ip-10.136.187.180.ec2.internal', - 'private_ip_address': u'10.136.187.180', - 'product_codes': [], - 'public_dns_name': u'ec2-54.214.135.84.compute-1.amazonaws.com', - 'ramdisk': None, - 'reason': '', - 'region': RegionInfo:eu-west-1, - 'requester_id': None, - 'root_device_name': None, - 'root_device_type': None, - 'sourceDestCheck': u'true', - 'spot_instance_request_id': None, - 'state_reason': None, - 'subnet_id': None, - 'tags': {}, - 'virtualization_type': u'paravirtual', - 'vpc_id': None} diff --git a/docs/_build/html/_sources/docs/getting_started.rst.txt b/docs/_build/html/_sources/docs/getting_started.rst.txt deleted file mode 100644 index 97f667d2644..00000000000 --- a/docs/_build/html/_sources/docs/getting_started.rst.txt +++ /dev/null @@ -1,114 +0,0 @@ -.. _getting_started: - -========================= -Getting Started with Moto -========================= - -Installing Moto ---------------- - -You can use ``pip`` to install the latest released version of ``moto``:: - - pip install moto - -If you want to install ``moto`` from source:: - - git clone git://github.com/spulec/moto.git - cd moto - python setup.py install - -Moto usage ----------- - -For example we have the following code we want to test: - -.. sourcecode:: python - - import boto - from boto.s3.key import Key - - class MyModel(object): - def __init__(self, name, value): - self.name = name - self.value = value - - def save(self): - conn = boto.connect_s3() - bucket = conn.get_bucket('mybucket') - k = Key(bucket) - k.key = self.name - k.set_contents_from_string(self.value) - -There are several method to do this, just keep in mind Moto creates a full blank environment. - -Decorator -~~~~~~~~~ - -With a decorator wrapping all the calls to S3 are automatically mocked out. - -.. sourcecode:: python - - import boto - from moto import mock_s3 - from mymodule import MyModel - - @mock_s3 - def test_my_model_save(): - conn = boto.connect_s3() - # We need to create the bucket since this is all in Moto's 'virtual' AWS account - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - -Context manager -~~~~~~~~~~~~~~~ - -Same as decorator, every call inside ``with`` statement are mocked out. - -.. sourcecode:: python - - def test_my_model_save(): - with mock_s3(): - conn = boto.connect_s3() - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - -Raw -~~~ - -You can also start and stop manually the mocking. - -.. sourcecode:: python - - def test_my_model_save(): - mock = mock_s3() - mock.start() - - conn = boto.connect_s3() - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - - mock.stop() - -Stand-alone server mode -~~~~~~~~~~~~~~~~~~~~~~~ - -Moto comes with a stand-alone server allowing you to mock out an AWS HTTP endpoint. It is very useful to test even if you don't use Python. - -.. sourcecode:: bash - - $ moto_server ec2 -p3000 - * Running on http://127.0.0.1:3000/ - -This method isn't encouraged if you're using ``boto``, best is to use decorator method. diff --git a/docs/_build/html/_sources/docs/moto_apis.rst.txt b/docs/_build/html/_sources/docs/moto_apis.rst.txt deleted file mode 100644 index 3414cba1a9a..00000000000 --- a/docs/_build/html/_sources/docs/moto_apis.rst.txt +++ /dev/null @@ -1,21 +0,0 @@ -.. _moto_apis: - -========= -Moto APIs -========= - -Moto provides some internal APIs to view and change the state of the backends. - -Reset API ---------- - -This API resets the state of all of the backends. Send an HTTP POST to reset:: - - requests.post("http://motoapi.amazonaws.com/moto-api/reset") - -Dashboard ---------- - -Moto comes with a dashboard to view the current state of the system:: - - http://localhost:5000/moto-api/ diff --git a/docs/_build/html/_sources/docs/other_langs.rst.txt b/docs/_build/html/_sources/docs/other_langs.rst.txt deleted file mode 100644 index 664ce50b113..00000000000 --- a/docs/_build/html/_sources/docs/other_langs.rst.txt +++ /dev/null @@ -1,15 +0,0 @@ -.. _other_langs: - -=============== -Other languages -=============== - -You don't need to use Python to use Moto; it can be used with any language. To use it with another language, run moto_server. Here are some examples in other languages: - -* `Java`_ -* `Ruby`_ -* `Javascript`_ - -.. _Java: https://github.com/spulec/moto/blob/master/other_langs/sqsSample.java -.. _Ruby: https://github.com/spulec/moto/blob/master/other_langs/test.rb -.. _Javascript: https://github.com/spulec/moto/blob/master/other_langs/test.js diff --git a/docs/_build/html/_sources/docs/server_mode.rst.txt b/docs/_build/html/_sources/docs/server_mode.rst.txt deleted file mode 100644 index e8139e04df9..00000000000 --- a/docs/_build/html/_sources/docs/server_mode.rst.txt +++ /dev/null @@ -1,67 +0,0 @@ -.. _server_mode: - -=========== -Server mode -=========== - -Moto has a stand-alone server mode. This allows you to utilize -the backend structure of Moto even if you don't use Python. - -It uses flask, which isn't a default dependency. You can install the -server 'extra' package with: - -.. code:: bash - - pip install moto[server] - - -You can then start it running a service: - -.. code:: bash - - $ moto_server ec2 - -You can also pass the port: - -.. code-block:: bash - - $ moto_server ec2 -p3000 - * Running on http://127.0.0.1:3000/ - -If you want to be able to use the server externally you can pass an IP -address to bind to as a hostname or allow any of your external -interfaces with 0.0.0.0: - -.. code-block:: bash - - $ moto_server ec2 -H 0.0.0.0 - * Running on http://0.0.0.0:5000/ - -Please be aware this might allow other network users to access your -server. - -Then go to localhost_ to see a list of running instances (it will be empty since you haven't added any yet). - -If you want to use boto3 with this, you can pass an `endpoint_url` to the resource - -.. code-block:: python - - boto3.resource( - service_name='s3', - region_name='us-west-1', - endpoint_url='http://localhost:5000', - ) - -Other languages ---------------- - -You don't need to use Python to use Moto; it can be used with any language. Here are some examples to run it with other languages: - -* `Java`_ -* `Ruby`_ -* `Javascript`_ - -.. _Java: https://github.com/spulec/moto/blob/master/other_langs/sqsSample.java -.. _Ruby: https://github.com/spulec/moto/blob/master/other_langs/test.rb -.. _Javascript: https://github.com/spulec/moto/blob/master/other_langs/test.js -.. _localhost: http://localhost:5000/?Action=DescribeInstances diff --git a/docs/_build/html/_sources/ec2_tut.rst.txt b/docs/_build/html/_sources/ec2_tut.rst.txt deleted file mode 100644 index 86d6ae3135e..00000000000 --- a/docs/_build/html/_sources/ec2_tut.rst.txt +++ /dev/null @@ -1,74 +0,0 @@ -.. _ec2_tut: - -======================= -Use Moto as EC2 backend -======================= - -This tutorial explains ``moto.ec2``'s features and how to use it. This -tutorial assumes that you have already downloaded and installed boto and moto. -Before all code examples the following snippet is launched:: - - >>> import boto.ec2, moto - >>> mock_ec2 = moto.mock_ec2() - >>> mock_ec2.start() - >>> conn = boto.ec2.connect_to_region("eu-west-1") - -Launching instances -------------------- - -After mock is started, the behavior is the same than previously:: - - >>> reservation = conn.run_instances('ami-f00ba4') - >>> reservation.instances[0] - Instance:i-91dd2f32 - -Moto set static or generate random object's attributes:: - - >>> vars(reservation.instances[0]) - {'_in_monitoring_element': False, - '_placement': None, - '_previous_state': None, - '_state': pending(0), - 'ami_launch_index': u'0', - 'architecture': u'x86_64', - 'block_device_mapping': None, - 'client_token': '', - 'connection': EC2Connection:ec2.eu-west-1.amazonaws.com, - 'dns_name': u'ec2-54.214.135.84.compute-1.amazonaws.com', - 'ebs_optimized': False, - 'eventsSet': None, - 'group_name': None, - 'groups': [], - 'hypervisor': u'xen', - 'id': u'i-91dd2f32', - 'image_id': u'f00ba4', - 'instance_profile': None, - 'instance_type': u'm1.small', - 'interfaces': [NetworkInterface:eni-ed65f870], - 'ip_address': u'54.214.135.84', - 'item': u'\n ', - 'kernel': u'None', - 'key_name': u'None', - 'launch_time': u'2015-07-27T05:59:57Z', - 'monitored': True, - 'monitoring': u'\n ', - 'monitoring_state': u'enabled', - 'persistent': False, - 'platform': None, - 'private_dns_name': u'ip-10.136.187.180.ec2.internal', - 'private_ip_address': u'10.136.187.180', - 'product_codes': [], - 'public_dns_name': u'ec2-54.214.135.84.compute-1.amazonaws.com', - 'ramdisk': None, - 'reason': '', - 'region': RegionInfo:eu-west-1, - 'requester_id': None, - 'root_device_name': None, - 'root_device_type': None, - 'sourceDestCheck': u'true', - 'spot_instance_request_id': None, - 'state_reason': None, - 'subnet_id': None, - 'tags': {}, - 'virtualization_type': u'paravirtual', - 'vpc_id': None} diff --git a/docs/_build/html/_sources/ec2_tut.txt b/docs/_build/html/_sources/ec2_tut.txt deleted file mode 100644 index 86d6ae3135e..00000000000 --- a/docs/_build/html/_sources/ec2_tut.txt +++ /dev/null @@ -1,74 +0,0 @@ -.. _ec2_tut: - -======================= -Use Moto as EC2 backend -======================= - -This tutorial explains ``moto.ec2``'s features and how to use it. This -tutorial assumes that you have already downloaded and installed boto and moto. -Before all code examples the following snippet is launched:: - - >>> import boto.ec2, moto - >>> mock_ec2 = moto.mock_ec2() - >>> mock_ec2.start() - >>> conn = boto.ec2.connect_to_region("eu-west-1") - -Launching instances -------------------- - -After mock is started, the behavior is the same than previously:: - - >>> reservation = conn.run_instances('ami-f00ba4') - >>> reservation.instances[0] - Instance:i-91dd2f32 - -Moto set static or generate random object's attributes:: - - >>> vars(reservation.instances[0]) - {'_in_monitoring_element': False, - '_placement': None, - '_previous_state': None, - '_state': pending(0), - 'ami_launch_index': u'0', - 'architecture': u'x86_64', - 'block_device_mapping': None, - 'client_token': '', - 'connection': EC2Connection:ec2.eu-west-1.amazonaws.com, - 'dns_name': u'ec2-54.214.135.84.compute-1.amazonaws.com', - 'ebs_optimized': False, - 'eventsSet': None, - 'group_name': None, - 'groups': [], - 'hypervisor': u'xen', - 'id': u'i-91dd2f32', - 'image_id': u'f00ba4', - 'instance_profile': None, - 'instance_type': u'm1.small', - 'interfaces': [NetworkInterface:eni-ed65f870], - 'ip_address': u'54.214.135.84', - 'item': u'\n ', - 'kernel': u'None', - 'key_name': u'None', - 'launch_time': u'2015-07-27T05:59:57Z', - 'monitored': True, - 'monitoring': u'\n ', - 'monitoring_state': u'enabled', - 'persistent': False, - 'platform': None, - 'private_dns_name': u'ip-10.136.187.180.ec2.internal', - 'private_ip_address': u'10.136.187.180', - 'product_codes': [], - 'public_dns_name': u'ec2-54.214.135.84.compute-1.amazonaws.com', - 'ramdisk': None, - 'reason': '', - 'region': RegionInfo:eu-west-1, - 'requester_id': None, - 'root_device_name': None, - 'root_device_type': None, - 'sourceDestCheck': u'true', - 'spot_instance_request_id': None, - 'state_reason': None, - 'subnet_id': None, - 'tags': {}, - 'virtualization_type': u'paravirtual', - 'vpc_id': None} diff --git a/docs/_build/html/_sources/getting_started.rst.txt b/docs/_build/html/_sources/getting_started.rst.txt deleted file mode 100644 index e0a4fb10e56..00000000000 --- a/docs/_build/html/_sources/getting_started.rst.txt +++ /dev/null @@ -1,112 +0,0 @@ -========================= -Getting Started with Moto -========================= - -Installing Moto ---------------- - -You can use ``pip`` to install the latest released version of ``moto``:: - - pip install moto - -If you want to install ``moto`` from source:: - - git clone git://github.com/spulec/moto.git - cd moto - python setup.py install - -Moto usage ----------- - -For example we have the following code we want to test: - -.. sourcecode:: python - - import boto - from boto.s3.key import Key - - class MyModel(object): - def __init__(self, name, value): - self.name = name - self.value = value - - def save(self): - conn = boto.connect_s3() - bucket = conn.get_bucket('mybucket') - k = Key(bucket) - k.key = self.name - k.set_contents_from_string(self.value) - -There are several method to do this, just keep in mind Moto creates a full blank environment. - -Decorator -~~~~~~~~~ - -With a decorator wrapping all the calls to S3 are automatically mocked out. - -.. sourcecode:: python - - import boto - from moto import mock_s3 - from mymodule import MyModel - - @mock_s3 - def test_my_model_save(): - conn = boto.connect_s3() - # We need to create the bucket since this is all in Moto's 'virtual' AWS account - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - -Context manager -~~~~~~~~~~~~~~~ - -Same as decorator, every call inside ``with`` statement are mocked out. - -.. sourcecode:: python - - def test_my_model_save(): - with mock_s3(): - conn = boto.connect_s3() - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - -Raw -~~~ - -You can also start and stop manually the mocking. - -.. sourcecode:: python - - def test_my_model_save(): - mock = mock_s3() - mock.start() - - conn = boto.connect_s3() - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - - mock.stop() - -Stand-alone server mode -~~~~~~~~~~~~~~~~~~~~~~~ - -Moto comes with a stand-alone server allowing you to mock out an AWS HTTP endpoint. It is very useful to test even if you don't use Python. - -.. sourcecode:: bash - - $ moto_server ec2 -p3000 - * Running on http://127.0.0.1:3000/ - -This method isn't encouraged if you're using ``boto``, best is to use decorator method. diff --git a/docs/_build/html/_sources/getting_started.txt b/docs/_build/html/_sources/getting_started.txt deleted file mode 100644 index dd68a7713e6..00000000000 --- a/docs/_build/html/_sources/getting_started.txt +++ /dev/null @@ -1,112 +0,0 @@ -========================= -Getting Started with Moto -========================= - -Installing Moto ---------------- - -You can use ``pip`` to install the latest released version of ``moto``:: - - pip install moto - -If you want to install ``moto`` from source:: - - git clone git://github.com/spulec/moto.git - cd moto - python setup.py install - -Moto usage ----------- - -For example we have the following code we want to test: - -.. sourcecode:: python - - import boto - from boto.s3.key import Key - - class MyModel(object): - def __init__(self, name, value): - self.name = name - self.value = value - - def save(self): - conn = boto.connect_s3() - bucket = conn.get_bucket('mybucket') - k = Key(bucket) - k.key = self.name - k.set_contents_from_string(self.value) - -There are several method to do this, just keep in mind Moto creates a full blank environment. - -Decorator -~~~~~~~~~ - -With a decorator wrapping all the calls to S3 are automatically mocked out. - -.. sourcecode:: python - - import boto - from moto import mock_s3 - from mymodule import MyModel - - @mock_s3 - def test_my_model_save(): - conn = boto.connect_s3() - # We need to create the bucket since this is all in Moto's 'virtual' AWS account - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - -Context manager -~~~~~~~~~~~~~~~ - -Same as decorator, every call inside ``with`` statement are mocked out. - -.. sourcecode:: python - - def test_my_model_save(): - with mock_s3(): - conn = boto.connect_s3() - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - -Raw -~~~ - -You can also start and stop manually the mocking. - -.. sourcecode:: python - - def test_my_model_save(): - mock = mock_s3() - mock.start() - - conn = boto.connect_s3() - conn.create_bucket('mybucket') - - model_instance = MyModel('steve', 'is awesome') - model_instance.save() - - assert conn.get_bucket('mybucket').get_key('steve').get_contents_as_string() == 'is awesome' - - mock.stop() - -Stand-alone server mode -~~~~~~~~~~~~~~~~~~~~~~~ - -Moto comes with a stand-alone server allowing you to mock out an AWS HTTP endpoint. It is very useful to test even if you don't use Python. - -.. sourcecode:: bash - - $ moto_server ec2 -p3000 - * Running on http://0.0.0.0:3000/ - -This method isn't encouraged if you're using ``boto``, best is to use decorator method. diff --git a/docs/_build/html/_sources/index.rst.txt b/docs/_build/html/_sources/index.rst.txt deleted file mode 100644 index fc5ed765264..00000000000 --- a/docs/_build/html/_sources/index.rst.txt +++ /dev/null @@ -1,102 +0,0 @@ -.. _index: - -============================= -Moto: Mock AWS Services -============================= - -A library that allows you to easily mock out tests based on -`AWS infrastructure`_. - -Getting Started ---------------- - -If you've never used ``moto`` before, you should read the -:doc:`Getting Started with Moto ` guide to get familiar -with ``moto`` and its usage. - -Currently implemented Services: -------------------------------- - -+-----------------------+---------------------+-----------------------------------+ -| Service Name | Decorator | Development Status | -+=======================+=====================+===================================+ -| API Gateway | @mock_apigateway | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Autoscaling | @mock_autoscaling | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Cloudformation | @mock_cloudformation| core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Cloudwatch | @mock_cloudwatch | basic endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Data Pipeline | @mock_datapipeline | basic endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| DataSync | @mock_datasync | some endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| - DynamoDB | - @mock_dynamodb | - core endpoints done | -| - DynamoDB2 | - @mock_dynamodb2 | - core endpoints + partial indexes| -+-----------------------+---------------------+-----------------------------------+ -| EC2 | @mock_ec2 | core endpoints done | -| - AMI | | core endpoints done | -| - EBS | | core endpoints done | -| - Instances | | all endpoints done | -| - Security Groups | | core endpoints done | -| - Tags | | all endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| ECS | @mock_ecs | basic endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| ELB | @mock_elb | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| EMR | @mock_emr | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Glacier | @mock_glacier | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| IAM | @mock_iam | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Lambda | @mock_lambda | basic endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Kinesis | @mock_kinesis | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| KMS | @mock_kms | basic endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| RDS | @mock_rds | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| RDS2 | @mock_rds2 | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Redshift | @mock_redshift | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| Route53 | @mock_route53 | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| S3 | @mock_s3 | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| SES | @mock_ses | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| SNS | @mock_sns | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| SQS | @mock_sqs | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| STS | @mock_sts | core endpoints done | -+-----------------------+---------------------+-----------------------------------+ -| SWF | @mock_swf | basic endpoints done | -+-----------------------+---------------------+-----------------------------------+ - - - -Additional Resources --------------------- - -* `Moto Source Repository`_ -* `Moto Issue Tracker`_ - -.. _AWS infrastructure: http://aws.amazon.com/ -.. _Moto Issue Tracker: https://github.com/spulec/moto/issues -.. _Moto Source Repository: https://github.com/spulec/moto - -.. toctree:: - :maxdepth: 2 - :hidden: - :glob: - - docs/getting_started - docs/server_mode - docs/moto_apis - docs/ec2_tut diff --git a/docs/_build/html/_sources/index.txt b/docs/_build/html/_sources/index.txt deleted file mode 100644 index 189ce524a60..00000000000 --- a/docs/_build/html/_sources/index.txt +++ /dev/null @@ -1,91 +0,0 @@ -.. _index: - -============================= -Moto: A Mock library for boto -============================= - -A library that allows you to easily mock out tests based on -_`AWS infrastructure`. - -.. _AWS infrastructure: http://aws.amazon.com/ - -Getting Started ---------------- - -If you've never used ``moto`` before, you should read the -:doc:`Getting Started with Moto ` guide to get familiar -with ``moto`` & its usage. - -Currently implemented Services ------------------------------- - -* **Compute** - - * :doc:`Elastic Compute Cloud ` - * AMI - * EBS - * Instances - * Security groups - * Tags - * Auto Scaling - -* **Storage and content delivery** - - * S3 - * Glacier - -* **Database** - - * RDS - * DynamoDB - * Redshift - -* **Networking** - - * Route53 - -* **Administration and security** - - * Identity & access management - * CloudWatch - -* **Deployment and management** - - * CloudFormation - -* **Analytics** - - * Kinesis - * EMR - -* **Application service** - - * SQS - * SES - -* **Mobile services** - - * SNS - -Additional Resources --------------------- - -* `Moto Source Repository`_ -* `Moto Issue Tracker`_ - -.. _Moto Issue Tracker: https://github.com/spulec/moto/issues -.. _Moto Source Repository: https://github.com/spulec/moto - -Indices and tables -================== - -* :ref:`genindex` -* :ref:`modindex` -* :ref:`search` - -.. toctree:: - :maxdepth: 2 - :hidden: - :glob: - - getting_started diff --git a/docs/_build/html/_sources/moto_apis.rst.txt b/docs/_build/html/_sources/moto_apis.rst.txt deleted file mode 100644 index 3414cba1a9a..00000000000 --- a/docs/_build/html/_sources/moto_apis.rst.txt +++ /dev/null @@ -1,21 +0,0 @@ -.. _moto_apis: - -========= -Moto APIs -========= - -Moto provides some internal APIs to view and change the state of the backends. - -Reset API ---------- - -This API resets the state of all of the backends. Send an HTTP POST to reset:: - - requests.post("http://motoapi.amazonaws.com/moto-api/reset") - -Dashboard ---------- - -Moto comes with a dashboard to view the current state of the system:: - - http://localhost:5000/moto-api/ diff --git a/docs/_build/html/_sources/other_langs.rst.txt b/docs/_build/html/_sources/other_langs.rst.txt deleted file mode 100644 index 664ce50b113..00000000000 --- a/docs/_build/html/_sources/other_langs.rst.txt +++ /dev/null @@ -1,15 +0,0 @@ -.. _other_langs: - -=============== -Other languages -=============== - -You don't need to use Python to use Moto; it can be used with any language. To use it with another language, run moto_server. Here are some examples in other languages: - -* `Java`_ -* `Ruby`_ -* `Javascript`_ - -.. _Java: https://github.com/spulec/moto/blob/master/other_langs/sqsSample.java -.. _Ruby: https://github.com/spulec/moto/blob/master/other_langs/test.rb -.. _Javascript: https://github.com/spulec/moto/blob/master/other_langs/test.js diff --git a/docs/_build/html/_static/ajax-loader.gif b/docs/_build/html/_static/ajax-loader.gif deleted file mode 100644 index 61faf8cab23..00000000000 Binary files a/docs/_build/html/_static/ajax-loader.gif and /dev/null differ diff --git a/docs/_build/html/_static/alabaster.css b/docs/_build/html/_static/alabaster.css deleted file mode 100644 index be65b13746c..00000000000 --- a/docs/_build/html/_static/alabaster.css +++ /dev/null @@ -1,693 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -@import url("basic.css"); - -/* -- page layout ----------------------------------------------------------- */ - -body { - font-family: 'goudy old style', 'minion pro', 'bell mt', Georgia, 'Hiragino Mincho Pro', serif; - font-size: 17px; - background-color: #fff; - color: #000; - margin: 0; - padding: 0; -} - - -div.document { - width: 940px; - margin: 30px auto 0 auto; -} - -div.documentwrapper { - float: left; - width: 100%; -} - -div.bodywrapper { - margin: 0 0 0 220px; -} - -div.sphinxsidebar { - width: 220px; - font-size: 14px; - line-height: 1.5; -} - -hr { - border: 1px solid #B1B4B6; -} - -div.body { - background-color: #fff; - color: #3E4349; - padding: 0 30px 0 30px; -} - -div.body > .section { - text-align: left; -} - -div.footer { - width: 940px; - margin: 20px auto 30px auto; - font-size: 14px; - color: #888; - text-align: right; -} - -div.footer a { - color: #888; -} - -p.caption { - font-family: inherit; - font-size: inherit; -} - - -div.relations { - display: none; -} - - -div.sphinxsidebar a { - color: #444; - text-decoration: none; - border-bottom: 1px dotted #999; -} - -div.sphinxsidebar a:hover { - border-bottom: 1px solid #999; -} - -div.sphinxsidebarwrapper { - padding: 18px 10px; -} - -div.sphinxsidebarwrapper p.logo { - padding: 0; - margin: -10px 0 0 0px; - text-align: center; -} - -div.sphinxsidebarwrapper h1.logo { - margin-top: -10px; - text-align: center; - margin-bottom: 5px; - text-align: left; -} - -div.sphinxsidebarwrapper h1.logo-name { - margin-top: 0px; -} - -div.sphinxsidebarwrapper p.blurb { - margin-top: 0; - font-style: normal; -} - -div.sphinxsidebar h3, -div.sphinxsidebar h4 { - font-family: 'Garamond', 'Georgia', serif; - color: #444; - font-size: 24px; - font-weight: normal; - margin: 0 0 5px 0; - padding: 0; -} - -div.sphinxsidebar h4 { - font-size: 20px; -} - -div.sphinxsidebar h3 a { - color: #444; -} - -div.sphinxsidebar p.logo a, -div.sphinxsidebar h3 a, -div.sphinxsidebar p.logo a:hover, -div.sphinxsidebar h3 a:hover { - border: none; -} - -div.sphinxsidebar p { - color: #555; - margin: 10px 0; -} - -div.sphinxsidebar ul { - margin: 10px 0; - padding: 0; - color: #000; -} - -div.sphinxsidebar ul li.toctree-l1 > a { - font-size: 120%; -} - -div.sphinxsidebar ul li.toctree-l2 > a { - font-size: 110%; -} - -div.sphinxsidebar input { - border: 1px solid #CCC; - font-family: 'goudy old style', 'minion pro', 'bell mt', Georgia, 'Hiragino Mincho Pro', serif; - font-size: 1em; -} - -div.sphinxsidebar hr { - border: none; - height: 1px; - color: #AAA; - background: #AAA; - - text-align: left; - margin-left: 0; - width: 50%; -} - -/* -- body styles ----------------------------------------------------------- */ - -a { - color: #004B6B; - text-decoration: underline; -} - -a:hover { - color: #6D4100; - text-decoration: underline; -} - -div.body h1, -div.body h2, -div.body h3, -div.body h4, -div.body h5, -div.body h6 { - font-family: 'Garamond', 'Georgia', serif; - font-weight: normal; - margin: 30px 0px 10px 0px; - padding: 0; -} - -div.body h1 { margin-top: 0; padding-top: 0; font-size: 240%; } -div.body h2 { font-size: 180%; } -div.body h3 { font-size: 150%; } -div.body h4 { font-size: 130%; } -div.body h5 { font-size: 100%; } -div.body h6 { font-size: 100%; } - -a.headerlink { - color: #DDD; - padding: 0 4px; - text-decoration: none; -} - -a.headerlink:hover { - color: #444; - background: #EAEAEA; -} - -div.body p, div.body dd, div.body li { - line-height: 1.4em; -} - -div.admonition { - margin: 20px 0px; - padding: 10px 30px; - background-color: #EEE; - border: 1px solid #CCC; -} - -div.admonition tt.xref, div.admonition code.xref, div.admonition a tt { - background-color: #FBFBFB; - border-bottom: 1px solid #fafafa; -} - -div.admonition p.admonition-title { - font-family: 'Garamond', 'Georgia', serif; - font-weight: normal; - font-size: 24px; - margin: 0 0 10px 0; - padding: 0; - line-height: 1; -} - -div.admonition p.last { - margin-bottom: 0; -} - -div.highlight { - background-color: #fff; -} - -dt:target, .highlight { - background: #FAF3E8; -} - -div.warning { - background-color: #FCC; - border: 1px solid #FAA; -} - -div.danger { - background-color: #FCC; - border: 1px solid #FAA; - -moz-box-shadow: 2px 2px 4px #D52C2C; - -webkit-box-shadow: 2px 2px 4px #D52C2C; - box-shadow: 2px 2px 4px #D52C2C; -} - -div.error { - background-color: #FCC; - border: 1px solid #FAA; - -moz-box-shadow: 2px 2px 4px #D52C2C; - -webkit-box-shadow: 2px 2px 4px #D52C2C; - box-shadow: 2px 2px 4px #D52C2C; -} - -div.caution { - background-color: #FCC; - border: 1px solid #FAA; -} - -div.attention { - background-color: #FCC; - border: 1px solid #FAA; -} - -div.important { - background-color: #EEE; - border: 1px solid #CCC; -} - -div.note { - background-color: #EEE; - border: 1px solid #CCC; -} - -div.tip { - background-color: #EEE; - border: 1px solid #CCC; -} - -div.hint { - background-color: #EEE; - border: 1px solid #CCC; -} - -div.seealso { - background-color: #EEE; - border: 1px solid #CCC; -} - -div.topic { - background-color: #EEE; -} - -p.admonition-title { - display: inline; -} - -p.admonition-title:after { - content: ":"; -} - -pre, tt, code { - font-family: 'Consolas', 'Menlo', 'Deja Vu Sans Mono', 'Bitstream Vera Sans Mono', monospace; - font-size: 0.9em; -} - -.hll { - background-color: #FFC; - margin: 0 -12px; - padding: 0 12px; - display: block; -} - -img.screenshot { -} - -tt.descname, tt.descclassname, code.descname, code.descclassname { - font-size: 0.95em; -} - -tt.descname, code.descname { - padding-right: 0.08em; -} - -img.screenshot { - -moz-box-shadow: 2px 2px 4px #EEE; - -webkit-box-shadow: 2px 2px 4px #EEE; - box-shadow: 2px 2px 4px #EEE; -} - -table.docutils { - border: 1px solid #888; - -moz-box-shadow: 2px 2px 4px #EEE; - -webkit-box-shadow: 2px 2px 4px #EEE; - box-shadow: 2px 2px 4px #EEE; -} - -table.docutils td, table.docutils th { - border: 1px solid #888; - padding: 0.25em 0.7em; -} - -table.field-list, table.footnote { - border: none; - -moz-box-shadow: none; - -webkit-box-shadow: none; - box-shadow: none; -} - -table.footnote { - margin: 15px 0; - width: 100%; - border: 1px solid #EEE; - background: #FDFDFD; - font-size: 0.9em; -} - -table.footnote + table.footnote { - margin-top: -15px; - border-top: none; -} - -table.field-list th { - padding: 0 0.8em 0 0; -} - -table.field-list td { - padding: 0; -} - -table.field-list p { - margin-bottom: 0.8em; -} - -/* Cloned from - * https://github.com/sphinx-doc/sphinx/commit/ef60dbfce09286b20b7385333d63a60321784e68 - */ -.field-name { - -moz-hyphens: manual; - -ms-hyphens: manual; - -webkit-hyphens: manual; - hyphens: manual; -} - -table.footnote td.label { - width: .1px; - padding: 0.3em 0 0.3em 0.5em; -} - -table.footnote td { - padding: 0.3em 0.5em; -} - -dl { - margin: 0; - padding: 0; -} - -dl dd { - margin-left: 30px; -} - -blockquote { - margin: 0 0 0 30px; - padding: 0; -} - -ul, ol { - /* Matches the 30px from the narrow-screen "li > ul" selector below */ - margin: 10px 0 10px 30px; - padding: 0; -} - -pre { - background: #EEE; - padding: 7px 30px; - margin: 15px 0px; - line-height: 1.3em; -} - -div.viewcode-block:target { - background: #ffd; -} - -dl pre, blockquote pre, li pre { - margin-left: 0; - padding-left: 30px; -} - -tt, code { - background-color: #ecf0f3; - color: #222; - /* padding: 1px 2px; */ -} - -tt.xref, code.xref, a tt { - background-color: #FBFBFB; - border-bottom: 1px solid #fff; -} - -a.reference { - text-decoration: none; - border-bottom: 1px dotted #004B6B; -} - -/* Don't put an underline on images */ -a.image-reference, a.image-reference:hover { - border-bottom: none; -} - -a.reference:hover { - border-bottom: 1px solid #6D4100; -} - -a.footnote-reference { - text-decoration: none; - font-size: 0.7em; - vertical-align: top; - border-bottom: 1px dotted #004B6B; -} - -a.footnote-reference:hover { - border-bottom: 1px solid #6D4100; -} - -a:hover tt, a:hover code { - background: #EEE; -} - - -@media screen and (max-width: 870px) { - - div.sphinxsidebar { - display: none; - } - - div.document { - width: 100%; - - } - - div.documentwrapper { - margin-left: 0; - margin-top: 0; - margin-right: 0; - margin-bottom: 0; - } - - div.bodywrapper { - margin-top: 0; - margin-right: 0; - margin-bottom: 0; - margin-left: 0; - } - - ul { - margin-left: 0; - } - - li > ul { - /* Matches the 30px from the "ul, ol" selector above */ - margin-left: 30px; - } - - .document { - width: auto; - } - - .footer { - width: auto; - } - - .bodywrapper { - margin: 0; - } - - .footer { - width: auto; - } - - .github { - display: none; - } - - - -} - - - -@media screen and (max-width: 875px) { - - body { - margin: 0; - padding: 20px 30px; - } - - div.documentwrapper { - float: none; - background: #fff; - } - - div.sphinxsidebar { - display: block; - float: none; - width: 102.5%; - margin: 50px -30px -20px -30px; - padding: 10px 20px; - background: #333; - color: #FFF; - } - - div.sphinxsidebar h3, div.sphinxsidebar h4, div.sphinxsidebar p, - div.sphinxsidebar h3 a { - color: #fff; - } - - div.sphinxsidebar a { - color: #AAA; - } - - div.sphinxsidebar p.logo { - display: none; - } - - div.document { - width: 100%; - margin: 0; - } - - div.footer { - display: none; - } - - div.bodywrapper { - margin: 0; - } - - div.body { - min-height: 0; - padding: 0; - } - - .rtd_doc_footer { - display: none; - } - - .document { - width: auto; - } - - .footer { - width: auto; - } - - .footer { - width: auto; - } - - .github { - display: none; - } -} - - -/* misc. */ - -.revsys-inline { - display: none!important; -} - -/* Make nested-list/multi-paragraph items look better in Releases changelog - * pages. Without this, docutils' magical list fuckery causes inconsistent - * formatting between different release sub-lists. - */ -div#changelog > div.section > ul > li > p:only-child { - margin-bottom: 0; -} - -/* Hide fugly table cell borders in ..bibliography:: directive output */ -table.docutils.citation, table.docutils.citation td, table.docutils.citation th { - border: none; - /* Below needed in some edge cases; if not applied, bottom shadows appear */ - -moz-box-shadow: none; - -webkit-box-shadow: none; - box-shadow: none; -} \ No newline at end of file diff --git a/docs/_build/html/_static/basic.css b/docs/_build/html/_static/basic.css deleted file mode 100644 index 7ed0e58edb3..00000000000 --- a/docs/_build/html/_static/basic.css +++ /dev/null @@ -1,632 +0,0 @@ -/* - * basic.css - * ~~~~~~~~~ - * - * Sphinx stylesheet -- basic theme. - * - * :copyright: Copyright 2007-2016 by the Sphinx team, see AUTHORS. - * :license: BSD, see LICENSE for details. - * - */ - -/* -- main layout ----------------------------------------------------------- */ - -div.clearer { - clear: both; -} - -/* -- relbar ---------------------------------------------------------------- */ - -div.related { - width: 100%; - font-size: 90%; -} - -div.related h3 { - display: none; -} - -div.related ul { - margin: 0; - padding: 0 0 0 10px; - list-style: none; -} - -div.related li { - display: inline; -} - -div.related li.right { - float: right; - margin-right: 5px; -} - -/* -- sidebar --------------------------------------------------------------- */ - -div.sphinxsidebarwrapper { - padding: 10px 5px 0 10px; -} - -div.sphinxsidebar { - float: left; - width: 230px; - margin-left: -100%; - font-size: 90%; - word-wrap: break-word; - overflow-wrap : break-word; -} - -div.sphinxsidebar ul { - list-style: none; -} - -div.sphinxsidebar ul ul, -div.sphinxsidebar ul.want-points { - margin-left: 20px; - list-style: square; -} - -div.sphinxsidebar ul ul { - margin-top: 0; - margin-bottom: 0; -} - -div.sphinxsidebar form { - margin-top: 10px; -} - -div.sphinxsidebar input { - border: 1px solid #98dbcc; - font-family: sans-serif; - font-size: 1em; -} - -div.sphinxsidebar #searchbox input[type="text"] { - width: 170px; -} - -img { - border: 0; - max-width: 100%; -} - -/* -- search page ----------------------------------------------------------- */ - -ul.search { - margin: 10px 0 0 20px; - padding: 0; -} - -ul.search li { - padding: 5px 0 5px 20px; - background-image: url(file.png); - background-repeat: no-repeat; - background-position: 0 7px; -} - -ul.search li a { - font-weight: bold; -} - -ul.search li div.context { - color: #888; - margin: 2px 0 0 30px; - text-align: left; -} - -ul.keywordmatches li.goodmatch a { - font-weight: bold; -} - -/* -- index page ------------------------------------------------------------ */ - -table.contentstable { - width: 90%; - margin-left: auto; - margin-right: auto; -} - -table.contentstable p.biglink { - line-height: 150%; -} - -a.biglink { - font-size: 1.3em; -} - -span.linkdescr { - font-style: italic; - padding-top: 5px; - font-size: 90%; -} - -/* -- general index --------------------------------------------------------- */ - -table.indextable { - width: 100%; -} - -table.indextable td { - text-align: left; - vertical-align: top; -} - -table.indextable ul { - margin-top: 0; - margin-bottom: 0; - list-style-type: none; -} - -table.indextable > tbody > tr > td > ul { - padding-left: 0em; -} - -table.indextable tr.pcap { - height: 10px; -} - -table.indextable tr.cap { - margin-top: 10px; - background-color: #f2f2f2; -} - -img.toggler { - margin-right: 3px; - margin-top: 3px; - cursor: pointer; -} - -div.modindex-jumpbox { - border-top: 1px solid #ddd; - border-bottom: 1px solid #ddd; - margin: 1em 0 1em 0; - padding: 0.4em; -} - -div.genindex-jumpbox { - border-top: 1px solid #ddd; - border-bottom: 1px solid #ddd; - margin: 1em 0 1em 0; - padding: 0.4em; -} - -/* -- domain module index --------------------------------------------------- */ - -table.modindextable td { - padding: 2px; - border-collapse: collapse; -} - -/* -- general body styles --------------------------------------------------- */ - -div.body p, div.body dd, div.body li, div.body blockquote { - -moz-hyphens: auto; - -ms-hyphens: auto; - -webkit-hyphens: auto; - hyphens: auto; -} - -a.headerlink { - visibility: hidden; -} - -h1:hover > a.headerlink, -h2:hover > a.headerlink, -h3:hover > a.headerlink, -h4:hover > a.headerlink, -h5:hover > a.headerlink, -h6:hover > a.headerlink, -dt:hover > a.headerlink, -caption:hover > a.headerlink, -p.caption:hover > a.headerlink, -div.code-block-caption:hover > a.headerlink { - visibility: visible; -} - -div.body p.caption { - text-align: inherit; -} - -div.body td { - text-align: left; -} - -.first { - margin-top: 0 !important; -} - -p.rubric { - margin-top: 30px; - font-weight: bold; -} - -img.align-left, .figure.align-left, object.align-left { - clear: left; - float: left; - margin-right: 1em; -} - -img.align-right, .figure.align-right, object.align-right { - clear: right; - float: right; - margin-left: 1em; -} - -img.align-center, .figure.align-center, object.align-center { - display: block; - margin-left: auto; - margin-right: auto; -} - -.align-left { - text-align: left; -} - -.align-center { - text-align: center; -} - -.align-right { - text-align: right; -} - -/* -- sidebars -------------------------------------------------------------- */ - -div.sidebar { - margin: 0 0 0.5em 1em; - border: 1px solid #ddb; - padding: 7px 7px 0 7px; - background-color: #ffe; - width: 40%; - float: right; -} - -p.sidebar-title { - font-weight: bold; -} - -/* -- topics ---------------------------------------------------------------- */ - -div.topic { - border: 1px solid #ccc; - padding: 7px 7px 0 7px; - margin: 10px 0 10px 0; -} - -p.topic-title { - font-size: 1.1em; - font-weight: bold; - margin-top: 10px; -} - -/* -- admonitions ----------------------------------------------------------- */ - -div.admonition { - margin-top: 10px; - margin-bottom: 10px; - padding: 7px; -} - -div.admonition dt { - font-weight: bold; -} - -div.admonition dl { - margin-bottom: 0; -} - -p.admonition-title { - margin: 0px 10px 5px 0px; - font-weight: bold; -} - -div.body p.centered { - text-align: center; - margin-top: 25px; -} - -/* -- tables ---------------------------------------------------------------- */ - -table.docutils { - border: 0; - border-collapse: collapse; -} - -table caption span.caption-number { - font-style: italic; -} - -table caption span.caption-text { -} - -table.docutils td, table.docutils th { - padding: 1px 8px 1px 5px; - border-top: 0; - border-left: 0; - border-right: 0; - border-bottom: 1px solid #aaa; -} - -table.footnote td, table.footnote th { - border: 0 !important; -} - -th { - text-align: left; - padding-right: 5px; -} - -table.citation { - border-left: solid 1px gray; - margin-left: 1px; -} - -table.citation td { - border-bottom: none; -} - -/* -- figures --------------------------------------------------------------- */ - -div.figure { - margin: 0.5em; - padding: 0.5em; -} - -div.figure p.caption { - padding: 0.3em; -} - -div.figure p.caption span.caption-number { - font-style: italic; -} - -div.figure p.caption span.caption-text { -} - -/* -- field list styles ----------------------------------------------------- */ - -table.field-list td, table.field-list th { - border: 0 !important; -} - -.field-list ul { - margin: 0; - padding-left: 1em; -} - -.field-list p { - margin: 0; -} - -/* -- other body styles ----------------------------------------------------- */ - -ol.arabic { - list-style: decimal; -} - -ol.loweralpha { - list-style: lower-alpha; -} - -ol.upperalpha { - list-style: upper-alpha; -} - -ol.lowerroman { - list-style: lower-roman; -} - -ol.upperroman { - list-style: upper-roman; -} - -dl { - margin-bottom: 15px; -} - -dd p { - margin-top: 0px; -} - -dd ul, dd table { - margin-bottom: 10px; -} - -dd { - margin-top: 3px; - margin-bottom: 10px; - margin-left: 30px; -} - -dt:target, .highlighted { - background-color: #fbe54e; -} - -dl.glossary dt { - font-weight: bold; - font-size: 1.1em; -} - -.optional { - font-size: 1.3em; -} - -.sig-paren { - font-size: larger; -} - -.versionmodified { - font-style: italic; -} - -.system-message { - background-color: #fda; - padding: 5px; - border: 3px solid red; -} - -.footnote:target { - background-color: #ffa; -} - -.line-block { - display: block; - margin-top: 1em; - margin-bottom: 1em; -} - -.line-block .line-block { - margin-top: 0; - margin-bottom: 0; - margin-left: 1.5em; -} - -.guilabel, .menuselection { - font-family: sans-serif; -} - -.accelerator { - text-decoration: underline; -} - -.classifier { - font-style: oblique; -} - -abbr, acronym { - border-bottom: dotted 1px; - cursor: help; -} - -/* -- code displays --------------------------------------------------------- */ - -pre { - overflow: auto; - overflow-y: hidden; /* fixes display issues on Chrome browsers */ -} - -span.pre { - -moz-hyphens: none; - -ms-hyphens: none; - -webkit-hyphens: none; - hyphens: none; -} - -td.linenos pre { - padding: 5px 0px; - border: 0; - background-color: transparent; - color: #aaa; -} - -table.highlighttable { - margin-left: 0.5em; -} - -table.highlighttable td { - padding: 0 0.5em 0 0.5em; -} - -div.code-block-caption { - padding: 2px 5px; - font-size: small; -} - -div.code-block-caption code { - background-color: transparent; -} - -div.code-block-caption + div > div.highlight > pre { - margin-top: 0; -} - -div.code-block-caption span.caption-number { - padding: 0.1em 0.3em; - font-style: italic; -} - -div.code-block-caption span.caption-text { -} - -div.literal-block-wrapper { - padding: 1em 1em 0; -} - -div.literal-block-wrapper div.highlight { - margin: 0; -} - -code.descname { - background-color: transparent; - font-weight: bold; - font-size: 1.2em; -} - -code.descclassname { - background-color: transparent; -} - -code.xref, a code { - background-color: transparent; - font-weight: bold; -} - -h1 code, h2 code, h3 code, h4 code, h5 code, h6 code { - background-color: transparent; -} - -.viewcode-link { - float: right; -} - -.viewcode-back { - float: right; - font-family: sans-serif; -} - -div.viewcode-block:target { - margin: -1px -10px; - padding: 0 10px; -} - -/* -- math display ---------------------------------------------------------- */ - -img.math { - vertical-align: middle; -} - -div.body div.math p { - text-align: center; -} - -span.eqno { - float: right; -} - -span.eqno a.headerlink { - position: relative; - left: 0px; - z-index: 1; -} - -div.math:hover a.headerlink { - visibility: visible; -} - -/* -- printout stylesheet --------------------------------------------------- */ - -@media print { - div.document, - div.documentwrapper, - div.bodywrapper { - margin: 0 !important; - width: 100%; - } - - div.sphinxsidebar, - div.related, - div.footer, - #top-link { - display: none; - } -} \ No newline at end of file diff --git a/docs/_build/html/_static/classic.css b/docs/_build/html/_static/classic.css deleted file mode 100644 index 20db95e22ef..00000000000 --- a/docs/_build/html/_static/classic.css +++ /dev/null @@ -1,261 +0,0 @@ -/* - * classic.css_t - * ~~~~~~~~~~~~~ - * - * Sphinx stylesheet -- classic theme. - * - * :copyright: Copyright 2007-2016 by the Sphinx team, see AUTHORS. - * :license: BSD, see LICENSE for details. - * - */ - -@import url("basic.css"); - -/* -- page layout ----------------------------------------------------------- */ - -body { - font-family: sans-serif; - font-size: 100%; - background-color: #11303d; - color: #000; - margin: 0; - padding: 0; -} - -div.document { - background-color: #1c4e63; -} - -div.documentwrapper { - float: left; - width: 100%; -} - -div.bodywrapper { - margin: 0 0 0 230px; -} - -div.body { - background-color: #ffffff; - color: #000000; - padding: 0 20px 30px 20px; -} - -div.footer { - color: #ffffff; - width: 100%; - padding: 9px 0 9px 0; - text-align: center; - font-size: 75%; -} - -div.footer a { - color: #ffffff; - text-decoration: underline; -} - -div.related { - background-color: #133f52; - line-height: 30px; - color: #ffffff; -} - -div.related a { - color: #ffffff; -} - -div.sphinxsidebar { -} - -div.sphinxsidebar h3 { - font-family: 'Trebuchet MS', sans-serif; - color: #ffffff; - font-size: 1.4em; - font-weight: normal; - margin: 0; - padding: 0; -} - -div.sphinxsidebar h3 a { - color: #ffffff; -} - -div.sphinxsidebar h4 { - font-family: 'Trebuchet MS', sans-serif; - color: #ffffff; - font-size: 1.3em; - font-weight: normal; - margin: 5px 0 0 0; - padding: 0; -} - -div.sphinxsidebar p { - color: #ffffff; -} - -div.sphinxsidebar p.topless { - margin: 5px 10px 10px 10px; -} - -div.sphinxsidebar ul { - margin: 10px; - padding: 0; - color: #ffffff; -} - -div.sphinxsidebar a { - color: #98dbcc; -} - -div.sphinxsidebar input { - border: 1px solid #98dbcc; - font-family: sans-serif; - font-size: 1em; -} - - - -/* -- hyperlink styles ------------------------------------------------------ */ - -a { - color: #355f7c; - text-decoration: none; -} - -a:visited { - color: #355f7c; - text-decoration: none; -} - -a:hover { - text-decoration: underline; -} - - - -/* -- body styles ----------------------------------------------------------- */ - -div.body h1, -div.body h2, -div.body h3, -div.body h4, -div.body h5, -div.body h6 { - font-family: 'Trebuchet MS', sans-serif; - background-color: #f2f2f2; - font-weight: normal; - color: #20435c; - border-bottom: 1px solid #ccc; - margin: 20px -20px 10px -20px; - padding: 3px 0 3px 10px; -} - -div.body h1 { margin-top: 0; font-size: 200%; } -div.body h2 { font-size: 160%; } -div.body h3 { font-size: 140%; } -div.body h4 { font-size: 120%; } -div.body h5 { font-size: 110%; } -div.body h6 { font-size: 100%; } - -a.headerlink { - color: #c60f0f; - font-size: 0.8em; - padding: 0 4px 0 4px; - text-decoration: none; -} - -a.headerlink:hover { - background-color: #c60f0f; - color: white; -} - -div.body p, div.body dd, div.body li, div.body blockquote { - text-align: justify; - line-height: 130%; -} - -div.admonition p.admonition-title + p { - display: inline; -} - -div.admonition p { - margin-bottom: 5px; -} - -div.admonition pre { - margin-bottom: 5px; -} - -div.admonition ul, div.admonition ol { - margin-bottom: 5px; -} - -div.note { - background-color: #eee; - border: 1px solid #ccc; -} - -div.seealso { - background-color: #ffc; - border: 1px solid #ff6; -} - -div.topic { - background-color: #eee; -} - -div.warning { - background-color: #ffe4e4; - border: 1px solid #f66; -} - -p.admonition-title { - display: inline; -} - -p.admonition-title:after { - content: ":"; -} - -pre { - padding: 5px; - background-color: #eeffcc; - color: #333333; - line-height: 120%; - border: 1px solid #ac9; - border-left: none; - border-right: none; -} - -code { - background-color: #ecf0f3; - padding: 0 1px 0 1px; - font-size: 0.95em; -} - -th { - background-color: #ede; -} - -.warning code { - background: #efc2c2; -} - -.note code { - background: #d6d6d6; -} - -.viewcode-back { - font-family: sans-serif; -} - -div.viewcode-block:target { - background-color: #f4debf; - border-top: 1px solid #ac9; - border-bottom: 1px solid #ac9; -} - -div.code-block-caption { - color: #efefef; - background-color: #1c4e63; -} \ No newline at end of file diff --git a/docs/_build/html/_static/comment-bright.png b/docs/_build/html/_static/comment-bright.png deleted file mode 100644 index 15e27edb12a..00000000000 Binary files a/docs/_build/html/_static/comment-bright.png and /dev/null differ diff --git a/docs/_build/html/_static/comment-close.png b/docs/_build/html/_static/comment-close.png deleted file mode 100644 index 4d91bcf57de..00000000000 Binary files a/docs/_build/html/_static/comment-close.png and /dev/null differ diff --git a/docs/_build/html/_static/comment.png b/docs/_build/html/_static/comment.png deleted file mode 100644 index dfbc0cbd512..00000000000 Binary files a/docs/_build/html/_static/comment.png and /dev/null differ diff --git a/docs/_build/html/_static/css/badge_only.css b/docs/_build/html/_static/css/badge_only.css deleted file mode 100644 index 6362912b151..00000000000 --- a/docs/_build/html/_static/css/badge_only.css +++ /dev/null @@ -1,2 +0,0 @@ -.fa:before{-webkit-font-smoothing:antialiased}.clearfix{*zoom:1}.clearfix:before,.clearfix:after{display:table;content:""}.clearfix:after{clear:both}@font-face{font-family:FontAwesome;font-weight:normal;font-style:normal;src:url("../font/fontawesome_webfont.eot");src:url("../font/fontawesome_webfont.eot?#iefix") format("embedded-opentype"),url("../font/fontawesome_webfont.woff") format("woff"),url("../font/fontawesome_webfont.ttf") format("truetype"),url("../font/fontawesome_webfont.svg#FontAwesome") format("svg")}.fa:before{display:inline-block;font-family:FontAwesome;font-style:normal;font-weight:normal;line-height:1;text-decoration:inherit}a .fa{display:inline-block;text-decoration:inherit}li .fa{display:inline-block}li .fa-large:before,li .fa-large:before{width:1.875em}ul.fas{list-style-type:none;margin-left:2em;text-indent:-0.8em}ul.fas li .fa{width:0.8em}ul.fas li .fa-large:before,ul.fas li .fa-large:before{vertical-align:baseline}.fa-book:before{content:""}.icon-book:before{content:""}.fa-caret-down:before{content:""}.icon-caret-down:before{content:""}.fa-caret-up:before{content:""}.icon-caret-up:before{content:""}.fa-caret-left:before{content:""}.icon-caret-left:before{content:""}.fa-caret-right:before{content:""}.icon-caret-right:before{content:""}.rst-versions{position:fixed;bottom:0;left:0;width:300px;color:#fcfcfc;background:#1f1d1d;border-top:solid 10px #343131;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;z-index:400}.rst-versions a{color:#2980B9;text-decoration:none}.rst-versions .rst-badge-small{display:none}.rst-versions .rst-current-version{padding:12px;background-color:#272525;display:block;text-align:right;font-size:90%;cursor:pointer;color:#27AE60;*zoom:1}.rst-versions .rst-current-version:before,.rst-versions .rst-current-version:after{display:table;content:""}.rst-versions .rst-current-version:after{clear:both}.rst-versions .rst-current-version .fa{color:#fcfcfc}.rst-versions .rst-current-version .fa-book{float:left}.rst-versions .rst-current-version .icon-book{float:left}.rst-versions .rst-current-version.rst-out-of-date{background-color:#E74C3C;color:#fff}.rst-versions .rst-current-version.rst-active-old-version{background-color:#F1C40F;color:#000}.rst-versions.shift-up .rst-other-versions{display:block}.rst-versions .rst-other-versions{font-size:90%;padding:12px;color:gray;display:none}.rst-versions .rst-other-versions hr{display:block;height:1px;border:0;margin:20px 0;padding:0;border-top:solid 1px #413d3d}.rst-versions .rst-other-versions dd{display:inline-block;margin:0}.rst-versions .rst-other-versions dd a{display:inline-block;padding:6px;color:#fcfcfc}.rst-versions.rst-badge{width:auto;bottom:20px;right:20px;left:auto;border:none;max-width:300px}.rst-versions.rst-badge .icon-book{float:none}.rst-versions.rst-badge .fa-book{float:none}.rst-versions.rst-badge.shift-up .rst-current-version{text-align:right}.rst-versions.rst-badge.shift-up .rst-current-version .fa-book{float:left}.rst-versions.rst-badge.shift-up .rst-current-version .icon-book{float:left}.rst-versions.rst-badge .rst-current-version{width:auto;height:30px;line-height:30px;padding:0 6px;display:block;text-align:center}@media screen and (max-width: 768px){.rst-versions{width:85%;display:none}.rst-versions.shift{display:block}} -/*# sourceMappingURL=badge_only.css.map */ diff --git a/docs/_build/html/_static/css/theme.css b/docs/_build/html/_static/css/theme.css deleted file mode 100644 index c1631d84cd0..00000000000 --- a/docs/_build/html/_static/css/theme.css +++ /dev/null @@ -1,5 +0,0 @@ -*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}article,aside,details,figcaption,figure,footer,header,hgroup,nav,section{display:block}audio,canvas,video{display:inline-block;*display:inline;*zoom:1}audio:not([controls]){display:none}[hidden]{display:none}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:100%;-webkit-text-size-adjust:100%;-ms-text-size-adjust:100%}body{margin:0}a:hover,a:active{outline:0}abbr[title]{border-bottom:1px dotted}b,strong{font-weight:bold}blockquote{margin:0}dfn{font-style:italic}ins{background:#ff9;color:#000;text-decoration:none}mark{background:#ff0;color:#000;font-style:italic;font-weight:bold}pre,code,.rst-content tt,.rst-content code,kbd,samp{font-family:monospace,serif;_font-family:"courier new",monospace;font-size:1em}pre{white-space:pre}q{quotes:none}q:before,q:after{content:"";content:none}small{font-size:85%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sup{top:-0.5em}sub{bottom:-0.25em}ul,ol,dl{margin:0;padding:0;list-style:none;list-style-image:none}li{list-style:none}dd{margin:0}img{border:0;-ms-interpolation-mode:bicubic;vertical-align:middle;max-width:100%}svg:not(:root){overflow:hidden}figure{margin:0}form{margin:0}fieldset{border:0;margin:0;padding:0}label{cursor:pointer}legend{border:0;*margin-left:-7px;padding:0;white-space:normal}button,input,select,textarea{font-size:100%;margin:0;vertical-align:baseline;*vertical-align:middle}button,input{line-height:normal}button,input[type="button"],input[type="reset"],input[type="submit"]{cursor:pointer;-webkit-appearance:button;*overflow:visible}button[disabled],input[disabled]{cursor:default}input[type="checkbox"],input[type="radio"]{box-sizing:border-box;padding:0;*width:13px;*height:13px}input[type="search"]{-webkit-appearance:textfield;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;box-sizing:content-box}input[type="search"]::-webkit-search-decoration,input[type="search"]::-webkit-search-cancel-button{-webkit-appearance:none}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}textarea{overflow:auto;vertical-align:top;resize:vertical}table{border-collapse:collapse;border-spacing:0}td{vertical-align:top}.chromeframe{margin:0.2em 0;background:#ccc;color:#000;padding:0.2em 0}.ir{display:block;border:0;text-indent:-999em;overflow:hidden;background-color:transparent;background-repeat:no-repeat;text-align:left;direction:ltr;*line-height:0}.ir br{display:none}.hidden{display:none !important;visibility:hidden}.visuallyhidden{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.visuallyhidden.focusable:active,.visuallyhidden.focusable:focus{clip:auto;height:auto;margin:0;overflow:visible;position:static;width:auto}.invisible{visibility:hidden}.relative{position:relative}big,small{font-size:100%}@media print{html,body,section{background:none !important}*{box-shadow:none !important;text-shadow:none !important;filter:none !important;-ms-filter:none !important}a,a:visited{text-decoration:underline}.ir a:after,a[href^="javascript:"]:after,a[href^="#"]:after{content:""}pre,blockquote{page-break-inside:avoid}thead{display:table-header-group}tr,img{page-break-inside:avoid}img{max-width:100% !important}@page{margin:0.5cm}p,h2,.rst-content .toctree-wrapper p.caption,h3{orphans:3;widows:3}h2,.rst-content .toctree-wrapper p.caption,h3{page-break-after:avoid}}.fa:before,.wy-menu-vertical li span.toctree-expand:before,.wy-menu-vertical li.on a span.toctree-expand:before,.wy-menu-vertical li.current>a span.toctree-expand:before,.rst-content .admonition-title:before,.rst-content h1 .headerlink:before,.rst-content h2 .headerlink:before,.rst-content h3 .headerlink:before,.rst-content h4 .headerlink:before,.rst-content h5 .headerlink:before,.rst-content h6 .headerlink:before,.rst-content dl dt .headerlink:before,.rst-content p.caption .headerlink:before,.rst-content tt.download span:first-child:before,.rst-content code.download span:first-child:before,.icon:before,.wy-dropdown .caret:before,.wy-inline-validate.wy-inline-validate-success .wy-input-context:before,.wy-inline-validate.wy-inline-validate-danger .wy-input-context:before,.wy-inline-validate.wy-inline-validate-warning .wy-input-context:before,.wy-inline-validate.wy-inline-validate-info .wy-input-context:before,.wy-alert,.rst-content .note,.rst-content .attention,.rst-content .caution,.rst-content .danger,.rst-content .error,.rst-content .hint,.rst-content .important,.rst-content .tip,.rst-content .warning,.rst-content .seealso,.rst-content .admonition-todo,.btn,input[type="text"],input[type="password"],input[type="email"],input[type="url"],input[type="date"],input[type="month"],input[type="time"],input[type="datetime"],input[type="datetime-local"],input[type="week"],input[type="number"],input[type="search"],input[type="tel"],input[type="color"],select,textarea,.wy-menu-vertical li.on a,.wy-menu-vertical li.current>a,.wy-side-nav-search>a,.wy-side-nav-search .wy-dropdown>a,.wy-nav-top a{-webkit-font-smoothing:antialiased}.clearfix{*zoom:1}.clearfix:before,.clearfix:after{display:table;content:""}.clearfix:after{clear:both}/*! - * Font Awesome 4.6.3 by @davegandy - http://fontawesome.io - @fontawesome - * License - http://fontawesome.io/license (Font: SIL OFL 1.1, CSS: MIT License) - */@font-face{font-family:'FontAwesome';src:url("../fonts/fontawesome-webfont.eot?v=4.6.3");src:url("../fonts/fontawesome-webfont.eot?#iefix&v=4.6.3") format("embedded-opentype"),url("../fonts/fontawesome-webfont.woff2?v=4.6.3") format("woff2"),url("../fonts/fontawesome-webfont.woff?v=4.6.3") format("woff"),url("../fonts/fontawesome-webfont.ttf?v=4.6.3") format("truetype"),url("../fonts/fontawesome-webfont.svg?v=4.6.3#fontawesomeregular") format("svg");font-weight:normal;font-style:normal}.fa,.wy-menu-vertical li span.toctree-expand,.wy-menu-vertical li.on a span.toctree-expand,.wy-menu-vertical li.current>a span.toctree-expand,.rst-content .admonition-title,.rst-content h1 .headerlink,.rst-content h2 .headerlink,.rst-content h3 .headerlink,.rst-content h4 .headerlink,.rst-content h5 .headerlink,.rst-content h6 .headerlink,.rst-content dl dt .headerlink,.rst-content p.caption .headerlink,.rst-content tt.download span:first-child,.rst-content code.download span:first-child,.icon{display:inline-block;font:normal normal normal 14px/1 FontAwesome;font-size:inherit;text-rendering:auto;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.fa-lg{font-size:1.33333em;line-height:.75em;vertical-align:-15%}.fa-2x{font-size:2em}.fa-3x{font-size:3em}.fa-4x{font-size:4em}.fa-5x{font-size:5em}.fa-fw{width:1.28571em;text-align:center}.fa-ul{padding-left:0;margin-left:2.14286em;list-style-type:none}.fa-ul>li{position:relative}.fa-li{position:absolute;left:-2.14286em;width:2.14286em;top:.14286em;text-align:center}.fa-li.fa-lg{left:-1.85714em}.fa-border{padding:.2em .25em .15em;border:solid 0.08em #eee;border-radius:.1em}.fa-pull-left{float:left}.fa-pull-right{float:right}.fa.fa-pull-left,.wy-menu-vertical li span.fa-pull-left.toctree-expand,.wy-menu-vertical li.on a span.fa-pull-left.toctree-expand,.wy-menu-vertical li.current>a span.fa-pull-left.toctree-expand,.rst-content .fa-pull-left.admonition-title,.rst-content h1 .fa-pull-left.headerlink,.rst-content h2 .fa-pull-left.headerlink,.rst-content h3 .fa-pull-left.headerlink,.rst-content h4 .fa-pull-left.headerlink,.rst-content h5 .fa-pull-left.headerlink,.rst-content h6 .fa-pull-left.headerlink,.rst-content dl dt .fa-pull-left.headerlink,.rst-content p.caption .fa-pull-left.headerlink,.rst-content tt.download span.fa-pull-left:first-child,.rst-content code.download span.fa-pull-left:first-child,.fa-pull-left.icon{margin-right:.3em}.fa.fa-pull-right,.wy-menu-vertical li span.fa-pull-right.toctree-expand,.wy-menu-vertical li.on a span.fa-pull-right.toctree-expand,.wy-menu-vertical li.current>a span.fa-pull-right.toctree-expand,.rst-content .fa-pull-right.admonition-title,.rst-content h1 .fa-pull-right.headerlink,.rst-content h2 .fa-pull-right.headerlink,.rst-content h3 .fa-pull-right.headerlink,.rst-content h4 .fa-pull-right.headerlink,.rst-content h5 .fa-pull-right.headerlink,.rst-content h6 .fa-pull-right.headerlink,.rst-content dl dt .fa-pull-right.headerlink,.rst-content p.caption .fa-pull-right.headerlink,.rst-content tt.download span.fa-pull-right:first-child,.rst-content code.download span.fa-pull-right:first-child,.fa-pull-right.icon{margin-left:.3em}.pull-right{float:right}.pull-left{float:left}.fa.pull-left,.wy-menu-vertical li span.pull-left.toctree-expand,.wy-menu-vertical li.on a span.pull-left.toctree-expand,.wy-menu-vertical li.current>a span.pull-left.toctree-expand,.rst-content .pull-left.admonition-title,.rst-content h1 .pull-left.headerlink,.rst-content h2 .pull-left.headerlink,.rst-content h3 .pull-left.headerlink,.rst-content h4 .pull-left.headerlink,.rst-content h5 .pull-left.headerlink,.rst-content h6 .pull-left.headerlink,.rst-content dl dt .pull-left.headerlink,.rst-content p.caption .pull-left.headerlink,.rst-content tt.download span.pull-left:first-child,.rst-content code.download span.pull-left:first-child,.pull-left.icon{margin-right:.3em}.fa.pull-right,.wy-menu-vertical li span.pull-right.toctree-expand,.wy-menu-vertical li.on a span.pull-right.toctree-expand,.wy-menu-vertical li.current>a span.pull-right.toctree-expand,.rst-content .pull-right.admonition-title,.rst-content h1 .pull-right.headerlink,.rst-content h2 .pull-right.headerlink,.rst-content h3 .pull-right.headerlink,.rst-content h4 .pull-right.headerlink,.rst-content h5 .pull-right.headerlink,.rst-content h6 .pull-right.headerlink,.rst-content dl dt .pull-right.headerlink,.rst-content p.caption .pull-right.headerlink,.rst-content tt.download span.pull-right:first-child,.rst-content code.download span.pull-right:first-child,.pull-right.icon{margin-left:.3em}.fa-spin{-webkit-animation:fa-spin 2s infinite linear;animation:fa-spin 2s infinite linear}.fa-pulse{-webkit-animation:fa-spin 1s infinite steps(8);animation:fa-spin 1s infinite steps(8)}@-webkit-keyframes fa-spin{0%{-webkit-transform:rotate(0deg);transform:rotate(0deg)}100%{-webkit-transform:rotate(359deg);transform:rotate(359deg)}}@keyframes fa-spin{0%{-webkit-transform:rotate(0deg);transform:rotate(0deg)}100%{-webkit-transform:rotate(359deg);transform:rotate(359deg)}}.fa-rotate-90{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=1)";-webkit-transform:rotate(90deg);-ms-transform:rotate(90deg);transform:rotate(90deg)}.fa-rotate-180{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=2)";-webkit-transform:rotate(180deg);-ms-transform:rotate(180deg);transform:rotate(180deg)}.fa-rotate-270{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=3)";-webkit-transform:rotate(270deg);-ms-transform:rotate(270deg);transform:rotate(270deg)}.fa-flip-horizontal{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=0, mirror=1)";-webkit-transform:scale(-1, 1);-ms-transform:scale(-1, 1);transform:scale(-1, 1)}.fa-flip-vertical{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=2, mirror=1)";-webkit-transform:scale(1, -1);-ms-transform:scale(1, -1);transform:scale(1, -1)}:root .fa-rotate-90,:root .fa-rotate-180,:root .fa-rotate-270,:root .fa-flip-horizontal,:root .fa-flip-vertical{filter:none}.fa-stack{position:relative;display:inline-block;width:2em;height:2em;line-height:2em;vertical-align:middle}.fa-stack-1x,.fa-stack-2x{position:absolute;left:0;width:100%;text-align:center}.fa-stack-1x{line-height:inherit}.fa-stack-2x{font-size:2em}.fa-inverse{color:#fff}.fa-glass:before{content:""}.fa-music:before{content:""}.fa-search:before,.icon-search:before{content:""}.fa-envelope-o:before{content:""}.fa-heart:before{content:""}.fa-star:before{content:""}.fa-star-o:before{content:""}.fa-user:before{content:""}.fa-film:before{content:""}.fa-th-large:before{content:""}.fa-th:before{content:""}.fa-th-list:before{content:""}.fa-check:before{content:""}.fa-remove:before,.fa-close:before,.fa-times:before{content:""}.fa-search-plus:before{content:""}.fa-search-minus:before{content:""}.fa-power-off:before{content:""}.fa-signal:before{content:""}.fa-gear:before,.fa-cog:before{content:""}.fa-trash-o:before{content:""}.fa-home:before,.icon-home:before{content:""}.fa-file-o:before{content:""}.fa-clock-o:before{content:""}.fa-road:before{content:""}.fa-download:before,.rst-content tt.download span:first-child:before,.rst-content code.download span:first-child:before{content:""}.fa-arrow-circle-o-down:before{content:""}.fa-arrow-circle-o-up:before{content:""}.fa-inbox:before{content:""}.fa-play-circle-o:before{content:""}.fa-rotate-right:before,.fa-repeat:before{content:""}.fa-refresh:before{content:""}.fa-list-alt:before{content:""}.fa-lock:before{content:""}.fa-flag:before{content:""}.fa-headphones:before{content:""}.fa-volume-off:before{content:""}.fa-volume-down:before{content:""}.fa-volume-up:before{content:""}.fa-qrcode:before{content:""}.fa-barcode:before{content:""}.fa-tag:before{content:""}.fa-tags:before{content:""}.fa-book:before,.icon-book:before{content:""}.fa-bookmark:before{content:""}.fa-print:before{content:""}.fa-camera:before{content:""}.fa-font:before{content:""}.fa-bold:before{content:""}.fa-italic:before{content:""}.fa-text-height:before{content:""}.fa-text-width:before{content:""}.fa-align-left:before{content:""}.fa-align-center:before{content:""}.fa-align-right:before{content:""}.fa-align-justify:before{content:""}.fa-list:before{content:""}.fa-dedent:before,.fa-outdent:before{content:""}.fa-indent:before{content:""}.fa-video-camera:before{content:""}.fa-photo:before,.fa-image:before,.fa-picture-o:before{content:""}.fa-pencil:before{content:""}.fa-map-marker:before{content:""}.fa-adjust:before{content:""}.fa-tint:before{content:""}.fa-edit:before,.fa-pencil-square-o:before{content:""}.fa-share-square-o:before{content:""}.fa-check-square-o:before{content:""}.fa-arrows:before{content:""}.fa-step-backward:before{content:""}.fa-fast-backward:before{content:""}.fa-backward:before{content:""}.fa-play:before{content:""}.fa-pause:before{content:""}.fa-stop:before{content:""}.fa-forward:before{content:""}.fa-fast-forward:before{content:""}.fa-step-forward:before{content:""}.fa-eject:before{content:""}.fa-chevron-left:before{content:""}.fa-chevron-right:before{content:""}.fa-plus-circle:before{content:""}.fa-minus-circle:before{content:""}.fa-times-circle:before,.wy-inline-validate.wy-inline-validate-danger .wy-input-context:before{content:""}.fa-check-circle:before,.wy-inline-validate.wy-inline-validate-success .wy-input-context:before{content:""}.fa-question-circle:before{content:""}.fa-info-circle:before{content:""}.fa-crosshairs:before{content:""}.fa-times-circle-o:before{content:""}.fa-check-circle-o:before{content:""}.fa-ban:before{content:""}.fa-arrow-left:before{content:""}.fa-arrow-right:before{content:""}.fa-arrow-up:before{content:""}.fa-arrow-down:before{content:""}.fa-mail-forward:before,.fa-share:before{content:""}.fa-expand:before{content:""}.fa-compress:before{content:""}.fa-plus:before{content:""}.fa-minus:before{content:""}.fa-asterisk:before{content:""}.fa-exclamation-circle:before,.wy-inline-validate.wy-inline-validate-warning .wy-input-context:before,.wy-inline-validate.wy-inline-validate-info .wy-input-context:before,.rst-content .admonition-title:before{content:""}.fa-gift:before{content:""}.fa-leaf:before{content:""}.fa-fire:before,.icon-fire:before{content:""}.fa-eye:before{content:""}.fa-eye-slash:before{content:""}.fa-warning:before,.fa-exclamation-triangle:before{content:""}.fa-plane:before{content:""}.fa-calendar:before{content:""}.fa-random:before{content:""}.fa-comment:before{content:""}.fa-magnet:before{content:""}.fa-chevron-up:before{content:""}.fa-chevron-down:before{content:""}.fa-retweet:before{content:""}.fa-shopping-cart:before{content:""}.fa-folder:before{content:""}.fa-folder-open:before{content:""}.fa-arrows-v:before{content:""}.fa-arrows-h:before{content:""}.fa-bar-chart-o:before,.fa-bar-chart:before{content:""}.fa-twitter-square:before{content:""}.fa-facebook-square:before{content:""}.fa-camera-retro:before{content:""}.fa-key:before{content:""}.fa-gears:before,.fa-cogs:before{content:""}.fa-comments:before{content:""}.fa-thumbs-o-up:before{content:""}.fa-thumbs-o-down:before{content:""}.fa-star-half:before{content:""}.fa-heart-o:before{content:""}.fa-sign-out:before{content:""}.fa-linkedin-square:before{content:""}.fa-thumb-tack:before{content:""}.fa-external-link:before{content:""}.fa-sign-in:before{content:""}.fa-trophy:before{content:""}.fa-github-square:before{content:""}.fa-upload:before{content:""}.fa-lemon-o:before{content:""}.fa-phone:before{content:""}.fa-square-o:before{content:""}.fa-bookmark-o:before{content:""}.fa-phone-square:before{content:""}.fa-twitter:before{content:""}.fa-facebook-f:before,.fa-facebook:before{content:""}.fa-github:before,.icon-github:before{content:""}.fa-unlock:before{content:""}.fa-credit-card:before{content:""}.fa-feed:before,.fa-rss:before{content:""}.fa-hdd-o:before{content:""}.fa-bullhorn:before{content:""}.fa-bell:before{content:""}.fa-certificate:before{content:""}.fa-hand-o-right:before{content:""}.fa-hand-o-left:before{content:""}.fa-hand-o-up:before{content:""}.fa-hand-o-down:before{content:""}.fa-arrow-circle-left:before,.icon-circle-arrow-left:before{content:""}.fa-arrow-circle-right:before,.icon-circle-arrow-right:before{content:""}.fa-arrow-circle-up:before{content:""}.fa-arrow-circle-down:before{content:""}.fa-globe:before{content:""}.fa-wrench:before{content:""}.fa-tasks:before{content:""}.fa-filter:before{content:""}.fa-briefcase:before{content:""}.fa-arrows-alt:before{content:""}.fa-group:before,.fa-users:before{content:""}.fa-chain:before,.fa-link:before,.icon-link:before{content:""}.fa-cloud:before{content:""}.fa-flask:before{content:""}.fa-cut:before,.fa-scissors:before{content:""}.fa-copy:before,.fa-files-o:before{content:""}.fa-paperclip:before{content:""}.fa-save:before,.fa-floppy-o:before{content:""}.fa-square:before{content:""}.fa-navicon:before,.fa-reorder:before,.fa-bars:before{content:""}.fa-list-ul:before{content:""}.fa-list-ol:before{content:""}.fa-strikethrough:before{content:""}.fa-underline:before{content:""}.fa-table:before{content:""}.fa-magic:before{content:""}.fa-truck:before{content:""}.fa-pinterest:before{content:""}.fa-pinterest-square:before{content:""}.fa-google-plus-square:before{content:""}.fa-google-plus:before{content:""}.fa-money:before{content:""}.fa-caret-down:before,.wy-dropdown .caret:before,.icon-caret-down:before{content:""}.fa-caret-up:before{content:""}.fa-caret-left:before{content:""}.fa-caret-right:before{content:""}.fa-columns:before{content:""}.fa-unsorted:before,.fa-sort:before{content:""}.fa-sort-down:before,.fa-sort-desc:before{content:""}.fa-sort-up:before,.fa-sort-asc:before{content:""}.fa-envelope:before{content:""}.fa-linkedin:before{content:""}.fa-rotate-left:before,.fa-undo:before{content:""}.fa-legal:before,.fa-gavel:before{content:""}.fa-dashboard:before,.fa-tachometer:before{content:""}.fa-comment-o:before{content:""}.fa-comments-o:before{content:""}.fa-flash:before,.fa-bolt:before{content:""}.fa-sitemap:before{content:""}.fa-umbrella:before{content:""}.fa-paste:before,.fa-clipboard:before{content:""}.fa-lightbulb-o:before{content:""}.fa-exchange:before{content:""}.fa-cloud-download:before{content:""}.fa-cloud-upload:before{content:""}.fa-user-md:before{content:""}.fa-stethoscope:before{content:""}.fa-suitcase:before{content:""}.fa-bell-o:before{content:""}.fa-coffee:before{content:""}.fa-cutlery:before{content:""}.fa-file-text-o:before{content:""}.fa-building-o:before{content:""}.fa-hospital-o:before{content:""}.fa-ambulance:before{content:""}.fa-medkit:before{content:""}.fa-fighter-jet:before{content:""}.fa-beer:before{content:""}.fa-h-square:before{content:""}.fa-plus-square:before{content:""}.fa-angle-double-left:before{content:""}.fa-angle-double-right:before{content:""}.fa-angle-double-up:before{content:""}.fa-angle-double-down:before{content:""}.fa-angle-left:before{content:""}.fa-angle-right:before{content:""}.fa-angle-up:before{content:""}.fa-angle-down:before{content:""}.fa-desktop:before{content:""}.fa-laptop:before{content:""}.fa-tablet:before{content:""}.fa-mobile-phone:before,.fa-mobile:before{content:""}.fa-circle-o:before{content:""}.fa-quote-left:before{content:""}.fa-quote-right:before{content:""}.fa-spinner:before{content:""}.fa-circle:before{content:""}.fa-mail-reply:before,.fa-reply:before{content:""}.fa-github-alt:before{content:""}.fa-folder-o:before{content:""}.fa-folder-open-o:before{content:""}.fa-smile-o:before{content:""}.fa-frown-o:before{content:""}.fa-meh-o:before{content:""}.fa-gamepad:before{content:""}.fa-keyboard-o:before{content:""}.fa-flag-o:before{content:""}.fa-flag-checkered:before{content:""}.fa-terminal:before{content:""}.fa-code:before{content:""}.fa-mail-reply-all:before,.fa-reply-all:before{content:""}.fa-star-half-empty:before,.fa-star-half-full:before,.fa-star-half-o:before{content:""}.fa-location-arrow:before{content:""}.fa-crop:before{content:""}.fa-code-fork:before{content:""}.fa-unlink:before,.fa-chain-broken:before{content:""}.fa-question:before{content:""}.fa-info:before{content:""}.fa-exclamation:before{content:""}.fa-superscript:before{content:""}.fa-subscript:before{content:""}.fa-eraser:before{content:""}.fa-puzzle-piece:before{content:""}.fa-microphone:before{content:""}.fa-microphone-slash:before{content:""}.fa-shield:before{content:""}.fa-calendar-o:before{content:""}.fa-fire-extinguisher:before{content:""}.fa-rocket:before{content:""}.fa-maxcdn:before{content:""}.fa-chevron-circle-left:before{content:""}.fa-chevron-circle-right:before{content:""}.fa-chevron-circle-up:before{content:""}.fa-chevron-circle-down:before{content:""}.fa-html5:before{content:""}.fa-css3:before{content:""}.fa-anchor:before{content:""}.fa-unlock-alt:before{content:""}.fa-bullseye:before{content:""}.fa-ellipsis-h:before{content:""}.fa-ellipsis-v:before{content:""}.fa-rss-square:before{content:""}.fa-play-circle:before{content:""}.fa-ticket:before{content:""}.fa-minus-square:before{content:""}.fa-minus-square-o:before,.wy-menu-vertical li.on a span.toctree-expand:before,.wy-menu-vertical li.current>a span.toctree-expand:before{content:""}.fa-level-up:before{content:""}.fa-level-down:before{content:""}.fa-check-square:before{content:""}.fa-pencil-square:before{content:""}.fa-external-link-square:before{content:""}.fa-share-square:before{content:""}.fa-compass:before{content:""}.fa-toggle-down:before,.fa-caret-square-o-down:before{content:""}.fa-toggle-up:before,.fa-caret-square-o-up:before{content:""}.fa-toggle-right:before,.fa-caret-square-o-right:before{content:""}.fa-euro:before,.fa-eur:before{content:""}.fa-gbp:before{content:""}.fa-dollar:before,.fa-usd:before{content:""}.fa-rupee:before,.fa-inr:before{content:""}.fa-cny:before,.fa-rmb:before,.fa-yen:before,.fa-jpy:before{content:""}.fa-ruble:before,.fa-rouble:before,.fa-rub:before{content:""}.fa-won:before,.fa-krw:before{content:""}.fa-bitcoin:before,.fa-btc:before{content:""}.fa-file:before{content:""}.fa-file-text:before{content:""}.fa-sort-alpha-asc:before{content:""}.fa-sort-alpha-desc:before{content:""}.fa-sort-amount-asc:before{content:""}.fa-sort-amount-desc:before{content:""}.fa-sort-numeric-asc:before{content:""}.fa-sort-numeric-desc:before{content:""}.fa-thumbs-up:before{content:""}.fa-thumbs-down:before{content:""}.fa-youtube-square:before{content:""}.fa-youtube:before{content:""}.fa-xing:before{content:""}.fa-xing-square:before{content:""}.fa-youtube-play:before{content:""}.fa-dropbox:before{content:""}.fa-stack-overflow:before{content:""}.fa-instagram:before{content:""}.fa-flickr:before{content:""}.fa-adn:before{content:""}.fa-bitbucket:before,.icon-bitbucket:before{content:""}.fa-bitbucket-square:before{content:""}.fa-tumblr:before{content:""}.fa-tumblr-square:before{content:""}.fa-long-arrow-down:before{content:""}.fa-long-arrow-up:before{content:""}.fa-long-arrow-left:before{content:""}.fa-long-arrow-right:before{content:""}.fa-apple:before{content:""}.fa-windows:before{content:""}.fa-android:before{content:""}.fa-linux:before{content:""}.fa-dribbble:before{content:""}.fa-skype:before{content:""}.fa-foursquare:before{content:""}.fa-trello:before{content:""}.fa-female:before{content:""}.fa-male:before{content:""}.fa-gittip:before,.fa-gratipay:before{content:""}.fa-sun-o:before{content:""}.fa-moon-o:before{content:""}.fa-archive:before{content:""}.fa-bug:before{content:""}.fa-vk:before{content:""}.fa-weibo:before{content:""}.fa-renren:before{content:""}.fa-pagelines:before{content:""}.fa-stack-exchange:before{content:""}.fa-arrow-circle-o-right:before{content:""}.fa-arrow-circle-o-left:before{content:""}.fa-toggle-left:before,.fa-caret-square-o-left:before{content:""}.fa-dot-circle-o:before{content:""}.fa-wheelchair:before{content:""}.fa-vimeo-square:before{content:""}.fa-turkish-lira:before,.fa-try:before{content:""}.fa-plus-square-o:before,.wy-menu-vertical li span.toctree-expand:before{content:""}.fa-space-shuttle:before{content:""}.fa-slack:before{content:""}.fa-envelope-square:before{content:""}.fa-wordpress:before{content:""}.fa-openid:before{content:""}.fa-institution:before,.fa-bank:before,.fa-university:before{content:""}.fa-mortar-board:before,.fa-graduation-cap:before{content:""}.fa-yahoo:before{content:""}.fa-google:before{content:""}.fa-reddit:before{content:""}.fa-reddit-square:before{content:""}.fa-stumbleupon-circle:before{content:""}.fa-stumbleupon:before{content:""}.fa-delicious:before{content:""}.fa-digg:before{content:""}.fa-pied-piper-pp:before{content:""}.fa-pied-piper-alt:before{content:""}.fa-drupal:before{content:""}.fa-joomla:before{content:""}.fa-language:before{content:""}.fa-fax:before{content:""}.fa-building:before{content:""}.fa-child:before{content:""}.fa-paw:before{content:""}.fa-spoon:before{content:""}.fa-cube:before{content:""}.fa-cubes:before{content:""}.fa-behance:before{content:""}.fa-behance-square:before{content:""}.fa-steam:before{content:""}.fa-steam-square:before{content:""}.fa-recycle:before{content:""}.fa-automobile:before,.fa-car:before{content:""}.fa-cab:before,.fa-taxi:before{content:""}.fa-tree:before{content:""}.fa-spotify:before{content:""}.fa-deviantart:before{content:""}.fa-soundcloud:before{content:""}.fa-database:before{content:""}.fa-file-pdf-o:before{content:""}.fa-file-word-o:before{content:""}.fa-file-excel-o:before{content:""}.fa-file-powerpoint-o:before{content:""}.fa-file-photo-o:before,.fa-file-picture-o:before,.fa-file-image-o:before{content:""}.fa-file-zip-o:before,.fa-file-archive-o:before{content:""}.fa-file-sound-o:before,.fa-file-audio-o:before{content:""}.fa-file-movie-o:before,.fa-file-video-o:before{content:""}.fa-file-code-o:before{content:""}.fa-vine:before{content:""}.fa-codepen:before{content:""}.fa-jsfiddle:before{content:""}.fa-life-bouy:before,.fa-life-buoy:before,.fa-life-saver:before,.fa-support:before,.fa-life-ring:before{content:""}.fa-circle-o-notch:before{content:""}.fa-ra:before,.fa-resistance:before,.fa-rebel:before{content:""}.fa-ge:before,.fa-empire:before{content:""}.fa-git-square:before{content:""}.fa-git:before{content:""}.fa-y-combinator-square:before,.fa-yc-square:before,.fa-hacker-news:before{content:""}.fa-tencent-weibo:before{content:""}.fa-qq:before{content:""}.fa-wechat:before,.fa-weixin:before{content:""}.fa-send:before,.fa-paper-plane:before{content:""}.fa-send-o:before,.fa-paper-plane-o:before{content:""}.fa-history:before{content:""}.fa-circle-thin:before{content:""}.fa-header:before{content:""}.fa-paragraph:before{content:""}.fa-sliders:before{content:""}.fa-share-alt:before{content:""}.fa-share-alt-square:before{content:""}.fa-bomb:before{content:""}.fa-soccer-ball-o:before,.fa-futbol-o:before{content:""}.fa-tty:before{content:""}.fa-binoculars:before{content:""}.fa-plug:before{content:""}.fa-slideshare:before{content:""}.fa-twitch:before{content:""}.fa-yelp:before{content:""}.fa-newspaper-o:before{content:""}.fa-wifi:before{content:""}.fa-calculator:before{content:""}.fa-paypal:before{content:""}.fa-google-wallet:before{content:""}.fa-cc-visa:before{content:""}.fa-cc-mastercard:before{content:""}.fa-cc-discover:before{content:""}.fa-cc-amex:before{content:""}.fa-cc-paypal:before{content:""}.fa-cc-stripe:before{content:""}.fa-bell-slash:before{content:""}.fa-bell-slash-o:before{content:""}.fa-trash:before{content:""}.fa-copyright:before{content:""}.fa-at:before{content:""}.fa-eyedropper:before{content:""}.fa-paint-brush:before{content:""}.fa-birthday-cake:before{content:""}.fa-area-chart:before{content:""}.fa-pie-chart:before{content:""}.fa-line-chart:before{content:""}.fa-lastfm:before{content:""}.fa-lastfm-square:before{content:""}.fa-toggle-off:before{content:""}.fa-toggle-on:before{content:""}.fa-bicycle:before{content:""}.fa-bus:before{content:""}.fa-ioxhost:before{content:""}.fa-angellist:before{content:""}.fa-cc:before{content:""}.fa-shekel:before,.fa-sheqel:before,.fa-ils:before{content:""}.fa-meanpath:before{content:""}.fa-buysellads:before{content:""}.fa-connectdevelop:before{content:""}.fa-dashcube:before{content:""}.fa-forumbee:before{content:""}.fa-leanpub:before{content:""}.fa-sellsy:before{content:""}.fa-shirtsinbulk:before{content:""}.fa-simplybuilt:before{content:""}.fa-skyatlas:before{content:""}.fa-cart-plus:before{content:""}.fa-cart-arrow-down:before{content:""}.fa-diamond:before{content:""}.fa-ship:before{content:""}.fa-user-secret:before{content:""}.fa-motorcycle:before{content:""}.fa-street-view:before{content:""}.fa-heartbeat:before{content:""}.fa-venus:before{content:""}.fa-mars:before{content:""}.fa-mercury:before{content:""}.fa-intersex:before,.fa-transgender:before{content:""}.fa-transgender-alt:before{content:""}.fa-venus-double:before{content:""}.fa-mars-double:before{content:""}.fa-venus-mars:before{content:""}.fa-mars-stroke:before{content:""}.fa-mars-stroke-v:before{content:""}.fa-mars-stroke-h:before{content:""}.fa-neuter:before{content:""}.fa-genderless:before{content:""}.fa-facebook-official:before{content:""}.fa-pinterest-p:before{content:""}.fa-whatsapp:before{content:""}.fa-server:before{content:""}.fa-user-plus:before{content:""}.fa-user-times:before{content:""}.fa-hotel:before,.fa-bed:before{content:""}.fa-viacoin:before{content:""}.fa-train:before{content:""}.fa-subway:before{content:""}.fa-medium:before{content:""}.fa-yc:before,.fa-y-combinator:before{content:""}.fa-optin-monster:before{content:""}.fa-opencart:before{content:""}.fa-expeditedssl:before{content:""}.fa-battery-4:before,.fa-battery-full:before{content:""}.fa-battery-3:before,.fa-battery-three-quarters:before{content:""}.fa-battery-2:before,.fa-battery-half:before{content:""}.fa-battery-1:before,.fa-battery-quarter:before{content:""}.fa-battery-0:before,.fa-battery-empty:before{content:""}.fa-mouse-pointer:before{content:""}.fa-i-cursor:before{content:""}.fa-object-group:before{content:""}.fa-object-ungroup:before{content:""}.fa-sticky-note:before{content:""}.fa-sticky-note-o:before{content:""}.fa-cc-jcb:before{content:""}.fa-cc-diners-club:before{content:""}.fa-clone:before{content:""}.fa-balance-scale:before{content:""}.fa-hourglass-o:before{content:""}.fa-hourglass-1:before,.fa-hourglass-start:before{content:""}.fa-hourglass-2:before,.fa-hourglass-half:before{content:""}.fa-hourglass-3:before,.fa-hourglass-end:before{content:""}.fa-hourglass:before{content:""}.fa-hand-grab-o:before,.fa-hand-rock-o:before{content:""}.fa-hand-stop-o:before,.fa-hand-paper-o:before{content:""}.fa-hand-scissors-o:before{content:""}.fa-hand-lizard-o:before{content:""}.fa-hand-spock-o:before{content:""}.fa-hand-pointer-o:before{content:""}.fa-hand-peace-o:before{content:""}.fa-trademark:before{content:""}.fa-registered:before{content:""}.fa-creative-commons:before{content:""}.fa-gg:before{content:""}.fa-gg-circle:before{content:""}.fa-tripadvisor:before{content:""}.fa-odnoklassniki:before{content:""}.fa-odnoklassniki-square:before{content:""}.fa-get-pocket:before{content:""}.fa-wikipedia-w:before{content:""}.fa-safari:before{content:""}.fa-chrome:before{content:""}.fa-firefox:before{content:""}.fa-opera:before{content:""}.fa-internet-explorer:before{content:""}.fa-tv:before,.fa-television:before{content:""}.fa-contao:before{content:""}.fa-500px:before{content:""}.fa-amazon:before{content:""}.fa-calendar-plus-o:before{content:""}.fa-calendar-minus-o:before{content:""}.fa-calendar-times-o:before{content:""}.fa-calendar-check-o:before{content:""}.fa-industry:before{content:""}.fa-map-pin:before{content:""}.fa-map-signs:before{content:""}.fa-map-o:before{content:""}.fa-map:before{content:""}.fa-commenting:before{content:""}.fa-commenting-o:before{content:""}.fa-houzz:before{content:""}.fa-vimeo:before{content:""}.fa-black-tie:before{content:""}.fa-fonticons:before{content:""}.fa-reddit-alien:before{content:""}.fa-edge:before{content:""}.fa-credit-card-alt:before{content:""}.fa-codiepie:before{content:""}.fa-modx:before{content:""}.fa-fort-awesome:before{content:""}.fa-usb:before{content:""}.fa-product-hunt:before{content:""}.fa-mixcloud:before{content:""}.fa-scribd:before{content:""}.fa-pause-circle:before{content:""}.fa-pause-circle-o:before{content:""}.fa-stop-circle:before{content:""}.fa-stop-circle-o:before{content:""}.fa-shopping-bag:before{content:""}.fa-shopping-basket:before{content:""}.fa-hashtag:before{content:""}.fa-bluetooth:before{content:""}.fa-bluetooth-b:before{content:""}.fa-percent:before{content:""}.fa-gitlab:before,.icon-gitlab:before{content:""}.fa-wpbeginner:before{content:""}.fa-wpforms:before{content:""}.fa-envira:before{content:""}.fa-universal-access:before{content:""}.fa-wheelchair-alt:before{content:""}.fa-question-circle-o:before{content:""}.fa-blind:before{content:""}.fa-audio-description:before{content:""}.fa-volume-control-phone:before{content:""}.fa-braille:before{content:""}.fa-assistive-listening-systems:before{content:""}.fa-asl-interpreting:before,.fa-american-sign-language-interpreting:before{content:""}.fa-deafness:before,.fa-hard-of-hearing:before,.fa-deaf:before{content:""}.fa-glide:before{content:""}.fa-glide-g:before{content:""}.fa-signing:before,.fa-sign-language:before{content:""}.fa-low-vision:before{content:""}.fa-viadeo:before{content:""}.fa-viadeo-square:before{content:""}.fa-snapchat:before{content:""}.fa-snapchat-ghost:before{content:""}.fa-snapchat-square:before{content:""}.fa-pied-piper:before{content:""}.fa-first-order:before{content:""}.fa-yoast:before{content:""}.fa-themeisle:before{content:""}.fa-google-plus-circle:before,.fa-google-plus-official:before{content:""}.fa-fa:before,.fa-font-awesome:before{content:""}.sr-only{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0, 0, 0, 0);border:0}.sr-only-focusable:active,.sr-only-focusable:focus{position:static;width:auto;height:auto;margin:0;overflow:visible;clip:auto}.fa,.wy-menu-vertical li span.toctree-expand,.wy-menu-vertical li.on a span.toctree-expand,.wy-menu-vertical li.current>a span.toctree-expand,.rst-content .admonition-title,.rst-content h1 .headerlink,.rst-content h2 .headerlink,.rst-content h3 .headerlink,.rst-content h4 .headerlink,.rst-content h5 .headerlink,.rst-content h6 .headerlink,.rst-content dl dt .headerlink,.rst-content p.caption .headerlink,.rst-content tt.download span:first-child,.rst-content code.download span:first-child,.icon,.wy-dropdown .caret,.wy-inline-validate.wy-inline-validate-success .wy-input-context,.wy-inline-validate.wy-inline-validate-danger .wy-input-context,.wy-inline-validate.wy-inline-validate-warning .wy-input-context,.wy-inline-validate.wy-inline-validate-info .wy-input-context{font-family:inherit}.fa:before,.wy-menu-vertical li span.toctree-expand:before,.wy-menu-vertical li.on a span.toctree-expand:before,.wy-menu-vertical li.current>a span.toctree-expand:before,.rst-content .admonition-title:before,.rst-content h1 .headerlink:before,.rst-content h2 .headerlink:before,.rst-content h3 .headerlink:before,.rst-content h4 .headerlink:before,.rst-content h5 .headerlink:before,.rst-content h6 .headerlink:before,.rst-content dl dt .headerlink:before,.rst-content p.caption .headerlink:before,.rst-content tt.download span:first-child:before,.rst-content code.download span:first-child:before,.icon:before,.wy-dropdown .caret:before,.wy-inline-validate.wy-inline-validate-success .wy-input-context:before,.wy-inline-validate.wy-inline-validate-danger .wy-input-context:before,.wy-inline-validate.wy-inline-validate-warning .wy-input-context:before,.wy-inline-validate.wy-inline-validate-info .wy-input-context:before{font-family:"FontAwesome";display:inline-block;font-style:normal;font-weight:normal;line-height:1;text-decoration:inherit}a .fa,a .wy-menu-vertical li span.toctree-expand,.wy-menu-vertical li a span.toctree-expand,.wy-menu-vertical li.on a span.toctree-expand,.wy-menu-vertical li.current>a span.toctree-expand,a .rst-content .admonition-title,.rst-content a .admonition-title,a .rst-content h1 .headerlink,.rst-content h1 a .headerlink,a .rst-content h2 .headerlink,.rst-content h2 a .headerlink,a .rst-content h3 .headerlink,.rst-content h3 a .headerlink,a .rst-content h4 .headerlink,.rst-content h4 a .headerlink,a .rst-content h5 .headerlink,.rst-content h5 a .headerlink,a .rst-content h6 .headerlink,.rst-content h6 a .headerlink,a .rst-content dl dt .headerlink,.rst-content dl dt a .headerlink,a .rst-content p.caption .headerlink,.rst-content p.caption a .headerlink,a .rst-content tt.download span:first-child,.rst-content tt.download a span:first-child,a .rst-content code.download span:first-child,.rst-content code.download a span:first-child,a .icon{display:inline-block;text-decoration:inherit}.btn .fa,.btn .wy-menu-vertical li span.toctree-expand,.wy-menu-vertical li .btn span.toctree-expand,.btn .wy-menu-vertical li.on a span.toctree-expand,.wy-menu-vertical li.on a .btn span.toctree-expand,.btn .wy-menu-vertical li.current>a span.toctree-expand,.wy-menu-vertical li.current>a .btn span.toctree-expand,.btn .rst-content .admonition-title,.rst-content .btn .admonition-title,.btn .rst-content h1 .headerlink,.rst-content h1 .btn .headerlink,.btn .rst-content h2 .headerlink,.rst-content h2 .btn .headerlink,.btn .rst-content h3 .headerlink,.rst-content h3 .btn .headerlink,.btn .rst-content h4 .headerlink,.rst-content h4 .btn .headerlink,.btn .rst-content h5 .headerlink,.rst-content h5 .btn .headerlink,.btn .rst-content h6 .headerlink,.rst-content h6 .btn .headerlink,.btn .rst-content dl dt .headerlink,.rst-content dl dt .btn .headerlink,.btn .rst-content p.caption .headerlink,.rst-content p.caption .btn .headerlink,.btn .rst-content tt.download span:first-child,.rst-content tt.download .btn span:first-child,.btn .rst-content code.download span:first-child,.rst-content code.download .btn span:first-child,.btn .icon,.nav .fa,.nav .wy-menu-vertical li span.toctree-expand,.wy-menu-vertical li .nav span.toctree-expand,.nav .wy-menu-vertical li.on a span.toctree-expand,.wy-menu-vertical li.on a .nav span.toctree-expand,.nav .wy-menu-vertical li.current>a span.toctree-expand,.wy-menu-vertical li.current>a .nav span.toctree-expand,.nav .rst-content .admonition-title,.rst-content .nav .admonition-title,.nav .rst-content h1 .headerlink,.rst-content h1 .nav .headerlink,.nav .rst-content h2 .headerlink,.rst-content h2 .nav .headerlink,.nav .rst-content h3 .headerlink,.rst-content h3 .nav .headerlink,.nav .rst-content h4 .headerlink,.rst-content h4 .nav .headerlink,.nav .rst-content h5 .headerlink,.rst-content h5 .nav .headerlink,.nav .rst-content h6 .headerlink,.rst-content h6 .nav .headerlink,.nav .rst-content dl dt .headerlink,.rst-content dl dt .nav .headerlink,.nav .rst-content p.caption .headerlink,.rst-content p.caption .nav .headerlink,.nav .rst-content tt.download span:first-child,.rst-content tt.download .nav span:first-child,.nav .rst-content code.download span:first-child,.rst-content code.download .nav span:first-child,.nav .icon{display:inline}.btn .fa.fa-large,.btn .wy-menu-vertical li span.fa-large.toctree-expand,.wy-menu-vertical li .btn span.fa-large.toctree-expand,.btn .rst-content .fa-large.admonition-title,.rst-content .btn .fa-large.admonition-title,.btn .rst-content h1 .fa-large.headerlink,.rst-content h1 .btn .fa-large.headerlink,.btn .rst-content h2 .fa-large.headerlink,.rst-content h2 .btn .fa-large.headerlink,.btn .rst-content h3 .fa-large.headerlink,.rst-content h3 .btn .fa-large.headerlink,.btn .rst-content h4 .fa-large.headerlink,.rst-content h4 .btn .fa-large.headerlink,.btn .rst-content h5 .fa-large.headerlink,.rst-content h5 .btn .fa-large.headerlink,.btn .rst-content h6 .fa-large.headerlink,.rst-content h6 .btn .fa-large.headerlink,.btn .rst-content dl dt .fa-large.headerlink,.rst-content dl dt .btn .fa-large.headerlink,.btn .rst-content p.caption .fa-large.headerlink,.rst-content p.caption .btn .fa-large.headerlink,.btn .rst-content tt.download span.fa-large:first-child,.rst-content tt.download .btn span.fa-large:first-child,.btn .rst-content code.download span.fa-large:first-child,.rst-content code.download .btn span.fa-large:first-child,.btn .fa-large.icon,.nav .fa.fa-large,.nav .wy-menu-vertical li span.fa-large.toctree-expand,.wy-menu-vertical li .nav span.fa-large.toctree-expand,.nav .rst-content .fa-large.admonition-title,.rst-content .nav .fa-large.admonition-title,.nav .rst-content h1 .fa-large.headerlink,.rst-content h1 .nav .fa-large.headerlink,.nav .rst-content h2 .fa-large.headerlink,.rst-content h2 .nav .fa-large.headerlink,.nav .rst-content h3 .fa-large.headerlink,.rst-content h3 .nav .fa-large.headerlink,.nav .rst-content h4 .fa-large.headerlink,.rst-content h4 .nav .fa-large.headerlink,.nav .rst-content h5 .fa-large.headerlink,.rst-content h5 .nav .fa-large.headerlink,.nav .rst-content h6 .fa-large.headerlink,.rst-content h6 .nav .fa-large.headerlink,.nav .rst-content dl dt .fa-large.headerlink,.rst-content dl dt .nav .fa-large.headerlink,.nav .rst-content p.caption .fa-large.headerlink,.rst-content p.caption .nav .fa-large.headerlink,.nav .rst-content tt.download span.fa-large:first-child,.rst-content tt.download .nav span.fa-large:first-child,.nav .rst-content code.download span.fa-large:first-child,.rst-content code.download .nav span.fa-large:first-child,.nav .fa-large.icon{line-height:0.9em}.btn .fa.fa-spin,.btn .wy-menu-vertical li span.fa-spin.toctree-expand,.wy-menu-vertical li .btn span.fa-spin.toctree-expand,.btn .rst-content .fa-spin.admonition-title,.rst-content .btn .fa-spin.admonition-title,.btn .rst-content h1 .fa-spin.headerlink,.rst-content h1 .btn .fa-spin.headerlink,.btn .rst-content h2 .fa-spin.headerlink,.rst-content h2 .btn .fa-spin.headerlink,.btn .rst-content h3 .fa-spin.headerlink,.rst-content h3 .btn .fa-spin.headerlink,.btn .rst-content h4 .fa-spin.headerlink,.rst-content h4 .btn .fa-spin.headerlink,.btn .rst-content h5 .fa-spin.headerlink,.rst-content h5 .btn .fa-spin.headerlink,.btn .rst-content h6 .fa-spin.headerlink,.rst-content h6 .btn .fa-spin.headerlink,.btn .rst-content dl dt .fa-spin.headerlink,.rst-content dl dt .btn .fa-spin.headerlink,.btn .rst-content p.caption .fa-spin.headerlink,.rst-content p.caption .btn .fa-spin.headerlink,.btn .rst-content tt.download span.fa-spin:first-child,.rst-content tt.download .btn span.fa-spin:first-child,.btn .rst-content code.download span.fa-spin:first-child,.rst-content code.download .btn span.fa-spin:first-child,.btn .fa-spin.icon,.nav .fa.fa-spin,.nav .wy-menu-vertical li span.fa-spin.toctree-expand,.wy-menu-vertical li .nav span.fa-spin.toctree-expand,.nav .rst-content .fa-spin.admonition-title,.rst-content .nav .fa-spin.admonition-title,.nav .rst-content h1 .fa-spin.headerlink,.rst-content h1 .nav .fa-spin.headerlink,.nav .rst-content h2 .fa-spin.headerlink,.rst-content h2 .nav .fa-spin.headerlink,.nav .rst-content h3 .fa-spin.headerlink,.rst-content h3 .nav .fa-spin.headerlink,.nav .rst-content h4 .fa-spin.headerlink,.rst-content h4 .nav .fa-spin.headerlink,.nav .rst-content h5 .fa-spin.headerlink,.rst-content h5 .nav .fa-spin.headerlink,.nav .rst-content h6 .fa-spin.headerlink,.rst-content h6 .nav .fa-spin.headerlink,.nav .rst-content dl dt .fa-spin.headerlink,.rst-content dl dt .nav .fa-spin.headerlink,.nav .rst-content p.caption .fa-spin.headerlink,.rst-content p.caption .nav .fa-spin.headerlink,.nav .rst-content tt.download span.fa-spin:first-child,.rst-content tt.download .nav span.fa-spin:first-child,.nav .rst-content code.download span.fa-spin:first-child,.rst-content code.download .nav span.fa-spin:first-child,.nav .fa-spin.icon{display:inline-block}.btn.fa:before,.wy-menu-vertical li span.btn.toctree-expand:before,.rst-content .btn.admonition-title:before,.rst-content h1 .btn.headerlink:before,.rst-content h2 .btn.headerlink:before,.rst-content h3 .btn.headerlink:before,.rst-content h4 .btn.headerlink:before,.rst-content h5 .btn.headerlink:before,.rst-content h6 .btn.headerlink:before,.rst-content dl dt .btn.headerlink:before,.rst-content p.caption .btn.headerlink:before,.rst-content tt.download span.btn:first-child:before,.rst-content code.download span.btn:first-child:before,.btn.icon:before{opacity:0.5;-webkit-transition:opacity 0.05s ease-in;-moz-transition:opacity 0.05s ease-in;transition:opacity 0.05s ease-in}.btn.fa:hover:before,.wy-menu-vertical li span.btn.toctree-expand:hover:before,.rst-content .btn.admonition-title:hover:before,.rst-content h1 .btn.headerlink:hover:before,.rst-content h2 .btn.headerlink:hover:before,.rst-content h3 .btn.headerlink:hover:before,.rst-content h4 .btn.headerlink:hover:before,.rst-content h5 .btn.headerlink:hover:before,.rst-content h6 .btn.headerlink:hover:before,.rst-content dl dt .btn.headerlink:hover:before,.rst-content p.caption .btn.headerlink:hover:before,.rst-content tt.download span.btn:first-child:hover:before,.rst-content code.download span.btn:first-child:hover:before,.btn.icon:hover:before{opacity:1}.btn-mini .fa:before,.btn-mini .wy-menu-vertical li span.toctree-expand:before,.wy-menu-vertical li .btn-mini span.toctree-expand:before,.btn-mini .rst-content .admonition-title:before,.rst-content .btn-mini .admonition-title:before,.btn-mini .rst-content h1 .headerlink:before,.rst-content h1 .btn-mini .headerlink:before,.btn-mini .rst-content h2 .headerlink:before,.rst-content h2 .btn-mini .headerlink:before,.btn-mini .rst-content h3 .headerlink:before,.rst-content h3 .btn-mini .headerlink:before,.btn-mini .rst-content h4 .headerlink:before,.rst-content h4 .btn-mini .headerlink:before,.btn-mini .rst-content h5 .headerlink:before,.rst-content h5 .btn-mini .headerlink:before,.btn-mini .rst-content h6 .headerlink:before,.rst-content h6 .btn-mini .headerlink:before,.btn-mini .rst-content dl dt .headerlink:before,.rst-content dl dt .btn-mini .headerlink:before,.btn-mini .rst-content p.caption .headerlink:before,.rst-content p.caption .btn-mini .headerlink:before,.btn-mini .rst-content tt.download span:first-child:before,.rst-content tt.download .btn-mini span:first-child:before,.btn-mini .rst-content code.download span:first-child:before,.rst-content code.download .btn-mini span:first-child:before,.btn-mini .icon:before{font-size:14px;vertical-align:-15%}.wy-alert,.rst-content .note,.rst-content .attention,.rst-content .caution,.rst-content .danger,.rst-content .error,.rst-content .hint,.rst-content .important,.rst-content .tip,.rst-content .warning,.rst-content .seealso,.rst-content .admonition-todo{padding:12px;line-height:24px;margin-bottom:24px;background:#e7f2fa}.wy-alert-title,.rst-content .admonition-title{color:#fff;font-weight:bold;display:block;color:#fff;background:#6ab0de;margin:-12px;padding:6px 12px;margin-bottom:12px}.wy-alert.wy-alert-danger,.rst-content .wy-alert-danger.note,.rst-content .wy-alert-danger.attention,.rst-content .wy-alert-danger.caution,.rst-content .danger,.rst-content .error,.rst-content .wy-alert-danger.hint,.rst-content .wy-alert-danger.important,.rst-content .wy-alert-danger.tip,.rst-content .wy-alert-danger.warning,.rst-content .wy-alert-danger.seealso,.rst-content .wy-alert-danger.admonition-todo{background:#fdf3f2}.wy-alert.wy-alert-danger .wy-alert-title,.rst-content .wy-alert-danger.note .wy-alert-title,.rst-content .wy-alert-danger.attention .wy-alert-title,.rst-content .wy-alert-danger.caution .wy-alert-title,.rst-content .danger .wy-alert-title,.rst-content .error .wy-alert-title,.rst-content .wy-alert-danger.hint .wy-alert-title,.rst-content .wy-alert-danger.important .wy-alert-title,.rst-content .wy-alert-danger.tip .wy-alert-title,.rst-content .wy-alert-danger.warning .wy-alert-title,.rst-content .wy-alert-danger.seealso .wy-alert-title,.rst-content .wy-alert-danger.admonition-todo .wy-alert-title,.wy-alert.wy-alert-danger .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-danger .admonition-title,.rst-content .wy-alert-danger.note .admonition-title,.rst-content .wy-alert-danger.attention .admonition-title,.rst-content .wy-alert-danger.caution .admonition-title,.rst-content .danger .admonition-title,.rst-content .error .admonition-title,.rst-content .wy-alert-danger.hint .admonition-title,.rst-content .wy-alert-danger.important .admonition-title,.rst-content .wy-alert-danger.tip .admonition-title,.rst-content .wy-alert-danger.warning .admonition-title,.rst-content .wy-alert-danger.seealso .admonition-title,.rst-content .wy-alert-danger.admonition-todo .admonition-title{background:#f29f97}.wy-alert.wy-alert-warning,.rst-content .wy-alert-warning.note,.rst-content .attention,.rst-content .caution,.rst-content .wy-alert-warning.danger,.rst-content .wy-alert-warning.error,.rst-content .wy-alert-warning.hint,.rst-content .wy-alert-warning.important,.rst-content .wy-alert-warning.tip,.rst-content .warning,.rst-content .wy-alert-warning.seealso,.rst-content .admonition-todo{background:#ffedcc}.wy-alert.wy-alert-warning .wy-alert-title,.rst-content .wy-alert-warning.note .wy-alert-title,.rst-content .attention .wy-alert-title,.rst-content .caution .wy-alert-title,.rst-content .wy-alert-warning.danger .wy-alert-title,.rst-content .wy-alert-warning.error .wy-alert-title,.rst-content .wy-alert-warning.hint .wy-alert-title,.rst-content .wy-alert-warning.important .wy-alert-title,.rst-content .wy-alert-warning.tip .wy-alert-title,.rst-content .warning .wy-alert-title,.rst-content .wy-alert-warning.seealso .wy-alert-title,.rst-content .admonition-todo .wy-alert-title,.wy-alert.wy-alert-warning .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-warning .admonition-title,.rst-content .wy-alert-warning.note .admonition-title,.rst-content .attention .admonition-title,.rst-content .caution .admonition-title,.rst-content .wy-alert-warning.danger .admonition-title,.rst-content .wy-alert-warning.error .admonition-title,.rst-content .wy-alert-warning.hint .admonition-title,.rst-content .wy-alert-warning.important .admonition-title,.rst-content .wy-alert-warning.tip .admonition-title,.rst-content .warning .admonition-title,.rst-content .wy-alert-warning.seealso .admonition-title,.rst-content .admonition-todo .admonition-title{background:#f0b37e}.wy-alert.wy-alert-info,.rst-content .note,.rst-content .wy-alert-info.attention,.rst-content .wy-alert-info.caution,.rst-content .wy-alert-info.danger,.rst-content .wy-alert-info.error,.rst-content .wy-alert-info.hint,.rst-content .wy-alert-info.important,.rst-content .wy-alert-info.tip,.rst-content .wy-alert-info.warning,.rst-content .seealso,.rst-content .wy-alert-info.admonition-todo{background:#e7f2fa}.wy-alert.wy-alert-info .wy-alert-title,.rst-content .note .wy-alert-title,.rst-content .wy-alert-info.attention .wy-alert-title,.rst-content .wy-alert-info.caution .wy-alert-title,.rst-content .wy-alert-info.danger .wy-alert-title,.rst-content .wy-alert-info.error .wy-alert-title,.rst-content .wy-alert-info.hint .wy-alert-title,.rst-content .wy-alert-info.important .wy-alert-title,.rst-content .wy-alert-info.tip .wy-alert-title,.rst-content .wy-alert-info.warning .wy-alert-title,.rst-content .seealso .wy-alert-title,.rst-content .wy-alert-info.admonition-todo .wy-alert-title,.wy-alert.wy-alert-info .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-info .admonition-title,.rst-content .note .admonition-title,.rst-content .wy-alert-info.attention .admonition-title,.rst-content .wy-alert-info.caution .admonition-title,.rst-content .wy-alert-info.danger .admonition-title,.rst-content .wy-alert-info.error .admonition-title,.rst-content .wy-alert-info.hint .admonition-title,.rst-content .wy-alert-info.important .admonition-title,.rst-content .wy-alert-info.tip .admonition-title,.rst-content .wy-alert-info.warning .admonition-title,.rst-content .seealso .admonition-title,.rst-content .wy-alert-info.admonition-todo .admonition-title{background:#6ab0de}.wy-alert.wy-alert-success,.rst-content .wy-alert-success.note,.rst-content .wy-alert-success.attention,.rst-content .wy-alert-success.caution,.rst-content .wy-alert-success.danger,.rst-content .wy-alert-success.error,.rst-content .hint,.rst-content .important,.rst-content .tip,.rst-content .wy-alert-success.warning,.rst-content .wy-alert-success.seealso,.rst-content .wy-alert-success.admonition-todo{background:#dbfaf4}.wy-alert.wy-alert-success .wy-alert-title,.rst-content .wy-alert-success.note .wy-alert-title,.rst-content .wy-alert-success.attention .wy-alert-title,.rst-content .wy-alert-success.caution .wy-alert-title,.rst-content .wy-alert-success.danger .wy-alert-title,.rst-content .wy-alert-success.error .wy-alert-title,.rst-content .hint .wy-alert-title,.rst-content .important .wy-alert-title,.rst-content .tip .wy-alert-title,.rst-content .wy-alert-success.warning .wy-alert-title,.rst-content .wy-alert-success.seealso .wy-alert-title,.rst-content .wy-alert-success.admonition-todo .wy-alert-title,.wy-alert.wy-alert-success .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-success .admonition-title,.rst-content .wy-alert-success.note .admonition-title,.rst-content .wy-alert-success.attention .admonition-title,.rst-content .wy-alert-success.caution .admonition-title,.rst-content .wy-alert-success.danger .admonition-title,.rst-content .wy-alert-success.error .admonition-title,.rst-content .hint .admonition-title,.rst-content .important .admonition-title,.rst-content .tip .admonition-title,.rst-content .wy-alert-success.warning .admonition-title,.rst-content .wy-alert-success.seealso .admonition-title,.rst-content .wy-alert-success.admonition-todo .admonition-title{background:#1abc9c}.wy-alert.wy-alert-neutral,.rst-content .wy-alert-neutral.note,.rst-content .wy-alert-neutral.attention,.rst-content .wy-alert-neutral.caution,.rst-content .wy-alert-neutral.danger,.rst-content .wy-alert-neutral.error,.rst-content .wy-alert-neutral.hint,.rst-content .wy-alert-neutral.important,.rst-content .wy-alert-neutral.tip,.rst-content .wy-alert-neutral.warning,.rst-content .wy-alert-neutral.seealso,.rst-content .wy-alert-neutral.admonition-todo{background:#f3f6f6}.wy-alert.wy-alert-neutral .wy-alert-title,.rst-content .wy-alert-neutral.note .wy-alert-title,.rst-content .wy-alert-neutral.attention .wy-alert-title,.rst-content .wy-alert-neutral.caution .wy-alert-title,.rst-content .wy-alert-neutral.danger .wy-alert-title,.rst-content .wy-alert-neutral.error .wy-alert-title,.rst-content .wy-alert-neutral.hint .wy-alert-title,.rst-content .wy-alert-neutral.important .wy-alert-title,.rst-content .wy-alert-neutral.tip .wy-alert-title,.rst-content .wy-alert-neutral.warning .wy-alert-title,.rst-content .wy-alert-neutral.seealso .wy-alert-title,.rst-content .wy-alert-neutral.admonition-todo .wy-alert-title,.wy-alert.wy-alert-neutral .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-neutral .admonition-title,.rst-content .wy-alert-neutral.note .admonition-title,.rst-content .wy-alert-neutral.attention .admonition-title,.rst-content .wy-alert-neutral.caution .admonition-title,.rst-content .wy-alert-neutral.danger .admonition-title,.rst-content .wy-alert-neutral.error .admonition-title,.rst-content .wy-alert-neutral.hint .admonition-title,.rst-content .wy-alert-neutral.important .admonition-title,.rst-content .wy-alert-neutral.tip .admonition-title,.rst-content .wy-alert-neutral.warning .admonition-title,.rst-content .wy-alert-neutral.seealso .admonition-title,.rst-content .wy-alert-neutral.admonition-todo .admonition-title{color:#404040;background:#e1e4e5}.wy-alert.wy-alert-neutral a,.rst-content .wy-alert-neutral.note a,.rst-content .wy-alert-neutral.attention a,.rst-content .wy-alert-neutral.caution a,.rst-content .wy-alert-neutral.danger a,.rst-content .wy-alert-neutral.error a,.rst-content .wy-alert-neutral.hint a,.rst-content .wy-alert-neutral.important a,.rst-content .wy-alert-neutral.tip a,.rst-content .wy-alert-neutral.warning a,.rst-content .wy-alert-neutral.seealso a,.rst-content .wy-alert-neutral.admonition-todo a{color:#2980B9}.wy-alert p:last-child,.rst-content .note p:last-child,.rst-content .attention p:last-child,.rst-content .caution p:last-child,.rst-content .danger p:last-child,.rst-content .error p:last-child,.rst-content .hint p:last-child,.rst-content .important p:last-child,.rst-content .tip p:last-child,.rst-content .warning p:last-child,.rst-content .seealso p:last-child,.rst-content .admonition-todo p:last-child{margin-bottom:0}.wy-tray-container{position:fixed;bottom:0px;left:0;z-index:600}.wy-tray-container li{display:block;width:300px;background:transparent;color:#fff;text-align:center;box-shadow:0 5px 5px 0 rgba(0,0,0,0.1);padding:0 24px;min-width:20%;opacity:0;height:0;line-height:56px;overflow:hidden;-webkit-transition:all 0.3s ease-in;-moz-transition:all 0.3s ease-in;transition:all 0.3s ease-in}.wy-tray-container li.wy-tray-item-success{background:#27AE60}.wy-tray-container li.wy-tray-item-info{background:#2980B9}.wy-tray-container li.wy-tray-item-warning{background:#E67E22}.wy-tray-container li.wy-tray-item-danger{background:#E74C3C}.wy-tray-container li.on{opacity:1;height:56px}@media screen and (max-width: 768px){.wy-tray-container{bottom:auto;top:0;width:100%}.wy-tray-container li{width:100%}}button{font-size:100%;margin:0;vertical-align:baseline;*vertical-align:middle;cursor:pointer;line-height:normal;-webkit-appearance:button;*overflow:visible}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}button[disabled]{cursor:default}.btn{display:inline-block;border-radius:2px;line-height:normal;white-space:nowrap;text-align:center;cursor:pointer;font-size:100%;padding:6px 12px 8px 12px;color:#fff;border:1px solid rgba(0,0,0,0.1);background-color:#27AE60;text-decoration:none;font-weight:normal;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;box-shadow:0px 1px 2px -1px rgba(255,255,255,0.5) inset,0px -2px 0px 0px rgba(0,0,0,0.1) inset;outline-none:false;vertical-align:middle;*display:inline;zoom:1;-webkit-user-drag:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-transition:all 0.1s linear;-moz-transition:all 0.1s linear;transition:all 0.1s linear}.btn-hover{background:#2e8ece;color:#fff}.btn:hover{background:#2cc36b;color:#fff}.btn:focus{background:#2cc36b;outline:0}.btn:active{box-shadow:0px -1px 0px 0px rgba(0,0,0,0.05) inset,0px 2px 0px 0px rgba(0,0,0,0.1) inset;padding:8px 12px 6px 12px}.btn:visited{color:#fff}.btn:disabled{background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled = false);filter:alpha(opacity=40);opacity:0.4;cursor:not-allowed;box-shadow:none}.btn-disabled{background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled = false);filter:alpha(opacity=40);opacity:0.4;cursor:not-allowed;box-shadow:none}.btn-disabled:hover,.btn-disabled:focus,.btn-disabled:active{background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled = false);filter:alpha(opacity=40);opacity:0.4;cursor:not-allowed;box-shadow:none}.btn::-moz-focus-inner{padding:0;border:0}.btn-small{font-size:80%}.btn-info{background-color:#2980B9 !important}.btn-info:hover{background-color:#2e8ece !important}.btn-neutral{background-color:#f3f6f6 !important;color:#404040 !important}.btn-neutral:hover{background-color:#e5ebeb !important;color:#404040}.btn-neutral:visited{color:#404040 !important}.btn-success{background-color:#27AE60 !important}.btn-success:hover{background-color:#295 !important}.btn-danger{background-color:#E74C3C !important}.btn-danger:hover{background-color:#ea6153 !important}.btn-warning{background-color:#E67E22 !important}.btn-warning:hover{background-color:#e98b39 !important}.btn-invert{background-color:#222}.btn-invert:hover{background-color:#2f2f2f !important}.btn-link{background-color:transparent !important;color:#2980B9;box-shadow:none;border-color:transparent !important}.btn-link:hover{background-color:transparent !important;color:#409ad5 !important;box-shadow:none}.btn-link:active{background-color:transparent !important;color:#409ad5 !important;box-shadow:none}.btn-link:visited{color:#9B59B6}.wy-btn-group .btn,.wy-control .btn{vertical-align:middle}.wy-btn-group{margin-bottom:24px;*zoom:1}.wy-btn-group:before,.wy-btn-group:after{display:table;content:""}.wy-btn-group:after{clear:both}.wy-dropdown{position:relative;display:inline-block}.wy-dropdown-active .wy-dropdown-menu{display:block}.wy-dropdown-menu{position:absolute;left:0;display:none;float:left;top:100%;min-width:100%;background:#fcfcfc;z-index:100;border:solid 1px #cfd7dd;box-shadow:0 2px 2px 0 rgba(0,0,0,0.1);padding:12px}.wy-dropdown-menu>dd>a{display:block;clear:both;color:#404040;white-space:nowrap;font-size:90%;padding:0 12px;cursor:pointer}.wy-dropdown-menu>dd>a:hover{background:#2980B9;color:#fff}.wy-dropdown-menu>dd.divider{border-top:solid 1px #cfd7dd;margin:6px 0}.wy-dropdown-menu>dd.search{padding-bottom:12px}.wy-dropdown-menu>dd.search input[type="search"]{width:100%}.wy-dropdown-menu>dd.call-to-action{background:#e3e3e3;text-transform:uppercase;font-weight:500;font-size:80%}.wy-dropdown-menu>dd.call-to-action:hover{background:#e3e3e3}.wy-dropdown-menu>dd.call-to-action .btn{color:#fff}.wy-dropdown.wy-dropdown-up .wy-dropdown-menu{bottom:100%;top:auto;left:auto;right:0}.wy-dropdown.wy-dropdown-bubble .wy-dropdown-menu{background:#fcfcfc;margin-top:2px}.wy-dropdown.wy-dropdown-bubble .wy-dropdown-menu a{padding:6px 12px}.wy-dropdown.wy-dropdown-bubble .wy-dropdown-menu a:hover{background:#2980B9;color:#fff}.wy-dropdown.wy-dropdown-left .wy-dropdown-menu{right:0;left:auto;text-align:right}.wy-dropdown-arrow:before{content:" ";border-bottom:5px solid #f5f5f5;border-left:5px solid transparent;border-right:5px solid transparent;position:absolute;display:block;top:-4px;left:50%;margin-left:-3px}.wy-dropdown-arrow.wy-dropdown-arrow-left:before{left:11px}.wy-form-stacked select{display:block}.wy-form-aligned input,.wy-form-aligned textarea,.wy-form-aligned select,.wy-form-aligned .wy-help-inline,.wy-form-aligned label{display:inline-block;*display:inline;*zoom:1;vertical-align:middle}.wy-form-aligned .wy-control-group>label{display:inline-block;vertical-align:middle;width:10em;margin:6px 12px 0 0;float:left}.wy-form-aligned .wy-control{float:left}.wy-form-aligned .wy-control label{display:block}.wy-form-aligned .wy-control select{margin-top:6px}fieldset{border:0;margin:0;padding:0}legend{display:block;width:100%;border:0;padding:0;white-space:normal;margin-bottom:24px;font-size:150%;*margin-left:-7px}label{display:block;margin:0 0 .3125em 0;color:#333;font-size:90%}input,select,textarea{font-size:100%;margin:0;vertical-align:baseline;*vertical-align:middle}.wy-control-group{margin-bottom:24px;*zoom:1;max-width:68em;margin-left:auto;margin-right:auto;*zoom:1}.wy-control-group:before,.wy-control-group:after{display:table;content:""}.wy-control-group:after{clear:both}.wy-control-group:before,.wy-control-group:after{display:table;content:""}.wy-control-group:after{clear:both}.wy-control-group.wy-control-group-required>label:after{content:" *";color:#E74C3C}.wy-control-group .wy-form-full,.wy-control-group .wy-form-halves,.wy-control-group .wy-form-thirds{padding-bottom:12px}.wy-control-group .wy-form-full select,.wy-control-group .wy-form-halves select,.wy-control-group .wy-form-thirds select{width:100%}.wy-control-group .wy-form-full input[type="text"],.wy-control-group .wy-form-full input[type="password"],.wy-control-group .wy-form-full input[type="email"],.wy-control-group .wy-form-full input[type="url"],.wy-control-group .wy-form-full input[type="date"],.wy-control-group .wy-form-full input[type="month"],.wy-control-group .wy-form-full input[type="time"],.wy-control-group .wy-form-full input[type="datetime"],.wy-control-group .wy-form-full input[type="datetime-local"],.wy-control-group .wy-form-full input[type="week"],.wy-control-group .wy-form-full input[type="number"],.wy-control-group .wy-form-full input[type="search"],.wy-control-group .wy-form-full input[type="tel"],.wy-control-group .wy-form-full input[type="color"],.wy-control-group .wy-form-halves input[type="text"],.wy-control-group .wy-form-halves input[type="password"],.wy-control-group .wy-form-halves input[type="email"],.wy-control-group .wy-form-halves input[type="url"],.wy-control-group .wy-form-halves input[type="date"],.wy-control-group .wy-form-halves input[type="month"],.wy-control-group .wy-form-halves input[type="time"],.wy-control-group .wy-form-halves input[type="datetime"],.wy-control-group .wy-form-halves input[type="datetime-local"],.wy-control-group .wy-form-halves input[type="week"],.wy-control-group .wy-form-halves input[type="number"],.wy-control-group .wy-form-halves input[type="search"],.wy-control-group .wy-form-halves input[type="tel"],.wy-control-group .wy-form-halves input[type="color"],.wy-control-group .wy-form-thirds input[type="text"],.wy-control-group .wy-form-thirds input[type="password"],.wy-control-group .wy-form-thirds input[type="email"],.wy-control-group .wy-form-thirds input[type="url"],.wy-control-group .wy-form-thirds input[type="date"],.wy-control-group .wy-form-thirds input[type="month"],.wy-control-group .wy-form-thirds input[type="time"],.wy-control-group .wy-form-thirds input[type="datetime"],.wy-control-group .wy-form-thirds input[type="datetime-local"],.wy-control-group .wy-form-thirds input[type="week"],.wy-control-group .wy-form-thirds input[type="number"],.wy-control-group .wy-form-thirds input[type="search"],.wy-control-group .wy-form-thirds input[type="tel"],.wy-control-group .wy-form-thirds input[type="color"]{width:100%}.wy-control-group .wy-form-full{float:left;display:block;margin-right:2.35765%;width:100%;margin-right:0}.wy-control-group .wy-form-full:last-child{margin-right:0}.wy-control-group .wy-form-halves{float:left;display:block;margin-right:2.35765%;width:48.82117%}.wy-control-group .wy-form-halves:last-child{margin-right:0}.wy-control-group .wy-form-halves:nth-of-type(2n){margin-right:0}.wy-control-group .wy-form-halves:nth-of-type(2n+1){clear:left}.wy-control-group .wy-form-thirds{float:left;display:block;margin-right:2.35765%;width:31.76157%}.wy-control-group .wy-form-thirds:last-child{margin-right:0}.wy-control-group .wy-form-thirds:nth-of-type(3n){margin-right:0}.wy-control-group .wy-form-thirds:nth-of-type(3n+1){clear:left}.wy-control-group.wy-control-group-no-input .wy-control{margin:6px 0 0 0;font-size:90%}.wy-control-no-input{display:inline-block;margin:6px 0 0 0;font-size:90%}.wy-control-group.fluid-input input[type="text"],.wy-control-group.fluid-input input[type="password"],.wy-control-group.fluid-input input[type="email"],.wy-control-group.fluid-input input[type="url"],.wy-control-group.fluid-input input[type="date"],.wy-control-group.fluid-input input[type="month"],.wy-control-group.fluid-input input[type="time"],.wy-control-group.fluid-input input[type="datetime"],.wy-control-group.fluid-input input[type="datetime-local"],.wy-control-group.fluid-input input[type="week"],.wy-control-group.fluid-input input[type="number"],.wy-control-group.fluid-input input[type="search"],.wy-control-group.fluid-input input[type="tel"],.wy-control-group.fluid-input input[type="color"]{width:100%}.wy-form-message-inline{display:inline-block;padding-left:0.3em;color:#666;vertical-align:middle;font-size:90%}.wy-form-message{display:block;color:#999;font-size:70%;margin-top:.3125em;font-style:italic}.wy-form-message p{font-size:inherit;font-style:italic;margin-bottom:6px}.wy-form-message p:last-child{margin-bottom:0}input{line-height:normal}input[type="button"],input[type="reset"],input[type="submit"]{-webkit-appearance:button;cursor:pointer;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;*overflow:visible}input[type="text"],input[type="password"],input[type="email"],input[type="url"],input[type="date"],input[type="month"],input[type="time"],input[type="datetime"],input[type="datetime-local"],input[type="week"],input[type="number"],input[type="search"],input[type="tel"],input[type="color"]{-webkit-appearance:none;padding:6px;display:inline-block;border:1px solid #ccc;font-size:80%;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;box-shadow:inset 0 1px 3px #ddd;border-radius:0;-webkit-transition:border 0.3s linear;-moz-transition:border 0.3s linear;transition:border 0.3s linear}input[type="datetime-local"]{padding:.34375em .625em}input[disabled]{cursor:default}input[type="checkbox"],input[type="radio"]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;padding:0;margin-right:.3125em;*height:13px;*width:13px}input[type="search"]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}input[type="search"]::-webkit-search-cancel-button,input[type="search"]::-webkit-search-decoration{-webkit-appearance:none}input[type="text"]:focus,input[type="password"]:focus,input[type="email"]:focus,input[type="url"]:focus,input[type="date"]:focus,input[type="month"]:focus,input[type="time"]:focus,input[type="datetime"]:focus,input[type="datetime-local"]:focus,input[type="week"]:focus,input[type="number"]:focus,input[type="search"]:focus,input[type="tel"]:focus,input[type="color"]:focus{outline:0;outline:thin dotted \9;border-color:#333}input.no-focus:focus{border-color:#ccc !important}input[type="file"]:focus,input[type="radio"]:focus,input[type="checkbox"]:focus{outline:thin dotted #333;outline:1px auto #129FEA}input[type="text"][disabled],input[type="password"][disabled],input[type="email"][disabled],input[type="url"][disabled],input[type="date"][disabled],input[type="month"][disabled],input[type="time"][disabled],input[type="datetime"][disabled],input[type="datetime-local"][disabled],input[type="week"][disabled],input[type="number"][disabled],input[type="search"][disabled],input[type="tel"][disabled],input[type="color"][disabled]{cursor:not-allowed;background-color:#fafafa}input:focus:invalid,textarea:focus:invalid,select:focus:invalid{color:#E74C3C;border:1px solid #E74C3C}input:focus:invalid:focus,textarea:focus:invalid:focus,select:focus:invalid:focus{border-color:#E74C3C}input[type="file"]:focus:invalid:focus,input[type="radio"]:focus:invalid:focus,input[type="checkbox"]:focus:invalid:focus{outline-color:#E74C3C}input.wy-input-large{padding:12px;font-size:100%}textarea{overflow:auto;vertical-align:top;width:100%;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif}select,textarea{padding:.5em .625em;display:inline-block;border:1px solid #ccc;font-size:80%;box-shadow:inset 0 1px 3px #ddd;-webkit-transition:border 0.3s linear;-moz-transition:border 0.3s linear;transition:border 0.3s linear}select{border:1px solid #ccc;background-color:#fff}select[multiple]{height:auto}select:focus,textarea:focus{outline:0}select[disabled],textarea[disabled],input[readonly],select[readonly],textarea[readonly]{cursor:not-allowed;background-color:#fafafa}input[type="radio"][disabled],input[type="checkbox"][disabled]{cursor:not-allowed}.wy-checkbox,.wy-radio{margin:6px 0;color:#404040;display:block}.wy-checkbox input,.wy-radio input{vertical-align:baseline}.wy-form-message-inline{display:inline-block;*display:inline;*zoom:1;vertical-align:middle}.wy-input-prefix,.wy-input-suffix{white-space:nowrap;padding:6px}.wy-input-prefix .wy-input-context,.wy-input-suffix .wy-input-context{line-height:27px;padding:0 8px;display:inline-block;font-size:80%;background-color:#f3f6f6;border:solid 1px #ccc;color:#999}.wy-input-suffix .wy-input-context{border-left:0}.wy-input-prefix .wy-input-context{border-right:0}.wy-switch{width:36px;height:12px;margin:12px 0;position:relative;border-radius:4px;background:#ccc;cursor:pointer;-webkit-transition:all 0.2s ease-in-out;-moz-transition:all 0.2s ease-in-out;transition:all 0.2s ease-in-out}.wy-switch:before{position:absolute;content:"";display:block;width:18px;height:18px;border-radius:4px;background:#999;left:-3px;top:-3px;-webkit-transition:all 0.2s ease-in-out;-moz-transition:all 0.2s ease-in-out;transition:all 0.2s ease-in-out}.wy-switch:after{content:"false";position:absolute;left:48px;display:block;font-size:12px;color:#ccc}.wy-switch.active{background:#1e8449}.wy-switch.active:before{left:24px;background:#27AE60}.wy-switch.active:after{content:"true"}.wy-switch.disabled,.wy-switch.active.disabled{cursor:not-allowed}.wy-control-group.wy-control-group-error .wy-form-message,.wy-control-group.wy-control-group-error>label{color:#E74C3C}.wy-control-group.wy-control-group-error input[type="text"],.wy-control-group.wy-control-group-error input[type="password"],.wy-control-group.wy-control-group-error input[type="email"],.wy-control-group.wy-control-group-error input[type="url"],.wy-control-group.wy-control-group-error input[type="date"],.wy-control-group.wy-control-group-error input[type="month"],.wy-control-group.wy-control-group-error input[type="time"],.wy-control-group.wy-control-group-error input[type="datetime"],.wy-control-group.wy-control-group-error input[type="datetime-local"],.wy-control-group.wy-control-group-error input[type="week"],.wy-control-group.wy-control-group-error input[type="number"],.wy-control-group.wy-control-group-error input[type="search"],.wy-control-group.wy-control-group-error input[type="tel"],.wy-control-group.wy-control-group-error input[type="color"]{border:solid 1px #E74C3C}.wy-control-group.wy-control-group-error textarea{border:solid 1px #E74C3C}.wy-inline-validate{white-space:nowrap}.wy-inline-validate .wy-input-context{padding:.5em .625em;display:inline-block;font-size:80%}.wy-inline-validate.wy-inline-validate-success .wy-input-context{color:#27AE60}.wy-inline-validate.wy-inline-validate-danger .wy-input-context{color:#E74C3C}.wy-inline-validate.wy-inline-validate-warning .wy-input-context{color:#E67E22}.wy-inline-validate.wy-inline-validate-info .wy-input-context{color:#2980B9}.rotate-90{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}.rotate-180{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}.rotate-270{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}.mirror{-webkit-transform:scaleX(-1);-moz-transform:scaleX(-1);-ms-transform:scaleX(-1);-o-transform:scaleX(-1);transform:scaleX(-1)}.mirror.rotate-90{-webkit-transform:scaleX(-1) rotate(90deg);-moz-transform:scaleX(-1) rotate(90deg);-ms-transform:scaleX(-1) rotate(90deg);-o-transform:scaleX(-1) rotate(90deg);transform:scaleX(-1) rotate(90deg)}.mirror.rotate-180{-webkit-transform:scaleX(-1) rotate(180deg);-moz-transform:scaleX(-1) rotate(180deg);-ms-transform:scaleX(-1) rotate(180deg);-o-transform:scaleX(-1) rotate(180deg);transform:scaleX(-1) rotate(180deg)}.mirror.rotate-270{-webkit-transform:scaleX(-1) rotate(270deg);-moz-transform:scaleX(-1) rotate(270deg);-ms-transform:scaleX(-1) rotate(270deg);-o-transform:scaleX(-1) rotate(270deg);transform:scaleX(-1) rotate(270deg)}@media only screen and (max-width: 480px){.wy-form button[type="submit"]{margin:0.7em 0 0}.wy-form input[type="text"],.wy-form input[type="password"],.wy-form input[type="email"],.wy-form input[type="url"],.wy-form input[type="date"],.wy-form input[type="month"],.wy-form input[type="time"],.wy-form input[type="datetime"],.wy-form input[type="datetime-local"],.wy-form input[type="week"],.wy-form input[type="number"],.wy-form input[type="search"],.wy-form input[type="tel"],.wy-form input[type="color"]{margin-bottom:0.3em;display:block}.wy-form label{margin-bottom:0.3em;display:block}.wy-form input[type="password"],.wy-form input[type="email"],.wy-form input[type="url"],.wy-form input[type="date"],.wy-form input[type="month"],.wy-form input[type="time"],.wy-form input[type="datetime"],.wy-form input[type="datetime-local"],.wy-form input[type="week"],.wy-form input[type="number"],.wy-form input[type="search"],.wy-form input[type="tel"],.wy-form input[type="color"]{margin-bottom:0}.wy-form-aligned .wy-control-group label{margin-bottom:0.3em;text-align:left;display:block;width:100%}.wy-form-aligned .wy-control{margin:1.5em 0 0 0}.wy-form .wy-help-inline,.wy-form-message-inline,.wy-form-message{display:block;font-size:80%;padding:6px 0}}@media screen and (max-width: 768px){.tablet-hide{display:none}}@media screen and (max-width: 480px){.mobile-hide{display:none}}.float-left{float:left}.float-right{float:right}.full-width{width:100%}.wy-table,.rst-content table.docutils,.rst-content table.field-list{border-collapse:collapse;border-spacing:0;empty-cells:show;margin-bottom:24px}.wy-table caption,.rst-content table.docutils caption,.rst-content table.field-list caption{color:#000;font:italic 85%/1 arial,sans-serif;padding:1em 0;text-align:center}.wy-table td,.rst-content table.docutils td,.rst-content table.field-list td,.wy-table th,.rst-content table.docutils th,.rst-content table.field-list th{font-size:90%;margin:0;overflow:visible;padding:8px 16px}.wy-table td:first-child,.rst-content table.docutils td:first-child,.rst-content table.field-list td:first-child,.wy-table th:first-child,.rst-content table.docutils th:first-child,.rst-content table.field-list th:first-child{border-left-width:0}.wy-table thead,.rst-content table.docutils thead,.rst-content table.field-list thead{color:#000;text-align:left;vertical-align:bottom;white-space:nowrap}.wy-table thead th,.rst-content table.docutils thead th,.rst-content table.field-list thead th{font-weight:bold;border-bottom:solid 2px #e1e4e5}.wy-table td,.rst-content table.docutils td,.rst-content table.field-list td{background-color:transparent;vertical-align:middle}.wy-table td p,.rst-content table.docutils td p,.rst-content table.field-list td p{line-height:18px}.wy-table td p:last-child,.rst-content table.docutils td p:last-child,.rst-content table.field-list td p:last-child{margin-bottom:0}.wy-table .wy-table-cell-min,.rst-content table.docutils .wy-table-cell-min,.rst-content table.field-list .wy-table-cell-min{width:1%;padding-right:0}.wy-table .wy-table-cell-min input[type=checkbox],.rst-content table.docutils .wy-table-cell-min input[type=checkbox],.rst-content table.field-list .wy-table-cell-min input[type=checkbox],.wy-table .wy-table-cell-min input[type=checkbox],.rst-content table.docutils .wy-table-cell-min input[type=checkbox],.rst-content table.field-list .wy-table-cell-min input[type=checkbox]{margin:0}.wy-table-secondary{color:gray;font-size:90%}.wy-table-tertiary{color:gray;font-size:80%}.wy-table-odd td,.wy-table-striped tr:nth-child(2n-1) td,.rst-content table.docutils:not(.field-list) tr:nth-child(2n-1) td{background-color:#f3f6f6}.wy-table-backed{background-color:#f3f6f6}.wy-table-bordered-all,.rst-content table.docutils{border:1px solid #e1e4e5}.wy-table-bordered-all td,.rst-content table.docutils td{border-bottom:1px solid #e1e4e5;border-left:1px solid #e1e4e5}.wy-table-bordered-all tbody>tr:last-child td,.rst-content table.docutils tbody>tr:last-child td{border-bottom-width:0}.wy-table-bordered{border:1px solid #e1e4e5}.wy-table-bordered-rows td{border-bottom:1px solid #e1e4e5}.wy-table-bordered-rows tbody>tr:last-child td{border-bottom-width:0}.wy-table-horizontal tbody>tr:last-child td{border-bottom-width:0}.wy-table-horizontal td,.wy-table-horizontal th{border-width:0 0 1px 0;border-bottom:1px solid #e1e4e5}.wy-table-horizontal tbody>tr:last-child td{border-bottom-width:0}.wy-table-responsive{margin-bottom:24px;max-width:100%;overflow:auto}.wy-table-responsive table{margin-bottom:0 !important}.wy-table-responsive table td,.wy-table-responsive table th{white-space:nowrap}a{color:#2980B9;text-decoration:none;cursor:pointer}a:hover{color:#3091d1}a:visited{color:#9B59B6}html{height:100%;overflow-x:hidden}body{font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;font-weight:normal;color:#404040;min-height:100%;overflow-x:hidden;background:#edf0f2}.wy-text-left{text-align:left}.wy-text-center{text-align:center}.wy-text-right{text-align:right}.wy-text-large{font-size:120%}.wy-text-normal{font-size:100%}.wy-text-small,small{font-size:80%}.wy-text-strike{text-decoration:line-through}.wy-text-warning{color:#E67E22 !important}a.wy-text-warning:hover{color:#eb9950 !important}.wy-text-info{color:#2980B9 !important}a.wy-text-info:hover{color:#409ad5 !important}.wy-text-success{color:#27AE60 !important}a.wy-text-success:hover{color:#36d278 !important}.wy-text-danger{color:#E74C3C !important}a.wy-text-danger:hover{color:#ed7669 !important}.wy-text-neutral{color:#404040 !important}a.wy-text-neutral:hover{color:#595959 !important}h1,h2,.rst-content .toctree-wrapper p.caption,h3,h4,h5,h6,legend{margin-top:0;font-weight:700;font-family:"Roboto Slab","ff-tisa-web-pro","Georgia",Arial,sans-serif}p{line-height:24px;margin:0;font-size:16px;margin-bottom:24px}h1{font-size:175%}h2,.rst-content .toctree-wrapper p.caption{font-size:150%}h3{font-size:125%}h4{font-size:115%}h5{font-size:110%}h6{font-size:100%}hr{display:block;height:1px;border:0;border-top:1px solid #e1e4e5;margin:24px 0;padding:0}code,.rst-content tt,.rst-content code{white-space:nowrap;max-width:100%;background:#fff;border:solid 1px #e1e4e5;font-size:75%;padding:0 5px;font-family:Consolas,"Andale Mono WT","Andale Mono","Lucida Console","Lucida Sans Typewriter","DejaVu Sans Mono","Bitstream Vera Sans Mono","Liberation Mono","Nimbus Mono L",Monaco,"Courier New",Courier,monospace;color:#E74C3C;overflow-x:auto}code.code-large,.rst-content tt.code-large{font-size:90%}.wy-plain-list-disc,.rst-content .section ul,.rst-content .toctree-wrapper ul,article ul{list-style:disc;line-height:24px;margin-bottom:24px}.wy-plain-list-disc li,.rst-content .section ul li,.rst-content .toctree-wrapper ul li,article ul li{list-style:disc;margin-left:24px}.wy-plain-list-disc li p:last-child,.rst-content .section ul li p:last-child,.rst-content .toctree-wrapper ul li p:last-child,article ul li p:last-child{margin-bottom:0}.wy-plain-list-disc li ul,.rst-content .section ul li ul,.rst-content .toctree-wrapper ul li ul,article ul li ul{margin-bottom:0}.wy-plain-list-disc li li,.rst-content .section ul li li,.rst-content .toctree-wrapper ul li li,article ul li li{list-style:circle}.wy-plain-list-disc li li li,.rst-content .section ul li li li,.rst-content .toctree-wrapper ul li li li,article ul li li li{list-style:square}.wy-plain-list-disc li ol li,.rst-content .section ul li ol li,.rst-content .toctree-wrapper ul li ol li,article ul li ol li{list-style:decimal}.wy-plain-list-decimal,.rst-content .section ol,.rst-content ol.arabic,article ol{list-style:decimal;line-height:24px;margin-bottom:24px}.wy-plain-list-decimal li,.rst-content .section ol li,.rst-content ol.arabic li,article ol li{list-style:decimal;margin-left:24px}.wy-plain-list-decimal li p:last-child,.rst-content .section ol li p:last-child,.rst-content ol.arabic li p:last-child,article ol li p:last-child{margin-bottom:0}.wy-plain-list-decimal li ul,.rst-content .section ol li ul,.rst-content ol.arabic li ul,article ol li ul{margin-bottom:0}.wy-plain-list-decimal li ul li,.rst-content .section ol li ul li,.rst-content ol.arabic li ul li,article ol li ul li{list-style:disc}.codeblock-example{border:1px solid #e1e4e5;border-bottom:none;padding:24px;padding-top:48px;font-weight:500;background:#fff;position:relative}.codeblock-example:after{content:"Example";position:absolute;top:0px;left:0px;background:#9B59B6;color:#fff;padding:6px 12px}.codeblock-example.prettyprint-example-only{border:1px solid #e1e4e5;margin-bottom:24px}.codeblock,pre.literal-block,.rst-content .literal-block,.rst-content pre.literal-block,div[class^='highlight']{border:1px solid #e1e4e5;padding:0px;overflow-x:auto;background:#fff;margin:1px 0 24px 0}.codeblock div[class^='highlight'],pre.literal-block div[class^='highlight'],.rst-content .literal-block div[class^='highlight'],div[class^='highlight'] div[class^='highlight']{border:none;background:none;margin:0}div[class^='highlight'] td.code{width:100%}.linenodiv pre{border-right:solid 1px #e6e9ea;margin:0;padding:12px 12px;font-family:Consolas,"Andale Mono WT","Andale Mono","Lucida Console","Lucida Sans Typewriter","DejaVu Sans Mono","Bitstream Vera Sans Mono","Liberation Mono","Nimbus Mono L",Monaco,"Courier New",Courier,monospace;font-size:12px;line-height:1.5;color:#d9d9d9}div[class^='highlight'] pre{white-space:pre;margin:0;padding:12px 12px;font-family:Consolas,"Andale Mono WT","Andale Mono","Lucida Console","Lucida Sans Typewriter","DejaVu Sans Mono","Bitstream Vera Sans Mono","Liberation Mono","Nimbus Mono L",Monaco,"Courier New",Courier,monospace;font-size:12px;line-height:1.5;display:block;overflow:auto;color:#404040}@media print{.codeblock,pre.literal-block,.rst-content .literal-block,.rst-content pre.literal-block,div[class^='highlight'],div[class^='highlight'] pre{white-space:pre-wrap}}.hll{background-color:#ffc;margin:0 -12px;padding:0 12px;display:block}.c{color:#998;font-style:italic}.err{color:#a61717;background-color:#e3d2d2}.k{font-weight:bold}.o{font-weight:bold}.cm{color:#998;font-style:italic}.cp{color:#999;font-weight:bold}.c1{color:#998;font-style:italic}.cs{color:#999;font-weight:bold;font-style:italic}.gd{color:#000;background-color:#fdd}.gd .x{color:#000;background-color:#faa}.ge{font-style:italic}.gr{color:#a00}.gh{color:#999}.gi{color:#000;background-color:#dfd}.gi .x{color:#000;background-color:#afa}.go{color:#888}.gp{color:#555}.gs{font-weight:bold}.gu{color:purple;font-weight:bold}.gt{color:#a00}.kc{font-weight:bold}.kd{font-weight:bold}.kn{font-weight:bold}.kp{font-weight:bold}.kr{font-weight:bold}.kt{color:#458;font-weight:bold}.m{color:#099}.s{color:#d14}.n{color:#333}.na{color:teal}.nb{color:#0086b3}.nc{color:#458;font-weight:bold}.no{color:teal}.ni{color:purple}.ne{color:#900;font-weight:bold}.nf{color:#900;font-weight:bold}.nn{color:#555}.nt{color:navy}.nv{color:teal}.ow{font-weight:bold}.w{color:#bbb}.mf{color:#099}.mh{color:#099}.mi{color:#099}.mo{color:#099}.sb{color:#d14}.sc{color:#d14}.sd{color:#d14}.s2{color:#d14}.se{color:#d14}.sh{color:#d14}.si{color:#d14}.sx{color:#d14}.sr{color:#009926}.s1{color:#d14}.ss{color:#990073}.bp{color:#999}.vc{color:teal}.vg{color:teal}.vi{color:teal}.il{color:#099}.gc{color:#999;background-color:#EAF2F5}.wy-breadcrumbs li{display:inline-block}.wy-breadcrumbs li.wy-breadcrumbs-aside{float:right}.wy-breadcrumbs li a{display:inline-block;padding:5px}.wy-breadcrumbs li a:first-child{padding-left:0}.wy-breadcrumbs li code,.wy-breadcrumbs li .rst-content tt,.rst-content .wy-breadcrumbs li tt{padding:5px;border:none;background:none}.wy-breadcrumbs li code.literal,.wy-breadcrumbs li .rst-content tt.literal,.rst-content .wy-breadcrumbs li tt.literal{color:#404040}.wy-breadcrumbs-extra{margin-bottom:0;color:#b3b3b3;font-size:80%;display:inline-block}@media screen and (max-width: 480px){.wy-breadcrumbs-extra{display:none}.wy-breadcrumbs li.wy-breadcrumbs-aside{display:none}}@media print{.wy-breadcrumbs li.wy-breadcrumbs-aside{display:none}}.wy-affix{position:fixed;top:1.618em}.wy-menu a:hover{text-decoration:none}.wy-menu-horiz{*zoom:1}.wy-menu-horiz:before,.wy-menu-horiz:after{display:table;content:""}.wy-menu-horiz:after{clear:both}.wy-menu-horiz ul,.wy-menu-horiz li{display:inline-block}.wy-menu-horiz li:hover{background:rgba(255,255,255,0.1)}.wy-menu-horiz li.divide-left{border-left:solid 1px #404040}.wy-menu-horiz li.divide-right{border-right:solid 1px #404040}.wy-menu-horiz a{height:32px;display:inline-block;line-height:32px;padding:0 16px}.wy-menu-vertical{width:300px}.wy-menu-vertical header,.wy-menu-vertical p.caption{height:32px;display:inline-block;line-height:32px;padding:0 1.618em;margin-bottom:0;display:block;font-weight:bold;text-transform:uppercase;font-size:80%;color:#555;white-space:nowrap}.wy-menu-vertical ul{margin-bottom:0}.wy-menu-vertical li.divide-top{border-top:solid 1px #404040}.wy-menu-vertical li.divide-bottom{border-bottom:solid 1px #404040}.wy-menu-vertical li.current{background:#e3e3e3}.wy-menu-vertical li.current a{color:gray;border-right:solid 1px #c9c9c9;padding:.4045em 2.427em}.wy-menu-vertical li.current a:hover{background:#d6d6d6}.wy-menu-vertical li code,.wy-menu-vertical li .rst-content tt,.rst-content .wy-menu-vertical li tt{border:none;background:inherit;color:inherit;padding-left:0;padding-right:0}.wy-menu-vertical li span.toctree-expand{display:block;float:left;margin-left:-1.2em;font-size:0.8em;line-height:1.6em;color:#4d4d4d}.wy-menu-vertical li.on a,.wy-menu-vertical li.current>a{color:#404040;padding:.4045em 1.618em;font-weight:bold;position:relative;background:#fcfcfc;border:none;border-bottom:solid 1px #c9c9c9;border-top:solid 1px #c9c9c9;padding-left:1.618em -4px}.wy-menu-vertical li.on a:hover,.wy-menu-vertical li.current>a:hover{background:#fcfcfc}.wy-menu-vertical li.on a:hover span.toctree-expand,.wy-menu-vertical li.current>a:hover span.toctree-expand{color:gray}.wy-menu-vertical li.on a span.toctree-expand,.wy-menu-vertical li.current>a span.toctree-expand{display:block;font-size:0.8em;line-height:1.6em;color:#333}.wy-menu-vertical li.toctree-l1.current li.toctree-l2>ul,.wy-menu-vertical li.toctree-l2.current li.toctree-l3>ul{display:none}.wy-menu-vertical li.toctree-l1.current li.toctree-l2.current>ul,.wy-menu-vertical li.toctree-l2.current li.toctree-l3.current>ul{display:block}.wy-menu-vertical li.toctree-l2.current>a{background:#c9c9c9;padding:.4045em 2.427em}.wy-menu-vertical li.toctree-l2.current li.toctree-l3>a{display:block;background:#c9c9c9;padding:.4045em 4.045em}.wy-menu-vertical li.toctree-l2 a:hover span.toctree-expand{color:gray}.wy-menu-vertical li.toctree-l2 span.toctree-expand{color:#a3a3a3}.wy-menu-vertical li.toctree-l3{font-size:0.9em}.wy-menu-vertical li.toctree-l3.current>a{background:#bdbdbd;padding:.4045em 4.045em}.wy-menu-vertical li.toctree-l3.current li.toctree-l4>a{display:block;background:#bdbdbd;padding:.4045em 5.663em;border-top:none;border-bottom:none}.wy-menu-vertical li.toctree-l3 a:hover span.toctree-expand{color:gray}.wy-menu-vertical li.toctree-l3 span.toctree-expand{color:#969696}.wy-menu-vertical li.toctree-l4{font-size:0.9em}.wy-menu-vertical li.current ul{display:block}.wy-menu-vertical li ul{margin-bottom:0;display:none}.wy-menu-vertical .local-toc li ul{display:block}.wy-menu-vertical li ul li a{margin-bottom:0;color:#b3b3b3;font-weight:normal}.wy-menu-vertical a{display:inline-block;line-height:18px;padding:.4045em 1.618em;display:block;position:relative;font-size:90%;color:#b3b3b3}.wy-menu-vertical a:hover{background-color:#4e4a4a;cursor:pointer}.wy-menu-vertical a:hover span.toctree-expand{color:#b3b3b3}.wy-menu-vertical a:active{background-color:#2980B9;cursor:pointer;color:#fff}.wy-menu-vertical a:active span.toctree-expand{color:#fff}.wy-side-nav-search{display:block;width:300px;padding:.809em;margin-bottom:.809em;z-index:200;background-color:#2980B9;text-align:center;padding:.809em;display:block;color:#fcfcfc;margin-bottom:.809em}.wy-side-nav-search input[type=text]{width:100%;border-radius:50px;padding:6px 12px;border-color:#2472a4}.wy-side-nav-search img{display:block;margin:auto auto .809em auto;height:45px;width:45px;background-color:#2980B9;padding:5px;border-radius:100%}.wy-side-nav-search>a,.wy-side-nav-search .wy-dropdown>a{color:#fcfcfc;font-size:100%;font-weight:bold;display:inline-block;padding:4px 6px;margin-bottom:.809em}.wy-side-nav-search>a:hover,.wy-side-nav-search .wy-dropdown>a:hover{background:rgba(255,255,255,0.1)}.wy-side-nav-search>a img.logo,.wy-side-nav-search .wy-dropdown>a img.logo{display:block;margin:0 auto;height:auto;width:auto;border-radius:0;max-width:100%;background:transparent}.wy-side-nav-search>a.icon img.logo,.wy-side-nav-search .wy-dropdown>a.icon img.logo{margin-top:0.85em}.wy-side-nav-search>div.version{margin-top:-.4045em;margin-bottom:.809em;font-weight:normal;color:rgba(255,255,255,0.3)}.wy-nav .wy-menu-vertical header{color:#2980B9}.wy-nav .wy-menu-vertical a{color:#b3b3b3}.wy-nav .wy-menu-vertical a:hover{background-color:#2980B9;color:#fff}[data-menu-wrap]{-webkit-transition:all 0.2s ease-in;-moz-transition:all 0.2s ease-in;transition:all 0.2s ease-in;position:absolute;opacity:1;width:100%;opacity:0}[data-menu-wrap].move-center{left:0;right:auto;opacity:1}[data-menu-wrap].move-left{right:auto;left:-100%;opacity:0}[data-menu-wrap].move-right{right:-100%;left:auto;opacity:0}.wy-body-for-nav{background:left repeat-y #fcfcfc;background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAIAAACQd1PeAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyRpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoTWFjaW50b3NoKSIgeG1wTU06SW5zdGFuY2VJRD0ieG1wLmlpZDoxOERBMTRGRDBFMUUxMUUzODUwMkJCOThDMEVFNURFMCIgeG1wTU06RG9jdW1lbnRJRD0ieG1wLmRpZDoxOERBMTRGRTBFMUUxMUUzODUwMkJCOThDMEVFNURFMCI+IDx4bXBNTTpEZXJpdmVkRnJvbSBzdFJlZjppbnN0YW5jZUlEPSJ4bXAuaWlkOjE4REExNEZCMEUxRTExRTM4NTAyQkI5OEMwRUU1REUwIiBzdFJlZjpkb2N1bWVudElEPSJ4bXAuZGlkOjE4REExNEZDMEUxRTExRTM4NTAyQkI5OEMwRUU1REUwIi8+IDwvcmRmOkRlc2NyaXB0aW9uPiA8L3JkZjpSREY+IDwveDp4bXBtZXRhPiA8P3hwYWNrZXQgZW5kPSJyIj8+EwrlwAAAAA5JREFUeNpiMDU0BAgwAAE2AJgB9BnaAAAAAElFTkSuQmCC);background-size:300px 1px}.wy-grid-for-nav{position:absolute;width:100%;height:100%}.wy-nav-side{position:fixed;top:0;bottom:0;left:0;padding-bottom:2em;width:300px;overflow-x:hidden;overflow-y:hidden;min-height:100%;background:#343131;z-index:200}.wy-side-scroll{width:320px;position:relative;overflow-x:hidden;overflow-y:scroll;height:100%}.wy-nav-top{display:none;background:#2980B9;color:#fff;padding:.4045em .809em;position:relative;line-height:50px;text-align:center;font-size:100%;*zoom:1}.wy-nav-top:before,.wy-nav-top:after{display:table;content:""}.wy-nav-top:after{clear:both}.wy-nav-top a{color:#fff;font-weight:bold}.wy-nav-top img{margin-right:12px;height:45px;width:45px;background-color:#2980B9;padding:5px;border-radius:100%}.wy-nav-top i{font-size:30px;float:left;cursor:pointer;padding-top:inherit}.wy-nav-content-wrap{margin-left:300px;background:#fcfcfc;min-height:100%}.wy-nav-content{padding:1.618em 3.236em;height:100%;max-width:800px;margin:auto}.wy-body-mask{position:fixed;width:100%;height:100%;background:rgba(0,0,0,0.2);display:none;z-index:499}.wy-body-mask.on{display:block}footer{color:#999}footer p{margin-bottom:12px}footer span.commit code,footer span.commit .rst-content tt,.rst-content footer span.commit tt{padding:0px;font-family:Consolas,"Andale Mono WT","Andale Mono","Lucida Console","Lucida Sans Typewriter","DejaVu Sans Mono","Bitstream Vera Sans Mono","Liberation Mono","Nimbus Mono L",Monaco,"Courier New",Courier,monospace;font-size:1em;background:none;border:none;color:#999}.rst-footer-buttons{*zoom:1}.rst-footer-buttons:before,.rst-footer-buttons:after{display:table;content:""}.rst-footer-buttons:after{clear:both}.rst-breadcrumbs-buttons{margin-top:12px;*zoom:1}.rst-breadcrumbs-buttons:before,.rst-breadcrumbs-buttons:after{display:table;content:""}.rst-breadcrumbs-buttons:after{clear:both}#search-results .search li{margin-bottom:24px;border-bottom:solid 1px #e1e4e5;padding-bottom:24px}#search-results .search li:first-child{border-top:solid 1px #e1e4e5;padding-top:24px}#search-results .search li a{font-size:120%;margin-bottom:12px;display:inline-block}#search-results .context{color:gray;font-size:90%}@media screen and (max-width: 768px){.wy-body-for-nav{background:#fcfcfc}.wy-nav-top{display:block}.wy-nav-side{left:-300px}.wy-nav-side.shift{width:85%;left:0}.wy-side-scroll{width:auto}.wy-side-nav-search{width:auto}.wy-menu.wy-menu-vertical{width:auto}.wy-nav-content-wrap{margin-left:0}.wy-nav-content-wrap .wy-nav-content{padding:1.618em}.wy-nav-content-wrap.shift{position:fixed;min-width:100%;left:85%;top:0;height:100%;overflow:hidden}}@media screen and (min-width: 1400px){.wy-nav-content-wrap{background:rgba(0,0,0,0.05)}.wy-nav-content{margin:0;background:#fcfcfc}}@media print{.rst-versions,footer,.wy-nav-side{display:none}.wy-nav-content-wrap{margin-left:0}}.rst-versions{position:fixed;bottom:0;left:0;width:300px;color:#fcfcfc;background:#1f1d1d;border-top:solid 10px #343131;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;z-index:400}.rst-versions a{color:#2980B9;text-decoration:none}.rst-versions .rst-badge-small{display:none}.rst-versions .rst-current-version{padding:12px;background-color:#272525;display:block;text-align:right;font-size:90%;cursor:pointer;color:#27AE60;*zoom:1}.rst-versions .rst-current-version:before,.rst-versions .rst-current-version:after{display:table;content:""}.rst-versions .rst-current-version:after{clear:both}.rst-versions .rst-current-version .fa,.rst-versions .rst-current-version .wy-menu-vertical li span.toctree-expand,.wy-menu-vertical li .rst-versions .rst-current-version span.toctree-expand,.rst-versions .rst-current-version .rst-content .admonition-title,.rst-content .rst-versions .rst-current-version .admonition-title,.rst-versions .rst-current-version .rst-content h1 .headerlink,.rst-content h1 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h2 .headerlink,.rst-content h2 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h3 .headerlink,.rst-content h3 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h4 .headerlink,.rst-content h4 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h5 .headerlink,.rst-content h5 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h6 .headerlink,.rst-content h6 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content dl dt .headerlink,.rst-content dl dt .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content p.caption .headerlink,.rst-content p.caption .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content tt.download span:first-child,.rst-content tt.download .rst-versions .rst-current-version span:first-child,.rst-versions .rst-current-version .rst-content code.download span:first-child,.rst-content code.download .rst-versions .rst-current-version span:first-child,.rst-versions .rst-current-version .icon{color:#fcfcfc}.rst-versions .rst-current-version .fa-book,.rst-versions .rst-current-version .icon-book{float:left}.rst-versions .rst-current-version .icon-book{float:left}.rst-versions .rst-current-version.rst-out-of-date{background-color:#E74C3C;color:#fff}.rst-versions .rst-current-version.rst-active-old-version{background-color:#F1C40F;color:#000}.rst-versions.shift-up .rst-other-versions{display:block}.rst-versions .rst-other-versions{font-size:90%;padding:12px;color:gray;display:none}.rst-versions .rst-other-versions hr{display:block;height:1px;border:0;margin:20px 0;padding:0;border-top:solid 1px #413d3d}.rst-versions .rst-other-versions dd{display:inline-block;margin:0}.rst-versions .rst-other-versions dd a{display:inline-block;padding:6px;color:#fcfcfc}.rst-versions.rst-badge{width:auto;bottom:20px;right:20px;left:auto;border:none;max-width:300px}.rst-versions.rst-badge .icon-book{float:none}.rst-versions.rst-badge .fa-book,.rst-versions.rst-badge .icon-book{float:none}.rst-versions.rst-badge.shift-up .rst-current-version{text-align:right}.rst-versions.rst-badge.shift-up .rst-current-version .fa-book,.rst-versions.rst-badge.shift-up .rst-current-version .icon-book{float:left}.rst-versions.rst-badge.shift-up .rst-current-version .icon-book{float:left}.rst-versions.rst-badge .rst-current-version{width:auto;height:30px;line-height:30px;padding:0 6px;display:block;text-align:center}@media screen and (max-width: 768px){.rst-versions{width:85%;display:none}.rst-versions.shift{display:block}}.rst-content img{max-width:100%;height:auto !important}.rst-content .highlight>pre{line-height:normal}.rst-content div.figure{margin-bottom:24px}.rst-content div.figure p.caption{font-style:italic}.rst-content div.figure.align-center{text-align:center}.rst-content .section>img,.rst-content .section>a>img{margin-bottom:24px}.rst-content blockquote{margin-left:24px;line-height:24px;margin-bottom:24px}.rst-content .note .last,.rst-content .attention .last,.rst-content .caution .last,.rst-content .danger .last,.rst-content .error .last,.rst-content .hint .last,.rst-content .important .last,.rst-content .tip .last,.rst-content .warning .last,.rst-content .seealso .last,.rst-content .admonition-todo .last{margin-bottom:0}.rst-content .admonition-title:before{margin-right:4px}.rst-content .admonition table{border-color:rgba(0,0,0,0.1)}.rst-content .admonition table td,.rst-content .admonition table th{background:transparent !important;border-color:rgba(0,0,0,0.1) !important}.rst-content .section ol.loweralpha,.rst-content .section ol.loweralpha li{list-style:lower-alpha}.rst-content .section ol.upperalpha,.rst-content .section ol.upperalpha li{list-style:upper-alpha}.rst-content .section ol p,.rst-content .section ul p{margin-bottom:12px}.rst-content .line-block{margin-left:24px}.rst-content .topic-title{font-weight:bold;margin-bottom:12px}.rst-content .toc-backref{color:#404040}.rst-content .align-right{float:right;margin:0px 0px 24px 24px}.rst-content .align-left{float:left;margin:0px 24px 24px 0px}.rst-content .align-center{margin:auto;display:block}.rst-content h1 .headerlink,.rst-content h2 .headerlink,.rst-content .toctree-wrapper p.caption .headerlink,.rst-content h3 .headerlink,.rst-content h4 .headerlink,.rst-content h5 .headerlink,.rst-content h6 .headerlink,.rst-content dl dt .headerlink,.rst-content p.caption .headerlink{display:none;visibility:hidden;font-size:14px}.rst-content h1 .headerlink:after,.rst-content h2 .headerlink:after,.rst-content .toctree-wrapper p.caption .headerlink:after,.rst-content h3 .headerlink:after,.rst-content h4 .headerlink:after,.rst-content h5 .headerlink:after,.rst-content h6 .headerlink:after,.rst-content dl dt .headerlink:after,.rst-content p.caption .headerlink:after{visibility:visible;content:"";font-family:FontAwesome;display:inline-block}.rst-content h1:hover .headerlink,.rst-content h2:hover .headerlink,.rst-content .toctree-wrapper p.caption:hover .headerlink,.rst-content h3:hover .headerlink,.rst-content h4:hover .headerlink,.rst-content h5:hover .headerlink,.rst-content h6:hover .headerlink,.rst-content dl dt:hover .headerlink,.rst-content p.caption:hover .headerlink{display:inline-block}.rst-content .sidebar{float:right;width:40%;display:block;margin:0 0 24px 24px;padding:24px;background:#f3f6f6;border:solid 1px #e1e4e5}.rst-content .sidebar p,.rst-content .sidebar ul,.rst-content .sidebar dl{font-size:90%}.rst-content .sidebar .last{margin-bottom:0}.rst-content .sidebar .sidebar-title{display:block;font-family:"Roboto Slab","ff-tisa-web-pro","Georgia",Arial,sans-serif;font-weight:bold;background:#e1e4e5;padding:6px 12px;margin:-24px;margin-bottom:24px;font-size:100%}.rst-content .highlighted{background:#F1C40F;display:inline-block;font-weight:bold;padding:0 6px}.rst-content .footnote-reference,.rst-content .citation-reference{vertical-align:super;font-size:90%}.rst-content table.docutils.citation,.rst-content table.docutils.footnote{background:none;border:none;color:#999}.rst-content table.docutils.citation td,.rst-content table.docutils.citation tr,.rst-content table.docutils.footnote td,.rst-content table.docutils.footnote tr{border:none;background-color:transparent !important;white-space:normal}.rst-content table.docutils.citation td.label,.rst-content table.docutils.footnote td.label{padding-left:0;padding-right:0;vertical-align:top}.rst-content table.docutils.citation tt,.rst-content table.docutils.citation code,.rst-content table.docutils.footnote tt,.rst-content table.docutils.footnote code{color:#555}.rst-content table.field-list{border:none}.rst-content table.field-list td{border:none;padding-top:5px}.rst-content table.field-list td>strong{display:inline-block;margin-top:3px}.rst-content table.field-list .field-name{padding-right:10px;text-align:left;white-space:nowrap}.rst-content table.field-list .field-body{text-align:left;padding-left:0}.rst-content tt,.rst-content tt,.rst-content code{color:#000;padding:2px 5px}.rst-content tt big,.rst-content tt em,.rst-content tt big,.rst-content code big,.rst-content tt em,.rst-content code em{font-size:100% !important;line-height:normal}.rst-content tt.literal,.rst-content tt.literal,.rst-content code.literal{color:#E74C3C}.rst-content tt.xref,a .rst-content tt,.rst-content tt.xref,.rst-content code.xref,a .rst-content tt,a .rst-content code{font-weight:bold;color:#404040}.rst-content a tt,.rst-content a tt,.rst-content a code{color:#2980B9}.rst-content dl{margin-bottom:24px}.rst-content dl dt{font-weight:bold}.rst-content dl p,.rst-content dl table,.rst-content dl ul,.rst-content dl ol{margin-bottom:12px !important}.rst-content dl dd{margin:0 0 12px 24px}.rst-content dl:not(.docutils){margin-bottom:24px}.rst-content dl:not(.docutils) dt{display:inline-block;margin:6px 0;font-size:90%;line-height:normal;background:#e7f2fa;color:#2980B9;border-top:solid 3px #6ab0de;padding:6px;position:relative}.rst-content dl:not(.docutils) dt:before{color:#6ab0de}.rst-content dl:not(.docutils) dt .headerlink{color:#404040;font-size:100% !important}.rst-content dl:not(.docutils) dl dt{margin-bottom:6px;border:none;border-left:solid 3px #ccc;background:#f0f0f0;color:#555}.rst-content dl:not(.docutils) dl dt .headerlink{color:#404040;font-size:100% !important}.rst-content dl:not(.docutils) dt:first-child{margin-top:0}.rst-content dl:not(.docutils) tt,.rst-content dl:not(.docutils) tt,.rst-content dl:not(.docutils) code{font-weight:bold}.rst-content dl:not(.docutils) tt.descname,.rst-content dl:not(.docutils) tt.descclassname,.rst-content dl:not(.docutils) tt.descname,.rst-content dl:not(.docutils) code.descname,.rst-content dl:not(.docutils) tt.descclassname,.rst-content dl:not(.docutils) code.descclassname{background-color:transparent;border:none;padding:0;font-size:100% !important}.rst-content dl:not(.docutils) tt.descname,.rst-content dl:not(.docutils) tt.descname,.rst-content dl:not(.docutils) code.descname{font-weight:bold}.rst-content dl:not(.docutils) .optional{display:inline-block;padding:0 4px;color:#000;font-weight:bold}.rst-content dl:not(.docutils) .property{display:inline-block;padding-right:8px}.rst-content .viewcode-link,.rst-content .viewcode-back{display:inline-block;color:#27AE60;font-size:80%;padding-left:24px}.rst-content .viewcode-back{display:block;float:right}.rst-content p.rubric{margin-bottom:12px;font-weight:bold}.rst-content tt.download,.rst-content code.download{background:inherit;padding:inherit;font-weight:normal;font-family:inherit;font-size:inherit;color:inherit;border:inherit;white-space:inherit}.rst-content tt.download span:first-child,.rst-content code.download span:first-child{-webkit-font-smoothing:subpixel-antialiased}.rst-content tt.download span:first-child:before,.rst-content code.download span:first-child:before{margin-right:4px}.rst-content .guilabel{border:1px solid #7fbbe3;background:#e7f2fa;font-size:80%;font-weight:700;border-radius:4px;padding:2.4px 6px;margin:auto 2px}@media screen and (max-width: 480px){.rst-content .sidebar{width:100%}}span[id*='MathJax-Span']{color:#404040}.math{text-align:center}@font-face{font-family:"Inconsolata";font-style:normal;font-weight:400;src:local("Inconsolata"),local("Inconsolata-Regular"),url(../fonts/Inconsolata-Regular.ttf) format("truetype")}@font-face{font-family:"Inconsolata";font-style:normal;font-weight:700;src:local("Inconsolata Bold"),local("Inconsolata-Bold"),url(../fonts/Inconsolata-Bold.ttf) format("truetype")}@font-face{font-family:"Lato";font-style:normal;font-weight:400;src:local("Lato Regular"),local("Lato-Regular"),url(../fonts/Lato-Regular.ttf) format("truetype")}@font-face{font-family:"Lato";font-style:normal;font-weight:700;src:local("Lato Bold"),local("Lato-Bold"),url(../fonts/Lato-Bold.ttf) format("truetype")}@font-face{font-family:"Roboto Slab";font-style:normal;font-weight:400;src:local("Roboto Slab Regular"),local("RobotoSlab-Regular"),url(../fonts/RobotoSlab-Regular.ttf) format("truetype")}@font-face{font-family:"Roboto Slab";font-style:normal;font-weight:700;src:local("Roboto Slab Bold"),local("RobotoSlab-Bold"),url(../fonts/RobotoSlab-Bold.ttf) format("truetype")} -/*# sourceMappingURL=theme.css.map */ diff --git a/docs/_build/html/_static/custom.css b/docs/_build/html/_static/custom.css deleted file mode 100644 index 2a924f1d6a8..00000000000 --- a/docs/_build/html/_static/custom.css +++ /dev/null @@ -1 +0,0 @@ -/* This file intentionally left blank. */ diff --git a/docs/_build/html/_static/default.css b/docs/_build/html/_static/default.css deleted file mode 100644 index 81b9363634e..00000000000 --- a/docs/_build/html/_static/default.css +++ /dev/null @@ -1 +0,0 @@ -@import url("classic.css"); diff --git a/docs/_build/html/_static/doctools.js b/docs/_build/html/_static/doctools.js deleted file mode 100644 index 81634956358..00000000000 --- a/docs/_build/html/_static/doctools.js +++ /dev/null @@ -1,287 +0,0 @@ -/* - * doctools.js - * ~~~~~~~~~~~ - * - * Sphinx JavaScript utilities for all documentation. - * - * :copyright: Copyright 2007-2016 by the Sphinx team, see AUTHORS. - * :license: BSD, see LICENSE for details. - * - */ - -/** - * select a different prefix for underscore - */ -$u = _.noConflict(); - -/** - * make the code below compatible with browsers without - * an installed firebug like debugger -if (!window.console || !console.firebug) { - var names = ["log", "debug", "info", "warn", "error", "assert", "dir", - "dirxml", "group", "groupEnd", "time", "timeEnd", "count", "trace", - "profile", "profileEnd"]; - window.console = {}; - for (var i = 0; i < names.length; ++i) - window.console[names[i]] = function() {}; -} - */ - -/** - * small helper function to urldecode strings - */ -jQuery.urldecode = function(x) { - return decodeURIComponent(x).replace(/\+/g, ' '); -}; - -/** - * small helper function to urlencode strings - */ -jQuery.urlencode = encodeURIComponent; - -/** - * This function returns the parsed url parameters of the - * current request. Multiple values per key are supported, - * it will always return arrays of strings for the value parts. - */ -jQuery.getQueryParameters = function(s) { - if (typeof s == 'undefined') - s = document.location.search; - var parts = s.substr(s.indexOf('?') + 1).split('&'); - var result = {}; - for (var i = 0; i < parts.length; i++) { - var tmp = parts[i].split('=', 2); - var key = jQuery.urldecode(tmp[0]); - var value = jQuery.urldecode(tmp[1]); - if (key in result) - result[key].push(value); - else - result[key] = [value]; - } - return result; -}; - -/** - * highlight a given string on a jquery object by wrapping it in - * span elements with the given class name. - */ -jQuery.fn.highlightText = function(text, className) { - function highlight(node) { - if (node.nodeType == 3) { - var val = node.nodeValue; - var pos = val.toLowerCase().indexOf(text); - if (pos >= 0 && !jQuery(node.parentNode).hasClass(className)) { - var span = document.createElement("span"); - span.className = className; - span.appendChild(document.createTextNode(val.substr(pos, text.length))); - node.parentNode.insertBefore(span, node.parentNode.insertBefore( - document.createTextNode(val.substr(pos + text.length)), - node.nextSibling)); - node.nodeValue = val.substr(0, pos); - } - } - else if (!jQuery(node).is("button, select, textarea")) { - jQuery.each(node.childNodes, function() { - highlight(this); - }); - } - } - return this.each(function() { - highlight(this); - }); -}; - -/* - * backward compatibility for jQuery.browser - * This will be supported until firefox bug is fixed. - */ -if (!jQuery.browser) { - jQuery.uaMatch = function(ua) { - ua = ua.toLowerCase(); - - var match = /(chrome)[ \/]([\w.]+)/.exec(ua) || - /(webkit)[ \/]([\w.]+)/.exec(ua) || - /(opera)(?:.*version|)[ \/]([\w.]+)/.exec(ua) || - /(msie) ([\w.]+)/.exec(ua) || - ua.indexOf("compatible") < 0 && /(mozilla)(?:.*? rv:([\w.]+)|)/.exec(ua) || - []; - - return { - browser: match[ 1 ] || "", - version: match[ 2 ] || "0" - }; - }; - jQuery.browser = {}; - jQuery.browser[jQuery.uaMatch(navigator.userAgent).browser] = true; -} - -/** - * Small JavaScript module for the documentation. - */ -var Documentation = { - - init : function() { - this.fixFirefoxAnchorBug(); - this.highlightSearchWords(); - this.initIndexTable(); - - }, - - /** - * i18n support - */ - TRANSLATIONS : {}, - PLURAL_EXPR : function(n) { return n == 1 ? 0 : 1; }, - LOCALE : 'unknown', - - // gettext and ngettext don't access this so that the functions - // can safely bound to a different name (_ = Documentation.gettext) - gettext : function(string) { - var translated = Documentation.TRANSLATIONS[string]; - if (typeof translated == 'undefined') - return string; - return (typeof translated == 'string') ? translated : translated[0]; - }, - - ngettext : function(singular, plural, n) { - var translated = Documentation.TRANSLATIONS[singular]; - if (typeof translated == 'undefined') - return (n == 1) ? singular : plural; - return translated[Documentation.PLURALEXPR(n)]; - }, - - addTranslations : function(catalog) { - for (var key in catalog.messages) - this.TRANSLATIONS[key] = catalog.messages[key]; - this.PLURAL_EXPR = new Function('n', 'return +(' + catalog.plural_expr + ')'); - this.LOCALE = catalog.locale; - }, - - /** - * add context elements like header anchor links - */ - addContextElements : function() { - $('div[id] > :header:first').each(function() { - $('\u00B6'). - attr('href', '#' + this.id). - attr('title', _('Permalink to this headline')). - appendTo(this); - }); - $('dt[id]').each(function() { - $('\u00B6'). - attr('href', '#' + this.id). - attr('title', _('Permalink to this definition')). - appendTo(this); - }); - }, - - /** - * workaround a firefox stupidity - * see: https://bugzilla.mozilla.org/show_bug.cgi?id=645075 - */ - fixFirefoxAnchorBug : function() { - if (document.location.hash) - window.setTimeout(function() { - document.location.href += ''; - }, 10); - }, - - /** - * highlight the search words provided in the url in the text - */ - highlightSearchWords : function() { - var params = $.getQueryParameters(); - var terms = (params.highlight) ? params.highlight[0].split(/\s+/) : []; - if (terms.length) { - var body = $('div.body'); - if (!body.length) { - body = $('body'); - } - window.setTimeout(function() { - $.each(terms, function() { - body.highlightText(this.toLowerCase(), 'highlighted'); - }); - }, 10); - $('') - .appendTo($('#searchbox')); - } - }, - - /** - * init the domain index toggle buttons - */ - initIndexTable : function() { - var togglers = $('img.toggler').click(function() { - var src = $(this).attr('src'); - var idnum = $(this).attr('id').substr(7); - $('tr.cg-' + idnum).toggle(); - if (src.substr(-9) == 'minus.png') - $(this).attr('src', src.substr(0, src.length-9) + 'plus.png'); - else - $(this).attr('src', src.substr(0, src.length-8) + 'minus.png'); - }).css('display', ''); - if (DOCUMENTATION_OPTIONS.COLLAPSE_INDEX) { - togglers.click(); - } - }, - - /** - * helper function to hide the search marks again - */ - hideSearchWords : function() { - $('#searchbox .highlight-link').fadeOut(300); - $('span.highlighted').removeClass('highlighted'); - }, - - /** - * make the url absolute - */ - makeURL : function(relativeURL) { - return DOCUMENTATION_OPTIONS.URL_ROOT + '/' + relativeURL; - }, - - /** - * get the current relative url - */ - getCurrentURL : function() { - var path = document.location.pathname; - var parts = path.split(/\//); - $.each(DOCUMENTATION_OPTIONS.URL_ROOT.split(/\//), function() { - if (this == '..') - parts.pop(); - }); - var url = parts.join('/'); - return path.substring(url.lastIndexOf('/') + 1, path.length - 1); - }, - - initOnKeyListeners: function() { - $(document).keyup(function(event) { - var activeElementType = document.activeElement.tagName; - // don't navigate when in search box or textarea - if (activeElementType !== 'TEXTAREA' && activeElementType !== 'INPUT' && activeElementType !== 'SELECT') { - switch (event.keyCode) { - case 37: // left - var prevHref = $('link[rel="prev"]').prop('href'); - if (prevHref) { - window.location.href = prevHref; - return false; - } - case 39: // right - var nextHref = $('link[rel="next"]').prop('href'); - if (nextHref) { - window.location.href = nextHref; - return false; - } - } - } - }); - } -}; - -// quick alias for translations -_ = Documentation.gettext; - -$(document).ready(function() { - Documentation.init(); -}); \ No newline at end of file diff --git a/docs/_build/html/_static/down-pressed.png b/docs/_build/html/_static/down-pressed.png deleted file mode 100644 index 5756c8cad88..00000000000 Binary files a/docs/_build/html/_static/down-pressed.png and /dev/null differ diff --git a/docs/_build/html/_static/down.png b/docs/_build/html/_static/down.png deleted file mode 100644 index 1b3bdad2cef..00000000000 Binary files a/docs/_build/html/_static/down.png and /dev/null differ diff --git a/docs/_build/html/_static/file.png b/docs/_build/html/_static/file.png deleted file mode 100644 index a858a410e4f..00000000000 Binary files a/docs/_build/html/_static/file.png and /dev/null differ diff --git a/docs/_build/html/_static/fonts/Inconsolata-Bold.ttf b/docs/_build/html/_static/fonts/Inconsolata-Bold.ttf deleted file mode 100644 index 809c1f5828f..00000000000 Binary files a/docs/_build/html/_static/fonts/Inconsolata-Bold.ttf and /dev/null differ diff --git a/docs/_build/html/_static/fonts/Inconsolata-Regular.ttf b/docs/_build/html/_static/fonts/Inconsolata-Regular.ttf deleted file mode 100644 index fc981ce7ad6..00000000000 Binary files a/docs/_build/html/_static/fonts/Inconsolata-Regular.ttf and /dev/null differ diff --git a/docs/_build/html/_static/fonts/Lato-Bold.ttf b/docs/_build/html/_static/fonts/Lato-Bold.ttf deleted file mode 100644 index 1d23c7066e0..00000000000 Binary files a/docs/_build/html/_static/fonts/Lato-Bold.ttf and /dev/null differ diff --git a/docs/_build/html/_static/fonts/Lato-Regular.ttf b/docs/_build/html/_static/fonts/Lato-Regular.ttf deleted file mode 100644 index 0f3d0f837d2..00000000000 Binary files a/docs/_build/html/_static/fonts/Lato-Regular.ttf and /dev/null differ diff --git a/docs/_build/html/_static/fonts/RobotoSlab-Bold.ttf b/docs/_build/html/_static/fonts/RobotoSlab-Bold.ttf deleted file mode 100644 index df5d1df2730..00000000000 Binary files a/docs/_build/html/_static/fonts/RobotoSlab-Bold.ttf and /dev/null differ diff --git a/docs/_build/html/_static/fonts/RobotoSlab-Regular.ttf b/docs/_build/html/_static/fonts/RobotoSlab-Regular.ttf deleted file mode 100644 index eb52a790736..00000000000 Binary files a/docs/_build/html/_static/fonts/RobotoSlab-Regular.ttf and /dev/null differ diff --git a/docs/_build/html/_static/fonts/fontawesome-webfont.eot b/docs/_build/html/_static/fonts/fontawesome-webfont.eot deleted file mode 100644 index c7b00d2ba88..00000000000 Binary files a/docs/_build/html/_static/fonts/fontawesome-webfont.eot and /dev/null differ diff --git a/docs/_build/html/_static/fonts/fontawesome-webfont.svg b/docs/_build/html/_static/fonts/fontawesome-webfont.svg deleted file mode 100644 index 8b66187fe06..00000000000 --- a/docs/_build/html/_static/fonts/fontawesome-webfont.svg +++ /dev/null @@ -1,685 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/docs/_build/html/_static/fonts/fontawesome-webfont.ttf b/docs/_build/html/_static/fonts/fontawesome-webfont.ttf deleted file mode 100644 index f221e50a2ef..00000000000 Binary files a/docs/_build/html/_static/fonts/fontawesome-webfont.ttf and /dev/null differ diff --git a/docs/_build/html/_static/fonts/fontawesome-webfont.woff b/docs/_build/html/_static/fonts/fontawesome-webfont.woff deleted file mode 100644 index 6e7483cf61b..00000000000 Binary files a/docs/_build/html/_static/fonts/fontawesome-webfont.woff and /dev/null differ diff --git a/docs/_build/html/_static/jquery-1.11.1.js b/docs/_build/html/_static/jquery-1.11.1.js deleted file mode 100644 index d4b67f7e6c1..00000000000 --- a/docs/_build/html/_static/jquery-1.11.1.js +++ /dev/null @@ -1,10308 +0,0 @@ -/*! - * jQuery JavaScript Library v1.11.1 - * http://jquery.com/ - * - * Includes Sizzle.js - * http://sizzlejs.com/ - * - * Copyright 2005, 2014 jQuery Foundation, Inc. and other contributors - * Released under the MIT license - * http://jquery.org/license - * - * Date: 2014-05-01T17:42Z - */ - -(function( global, factory ) { - - if ( typeof module === "object" && typeof module.exports === "object" ) { - // For CommonJS and CommonJS-like environments where a proper window is present, - // execute the factory and get jQuery - // For environments that do not inherently posses a window with a document - // (such as Node.js), expose a jQuery-making factory as module.exports - // This accentuates the need for the creation of a real window - // e.g. var jQuery = require("jquery")(window); - // See ticket #14549 for more info - module.exports = global.document ? - factory( global, true ) : - function( w ) { - if ( !w.document ) { - throw new Error( "jQuery requires a window with a document" ); - } - return factory( w ); - }; - } else { - factory( global ); - } - -// Pass this if window is not defined yet -}(typeof window !== "undefined" ? window : this, function( window, noGlobal ) { - -// Can't do this because several apps including ASP.NET trace -// the stack via arguments.caller.callee and Firefox dies if -// you try to trace through "use strict" call chains. (#13335) -// Support: Firefox 18+ -// - -var deletedIds = []; - -var slice = deletedIds.slice; - -var concat = deletedIds.concat; - -var push = deletedIds.push; - -var indexOf = deletedIds.indexOf; - -var class2type = {}; - -var toString = class2type.toString; - -var hasOwn = class2type.hasOwnProperty; - -var support = {}; - - - -var - version = "1.11.1", - - // Define a local copy of jQuery - jQuery = function( selector, context ) { - // The jQuery object is actually just the init constructor 'enhanced' - // Need init if jQuery is called (just allow error to be thrown if not included) - return new jQuery.fn.init( selector, context ); - }, - - // Support: Android<4.1, IE<9 - // Make sure we trim BOM and NBSP - rtrim = /^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g, - - // Matches dashed string for camelizing - rmsPrefix = /^-ms-/, - rdashAlpha = /-([\da-z])/gi, - - // Used by jQuery.camelCase as callback to replace() - fcamelCase = function( all, letter ) { - return letter.toUpperCase(); - }; - -jQuery.fn = jQuery.prototype = { - // The current version of jQuery being used - jquery: version, - - constructor: jQuery, - - // Start with an empty selector - selector: "", - - // The default length of a jQuery object is 0 - length: 0, - - toArray: function() { - return slice.call( this ); - }, - - // Get the Nth element in the matched element set OR - // Get the whole matched element set as a clean array - get: function( num ) { - return num != null ? - - // Return just the one element from the set - ( num < 0 ? this[ num + this.length ] : this[ num ] ) : - - // Return all the elements in a clean array - slice.call( this ); - }, - - // Take an array of elements and push it onto the stack - // (returning the new matched element set) - pushStack: function( elems ) { - - // Build a new jQuery matched element set - var ret = jQuery.merge( this.constructor(), elems ); - - // Add the old object onto the stack (as a reference) - ret.prevObject = this; - ret.context = this.context; - - // Return the newly-formed element set - return ret; - }, - - // Execute a callback for every element in the matched set. - // (You can seed the arguments with an array of args, but this is - // only used internally.) - each: function( callback, args ) { - return jQuery.each( this, callback, args ); - }, - - map: function( callback ) { - return this.pushStack( jQuery.map(this, function( elem, i ) { - return callback.call( elem, i, elem ); - })); - }, - - slice: function() { - return this.pushStack( slice.apply( this, arguments ) ); - }, - - first: function() { - return this.eq( 0 ); - }, - - last: function() { - return this.eq( -1 ); - }, - - eq: function( i ) { - var len = this.length, - j = +i + ( i < 0 ? len : 0 ); - return this.pushStack( j >= 0 && j < len ? [ this[j] ] : [] ); - }, - - end: function() { - return this.prevObject || this.constructor(null); - }, - - // For internal use only. - // Behaves like an Array's method, not like a jQuery method. - push: push, - sort: deletedIds.sort, - splice: deletedIds.splice -}; - -jQuery.extend = jQuery.fn.extend = function() { - var src, copyIsArray, copy, name, options, clone, - target = arguments[0] || {}, - i = 1, - length = arguments.length, - deep = false; - - // Handle a deep copy situation - if ( typeof target === "boolean" ) { - deep = target; - - // skip the boolean and the target - target = arguments[ i ] || {}; - i++; - } - - // Handle case when target is a string or something (possible in deep copy) - if ( typeof target !== "object" && !jQuery.isFunction(target) ) { - target = {}; - } - - // extend jQuery itself if only one argument is passed - if ( i === length ) { - target = this; - i--; - } - - for ( ; i < length; i++ ) { - // Only deal with non-null/undefined values - if ( (options = arguments[ i ]) != null ) { - // Extend the base object - for ( name in options ) { - src = target[ name ]; - copy = options[ name ]; - - // Prevent never-ending loop - if ( target === copy ) { - continue; - } - - // Recurse if we're merging plain objects or arrays - if ( deep && copy && ( jQuery.isPlainObject(copy) || (copyIsArray = jQuery.isArray(copy)) ) ) { - if ( copyIsArray ) { - copyIsArray = false; - clone = src && jQuery.isArray(src) ? src : []; - - } else { - clone = src && jQuery.isPlainObject(src) ? src : {}; - } - - // Never move original objects, clone them - target[ name ] = jQuery.extend( deep, clone, copy ); - - // Don't bring in undefined values - } else if ( copy !== undefined ) { - target[ name ] = copy; - } - } - } - } - - // Return the modified object - return target; -}; - -jQuery.extend({ - // Unique for each copy of jQuery on the page - expando: "jQuery" + ( version + Math.random() ).replace( /\D/g, "" ), - - // Assume jQuery is ready without the ready module - isReady: true, - - error: function( msg ) { - throw new Error( msg ); - }, - - noop: function() {}, - - // See test/unit/core.js for details concerning isFunction. - // Since version 1.3, DOM methods and functions like alert - // aren't supported. They return false on IE (#2968). - isFunction: function( obj ) { - return jQuery.type(obj) === "function"; - }, - - isArray: Array.isArray || function( obj ) { - return jQuery.type(obj) === "array"; - }, - - isWindow: function( obj ) { - /* jshint eqeqeq: false */ - return obj != null && obj == obj.window; - }, - - isNumeric: function( obj ) { - // parseFloat NaNs numeric-cast false positives (null|true|false|"") - // ...but misinterprets leading-number strings, particularly hex literals ("0x...") - // subtraction forces infinities to NaN - return !jQuery.isArray( obj ) && obj - parseFloat( obj ) >= 0; - }, - - isEmptyObject: function( obj ) { - var name; - for ( name in obj ) { - return false; - } - return true; - }, - - isPlainObject: function( obj ) { - var key; - - // Must be an Object. - // Because of IE, we also have to check the presence of the constructor property. - // Make sure that DOM nodes and window objects don't pass through, as well - if ( !obj || jQuery.type(obj) !== "object" || obj.nodeType || jQuery.isWindow( obj ) ) { - return false; - } - - try { - // Not own constructor property must be Object - if ( obj.constructor && - !hasOwn.call(obj, "constructor") && - !hasOwn.call(obj.constructor.prototype, "isPrototypeOf") ) { - return false; - } - } catch ( e ) { - // IE8,9 Will throw exceptions on certain host objects #9897 - return false; - } - - // Support: IE<9 - // Handle iteration over inherited properties before own properties. - if ( support.ownLast ) { - for ( key in obj ) { - return hasOwn.call( obj, key ); - } - } - - // Own properties are enumerated firstly, so to speed up, - // if last one is own, then all properties are own. - for ( key in obj ) {} - - return key === undefined || hasOwn.call( obj, key ); - }, - - type: function( obj ) { - if ( obj == null ) { - return obj + ""; - } - return typeof obj === "object" || typeof obj === "function" ? - class2type[ toString.call(obj) ] || "object" : - typeof obj; - }, - - // Evaluates a script in a global context - // Workarounds based on findings by Jim Driscoll - // http://weblogs.java.net/blog/driscoll/archive/2009/09/08/eval-javascript-global-context - globalEval: function( data ) { - if ( data && jQuery.trim( data ) ) { - // We use execScript on Internet Explorer - // We use an anonymous function so that context is window - // rather than jQuery in Firefox - ( window.execScript || function( data ) { - window[ "eval" ].call( window, data ); - } )( data ); - } - }, - - // Convert dashed to camelCase; used by the css and data modules - // Microsoft forgot to hump their vendor prefix (#9572) - camelCase: function( string ) { - return string.replace( rmsPrefix, "ms-" ).replace( rdashAlpha, fcamelCase ); - }, - - nodeName: function( elem, name ) { - return elem.nodeName && elem.nodeName.toLowerCase() === name.toLowerCase(); - }, - - // args is for internal usage only - each: function( obj, callback, args ) { - var value, - i = 0, - length = obj.length, - isArray = isArraylike( obj ); - - if ( args ) { - if ( isArray ) { - for ( ; i < length; i++ ) { - value = callback.apply( obj[ i ], args ); - - if ( value === false ) { - break; - } - } - } else { - for ( i in obj ) { - value = callback.apply( obj[ i ], args ); - - if ( value === false ) { - break; - } - } - } - - // A special, fast, case for the most common use of each - } else { - if ( isArray ) { - for ( ; i < length; i++ ) { - value = callback.call( obj[ i ], i, obj[ i ] ); - - if ( value === false ) { - break; - } - } - } else { - for ( i in obj ) { - value = callback.call( obj[ i ], i, obj[ i ] ); - - if ( value === false ) { - break; - } - } - } - } - - return obj; - }, - - // Support: Android<4.1, IE<9 - trim: function( text ) { - return text == null ? - "" : - ( text + "" ).replace( rtrim, "" ); - }, - - // results is for internal usage only - makeArray: function( arr, results ) { - var ret = results || []; - - if ( arr != null ) { - if ( isArraylike( Object(arr) ) ) { - jQuery.merge( ret, - typeof arr === "string" ? - [ arr ] : arr - ); - } else { - push.call( ret, arr ); - } - } - - return ret; - }, - - inArray: function( elem, arr, i ) { - var len; - - if ( arr ) { - if ( indexOf ) { - return indexOf.call( arr, elem, i ); - } - - len = arr.length; - i = i ? i < 0 ? Math.max( 0, len + i ) : i : 0; - - for ( ; i < len; i++ ) { - // Skip accessing in sparse arrays - if ( i in arr && arr[ i ] === elem ) { - return i; - } - } - } - - return -1; - }, - - merge: function( first, second ) { - var len = +second.length, - j = 0, - i = first.length; - - while ( j < len ) { - first[ i++ ] = second[ j++ ]; - } - - // Support: IE<9 - // Workaround casting of .length to NaN on otherwise arraylike objects (e.g., NodeLists) - if ( len !== len ) { - while ( second[j] !== undefined ) { - first[ i++ ] = second[ j++ ]; - } - } - - first.length = i; - - return first; - }, - - grep: function( elems, callback, invert ) { - var callbackInverse, - matches = [], - i = 0, - length = elems.length, - callbackExpect = !invert; - - // Go through the array, only saving the items - // that pass the validator function - for ( ; i < length; i++ ) { - callbackInverse = !callback( elems[ i ], i ); - if ( callbackInverse !== callbackExpect ) { - matches.push( elems[ i ] ); - } - } - - return matches; - }, - - // arg is for internal usage only - map: function( elems, callback, arg ) { - var value, - i = 0, - length = elems.length, - isArray = isArraylike( elems ), - ret = []; - - // Go through the array, translating each of the items to their new values - if ( isArray ) { - for ( ; i < length; i++ ) { - value = callback( elems[ i ], i, arg ); - - if ( value != null ) { - ret.push( value ); - } - } - - // Go through every key on the object, - } else { - for ( i in elems ) { - value = callback( elems[ i ], i, arg ); - - if ( value != null ) { - ret.push( value ); - } - } - } - - // Flatten any nested arrays - return concat.apply( [], ret ); - }, - - // A global GUID counter for objects - guid: 1, - - // Bind a function to a context, optionally partially applying any - // arguments. - proxy: function( fn, context ) { - var args, proxy, tmp; - - if ( typeof context === "string" ) { - tmp = fn[ context ]; - context = fn; - fn = tmp; - } - - // Quick check to determine if target is callable, in the spec - // this throws a TypeError, but we will just return undefined. - if ( !jQuery.isFunction( fn ) ) { - return undefined; - } - - // Simulated bind - args = slice.call( arguments, 2 ); - proxy = function() { - return fn.apply( context || this, args.concat( slice.call( arguments ) ) ); - }; - - // Set the guid of unique handler to the same of original handler, so it can be removed - proxy.guid = fn.guid = fn.guid || jQuery.guid++; - - return proxy; - }, - - now: function() { - return +( new Date() ); - }, - - // jQuery.support is not used in Core but other projects attach their - // properties to it so it needs to exist. - support: support -}); - -// Populate the class2type map -jQuery.each("Boolean Number String Function Array Date RegExp Object Error".split(" "), function(i, name) { - class2type[ "[object " + name + "]" ] = name.toLowerCase(); -}); - -function isArraylike( obj ) { - var length = obj.length, - type = jQuery.type( obj ); - - if ( type === "function" || jQuery.isWindow( obj ) ) { - return false; - } - - if ( obj.nodeType === 1 && length ) { - return true; - } - - return type === "array" || length === 0 || - typeof length === "number" && length > 0 && ( length - 1 ) in obj; -} -var Sizzle = -/*! - * Sizzle CSS Selector Engine v1.10.19 - * http://sizzlejs.com/ - * - * Copyright 2013 jQuery Foundation, Inc. and other contributors - * Released under the MIT license - * http://jquery.org/license - * - * Date: 2014-04-18 - */ -(function( window ) { - -var i, - support, - Expr, - getText, - isXML, - tokenize, - compile, - select, - outermostContext, - sortInput, - hasDuplicate, - - // Local document vars - setDocument, - document, - docElem, - documentIsHTML, - rbuggyQSA, - rbuggyMatches, - matches, - contains, - - // Instance-specific data - expando = "sizzle" + -(new Date()), - preferredDoc = window.document, - dirruns = 0, - done = 0, - classCache = createCache(), - tokenCache = createCache(), - compilerCache = createCache(), - sortOrder = function( a, b ) { - if ( a === b ) { - hasDuplicate = true; - } - return 0; - }, - - // General-purpose constants - strundefined = typeof undefined, - MAX_NEGATIVE = 1 << 31, - - // Instance methods - hasOwn = ({}).hasOwnProperty, - arr = [], - pop = arr.pop, - push_native = arr.push, - push = arr.push, - slice = arr.slice, - // Use a stripped-down indexOf if we can't use a native one - indexOf = arr.indexOf || function( elem ) { - var i = 0, - len = this.length; - for ( ; i < len; i++ ) { - if ( this[i] === elem ) { - return i; - } - } - return -1; - }, - - booleans = "checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped", - - // Regular expressions - - // Whitespace characters http://www.w3.org/TR/css3-selectors/#whitespace - whitespace = "[\\x20\\t\\r\\n\\f]", - // http://www.w3.org/TR/css3-syntax/#characters - characterEncoding = "(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+", - - // Loosely modeled on CSS identifier characters - // An unquoted value should be a CSS identifier http://www.w3.org/TR/css3-selectors/#attribute-selectors - // Proper syntax: http://www.w3.org/TR/CSS21/syndata.html#value-def-identifier - identifier = characterEncoding.replace( "w", "w#" ), - - // Attribute selectors: http://www.w3.org/TR/selectors/#attribute-selectors - attributes = "\\[" + whitespace + "*(" + characterEncoding + ")(?:" + whitespace + - // Operator (capture 2) - "*([*^$|!~]?=)" + whitespace + - // "Attribute values must be CSS identifiers [capture 5] or strings [capture 3 or capture 4]" - "*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|(" + identifier + "))|)" + whitespace + - "*\\]", - - pseudos = ":(" + characterEncoding + ")(?:\\((" + - // To reduce the number of selectors needing tokenize in the preFilter, prefer arguments: - // 1. quoted (capture 3; capture 4 or capture 5) - "('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|" + - // 2. simple (capture 6) - "((?:\\\\.|[^\\\\()[\\]]|" + attributes + ")*)|" + - // 3. anything else (capture 2) - ".*" + - ")\\)|)", - - // Leading and non-escaped trailing whitespace, capturing some non-whitespace characters preceding the latter - rtrim = new RegExp( "^" + whitespace + "+|((?:^|[^\\\\])(?:\\\\.)*)" + whitespace + "+$", "g" ), - - rcomma = new RegExp( "^" + whitespace + "*," + whitespace + "*" ), - rcombinators = new RegExp( "^" + whitespace + "*([>+~]|" + whitespace + ")" + whitespace + "*" ), - - rattributeQuotes = new RegExp( "=" + whitespace + "*([^\\]'\"]*?)" + whitespace + "*\\]", "g" ), - - rpseudo = new RegExp( pseudos ), - ridentifier = new RegExp( "^" + identifier + "$" ), - - matchExpr = { - "ID": new RegExp( "^#(" + characterEncoding + ")" ), - "CLASS": new RegExp( "^\\.(" + characterEncoding + ")" ), - "TAG": new RegExp( "^(" + characterEncoding.replace( "w", "w*" ) + ")" ), - "ATTR": new RegExp( "^" + attributes ), - "PSEUDO": new RegExp( "^" + pseudos ), - "CHILD": new RegExp( "^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\(" + whitespace + - "*(even|odd|(([+-]|)(\\d*)n|)" + whitespace + "*(?:([+-]|)" + whitespace + - "*(\\d+)|))" + whitespace + "*\\)|)", "i" ), - "bool": new RegExp( "^(?:" + booleans + ")$", "i" ), - // For use in libraries implementing .is() - // We use this for POS matching in `select` - "needsContext": new RegExp( "^" + whitespace + "*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\(" + - whitespace + "*((?:-\\d)?\\d*)" + whitespace + "*\\)|)(?=[^-]|$)", "i" ) - }, - - rinputs = /^(?:input|select|textarea|button)$/i, - rheader = /^h\d$/i, - - rnative = /^[^{]+\{\s*\[native \w/, - - // Easily-parseable/retrievable ID or TAG or CLASS selectors - rquickExpr = /^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/, - - rsibling = /[+~]/, - rescape = /'|\\/g, - - // CSS escapes http://www.w3.org/TR/CSS21/syndata.html#escaped-characters - runescape = new RegExp( "\\\\([\\da-f]{1,6}" + whitespace + "?|(" + whitespace + ")|.)", "ig" ), - funescape = function( _, escaped, escapedWhitespace ) { - var high = "0x" + escaped - 0x10000; - // NaN means non-codepoint - // Support: Firefox<24 - // Workaround erroneous numeric interpretation of +"0x" - return high !== high || escapedWhitespace ? - escaped : - high < 0 ? - // BMP codepoint - String.fromCharCode( high + 0x10000 ) : - // Supplemental Plane codepoint (surrogate pair) - String.fromCharCode( high >> 10 | 0xD800, high & 0x3FF | 0xDC00 ); - }; - -// Optimize for push.apply( _, NodeList ) -try { - push.apply( - (arr = slice.call( preferredDoc.childNodes )), - preferredDoc.childNodes - ); - // Support: Android<4.0 - // Detect silently failing push.apply - arr[ preferredDoc.childNodes.length ].nodeType; -} catch ( e ) { - push = { apply: arr.length ? - - // Leverage slice if possible - function( target, els ) { - push_native.apply( target, slice.call(els) ); - } : - - // Support: IE<9 - // Otherwise append directly - function( target, els ) { - var j = target.length, - i = 0; - // Can't trust NodeList.length - while ( (target[j++] = els[i++]) ) {} - target.length = j - 1; - } - }; -} - -function Sizzle( selector, context, results, seed ) { - var match, elem, m, nodeType, - // QSA vars - i, groups, old, nid, newContext, newSelector; - - if ( ( context ? context.ownerDocument || context : preferredDoc ) !== document ) { - setDocument( context ); - } - - context = context || document; - results = results || []; - - if ( !selector || typeof selector !== "string" ) { - return results; - } - - if ( (nodeType = context.nodeType) !== 1 && nodeType !== 9 ) { - return []; - } - - if ( documentIsHTML && !seed ) { - - // Shortcuts - if ( (match = rquickExpr.exec( selector )) ) { - // Speed-up: Sizzle("#ID") - if ( (m = match[1]) ) { - if ( nodeType === 9 ) { - elem = context.getElementById( m ); - // Check parentNode to catch when Blackberry 4.6 returns - // nodes that are no longer in the document (jQuery #6963) - if ( elem && elem.parentNode ) { - // Handle the case where IE, Opera, and Webkit return items - // by name instead of ID - if ( elem.id === m ) { - results.push( elem ); - return results; - } - } else { - return results; - } - } else { - // Context is not a document - if ( context.ownerDocument && (elem = context.ownerDocument.getElementById( m )) && - contains( context, elem ) && elem.id === m ) { - results.push( elem ); - return results; - } - } - - // Speed-up: Sizzle("TAG") - } else if ( match[2] ) { - push.apply( results, context.getElementsByTagName( selector ) ); - return results; - - // Speed-up: Sizzle(".CLASS") - } else if ( (m = match[3]) && support.getElementsByClassName && context.getElementsByClassName ) { - push.apply( results, context.getElementsByClassName( m ) ); - return results; - } - } - - // QSA path - if ( support.qsa && (!rbuggyQSA || !rbuggyQSA.test( selector )) ) { - nid = old = expando; - newContext = context; - newSelector = nodeType === 9 && selector; - - // qSA works strangely on Element-rooted queries - // We can work around this by specifying an extra ID on the root - // and working up from there (Thanks to Andrew Dupont for the technique) - // IE 8 doesn't work on object elements - if ( nodeType === 1 && context.nodeName.toLowerCase() !== "object" ) { - groups = tokenize( selector ); - - if ( (old = context.getAttribute("id")) ) { - nid = old.replace( rescape, "\\$&" ); - } else { - context.setAttribute( "id", nid ); - } - nid = "[id='" + nid + "'] "; - - i = groups.length; - while ( i-- ) { - groups[i] = nid + toSelector( groups[i] ); - } - newContext = rsibling.test( selector ) && testContext( context.parentNode ) || context; - newSelector = groups.join(","); - } - - if ( newSelector ) { - try { - push.apply( results, - newContext.querySelectorAll( newSelector ) - ); - return results; - } catch(qsaError) { - } finally { - if ( !old ) { - context.removeAttribute("id"); - } - } - } - } - } - - // All others - return select( selector.replace( rtrim, "$1" ), context, results, seed ); -} - -/** - * Create key-value caches of limited size - * @returns {Function(string, Object)} Returns the Object data after storing it on itself with - * property name the (space-suffixed) string and (if the cache is larger than Expr.cacheLength) - * deleting the oldest entry - */ -function createCache() { - var keys = []; - - function cache( key, value ) { - // Use (key + " ") to avoid collision with native prototype properties (see Issue #157) - if ( keys.push( key + " " ) > Expr.cacheLength ) { - // Only keep the most recent entries - delete cache[ keys.shift() ]; - } - return (cache[ key + " " ] = value); - } - return cache; -} - -/** - * Mark a function for special use by Sizzle - * @param {Function} fn The function to mark - */ -function markFunction( fn ) { - fn[ expando ] = true; - return fn; -} - -/** - * Support testing using an element - * @param {Function} fn Passed the created div and expects a boolean result - */ -function assert( fn ) { - var div = document.createElement("div"); - - try { - return !!fn( div ); - } catch (e) { - return false; - } finally { - // Remove from its parent by default - if ( div.parentNode ) { - div.parentNode.removeChild( div ); - } - // release memory in IE - div = null; - } -} - -/** - * Adds the same handler for all of the specified attrs - * @param {String} attrs Pipe-separated list of attributes - * @param {Function} handler The method that will be applied - */ -function addHandle( attrs, handler ) { - var arr = attrs.split("|"), - i = attrs.length; - - while ( i-- ) { - Expr.attrHandle[ arr[i] ] = handler; - } -} - -/** - * Checks document order of two siblings - * @param {Element} a - * @param {Element} b - * @returns {Number} Returns less than 0 if a precedes b, greater than 0 if a follows b - */ -function siblingCheck( a, b ) { - var cur = b && a, - diff = cur && a.nodeType === 1 && b.nodeType === 1 && - ( ~b.sourceIndex || MAX_NEGATIVE ) - - ( ~a.sourceIndex || MAX_NEGATIVE ); - - // Use IE sourceIndex if available on both nodes - if ( diff ) { - return diff; - } - - // Check if b follows a - if ( cur ) { - while ( (cur = cur.nextSibling) ) { - if ( cur === b ) { - return -1; - } - } - } - - return a ? 1 : -1; -} - -/** - * Returns a function to use in pseudos for input types - * @param {String} type - */ -function createInputPseudo( type ) { - return function( elem ) { - var name = elem.nodeName.toLowerCase(); - return name === "input" && elem.type === type; - }; -} - -/** - * Returns a function to use in pseudos for buttons - * @param {String} type - */ -function createButtonPseudo( type ) { - return function( elem ) { - var name = elem.nodeName.toLowerCase(); - return (name === "input" || name === "button") && elem.type === type; - }; -} - -/** - * Returns a function to use in pseudos for positionals - * @param {Function} fn - */ -function createPositionalPseudo( fn ) { - return markFunction(function( argument ) { - argument = +argument; - return markFunction(function( seed, matches ) { - var j, - matchIndexes = fn( [], seed.length, argument ), - i = matchIndexes.length; - - // Match elements found at the specified indexes - while ( i-- ) { - if ( seed[ (j = matchIndexes[i]) ] ) { - seed[j] = !(matches[j] = seed[j]); - } - } - }); - }); -} - -/** - * Checks a node for validity as a Sizzle context - * @param {Element|Object=} context - * @returns {Element|Object|Boolean} The input node if acceptable, otherwise a falsy value - */ -function testContext( context ) { - return context && typeof context.getElementsByTagName !== strundefined && context; -} - -// Expose support vars for convenience -support = Sizzle.support = {}; - -/** - * Detects XML nodes - * @param {Element|Object} elem An element or a document - * @returns {Boolean} True iff elem is a non-HTML XML node - */ -isXML = Sizzle.isXML = function( elem ) { - // documentElement is verified for cases where it doesn't yet exist - // (such as loading iframes in IE - #4833) - var documentElement = elem && (elem.ownerDocument || elem).documentElement; - return documentElement ? documentElement.nodeName !== "HTML" : false; -}; - -/** - * Sets document-related variables once based on the current document - * @param {Element|Object} [doc] An element or document object to use to set the document - * @returns {Object} Returns the current document - */ -setDocument = Sizzle.setDocument = function( node ) { - var hasCompare, - doc = node ? node.ownerDocument || node : preferredDoc, - parent = doc.defaultView; - - // If no document and documentElement is available, return - if ( doc === document || doc.nodeType !== 9 || !doc.documentElement ) { - return document; - } - - // Set our document - document = doc; - docElem = doc.documentElement; - - // Support tests - documentIsHTML = !isXML( doc ); - - // Support: IE>8 - // If iframe document is assigned to "document" variable and if iframe has been reloaded, - // IE will throw "permission denied" error when accessing "document" variable, see jQuery #13936 - // IE6-8 do not support the defaultView property so parent will be undefined - if ( parent && parent !== parent.top ) { - // IE11 does not have attachEvent, so all must suffer - if ( parent.addEventListener ) { - parent.addEventListener( "unload", function() { - setDocument(); - }, false ); - } else if ( parent.attachEvent ) { - parent.attachEvent( "onunload", function() { - setDocument(); - }); - } - } - - /* Attributes - ---------------------------------------------------------------------- */ - - // Support: IE<8 - // Verify that getAttribute really returns attributes and not properties (excepting IE8 booleans) - support.attributes = assert(function( div ) { - div.className = "i"; - return !div.getAttribute("className"); - }); - - /* getElement(s)By* - ---------------------------------------------------------------------- */ - - // Check if getElementsByTagName("*") returns only elements - support.getElementsByTagName = assert(function( div ) { - div.appendChild( doc.createComment("") ); - return !div.getElementsByTagName("*").length; - }); - - // Check if getElementsByClassName can be trusted - support.getElementsByClassName = rnative.test( doc.getElementsByClassName ) && assert(function( div ) { - div.innerHTML = "
"; - - // Support: Safari<4 - // Catch class over-caching - div.firstChild.className = "i"; - // Support: Opera<10 - // Catch gEBCN failure to find non-leading classes - return div.getElementsByClassName("i").length === 2; - }); - - // Support: IE<10 - // Check if getElementById returns elements by name - // The broken getElementById methods don't pick up programatically-set names, - // so use a roundabout getElementsByName test - support.getById = assert(function( div ) { - docElem.appendChild( div ).id = expando; - return !doc.getElementsByName || !doc.getElementsByName( expando ).length; - }); - - // ID find and filter - if ( support.getById ) { - Expr.find["ID"] = function( id, context ) { - if ( typeof context.getElementById !== strundefined && documentIsHTML ) { - var m = context.getElementById( id ); - // Check parentNode to catch when Blackberry 4.6 returns - // nodes that are no longer in the document #6963 - return m && m.parentNode ? [ m ] : []; - } - }; - Expr.filter["ID"] = function( id ) { - var attrId = id.replace( runescape, funescape ); - return function( elem ) { - return elem.getAttribute("id") === attrId; - }; - }; - } else { - // Support: IE6/7 - // getElementById is not reliable as a find shortcut - delete Expr.find["ID"]; - - Expr.filter["ID"] = function( id ) { - var attrId = id.replace( runescape, funescape ); - return function( elem ) { - var node = typeof elem.getAttributeNode !== strundefined && elem.getAttributeNode("id"); - return node && node.value === attrId; - }; - }; - } - - // Tag - Expr.find["TAG"] = support.getElementsByTagName ? - function( tag, context ) { - if ( typeof context.getElementsByTagName !== strundefined ) { - return context.getElementsByTagName( tag ); - } - } : - function( tag, context ) { - var elem, - tmp = [], - i = 0, - results = context.getElementsByTagName( tag ); - - // Filter out possible comments - if ( tag === "*" ) { - while ( (elem = results[i++]) ) { - if ( elem.nodeType === 1 ) { - tmp.push( elem ); - } - } - - return tmp; - } - return results; - }; - - // Class - Expr.find["CLASS"] = support.getElementsByClassName && function( className, context ) { - if ( typeof context.getElementsByClassName !== strundefined && documentIsHTML ) { - return context.getElementsByClassName( className ); - } - }; - - /* QSA/matchesSelector - ---------------------------------------------------------------------- */ - - // QSA and matchesSelector support - - // matchesSelector(:active) reports false when true (IE9/Opera 11.5) - rbuggyMatches = []; - - // qSa(:focus) reports false when true (Chrome 21) - // We allow this because of a bug in IE8/9 that throws an error - // whenever `document.activeElement` is accessed on an iframe - // So, we allow :focus to pass through QSA all the time to avoid the IE error - // See http://bugs.jquery.com/ticket/13378 - rbuggyQSA = []; - - if ( (support.qsa = rnative.test( doc.querySelectorAll )) ) { - // Build QSA regex - // Regex strategy adopted from Diego Perini - assert(function( div ) { - // Select is set to empty string on purpose - // This is to test IE's treatment of not explicitly - // setting a boolean content attribute, - // since its presence should be enough - // http://bugs.jquery.com/ticket/12359 - div.innerHTML = ""; - - // Support: IE8, Opera 11-12.16 - // Nothing should be selected when empty strings follow ^= or $= or *= - // The test attribute must be unknown in Opera but "safe" for WinRT - // http://msdn.microsoft.com/en-us/library/ie/hh465388.aspx#attribute_section - if ( div.querySelectorAll("[msallowclip^='']").length ) { - rbuggyQSA.push( "[*^$]=" + whitespace + "*(?:''|\"\")" ); - } - - // Support: IE8 - // Boolean attributes and "value" are not treated correctly - if ( !div.querySelectorAll("[selected]").length ) { - rbuggyQSA.push( "\\[" + whitespace + "*(?:value|" + booleans + ")" ); - } - - // Webkit/Opera - :checked should return selected option elements - // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked - // IE8 throws error here and will not see later tests - if ( !div.querySelectorAll(":checked").length ) { - rbuggyQSA.push(":checked"); - } - }); - - assert(function( div ) { - // Support: Windows 8 Native Apps - // The type and name attributes are restricted during .innerHTML assignment - var input = doc.createElement("input"); - input.setAttribute( "type", "hidden" ); - div.appendChild( input ).setAttribute( "name", "D" ); - - // Support: IE8 - // Enforce case-sensitivity of name attribute - if ( div.querySelectorAll("[name=d]").length ) { - rbuggyQSA.push( "name" + whitespace + "*[*^$|!~]?=" ); - } - - // FF 3.5 - :enabled/:disabled and hidden elements (hidden elements are still enabled) - // IE8 throws error here and will not see later tests - if ( !div.querySelectorAll(":enabled").length ) { - rbuggyQSA.push( ":enabled", ":disabled" ); - } - - // Opera 10-11 does not throw on post-comma invalid pseudos - div.querySelectorAll("*,:x"); - rbuggyQSA.push(",.*:"); - }); - } - - if ( (support.matchesSelector = rnative.test( (matches = docElem.matches || - docElem.webkitMatchesSelector || - docElem.mozMatchesSelector || - docElem.oMatchesSelector || - docElem.msMatchesSelector) )) ) { - - assert(function( div ) { - // Check to see if it's possible to do matchesSelector - // on a disconnected node (IE 9) - support.disconnectedMatch = matches.call( div, "div" ); - - // This should fail with an exception - // Gecko does not error, returns false instead - matches.call( div, "[s!='']:x" ); - rbuggyMatches.push( "!=", pseudos ); - }); - } - - rbuggyQSA = rbuggyQSA.length && new RegExp( rbuggyQSA.join("|") ); - rbuggyMatches = rbuggyMatches.length && new RegExp( rbuggyMatches.join("|") ); - - /* Contains - ---------------------------------------------------------------------- */ - hasCompare = rnative.test( docElem.compareDocumentPosition ); - - // Element contains another - // Purposefully does not implement inclusive descendent - // As in, an element does not contain itself - contains = hasCompare || rnative.test( docElem.contains ) ? - function( a, b ) { - var adown = a.nodeType === 9 ? a.documentElement : a, - bup = b && b.parentNode; - return a === bup || !!( bup && bup.nodeType === 1 && ( - adown.contains ? - adown.contains( bup ) : - a.compareDocumentPosition && a.compareDocumentPosition( bup ) & 16 - )); - } : - function( a, b ) { - if ( b ) { - while ( (b = b.parentNode) ) { - if ( b === a ) { - return true; - } - } - } - return false; - }; - - /* Sorting - ---------------------------------------------------------------------- */ - - // Document order sorting - sortOrder = hasCompare ? - function( a, b ) { - - // Flag for duplicate removal - if ( a === b ) { - hasDuplicate = true; - return 0; - } - - // Sort on method existence if only one input has compareDocumentPosition - var compare = !a.compareDocumentPosition - !b.compareDocumentPosition; - if ( compare ) { - return compare; - } - - // Calculate position if both inputs belong to the same document - compare = ( a.ownerDocument || a ) === ( b.ownerDocument || b ) ? - a.compareDocumentPosition( b ) : - - // Otherwise we know they are disconnected - 1; - - // Disconnected nodes - if ( compare & 1 || - (!support.sortDetached && b.compareDocumentPosition( a ) === compare) ) { - - // Choose the first element that is related to our preferred document - if ( a === doc || a.ownerDocument === preferredDoc && contains(preferredDoc, a) ) { - return -1; - } - if ( b === doc || b.ownerDocument === preferredDoc && contains(preferredDoc, b) ) { - return 1; - } - - // Maintain original order - return sortInput ? - ( indexOf.call( sortInput, a ) - indexOf.call( sortInput, b ) ) : - 0; - } - - return compare & 4 ? -1 : 1; - } : - function( a, b ) { - // Exit early if the nodes are identical - if ( a === b ) { - hasDuplicate = true; - return 0; - } - - var cur, - i = 0, - aup = a.parentNode, - bup = b.parentNode, - ap = [ a ], - bp = [ b ]; - - // Parentless nodes are either documents or disconnected - if ( !aup || !bup ) { - return a === doc ? -1 : - b === doc ? 1 : - aup ? -1 : - bup ? 1 : - sortInput ? - ( indexOf.call( sortInput, a ) - indexOf.call( sortInput, b ) ) : - 0; - - // If the nodes are siblings, we can do a quick check - } else if ( aup === bup ) { - return siblingCheck( a, b ); - } - - // Otherwise we need full lists of their ancestors for comparison - cur = a; - while ( (cur = cur.parentNode) ) { - ap.unshift( cur ); - } - cur = b; - while ( (cur = cur.parentNode) ) { - bp.unshift( cur ); - } - - // Walk down the tree looking for a discrepancy - while ( ap[i] === bp[i] ) { - i++; - } - - return i ? - // Do a sibling check if the nodes have a common ancestor - siblingCheck( ap[i], bp[i] ) : - - // Otherwise nodes in our document sort first - ap[i] === preferredDoc ? -1 : - bp[i] === preferredDoc ? 1 : - 0; - }; - - return doc; -}; - -Sizzle.matches = function( expr, elements ) { - return Sizzle( expr, null, null, elements ); -}; - -Sizzle.matchesSelector = function( elem, expr ) { - // Set document vars if needed - if ( ( elem.ownerDocument || elem ) !== document ) { - setDocument( elem ); - } - - // Make sure that attribute selectors are quoted - expr = expr.replace( rattributeQuotes, "='$1']" ); - - if ( support.matchesSelector && documentIsHTML && - ( !rbuggyMatches || !rbuggyMatches.test( expr ) ) && - ( !rbuggyQSA || !rbuggyQSA.test( expr ) ) ) { - - try { - var ret = matches.call( elem, expr ); - - // IE 9's matchesSelector returns false on disconnected nodes - if ( ret || support.disconnectedMatch || - // As well, disconnected nodes are said to be in a document - // fragment in IE 9 - elem.document && elem.document.nodeType !== 11 ) { - return ret; - } - } catch(e) {} - } - - return Sizzle( expr, document, null, [ elem ] ).length > 0; -}; - -Sizzle.contains = function( context, elem ) { - // Set document vars if needed - if ( ( context.ownerDocument || context ) !== document ) { - setDocument( context ); - } - return contains( context, elem ); -}; - -Sizzle.attr = function( elem, name ) { - // Set document vars if needed - if ( ( elem.ownerDocument || elem ) !== document ) { - setDocument( elem ); - } - - var fn = Expr.attrHandle[ name.toLowerCase() ], - // Don't get fooled by Object.prototype properties (jQuery #13807) - val = fn && hasOwn.call( Expr.attrHandle, name.toLowerCase() ) ? - fn( elem, name, !documentIsHTML ) : - undefined; - - return val !== undefined ? - val : - support.attributes || !documentIsHTML ? - elem.getAttribute( name ) : - (val = elem.getAttributeNode(name)) && val.specified ? - val.value : - null; -}; - -Sizzle.error = function( msg ) { - throw new Error( "Syntax error, unrecognized expression: " + msg ); -}; - -/** - * Document sorting and removing duplicates - * @param {ArrayLike} results - */ -Sizzle.uniqueSort = function( results ) { - var elem, - duplicates = [], - j = 0, - i = 0; - - // Unless we *know* we can detect duplicates, assume their presence - hasDuplicate = !support.detectDuplicates; - sortInput = !support.sortStable && results.slice( 0 ); - results.sort( sortOrder ); - - if ( hasDuplicate ) { - while ( (elem = results[i++]) ) { - if ( elem === results[ i ] ) { - j = duplicates.push( i ); - } - } - while ( j-- ) { - results.splice( duplicates[ j ], 1 ); - } - } - - // Clear input after sorting to release objects - // See https://github.com/jquery/sizzle/pull/225 - sortInput = null; - - return results; -}; - -/** - * Utility function for retrieving the text value of an array of DOM nodes - * @param {Array|Element} elem - */ -getText = Sizzle.getText = function( elem ) { - var node, - ret = "", - i = 0, - nodeType = elem.nodeType; - - if ( !nodeType ) { - // If no nodeType, this is expected to be an array - while ( (node = elem[i++]) ) { - // Do not traverse comment nodes - ret += getText( node ); - } - } else if ( nodeType === 1 || nodeType === 9 || nodeType === 11 ) { - // Use textContent for elements - // innerText usage removed for consistency of new lines (jQuery #11153) - if ( typeof elem.textContent === "string" ) { - return elem.textContent; - } else { - // Traverse its children - for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) { - ret += getText( elem ); - } - } - } else if ( nodeType === 3 || nodeType === 4 ) { - return elem.nodeValue; - } - // Do not include comment or processing instruction nodes - - return ret; -}; - -Expr = Sizzle.selectors = { - - // Can be adjusted by the user - cacheLength: 50, - - createPseudo: markFunction, - - match: matchExpr, - - attrHandle: {}, - - find: {}, - - relative: { - ">": { dir: "parentNode", first: true }, - " ": { dir: "parentNode" }, - "+": { dir: "previousSibling", first: true }, - "~": { dir: "previousSibling" } - }, - - preFilter: { - "ATTR": function( match ) { - match[1] = match[1].replace( runescape, funescape ); - - // Move the given value to match[3] whether quoted or unquoted - match[3] = ( match[3] || match[4] || match[5] || "" ).replace( runescape, funescape ); - - if ( match[2] === "~=" ) { - match[3] = " " + match[3] + " "; - } - - return match.slice( 0, 4 ); - }, - - "CHILD": function( match ) { - /* matches from matchExpr["CHILD"] - 1 type (only|nth|...) - 2 what (child|of-type) - 3 argument (even|odd|\d*|\d*n([+-]\d+)?|...) - 4 xn-component of xn+y argument ([+-]?\d*n|) - 5 sign of xn-component - 6 x of xn-component - 7 sign of y-component - 8 y of y-component - */ - match[1] = match[1].toLowerCase(); - - if ( match[1].slice( 0, 3 ) === "nth" ) { - // nth-* requires argument - if ( !match[3] ) { - Sizzle.error( match[0] ); - } - - // numeric x and y parameters for Expr.filter.CHILD - // remember that false/true cast respectively to 0/1 - match[4] = +( match[4] ? match[5] + (match[6] || 1) : 2 * ( match[3] === "even" || match[3] === "odd" ) ); - match[5] = +( ( match[7] + match[8] ) || match[3] === "odd" ); - - // other types prohibit arguments - } else if ( match[3] ) { - Sizzle.error( match[0] ); - } - - return match; - }, - - "PSEUDO": function( match ) { - var excess, - unquoted = !match[6] && match[2]; - - if ( matchExpr["CHILD"].test( match[0] ) ) { - return null; - } - - // Accept quoted arguments as-is - if ( match[3] ) { - match[2] = match[4] || match[5] || ""; - - // Strip excess characters from unquoted arguments - } else if ( unquoted && rpseudo.test( unquoted ) && - // Get excess from tokenize (recursively) - (excess = tokenize( unquoted, true )) && - // advance to the next closing parenthesis - (excess = unquoted.indexOf( ")", unquoted.length - excess ) - unquoted.length) ) { - - // excess is a negative index - match[0] = match[0].slice( 0, excess ); - match[2] = unquoted.slice( 0, excess ); - } - - // Return only captures needed by the pseudo filter method (type and argument) - return match.slice( 0, 3 ); - } - }, - - filter: { - - "TAG": function( nodeNameSelector ) { - var nodeName = nodeNameSelector.replace( runescape, funescape ).toLowerCase(); - return nodeNameSelector === "*" ? - function() { return true; } : - function( elem ) { - return elem.nodeName && elem.nodeName.toLowerCase() === nodeName; - }; - }, - - "CLASS": function( className ) { - var pattern = classCache[ className + " " ]; - - return pattern || - (pattern = new RegExp( "(^|" + whitespace + ")" + className + "(" + whitespace + "|$)" )) && - classCache( className, function( elem ) { - return pattern.test( typeof elem.className === "string" && elem.className || typeof elem.getAttribute !== strundefined && elem.getAttribute("class") || "" ); - }); - }, - - "ATTR": function( name, operator, check ) { - return function( elem ) { - var result = Sizzle.attr( elem, name ); - - if ( result == null ) { - return operator === "!="; - } - if ( !operator ) { - return true; - } - - result += ""; - - return operator === "=" ? result === check : - operator === "!=" ? result !== check : - operator === "^=" ? check && result.indexOf( check ) === 0 : - operator === "*=" ? check && result.indexOf( check ) > -1 : - operator === "$=" ? check && result.slice( -check.length ) === check : - operator === "~=" ? ( " " + result + " " ).indexOf( check ) > -1 : - operator === "|=" ? result === check || result.slice( 0, check.length + 1 ) === check + "-" : - false; - }; - }, - - "CHILD": function( type, what, argument, first, last ) { - var simple = type.slice( 0, 3 ) !== "nth", - forward = type.slice( -4 ) !== "last", - ofType = what === "of-type"; - - return first === 1 && last === 0 ? - - // Shortcut for :nth-*(n) - function( elem ) { - return !!elem.parentNode; - } : - - function( elem, context, xml ) { - var cache, outerCache, node, diff, nodeIndex, start, - dir = simple !== forward ? "nextSibling" : "previousSibling", - parent = elem.parentNode, - name = ofType && elem.nodeName.toLowerCase(), - useCache = !xml && !ofType; - - if ( parent ) { - - // :(first|last|only)-(child|of-type) - if ( simple ) { - while ( dir ) { - node = elem; - while ( (node = node[ dir ]) ) { - if ( ofType ? node.nodeName.toLowerCase() === name : node.nodeType === 1 ) { - return false; - } - } - // Reverse direction for :only-* (if we haven't yet done so) - start = dir = type === "only" && !start && "nextSibling"; - } - return true; - } - - start = [ forward ? parent.firstChild : parent.lastChild ]; - - // non-xml :nth-child(...) stores cache data on `parent` - if ( forward && useCache ) { - // Seek `elem` from a previously-cached index - outerCache = parent[ expando ] || (parent[ expando ] = {}); - cache = outerCache[ type ] || []; - nodeIndex = cache[0] === dirruns && cache[1]; - diff = cache[0] === dirruns && cache[2]; - node = nodeIndex && parent.childNodes[ nodeIndex ]; - - while ( (node = ++nodeIndex && node && node[ dir ] || - - // Fallback to seeking `elem` from the start - (diff = nodeIndex = 0) || start.pop()) ) { - - // When found, cache indexes on `parent` and break - if ( node.nodeType === 1 && ++diff && node === elem ) { - outerCache[ type ] = [ dirruns, nodeIndex, diff ]; - break; - } - } - - // Use previously-cached element index if available - } else if ( useCache && (cache = (elem[ expando ] || (elem[ expando ] = {}))[ type ]) && cache[0] === dirruns ) { - diff = cache[1]; - - // xml :nth-child(...) or :nth-last-child(...) or :nth(-last)?-of-type(...) - } else { - // Use the same loop as above to seek `elem` from the start - while ( (node = ++nodeIndex && node && node[ dir ] || - (diff = nodeIndex = 0) || start.pop()) ) { - - if ( ( ofType ? node.nodeName.toLowerCase() === name : node.nodeType === 1 ) && ++diff ) { - // Cache the index of each encountered element - if ( useCache ) { - (node[ expando ] || (node[ expando ] = {}))[ type ] = [ dirruns, diff ]; - } - - if ( node === elem ) { - break; - } - } - } - } - - // Incorporate the offset, then check against cycle size - diff -= last; - return diff === first || ( diff % first === 0 && diff / first >= 0 ); - } - }; - }, - - "PSEUDO": function( pseudo, argument ) { - // pseudo-class names are case-insensitive - // http://www.w3.org/TR/selectors/#pseudo-classes - // Prioritize by case sensitivity in case custom pseudos are added with uppercase letters - // Remember that setFilters inherits from pseudos - var args, - fn = Expr.pseudos[ pseudo ] || Expr.setFilters[ pseudo.toLowerCase() ] || - Sizzle.error( "unsupported pseudo: " + pseudo ); - - // The user may use createPseudo to indicate that - // arguments are needed to create the filter function - // just as Sizzle does - if ( fn[ expando ] ) { - return fn( argument ); - } - - // But maintain support for old signatures - if ( fn.length > 1 ) { - args = [ pseudo, pseudo, "", argument ]; - return Expr.setFilters.hasOwnProperty( pseudo.toLowerCase() ) ? - markFunction(function( seed, matches ) { - var idx, - matched = fn( seed, argument ), - i = matched.length; - while ( i-- ) { - idx = indexOf.call( seed, matched[i] ); - seed[ idx ] = !( matches[ idx ] = matched[i] ); - } - }) : - function( elem ) { - return fn( elem, 0, args ); - }; - } - - return fn; - } - }, - - pseudos: { - // Potentially complex pseudos - "not": markFunction(function( selector ) { - // Trim the selector passed to compile - // to avoid treating leading and trailing - // spaces as combinators - var input = [], - results = [], - matcher = compile( selector.replace( rtrim, "$1" ) ); - - return matcher[ expando ] ? - markFunction(function( seed, matches, context, xml ) { - var elem, - unmatched = matcher( seed, null, xml, [] ), - i = seed.length; - - // Match elements unmatched by `matcher` - while ( i-- ) { - if ( (elem = unmatched[i]) ) { - seed[i] = !(matches[i] = elem); - } - } - }) : - function( elem, context, xml ) { - input[0] = elem; - matcher( input, null, xml, results ); - return !results.pop(); - }; - }), - - "has": markFunction(function( selector ) { - return function( elem ) { - return Sizzle( selector, elem ).length > 0; - }; - }), - - "contains": markFunction(function( text ) { - return function( elem ) { - return ( elem.textContent || elem.innerText || getText( elem ) ).indexOf( text ) > -1; - }; - }), - - // "Whether an element is represented by a :lang() selector - // is based solely on the element's language value - // being equal to the identifier C, - // or beginning with the identifier C immediately followed by "-". - // The matching of C against the element's language value is performed case-insensitively. - // The identifier C does not have to be a valid language name." - // http://www.w3.org/TR/selectors/#lang-pseudo - "lang": markFunction( function( lang ) { - // lang value must be a valid identifier - if ( !ridentifier.test(lang || "") ) { - Sizzle.error( "unsupported lang: " + lang ); - } - lang = lang.replace( runescape, funescape ).toLowerCase(); - return function( elem ) { - var elemLang; - do { - if ( (elemLang = documentIsHTML ? - elem.lang : - elem.getAttribute("xml:lang") || elem.getAttribute("lang")) ) { - - elemLang = elemLang.toLowerCase(); - return elemLang === lang || elemLang.indexOf( lang + "-" ) === 0; - } - } while ( (elem = elem.parentNode) && elem.nodeType === 1 ); - return false; - }; - }), - - // Miscellaneous - "target": function( elem ) { - var hash = window.location && window.location.hash; - return hash && hash.slice( 1 ) === elem.id; - }, - - "root": function( elem ) { - return elem === docElem; - }, - - "focus": function( elem ) { - return elem === document.activeElement && (!document.hasFocus || document.hasFocus()) && !!(elem.type || elem.href || ~elem.tabIndex); - }, - - // Boolean properties - "enabled": function( elem ) { - return elem.disabled === false; - }, - - "disabled": function( elem ) { - return elem.disabled === true; - }, - - "checked": function( elem ) { - // In CSS3, :checked should return both checked and selected elements - // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked - var nodeName = elem.nodeName.toLowerCase(); - return (nodeName === "input" && !!elem.checked) || (nodeName === "option" && !!elem.selected); - }, - - "selected": function( elem ) { - // Accessing this property makes selected-by-default - // options in Safari work properly - if ( elem.parentNode ) { - elem.parentNode.selectedIndex; - } - - return elem.selected === true; - }, - - // Contents - "empty": function( elem ) { - // http://www.w3.org/TR/selectors/#empty-pseudo - // :empty is negated by element (1) or content nodes (text: 3; cdata: 4; entity ref: 5), - // but not by others (comment: 8; processing instruction: 7; etc.) - // nodeType < 6 works because attributes (2) do not appear as children - for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) { - if ( elem.nodeType < 6 ) { - return false; - } - } - return true; - }, - - "parent": function( elem ) { - return !Expr.pseudos["empty"]( elem ); - }, - - // Element/input types - "header": function( elem ) { - return rheader.test( elem.nodeName ); - }, - - "input": function( elem ) { - return rinputs.test( elem.nodeName ); - }, - - "button": function( elem ) { - var name = elem.nodeName.toLowerCase(); - return name === "input" && elem.type === "button" || name === "button"; - }, - - "text": function( elem ) { - var attr; - return elem.nodeName.toLowerCase() === "input" && - elem.type === "text" && - - // Support: IE<8 - // New HTML5 attribute values (e.g., "search") appear with elem.type === "text" - ( (attr = elem.getAttribute("type")) == null || attr.toLowerCase() === "text" ); - }, - - // Position-in-collection - "first": createPositionalPseudo(function() { - return [ 0 ]; - }), - - "last": createPositionalPseudo(function( matchIndexes, length ) { - return [ length - 1 ]; - }), - - "eq": createPositionalPseudo(function( matchIndexes, length, argument ) { - return [ argument < 0 ? argument + length : argument ]; - }), - - "even": createPositionalPseudo(function( matchIndexes, length ) { - var i = 0; - for ( ; i < length; i += 2 ) { - matchIndexes.push( i ); - } - return matchIndexes; - }), - - "odd": createPositionalPseudo(function( matchIndexes, length ) { - var i = 1; - for ( ; i < length; i += 2 ) { - matchIndexes.push( i ); - } - return matchIndexes; - }), - - "lt": createPositionalPseudo(function( matchIndexes, length, argument ) { - var i = argument < 0 ? argument + length : argument; - for ( ; --i >= 0; ) { - matchIndexes.push( i ); - } - return matchIndexes; - }), - - "gt": createPositionalPseudo(function( matchIndexes, length, argument ) { - var i = argument < 0 ? argument + length : argument; - for ( ; ++i < length; ) { - matchIndexes.push( i ); - } - return matchIndexes; - }) - } -}; - -Expr.pseudos["nth"] = Expr.pseudos["eq"]; - -// Add button/input type pseudos -for ( i in { radio: true, checkbox: true, file: true, password: true, image: true } ) { - Expr.pseudos[ i ] = createInputPseudo( i ); -} -for ( i in { submit: true, reset: true } ) { - Expr.pseudos[ i ] = createButtonPseudo( i ); -} - -// Easy API for creating new setFilters -function setFilters() {} -setFilters.prototype = Expr.filters = Expr.pseudos; -Expr.setFilters = new setFilters(); - -tokenize = Sizzle.tokenize = function( selector, parseOnly ) { - var matched, match, tokens, type, - soFar, groups, preFilters, - cached = tokenCache[ selector + " " ]; - - if ( cached ) { - return parseOnly ? 0 : cached.slice( 0 ); - } - - soFar = selector; - groups = []; - preFilters = Expr.preFilter; - - while ( soFar ) { - - // Comma and first run - if ( !matched || (match = rcomma.exec( soFar )) ) { - if ( match ) { - // Don't consume trailing commas as valid - soFar = soFar.slice( match[0].length ) || soFar; - } - groups.push( (tokens = []) ); - } - - matched = false; - - // Combinators - if ( (match = rcombinators.exec( soFar )) ) { - matched = match.shift(); - tokens.push({ - value: matched, - // Cast descendant combinators to space - type: match[0].replace( rtrim, " " ) - }); - soFar = soFar.slice( matched.length ); - } - - // Filters - for ( type in Expr.filter ) { - if ( (match = matchExpr[ type ].exec( soFar )) && (!preFilters[ type ] || - (match = preFilters[ type ]( match ))) ) { - matched = match.shift(); - tokens.push({ - value: matched, - type: type, - matches: match - }); - soFar = soFar.slice( matched.length ); - } - } - - if ( !matched ) { - break; - } - } - - // Return the length of the invalid excess - // if we're just parsing - // Otherwise, throw an error or return tokens - return parseOnly ? - soFar.length : - soFar ? - Sizzle.error( selector ) : - // Cache the tokens - tokenCache( selector, groups ).slice( 0 ); -}; - -function toSelector( tokens ) { - var i = 0, - len = tokens.length, - selector = ""; - for ( ; i < len; i++ ) { - selector += tokens[i].value; - } - return selector; -} - -function addCombinator( matcher, combinator, base ) { - var dir = combinator.dir, - checkNonElements = base && dir === "parentNode", - doneName = done++; - - return combinator.first ? - // Check against closest ancestor/preceding element - function( elem, context, xml ) { - while ( (elem = elem[ dir ]) ) { - if ( elem.nodeType === 1 || checkNonElements ) { - return matcher( elem, context, xml ); - } - } - } : - - // Check against all ancestor/preceding elements - function( elem, context, xml ) { - var oldCache, outerCache, - newCache = [ dirruns, doneName ]; - - // We can't set arbitrary data on XML nodes, so they don't benefit from dir caching - if ( xml ) { - while ( (elem = elem[ dir ]) ) { - if ( elem.nodeType === 1 || checkNonElements ) { - if ( matcher( elem, context, xml ) ) { - return true; - } - } - } - } else { - while ( (elem = elem[ dir ]) ) { - if ( elem.nodeType === 1 || checkNonElements ) { - outerCache = elem[ expando ] || (elem[ expando ] = {}); - if ( (oldCache = outerCache[ dir ]) && - oldCache[ 0 ] === dirruns && oldCache[ 1 ] === doneName ) { - - // Assign to newCache so results back-propagate to previous elements - return (newCache[ 2 ] = oldCache[ 2 ]); - } else { - // Reuse newcache so results back-propagate to previous elements - outerCache[ dir ] = newCache; - - // A match means we're done; a fail means we have to keep checking - if ( (newCache[ 2 ] = matcher( elem, context, xml )) ) { - return true; - } - } - } - } - } - }; -} - -function elementMatcher( matchers ) { - return matchers.length > 1 ? - function( elem, context, xml ) { - var i = matchers.length; - while ( i-- ) { - if ( !matchers[i]( elem, context, xml ) ) { - return false; - } - } - return true; - } : - matchers[0]; -} - -function multipleContexts( selector, contexts, results ) { - var i = 0, - len = contexts.length; - for ( ; i < len; i++ ) { - Sizzle( selector, contexts[i], results ); - } - return results; -} - -function condense( unmatched, map, filter, context, xml ) { - var elem, - newUnmatched = [], - i = 0, - len = unmatched.length, - mapped = map != null; - - for ( ; i < len; i++ ) { - if ( (elem = unmatched[i]) ) { - if ( !filter || filter( elem, context, xml ) ) { - newUnmatched.push( elem ); - if ( mapped ) { - map.push( i ); - } - } - } - } - - return newUnmatched; -} - -function setMatcher( preFilter, selector, matcher, postFilter, postFinder, postSelector ) { - if ( postFilter && !postFilter[ expando ] ) { - postFilter = setMatcher( postFilter ); - } - if ( postFinder && !postFinder[ expando ] ) { - postFinder = setMatcher( postFinder, postSelector ); - } - return markFunction(function( seed, results, context, xml ) { - var temp, i, elem, - preMap = [], - postMap = [], - preexisting = results.length, - - // Get initial elements from seed or context - elems = seed || multipleContexts( selector || "*", context.nodeType ? [ context ] : context, [] ), - - // Prefilter to get matcher input, preserving a map for seed-results synchronization - matcherIn = preFilter && ( seed || !selector ) ? - condense( elems, preMap, preFilter, context, xml ) : - elems, - - matcherOut = matcher ? - // If we have a postFinder, or filtered seed, or non-seed postFilter or preexisting results, - postFinder || ( seed ? preFilter : preexisting || postFilter ) ? - - // ...intermediate processing is necessary - [] : - - // ...otherwise use results directly - results : - matcherIn; - - // Find primary matches - if ( matcher ) { - matcher( matcherIn, matcherOut, context, xml ); - } - - // Apply postFilter - if ( postFilter ) { - temp = condense( matcherOut, postMap ); - postFilter( temp, [], context, xml ); - - // Un-match failing elements by moving them back to matcherIn - i = temp.length; - while ( i-- ) { - if ( (elem = temp[i]) ) { - matcherOut[ postMap[i] ] = !(matcherIn[ postMap[i] ] = elem); - } - } - } - - if ( seed ) { - if ( postFinder || preFilter ) { - if ( postFinder ) { - // Get the final matcherOut by condensing this intermediate into postFinder contexts - temp = []; - i = matcherOut.length; - while ( i-- ) { - if ( (elem = matcherOut[i]) ) { - // Restore matcherIn since elem is not yet a final match - temp.push( (matcherIn[i] = elem) ); - } - } - postFinder( null, (matcherOut = []), temp, xml ); - } - - // Move matched elements from seed to results to keep them synchronized - i = matcherOut.length; - while ( i-- ) { - if ( (elem = matcherOut[i]) && - (temp = postFinder ? indexOf.call( seed, elem ) : preMap[i]) > -1 ) { - - seed[temp] = !(results[temp] = elem); - } - } - } - - // Add elements to results, through postFinder if defined - } else { - matcherOut = condense( - matcherOut === results ? - matcherOut.splice( preexisting, matcherOut.length ) : - matcherOut - ); - if ( postFinder ) { - postFinder( null, results, matcherOut, xml ); - } else { - push.apply( results, matcherOut ); - } - } - }); -} - -function matcherFromTokens( tokens ) { - var checkContext, matcher, j, - len = tokens.length, - leadingRelative = Expr.relative[ tokens[0].type ], - implicitRelative = leadingRelative || Expr.relative[" "], - i = leadingRelative ? 1 : 0, - - // The foundational matcher ensures that elements are reachable from top-level context(s) - matchContext = addCombinator( function( elem ) { - return elem === checkContext; - }, implicitRelative, true ), - matchAnyContext = addCombinator( function( elem ) { - return indexOf.call( checkContext, elem ) > -1; - }, implicitRelative, true ), - matchers = [ function( elem, context, xml ) { - return ( !leadingRelative && ( xml || context !== outermostContext ) ) || ( - (checkContext = context).nodeType ? - matchContext( elem, context, xml ) : - matchAnyContext( elem, context, xml ) ); - } ]; - - for ( ; i < len; i++ ) { - if ( (matcher = Expr.relative[ tokens[i].type ]) ) { - matchers = [ addCombinator(elementMatcher( matchers ), matcher) ]; - } else { - matcher = Expr.filter[ tokens[i].type ].apply( null, tokens[i].matches ); - - // Return special upon seeing a positional matcher - if ( matcher[ expando ] ) { - // Find the next relative operator (if any) for proper handling - j = ++i; - for ( ; j < len; j++ ) { - if ( Expr.relative[ tokens[j].type ] ) { - break; - } - } - return setMatcher( - i > 1 && elementMatcher( matchers ), - i > 1 && toSelector( - // If the preceding token was a descendant combinator, insert an implicit any-element `*` - tokens.slice( 0, i - 1 ).concat({ value: tokens[ i - 2 ].type === " " ? "*" : "" }) - ).replace( rtrim, "$1" ), - matcher, - i < j && matcherFromTokens( tokens.slice( i, j ) ), - j < len && matcherFromTokens( (tokens = tokens.slice( j )) ), - j < len && toSelector( tokens ) - ); - } - matchers.push( matcher ); - } - } - - return elementMatcher( matchers ); -} - -function matcherFromGroupMatchers( elementMatchers, setMatchers ) { - var bySet = setMatchers.length > 0, - byElement = elementMatchers.length > 0, - superMatcher = function( seed, context, xml, results, outermost ) { - var elem, j, matcher, - matchedCount = 0, - i = "0", - unmatched = seed && [], - setMatched = [], - contextBackup = outermostContext, - // We must always have either seed elements or outermost context - elems = seed || byElement && Expr.find["TAG"]( "*", outermost ), - // Use integer dirruns iff this is the outermost matcher - dirrunsUnique = (dirruns += contextBackup == null ? 1 : Math.random() || 0.1), - len = elems.length; - - if ( outermost ) { - outermostContext = context !== document && context; - } - - // Add elements passing elementMatchers directly to results - // Keep `i` a string if there are no elements so `matchedCount` will be "00" below - // Support: IE<9, Safari - // Tolerate NodeList properties (IE: "length"; Safari: ) matching elements by id - for ( ; i !== len && (elem = elems[i]) != null; i++ ) { - if ( byElement && elem ) { - j = 0; - while ( (matcher = elementMatchers[j++]) ) { - if ( matcher( elem, context, xml ) ) { - results.push( elem ); - break; - } - } - if ( outermost ) { - dirruns = dirrunsUnique; - } - } - - // Track unmatched elements for set filters - if ( bySet ) { - // They will have gone through all possible matchers - if ( (elem = !matcher && elem) ) { - matchedCount--; - } - - // Lengthen the array for every element, matched or not - if ( seed ) { - unmatched.push( elem ); - } - } - } - - // Apply set filters to unmatched elements - matchedCount += i; - if ( bySet && i !== matchedCount ) { - j = 0; - while ( (matcher = setMatchers[j++]) ) { - matcher( unmatched, setMatched, context, xml ); - } - - if ( seed ) { - // Reintegrate element matches to eliminate the need for sorting - if ( matchedCount > 0 ) { - while ( i-- ) { - if ( !(unmatched[i] || setMatched[i]) ) { - setMatched[i] = pop.call( results ); - } - } - } - - // Discard index placeholder values to get only actual matches - setMatched = condense( setMatched ); - } - - // Add matches to results - push.apply( results, setMatched ); - - // Seedless set matches succeeding multiple successful matchers stipulate sorting - if ( outermost && !seed && setMatched.length > 0 && - ( matchedCount + setMatchers.length ) > 1 ) { - - Sizzle.uniqueSort( results ); - } - } - - // Override manipulation of globals by nested matchers - if ( outermost ) { - dirruns = dirrunsUnique; - outermostContext = contextBackup; - } - - return unmatched; - }; - - return bySet ? - markFunction( superMatcher ) : - superMatcher; -} - -compile = Sizzle.compile = function( selector, match /* Internal Use Only */ ) { - var i, - setMatchers = [], - elementMatchers = [], - cached = compilerCache[ selector + " " ]; - - if ( !cached ) { - // Generate a function of recursive functions that can be used to check each element - if ( !match ) { - match = tokenize( selector ); - } - i = match.length; - while ( i-- ) { - cached = matcherFromTokens( match[i] ); - if ( cached[ expando ] ) { - setMatchers.push( cached ); - } else { - elementMatchers.push( cached ); - } - } - - // Cache the compiled function - cached = compilerCache( selector, matcherFromGroupMatchers( elementMatchers, setMatchers ) ); - - // Save selector and tokenization - cached.selector = selector; - } - return cached; -}; - -/** - * A low-level selection function that works with Sizzle's compiled - * selector functions - * @param {String|Function} selector A selector or a pre-compiled - * selector function built with Sizzle.compile - * @param {Element} context - * @param {Array} [results] - * @param {Array} [seed] A set of elements to match against - */ -select = Sizzle.select = function( selector, context, results, seed ) { - var i, tokens, token, type, find, - compiled = typeof selector === "function" && selector, - match = !seed && tokenize( (selector = compiled.selector || selector) ); - - results = results || []; - - // Try to minimize operations if there is no seed and only one group - if ( match.length === 1 ) { - - // Take a shortcut and set the context if the root selector is an ID - tokens = match[0] = match[0].slice( 0 ); - if ( tokens.length > 2 && (token = tokens[0]).type === "ID" && - support.getById && context.nodeType === 9 && documentIsHTML && - Expr.relative[ tokens[1].type ] ) { - - context = ( Expr.find["ID"]( token.matches[0].replace(runescape, funescape), context ) || [] )[0]; - if ( !context ) { - return results; - - // Precompiled matchers will still verify ancestry, so step up a level - } else if ( compiled ) { - context = context.parentNode; - } - - selector = selector.slice( tokens.shift().value.length ); - } - - // Fetch a seed set for right-to-left matching - i = matchExpr["needsContext"].test( selector ) ? 0 : tokens.length; - while ( i-- ) { - token = tokens[i]; - - // Abort if we hit a combinator - if ( Expr.relative[ (type = token.type) ] ) { - break; - } - if ( (find = Expr.find[ type ]) ) { - // Search, expanding context for leading sibling combinators - if ( (seed = find( - token.matches[0].replace( runescape, funescape ), - rsibling.test( tokens[0].type ) && testContext( context.parentNode ) || context - )) ) { - - // If seed is empty or no tokens remain, we can return early - tokens.splice( i, 1 ); - selector = seed.length && toSelector( tokens ); - if ( !selector ) { - push.apply( results, seed ); - return results; - } - - break; - } - } - } - } - - // Compile and execute a filtering function if one is not provided - // Provide `match` to avoid retokenization if we modified the selector above - ( compiled || compile( selector, match ) )( - seed, - context, - !documentIsHTML, - results, - rsibling.test( selector ) && testContext( context.parentNode ) || context - ); - return results; -}; - -// One-time assignments - -// Sort stability -support.sortStable = expando.split("").sort( sortOrder ).join("") === expando; - -// Support: Chrome<14 -// Always assume duplicates if they aren't passed to the comparison function -support.detectDuplicates = !!hasDuplicate; - -// Initialize against the default document -setDocument(); - -// Support: Webkit<537.32 - Safari 6.0.3/Chrome 25 (fixed in Chrome 27) -// Detached nodes confoundingly follow *each other* -support.sortDetached = assert(function( div1 ) { - // Should return 1, but returns 4 (following) - return div1.compareDocumentPosition( document.createElement("div") ) & 1; -}); - -// Support: IE<8 -// Prevent attribute/property "interpolation" -// http://msdn.microsoft.com/en-us/library/ms536429%28VS.85%29.aspx -if ( !assert(function( div ) { - div.innerHTML = ""; - return div.firstChild.getAttribute("href") === "#" ; -}) ) { - addHandle( "type|href|height|width", function( elem, name, isXML ) { - if ( !isXML ) { - return elem.getAttribute( name, name.toLowerCase() === "type" ? 1 : 2 ); - } - }); -} - -// Support: IE<9 -// Use defaultValue in place of getAttribute("value") -if ( !support.attributes || !assert(function( div ) { - div.innerHTML = ""; - div.firstChild.setAttribute( "value", "" ); - return div.firstChild.getAttribute( "value" ) === ""; -}) ) { - addHandle( "value", function( elem, name, isXML ) { - if ( !isXML && elem.nodeName.toLowerCase() === "input" ) { - return elem.defaultValue; - } - }); -} - -// Support: IE<9 -// Use getAttributeNode to fetch booleans when getAttribute lies -if ( !assert(function( div ) { - return div.getAttribute("disabled") == null; -}) ) { - addHandle( booleans, function( elem, name, isXML ) { - var val; - if ( !isXML ) { - return elem[ name ] === true ? name.toLowerCase() : - (val = elem.getAttributeNode( name )) && val.specified ? - val.value : - null; - } - }); -} - -return Sizzle; - -})( window ); - - - -jQuery.find = Sizzle; -jQuery.expr = Sizzle.selectors; -jQuery.expr[":"] = jQuery.expr.pseudos; -jQuery.unique = Sizzle.uniqueSort; -jQuery.text = Sizzle.getText; -jQuery.isXMLDoc = Sizzle.isXML; -jQuery.contains = Sizzle.contains; - - - -var rneedsContext = jQuery.expr.match.needsContext; - -var rsingleTag = (/^<(\w+)\s*\/?>(?:<\/\1>|)$/); - - - -var risSimple = /^.[^:#\[\.,]*$/; - -// Implement the identical functionality for filter and not -function winnow( elements, qualifier, not ) { - if ( jQuery.isFunction( qualifier ) ) { - return jQuery.grep( elements, function( elem, i ) { - /* jshint -W018 */ - return !!qualifier.call( elem, i, elem ) !== not; - }); - - } - - if ( qualifier.nodeType ) { - return jQuery.grep( elements, function( elem ) { - return ( elem === qualifier ) !== not; - }); - - } - - if ( typeof qualifier === "string" ) { - if ( risSimple.test( qualifier ) ) { - return jQuery.filter( qualifier, elements, not ); - } - - qualifier = jQuery.filter( qualifier, elements ); - } - - return jQuery.grep( elements, function( elem ) { - return ( jQuery.inArray( elem, qualifier ) >= 0 ) !== not; - }); -} - -jQuery.filter = function( expr, elems, not ) { - var elem = elems[ 0 ]; - - if ( not ) { - expr = ":not(" + expr + ")"; - } - - return elems.length === 1 && elem.nodeType === 1 ? - jQuery.find.matchesSelector( elem, expr ) ? [ elem ] : [] : - jQuery.find.matches( expr, jQuery.grep( elems, function( elem ) { - return elem.nodeType === 1; - })); -}; - -jQuery.fn.extend({ - find: function( selector ) { - var i, - ret = [], - self = this, - len = self.length; - - if ( typeof selector !== "string" ) { - return this.pushStack( jQuery( selector ).filter(function() { - for ( i = 0; i < len; i++ ) { - if ( jQuery.contains( self[ i ], this ) ) { - return true; - } - } - }) ); - } - - for ( i = 0; i < len; i++ ) { - jQuery.find( selector, self[ i ], ret ); - } - - // Needed because $( selector, context ) becomes $( context ).find( selector ) - ret = this.pushStack( len > 1 ? jQuery.unique( ret ) : ret ); - ret.selector = this.selector ? this.selector + " " + selector : selector; - return ret; - }, - filter: function( selector ) { - return this.pushStack( winnow(this, selector || [], false) ); - }, - not: function( selector ) { - return this.pushStack( winnow(this, selector || [], true) ); - }, - is: function( selector ) { - return !!winnow( - this, - - // If this is a positional/relative selector, check membership in the returned set - // so $("p:first").is("p:last") won't return true for a doc with two "p". - typeof selector === "string" && rneedsContext.test( selector ) ? - jQuery( selector ) : - selector || [], - false - ).length; - } -}); - - -// Initialize a jQuery object - - -// A central reference to the root jQuery(document) -var rootjQuery, - - // Use the correct document accordingly with window argument (sandbox) - document = window.document, - - // A simple way to check for HTML strings - // Prioritize #id over to avoid XSS via location.hash (#9521) - // Strict HTML recognition (#11290: must start with <) - rquickExpr = /^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/, - - init = jQuery.fn.init = function( selector, context ) { - var match, elem; - - // HANDLE: $(""), $(null), $(undefined), $(false) - if ( !selector ) { - return this; - } - - // Handle HTML strings - if ( typeof selector === "string" ) { - if ( selector.charAt(0) === "<" && selector.charAt( selector.length - 1 ) === ">" && selector.length >= 3 ) { - // Assume that strings that start and end with <> are HTML and skip the regex check - match = [ null, selector, null ]; - - } else { - match = rquickExpr.exec( selector ); - } - - // Match html or make sure no context is specified for #id - if ( match && (match[1] || !context) ) { - - // HANDLE: $(html) -> $(array) - if ( match[1] ) { - context = context instanceof jQuery ? context[0] : context; - - // scripts is true for back-compat - // Intentionally let the error be thrown if parseHTML is not present - jQuery.merge( this, jQuery.parseHTML( - match[1], - context && context.nodeType ? context.ownerDocument || context : document, - true - ) ); - - // HANDLE: $(html, props) - if ( rsingleTag.test( match[1] ) && jQuery.isPlainObject( context ) ) { - for ( match in context ) { - // Properties of context are called as methods if possible - if ( jQuery.isFunction( this[ match ] ) ) { - this[ match ]( context[ match ] ); - - // ...and otherwise set as attributes - } else { - this.attr( match, context[ match ] ); - } - } - } - - return this; - - // HANDLE: $(#id) - } else { - elem = document.getElementById( match[2] ); - - // Check parentNode to catch when Blackberry 4.6 returns - // nodes that are no longer in the document #6963 - if ( elem && elem.parentNode ) { - // Handle the case where IE and Opera return items - // by name instead of ID - if ( elem.id !== match[2] ) { - return rootjQuery.find( selector ); - } - - // Otherwise, we inject the element directly into the jQuery object - this.length = 1; - this[0] = elem; - } - - this.context = document; - this.selector = selector; - return this; - } - - // HANDLE: $(expr, $(...)) - } else if ( !context || context.jquery ) { - return ( context || rootjQuery ).find( selector ); - - // HANDLE: $(expr, context) - // (which is just equivalent to: $(context).find(expr) - } else { - return this.constructor( context ).find( selector ); - } - - // HANDLE: $(DOMElement) - } else if ( selector.nodeType ) { - this.context = this[0] = selector; - this.length = 1; - return this; - - // HANDLE: $(function) - // Shortcut for document ready - } else if ( jQuery.isFunction( selector ) ) { - return typeof rootjQuery.ready !== "undefined" ? - rootjQuery.ready( selector ) : - // Execute immediately if ready is not present - selector( jQuery ); - } - - if ( selector.selector !== undefined ) { - this.selector = selector.selector; - this.context = selector.context; - } - - return jQuery.makeArray( selector, this ); - }; - -// Give the init function the jQuery prototype for later instantiation -init.prototype = jQuery.fn; - -// Initialize central reference -rootjQuery = jQuery( document ); - - -var rparentsprev = /^(?:parents|prev(?:Until|All))/, - // methods guaranteed to produce a unique set when starting from a unique set - guaranteedUnique = { - children: true, - contents: true, - next: true, - prev: true - }; - -jQuery.extend({ - dir: function( elem, dir, until ) { - var matched = [], - cur = elem[ dir ]; - - while ( cur && cur.nodeType !== 9 && (until === undefined || cur.nodeType !== 1 || !jQuery( cur ).is( until )) ) { - if ( cur.nodeType === 1 ) { - matched.push( cur ); - } - cur = cur[dir]; - } - return matched; - }, - - sibling: function( n, elem ) { - var r = []; - - for ( ; n; n = n.nextSibling ) { - if ( n.nodeType === 1 && n !== elem ) { - r.push( n ); - } - } - - return r; - } -}); - -jQuery.fn.extend({ - has: function( target ) { - var i, - targets = jQuery( target, this ), - len = targets.length; - - return this.filter(function() { - for ( i = 0; i < len; i++ ) { - if ( jQuery.contains( this, targets[i] ) ) { - return true; - } - } - }); - }, - - closest: function( selectors, context ) { - var cur, - i = 0, - l = this.length, - matched = [], - pos = rneedsContext.test( selectors ) || typeof selectors !== "string" ? - jQuery( selectors, context || this.context ) : - 0; - - for ( ; i < l; i++ ) { - for ( cur = this[i]; cur && cur !== context; cur = cur.parentNode ) { - // Always skip document fragments - if ( cur.nodeType < 11 && (pos ? - pos.index(cur) > -1 : - - // Don't pass non-elements to Sizzle - cur.nodeType === 1 && - jQuery.find.matchesSelector(cur, selectors)) ) { - - matched.push( cur ); - break; - } - } - } - - return this.pushStack( matched.length > 1 ? jQuery.unique( matched ) : matched ); - }, - - // Determine the position of an element within - // the matched set of elements - index: function( elem ) { - - // No argument, return index in parent - if ( !elem ) { - return ( this[0] && this[0].parentNode ) ? this.first().prevAll().length : -1; - } - - // index in selector - if ( typeof elem === "string" ) { - return jQuery.inArray( this[0], jQuery( elem ) ); - } - - // Locate the position of the desired element - return jQuery.inArray( - // If it receives a jQuery object, the first element is used - elem.jquery ? elem[0] : elem, this ); - }, - - add: function( selector, context ) { - return this.pushStack( - jQuery.unique( - jQuery.merge( this.get(), jQuery( selector, context ) ) - ) - ); - }, - - addBack: function( selector ) { - return this.add( selector == null ? - this.prevObject : this.prevObject.filter(selector) - ); - } -}); - -function sibling( cur, dir ) { - do { - cur = cur[ dir ]; - } while ( cur && cur.nodeType !== 1 ); - - return cur; -} - -jQuery.each({ - parent: function( elem ) { - var parent = elem.parentNode; - return parent && parent.nodeType !== 11 ? parent : null; - }, - parents: function( elem ) { - return jQuery.dir( elem, "parentNode" ); - }, - parentsUntil: function( elem, i, until ) { - return jQuery.dir( elem, "parentNode", until ); - }, - next: function( elem ) { - return sibling( elem, "nextSibling" ); - }, - prev: function( elem ) { - return sibling( elem, "previousSibling" ); - }, - nextAll: function( elem ) { - return jQuery.dir( elem, "nextSibling" ); - }, - prevAll: function( elem ) { - return jQuery.dir( elem, "previousSibling" ); - }, - nextUntil: function( elem, i, until ) { - return jQuery.dir( elem, "nextSibling", until ); - }, - prevUntil: function( elem, i, until ) { - return jQuery.dir( elem, "previousSibling", until ); - }, - siblings: function( elem ) { - return jQuery.sibling( ( elem.parentNode || {} ).firstChild, elem ); - }, - children: function( elem ) { - return jQuery.sibling( elem.firstChild ); - }, - contents: function( elem ) { - return jQuery.nodeName( elem, "iframe" ) ? - elem.contentDocument || elem.contentWindow.document : - jQuery.merge( [], elem.childNodes ); - } -}, function( name, fn ) { - jQuery.fn[ name ] = function( until, selector ) { - var ret = jQuery.map( this, fn, until ); - - if ( name.slice( -5 ) !== "Until" ) { - selector = until; - } - - if ( selector && typeof selector === "string" ) { - ret = jQuery.filter( selector, ret ); - } - - if ( this.length > 1 ) { - // Remove duplicates - if ( !guaranteedUnique[ name ] ) { - ret = jQuery.unique( ret ); - } - - // Reverse order for parents* and prev-derivatives - if ( rparentsprev.test( name ) ) { - ret = ret.reverse(); - } - } - - return this.pushStack( ret ); - }; -}); -var rnotwhite = (/\S+/g); - - - -// String to Object options format cache -var optionsCache = {}; - -// Convert String-formatted options into Object-formatted ones and store in cache -function createOptions( options ) { - var object = optionsCache[ options ] = {}; - jQuery.each( options.match( rnotwhite ) || [], function( _, flag ) { - object[ flag ] = true; - }); - return object; -} - -/* - * Create a callback list using the following parameters: - * - * options: an optional list of space-separated options that will change how - * the callback list behaves or a more traditional option object - * - * By default a callback list will act like an event callback list and can be - * "fired" multiple times. - * - * Possible options: - * - * once: will ensure the callback list can only be fired once (like a Deferred) - * - * memory: will keep track of previous values and will call any callback added - * after the list has been fired right away with the latest "memorized" - * values (like a Deferred) - * - * unique: will ensure a callback can only be added once (no duplicate in the list) - * - * stopOnFalse: interrupt callings when a callback returns false - * - */ -jQuery.Callbacks = function( options ) { - - // Convert options from String-formatted to Object-formatted if needed - // (we check in cache first) - options = typeof options === "string" ? - ( optionsCache[ options ] || createOptions( options ) ) : - jQuery.extend( {}, options ); - - var // Flag to know if list is currently firing - firing, - // Last fire value (for non-forgettable lists) - memory, - // Flag to know if list was already fired - fired, - // End of the loop when firing - firingLength, - // Index of currently firing callback (modified by remove if needed) - firingIndex, - // First callback to fire (used internally by add and fireWith) - firingStart, - // Actual callback list - list = [], - // Stack of fire calls for repeatable lists - stack = !options.once && [], - // Fire callbacks - fire = function( data ) { - memory = options.memory && data; - fired = true; - firingIndex = firingStart || 0; - firingStart = 0; - firingLength = list.length; - firing = true; - for ( ; list && firingIndex < firingLength; firingIndex++ ) { - if ( list[ firingIndex ].apply( data[ 0 ], data[ 1 ] ) === false && options.stopOnFalse ) { - memory = false; // To prevent further calls using add - break; - } - } - firing = false; - if ( list ) { - if ( stack ) { - if ( stack.length ) { - fire( stack.shift() ); - } - } else if ( memory ) { - list = []; - } else { - self.disable(); - } - } - }, - // Actual Callbacks object - self = { - // Add a callback or a collection of callbacks to the list - add: function() { - if ( list ) { - // First, we save the current length - var start = list.length; - (function add( args ) { - jQuery.each( args, function( _, arg ) { - var type = jQuery.type( arg ); - if ( type === "function" ) { - if ( !options.unique || !self.has( arg ) ) { - list.push( arg ); - } - } else if ( arg && arg.length && type !== "string" ) { - // Inspect recursively - add( arg ); - } - }); - })( arguments ); - // Do we need to add the callbacks to the - // current firing batch? - if ( firing ) { - firingLength = list.length; - // With memory, if we're not firing then - // we should call right away - } else if ( memory ) { - firingStart = start; - fire( memory ); - } - } - return this; - }, - // Remove a callback from the list - remove: function() { - if ( list ) { - jQuery.each( arguments, function( _, arg ) { - var index; - while ( ( index = jQuery.inArray( arg, list, index ) ) > -1 ) { - list.splice( index, 1 ); - // Handle firing indexes - if ( firing ) { - if ( index <= firingLength ) { - firingLength--; - } - if ( index <= firingIndex ) { - firingIndex--; - } - } - } - }); - } - return this; - }, - // Check if a given callback is in the list. - // If no argument is given, return whether or not list has callbacks attached. - has: function( fn ) { - return fn ? jQuery.inArray( fn, list ) > -1 : !!( list && list.length ); - }, - // Remove all callbacks from the list - empty: function() { - list = []; - firingLength = 0; - return this; - }, - // Have the list do nothing anymore - disable: function() { - list = stack = memory = undefined; - return this; - }, - // Is it disabled? - disabled: function() { - return !list; - }, - // Lock the list in its current state - lock: function() { - stack = undefined; - if ( !memory ) { - self.disable(); - } - return this; - }, - // Is it locked? - locked: function() { - return !stack; - }, - // Call all callbacks with the given context and arguments - fireWith: function( context, args ) { - if ( list && ( !fired || stack ) ) { - args = args || []; - args = [ context, args.slice ? args.slice() : args ]; - if ( firing ) { - stack.push( args ); - } else { - fire( args ); - } - } - return this; - }, - // Call all the callbacks with the given arguments - fire: function() { - self.fireWith( this, arguments ); - return this; - }, - // To know if the callbacks have already been called at least once - fired: function() { - return !!fired; - } - }; - - return self; -}; - - -jQuery.extend({ - - Deferred: function( func ) { - var tuples = [ - // action, add listener, listener list, final state - [ "resolve", "done", jQuery.Callbacks("once memory"), "resolved" ], - [ "reject", "fail", jQuery.Callbacks("once memory"), "rejected" ], - [ "notify", "progress", jQuery.Callbacks("memory") ] - ], - state = "pending", - promise = { - state: function() { - return state; - }, - always: function() { - deferred.done( arguments ).fail( arguments ); - return this; - }, - then: function( /* fnDone, fnFail, fnProgress */ ) { - var fns = arguments; - return jQuery.Deferred(function( newDefer ) { - jQuery.each( tuples, function( i, tuple ) { - var fn = jQuery.isFunction( fns[ i ] ) && fns[ i ]; - // deferred[ done | fail | progress ] for forwarding actions to newDefer - deferred[ tuple[1] ](function() { - var returned = fn && fn.apply( this, arguments ); - if ( returned && jQuery.isFunction( returned.promise ) ) { - returned.promise() - .done( newDefer.resolve ) - .fail( newDefer.reject ) - .progress( newDefer.notify ); - } else { - newDefer[ tuple[ 0 ] + "With" ]( this === promise ? newDefer.promise() : this, fn ? [ returned ] : arguments ); - } - }); - }); - fns = null; - }).promise(); - }, - // Get a promise for this deferred - // If obj is provided, the promise aspect is added to the object - promise: function( obj ) { - return obj != null ? jQuery.extend( obj, promise ) : promise; - } - }, - deferred = {}; - - // Keep pipe for back-compat - promise.pipe = promise.then; - - // Add list-specific methods - jQuery.each( tuples, function( i, tuple ) { - var list = tuple[ 2 ], - stateString = tuple[ 3 ]; - - // promise[ done | fail | progress ] = list.add - promise[ tuple[1] ] = list.add; - - // Handle state - if ( stateString ) { - list.add(function() { - // state = [ resolved | rejected ] - state = stateString; - - // [ reject_list | resolve_list ].disable; progress_list.lock - }, tuples[ i ^ 1 ][ 2 ].disable, tuples[ 2 ][ 2 ].lock ); - } - - // deferred[ resolve | reject | notify ] - deferred[ tuple[0] ] = function() { - deferred[ tuple[0] + "With" ]( this === deferred ? promise : this, arguments ); - return this; - }; - deferred[ tuple[0] + "With" ] = list.fireWith; - }); - - // Make the deferred a promise - promise.promise( deferred ); - - // Call given func if any - if ( func ) { - func.call( deferred, deferred ); - } - - // All done! - return deferred; - }, - - // Deferred helper - when: function( subordinate /* , ..., subordinateN */ ) { - var i = 0, - resolveValues = slice.call( arguments ), - length = resolveValues.length, - - // the count of uncompleted subordinates - remaining = length !== 1 || ( subordinate && jQuery.isFunction( subordinate.promise ) ) ? length : 0, - - // the master Deferred. If resolveValues consist of only a single Deferred, just use that. - deferred = remaining === 1 ? subordinate : jQuery.Deferred(), - - // Update function for both resolve and progress values - updateFunc = function( i, contexts, values ) { - return function( value ) { - contexts[ i ] = this; - values[ i ] = arguments.length > 1 ? slice.call( arguments ) : value; - if ( values === progressValues ) { - deferred.notifyWith( contexts, values ); - - } else if ( !(--remaining) ) { - deferred.resolveWith( contexts, values ); - } - }; - }, - - progressValues, progressContexts, resolveContexts; - - // add listeners to Deferred subordinates; treat others as resolved - if ( length > 1 ) { - progressValues = new Array( length ); - progressContexts = new Array( length ); - resolveContexts = new Array( length ); - for ( ; i < length; i++ ) { - if ( resolveValues[ i ] && jQuery.isFunction( resolveValues[ i ].promise ) ) { - resolveValues[ i ].promise() - .done( updateFunc( i, resolveContexts, resolveValues ) ) - .fail( deferred.reject ) - .progress( updateFunc( i, progressContexts, progressValues ) ); - } else { - --remaining; - } - } - } - - // if we're not waiting on anything, resolve the master - if ( !remaining ) { - deferred.resolveWith( resolveContexts, resolveValues ); - } - - return deferred.promise(); - } -}); - - -// The deferred used on DOM ready -var readyList; - -jQuery.fn.ready = function( fn ) { - // Add the callback - jQuery.ready.promise().done( fn ); - - return this; -}; - -jQuery.extend({ - // Is the DOM ready to be used? Set to true once it occurs. - isReady: false, - - // A counter to track how many items to wait for before - // the ready event fires. See #6781 - readyWait: 1, - - // Hold (or release) the ready event - holdReady: function( hold ) { - if ( hold ) { - jQuery.readyWait++; - } else { - jQuery.ready( true ); - } - }, - - // Handle when the DOM is ready - ready: function( wait ) { - - // Abort if there are pending holds or we're already ready - if ( wait === true ? --jQuery.readyWait : jQuery.isReady ) { - return; - } - - // Make sure body exists, at least, in case IE gets a little overzealous (ticket #5443). - if ( !document.body ) { - return setTimeout( jQuery.ready ); - } - - // Remember that the DOM is ready - jQuery.isReady = true; - - // If a normal DOM Ready event fired, decrement, and wait if need be - if ( wait !== true && --jQuery.readyWait > 0 ) { - return; - } - - // If there are functions bound, to execute - readyList.resolveWith( document, [ jQuery ] ); - - // Trigger any bound ready events - if ( jQuery.fn.triggerHandler ) { - jQuery( document ).triggerHandler( "ready" ); - jQuery( document ).off( "ready" ); - } - } -}); - -/** - * Clean-up method for dom ready events - */ -function detach() { - if ( document.addEventListener ) { - document.removeEventListener( "DOMContentLoaded", completed, false ); - window.removeEventListener( "load", completed, false ); - - } else { - document.detachEvent( "onreadystatechange", completed ); - window.detachEvent( "onload", completed ); - } -} - -/** - * The ready event handler and self cleanup method - */ -function completed() { - // readyState === "complete" is good enough for us to call the dom ready in oldIE - if ( document.addEventListener || event.type === "load" || document.readyState === "complete" ) { - detach(); - jQuery.ready(); - } -} - -jQuery.ready.promise = function( obj ) { - if ( !readyList ) { - - readyList = jQuery.Deferred(); - - // Catch cases where $(document).ready() is called after the browser event has already occurred. - // we once tried to use readyState "interactive" here, but it caused issues like the one - // discovered by ChrisS here: http://bugs.jquery.com/ticket/12282#comment:15 - if ( document.readyState === "complete" ) { - // Handle it asynchronously to allow scripts the opportunity to delay ready - setTimeout( jQuery.ready ); - - // Standards-based browsers support DOMContentLoaded - } else if ( document.addEventListener ) { - // Use the handy event callback - document.addEventListener( "DOMContentLoaded", completed, false ); - - // A fallback to window.onload, that will always work - window.addEventListener( "load", completed, false ); - - // If IE event model is used - } else { - // Ensure firing before onload, maybe late but safe also for iframes - document.attachEvent( "onreadystatechange", completed ); - - // A fallback to window.onload, that will always work - window.attachEvent( "onload", completed ); - - // If IE and not a frame - // continually check to see if the document is ready - var top = false; - - try { - top = window.frameElement == null && document.documentElement; - } catch(e) {} - - if ( top && top.doScroll ) { - (function doScrollCheck() { - if ( !jQuery.isReady ) { - - try { - // Use the trick by Diego Perini - // http://javascript.nwbox.com/IEContentLoaded/ - top.doScroll("left"); - } catch(e) { - return setTimeout( doScrollCheck, 50 ); - } - - // detach all dom ready events - detach(); - - // and execute any waiting functions - jQuery.ready(); - } - })(); - } - } - } - return readyList.promise( obj ); -}; - - -var strundefined = typeof undefined; - - - -// Support: IE<9 -// Iteration over object's inherited properties before its own -var i; -for ( i in jQuery( support ) ) { - break; -} -support.ownLast = i !== "0"; - -// Note: most support tests are defined in their respective modules. -// false until the test is run -support.inlineBlockNeedsLayout = false; - -// Execute ASAP in case we need to set body.style.zoom -jQuery(function() { - // Minified: var a,b,c,d - var val, div, body, container; - - body = document.getElementsByTagName( "body" )[ 0 ]; - if ( !body || !body.style ) { - // Return for frameset docs that don't have a body - return; - } - - // Setup - div = document.createElement( "div" ); - container = document.createElement( "div" ); - container.style.cssText = "position:absolute;border:0;width:0;height:0;top:0;left:-9999px"; - body.appendChild( container ).appendChild( div ); - - if ( typeof div.style.zoom !== strundefined ) { - // Support: IE<8 - // Check if natively block-level elements act like inline-block - // elements when setting their display to 'inline' and giving - // them layout - div.style.cssText = "display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1"; - - support.inlineBlockNeedsLayout = val = div.offsetWidth === 3; - if ( val ) { - // Prevent IE 6 from affecting layout for positioned elements #11048 - // Prevent IE from shrinking the body in IE 7 mode #12869 - // Support: IE<8 - body.style.zoom = 1; - } - } - - body.removeChild( container ); -}); - - - - -(function() { - var div = document.createElement( "div" ); - - // Execute the test only if not already executed in another module. - if (support.deleteExpando == null) { - // Support: IE<9 - support.deleteExpando = true; - try { - delete div.test; - } catch( e ) { - support.deleteExpando = false; - } - } - - // Null elements to avoid leaks in IE. - div = null; -})(); - - -/** - * Determines whether an object can have data - */ -jQuery.acceptData = function( elem ) { - var noData = jQuery.noData[ (elem.nodeName + " ").toLowerCase() ], - nodeType = +elem.nodeType || 1; - - // Do not set data on non-element DOM nodes because it will not be cleared (#8335). - return nodeType !== 1 && nodeType !== 9 ? - false : - - // Nodes accept data unless otherwise specified; rejection can be conditional - !noData || noData !== true && elem.getAttribute("classid") === noData; -}; - - -var rbrace = /^(?:\{[\w\W]*\}|\[[\w\W]*\])$/, - rmultiDash = /([A-Z])/g; - -function dataAttr( elem, key, data ) { - // If nothing was found internally, try to fetch any - // data from the HTML5 data-* attribute - if ( data === undefined && elem.nodeType === 1 ) { - - var name = "data-" + key.replace( rmultiDash, "-$1" ).toLowerCase(); - - data = elem.getAttribute( name ); - - if ( typeof data === "string" ) { - try { - data = data === "true" ? true : - data === "false" ? false : - data === "null" ? null : - // Only convert to a number if it doesn't change the string - +data + "" === data ? +data : - rbrace.test( data ) ? jQuery.parseJSON( data ) : - data; - } catch( e ) {} - - // Make sure we set the data so it isn't changed later - jQuery.data( elem, key, data ); - - } else { - data = undefined; - } - } - - return data; -} - -// checks a cache object for emptiness -function isEmptyDataObject( obj ) { - var name; - for ( name in obj ) { - - // if the public data object is empty, the private is still empty - if ( name === "data" && jQuery.isEmptyObject( obj[name] ) ) { - continue; - } - if ( name !== "toJSON" ) { - return false; - } - } - - return true; -} - -function internalData( elem, name, data, pvt /* Internal Use Only */ ) { - if ( !jQuery.acceptData( elem ) ) { - return; - } - - var ret, thisCache, - internalKey = jQuery.expando, - - // We have to handle DOM nodes and JS objects differently because IE6-7 - // can't GC object references properly across the DOM-JS boundary - isNode = elem.nodeType, - - // Only DOM nodes need the global jQuery cache; JS object data is - // attached directly to the object so GC can occur automatically - cache = isNode ? jQuery.cache : elem, - - // Only defining an ID for JS objects if its cache already exists allows - // the code to shortcut on the same path as a DOM node with no cache - id = isNode ? elem[ internalKey ] : elem[ internalKey ] && internalKey; - - // Avoid doing any more work than we need to when trying to get data on an - // object that has no data at all - if ( (!id || !cache[id] || (!pvt && !cache[id].data)) && data === undefined && typeof name === "string" ) { - return; - } - - if ( !id ) { - // Only DOM nodes need a new unique ID for each element since their data - // ends up in the global cache - if ( isNode ) { - id = elem[ internalKey ] = deletedIds.pop() || jQuery.guid++; - } else { - id = internalKey; - } - } - - if ( !cache[ id ] ) { - // Avoid exposing jQuery metadata on plain JS objects when the object - // is serialized using JSON.stringify - cache[ id ] = isNode ? {} : { toJSON: jQuery.noop }; - } - - // An object can be passed to jQuery.data instead of a key/value pair; this gets - // shallow copied over onto the existing cache - if ( typeof name === "object" || typeof name === "function" ) { - if ( pvt ) { - cache[ id ] = jQuery.extend( cache[ id ], name ); - } else { - cache[ id ].data = jQuery.extend( cache[ id ].data, name ); - } - } - - thisCache = cache[ id ]; - - // jQuery data() is stored in a separate object inside the object's internal data - // cache in order to avoid key collisions between internal data and user-defined - // data. - if ( !pvt ) { - if ( !thisCache.data ) { - thisCache.data = {}; - } - - thisCache = thisCache.data; - } - - if ( data !== undefined ) { - thisCache[ jQuery.camelCase( name ) ] = data; - } - - // Check for both converted-to-camel and non-converted data property names - // If a data property was specified - if ( typeof name === "string" ) { - - // First Try to find as-is property data - ret = thisCache[ name ]; - - // Test for null|undefined property data - if ( ret == null ) { - - // Try to find the camelCased property - ret = thisCache[ jQuery.camelCase( name ) ]; - } - } else { - ret = thisCache; - } - - return ret; -} - -function internalRemoveData( elem, name, pvt ) { - if ( !jQuery.acceptData( elem ) ) { - return; - } - - var thisCache, i, - isNode = elem.nodeType, - - // See jQuery.data for more information - cache = isNode ? jQuery.cache : elem, - id = isNode ? elem[ jQuery.expando ] : jQuery.expando; - - // If there is already no cache entry for this object, there is no - // purpose in continuing - if ( !cache[ id ] ) { - return; - } - - if ( name ) { - - thisCache = pvt ? cache[ id ] : cache[ id ].data; - - if ( thisCache ) { - - // Support array or space separated string names for data keys - if ( !jQuery.isArray( name ) ) { - - // try the string as a key before any manipulation - if ( name in thisCache ) { - name = [ name ]; - } else { - - // split the camel cased version by spaces unless a key with the spaces exists - name = jQuery.camelCase( name ); - if ( name in thisCache ) { - name = [ name ]; - } else { - name = name.split(" "); - } - } - } else { - // If "name" is an array of keys... - // When data is initially created, via ("key", "val") signature, - // keys will be converted to camelCase. - // Since there is no way to tell _how_ a key was added, remove - // both plain key and camelCase key. #12786 - // This will only penalize the array argument path. - name = name.concat( jQuery.map( name, jQuery.camelCase ) ); - } - - i = name.length; - while ( i-- ) { - delete thisCache[ name[i] ]; - } - - // If there is no data left in the cache, we want to continue - // and let the cache object itself get destroyed - if ( pvt ? !isEmptyDataObject(thisCache) : !jQuery.isEmptyObject(thisCache) ) { - return; - } - } - } - - // See jQuery.data for more information - if ( !pvt ) { - delete cache[ id ].data; - - // Don't destroy the parent cache unless the internal data object - // had been the only thing left in it - if ( !isEmptyDataObject( cache[ id ] ) ) { - return; - } - } - - // Destroy the cache - if ( isNode ) { - jQuery.cleanData( [ elem ], true ); - - // Use delete when supported for expandos or `cache` is not a window per isWindow (#10080) - /* jshint eqeqeq: false */ - } else if ( support.deleteExpando || cache != cache.window ) { - /* jshint eqeqeq: true */ - delete cache[ id ]; - - // When all else fails, null - } else { - cache[ id ] = null; - } -} - -jQuery.extend({ - cache: {}, - - // The following elements (space-suffixed to avoid Object.prototype collisions) - // throw uncatchable exceptions if you attempt to set expando properties - noData: { - "applet ": true, - "embed ": true, - // ...but Flash objects (which have this classid) *can* handle expandos - "object ": "clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" - }, - - hasData: function( elem ) { - elem = elem.nodeType ? jQuery.cache[ elem[jQuery.expando] ] : elem[ jQuery.expando ]; - return !!elem && !isEmptyDataObject( elem ); - }, - - data: function( elem, name, data ) { - return internalData( elem, name, data ); - }, - - removeData: function( elem, name ) { - return internalRemoveData( elem, name ); - }, - - // For internal use only. - _data: function( elem, name, data ) { - return internalData( elem, name, data, true ); - }, - - _removeData: function( elem, name ) { - return internalRemoveData( elem, name, true ); - } -}); - -jQuery.fn.extend({ - data: function( key, value ) { - var i, name, data, - elem = this[0], - attrs = elem && elem.attributes; - - // Special expections of .data basically thwart jQuery.access, - // so implement the relevant behavior ourselves - - // Gets all values - if ( key === undefined ) { - if ( this.length ) { - data = jQuery.data( elem ); - - if ( elem.nodeType === 1 && !jQuery._data( elem, "parsedAttrs" ) ) { - i = attrs.length; - while ( i-- ) { - - // Support: IE11+ - // The attrs elements can be null (#14894) - if ( attrs[ i ] ) { - name = attrs[ i ].name; - if ( name.indexOf( "data-" ) === 0 ) { - name = jQuery.camelCase( name.slice(5) ); - dataAttr( elem, name, data[ name ] ); - } - } - } - jQuery._data( elem, "parsedAttrs", true ); - } - } - - return data; - } - - // Sets multiple values - if ( typeof key === "object" ) { - return this.each(function() { - jQuery.data( this, key ); - }); - } - - return arguments.length > 1 ? - - // Sets one value - this.each(function() { - jQuery.data( this, key, value ); - }) : - - // Gets one value - // Try to fetch any internally stored data first - elem ? dataAttr( elem, key, jQuery.data( elem, key ) ) : undefined; - }, - - removeData: function( key ) { - return this.each(function() { - jQuery.removeData( this, key ); - }); - } -}); - - -jQuery.extend({ - queue: function( elem, type, data ) { - var queue; - - if ( elem ) { - type = ( type || "fx" ) + "queue"; - queue = jQuery._data( elem, type ); - - // Speed up dequeue by getting out quickly if this is just a lookup - if ( data ) { - if ( !queue || jQuery.isArray(data) ) { - queue = jQuery._data( elem, type, jQuery.makeArray(data) ); - } else { - queue.push( data ); - } - } - return queue || []; - } - }, - - dequeue: function( elem, type ) { - type = type || "fx"; - - var queue = jQuery.queue( elem, type ), - startLength = queue.length, - fn = queue.shift(), - hooks = jQuery._queueHooks( elem, type ), - next = function() { - jQuery.dequeue( elem, type ); - }; - - // If the fx queue is dequeued, always remove the progress sentinel - if ( fn === "inprogress" ) { - fn = queue.shift(); - startLength--; - } - - if ( fn ) { - - // Add a progress sentinel to prevent the fx queue from being - // automatically dequeued - if ( type === "fx" ) { - queue.unshift( "inprogress" ); - } - - // clear up the last queue stop function - delete hooks.stop; - fn.call( elem, next, hooks ); - } - - if ( !startLength && hooks ) { - hooks.empty.fire(); - } - }, - - // not intended for public consumption - generates a queueHooks object, or returns the current one - _queueHooks: function( elem, type ) { - var key = type + "queueHooks"; - return jQuery._data( elem, key ) || jQuery._data( elem, key, { - empty: jQuery.Callbacks("once memory").add(function() { - jQuery._removeData( elem, type + "queue" ); - jQuery._removeData( elem, key ); - }) - }); - } -}); - -jQuery.fn.extend({ - queue: function( type, data ) { - var setter = 2; - - if ( typeof type !== "string" ) { - data = type; - type = "fx"; - setter--; - } - - if ( arguments.length < setter ) { - return jQuery.queue( this[0], type ); - } - - return data === undefined ? - this : - this.each(function() { - var queue = jQuery.queue( this, type, data ); - - // ensure a hooks for this queue - jQuery._queueHooks( this, type ); - - if ( type === "fx" && queue[0] !== "inprogress" ) { - jQuery.dequeue( this, type ); - } - }); - }, - dequeue: function( type ) { - return this.each(function() { - jQuery.dequeue( this, type ); - }); - }, - clearQueue: function( type ) { - return this.queue( type || "fx", [] ); - }, - // Get a promise resolved when queues of a certain type - // are emptied (fx is the type by default) - promise: function( type, obj ) { - var tmp, - count = 1, - defer = jQuery.Deferred(), - elements = this, - i = this.length, - resolve = function() { - if ( !( --count ) ) { - defer.resolveWith( elements, [ elements ] ); - } - }; - - if ( typeof type !== "string" ) { - obj = type; - type = undefined; - } - type = type || "fx"; - - while ( i-- ) { - tmp = jQuery._data( elements[ i ], type + "queueHooks" ); - if ( tmp && tmp.empty ) { - count++; - tmp.empty.add( resolve ); - } - } - resolve(); - return defer.promise( obj ); - } -}); -var pnum = (/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/).source; - -var cssExpand = [ "Top", "Right", "Bottom", "Left" ]; - -var isHidden = function( elem, el ) { - // isHidden might be called from jQuery#filter function; - // in that case, element will be second argument - elem = el || elem; - return jQuery.css( elem, "display" ) === "none" || !jQuery.contains( elem.ownerDocument, elem ); - }; - - - -// Multifunctional method to get and set values of a collection -// The value/s can optionally be executed if it's a function -var access = jQuery.access = function( elems, fn, key, value, chainable, emptyGet, raw ) { - var i = 0, - length = elems.length, - bulk = key == null; - - // Sets many values - if ( jQuery.type( key ) === "object" ) { - chainable = true; - for ( i in key ) { - jQuery.access( elems, fn, i, key[i], true, emptyGet, raw ); - } - - // Sets one value - } else if ( value !== undefined ) { - chainable = true; - - if ( !jQuery.isFunction( value ) ) { - raw = true; - } - - if ( bulk ) { - // Bulk operations run against the entire set - if ( raw ) { - fn.call( elems, value ); - fn = null; - - // ...except when executing function values - } else { - bulk = fn; - fn = function( elem, key, value ) { - return bulk.call( jQuery( elem ), value ); - }; - } - } - - if ( fn ) { - for ( ; i < length; i++ ) { - fn( elems[i], key, raw ? value : value.call( elems[i], i, fn( elems[i], key ) ) ); - } - } - } - - return chainable ? - elems : - - // Gets - bulk ? - fn.call( elems ) : - length ? fn( elems[0], key ) : emptyGet; -}; -var rcheckableType = (/^(?:checkbox|radio)$/i); - - - -(function() { - // Minified: var a,b,c - var input = document.createElement( "input" ), - div = document.createElement( "div" ), - fragment = document.createDocumentFragment(); - - // Setup - div.innerHTML = "
a"; - - // IE strips leading whitespace when .innerHTML is used - support.leadingWhitespace = div.firstChild.nodeType === 3; - - // Make sure that tbody elements aren't automatically inserted - // IE will insert them into empty tables - support.tbody = !div.getElementsByTagName( "tbody" ).length; - - // Make sure that link elements get serialized correctly by innerHTML - // This requires a wrapper element in IE - support.htmlSerialize = !!div.getElementsByTagName( "link" ).length; - - // Makes sure cloning an html5 element does not cause problems - // Where outerHTML is undefined, this still works - support.html5Clone = - document.createElement( "nav" ).cloneNode( true ).outerHTML !== "<:nav>"; - - // Check if a disconnected checkbox will retain its checked - // value of true after appended to the DOM (IE6/7) - input.type = "checkbox"; - input.checked = true; - fragment.appendChild( input ); - support.appendChecked = input.checked; - - // Make sure textarea (and checkbox) defaultValue is properly cloned - // Support: IE6-IE11+ - div.innerHTML = ""; - support.noCloneChecked = !!div.cloneNode( true ).lastChild.defaultValue; - - // #11217 - WebKit loses check when the name is after the checked attribute - fragment.appendChild( div ); - div.innerHTML = ""; - - // Support: Safari 5.1, iOS 5.1, Android 4.x, Android 2.3 - // old WebKit doesn't clone checked state correctly in fragments - support.checkClone = div.cloneNode( true ).cloneNode( true ).lastChild.checked; - - // Support: IE<9 - // Opera does not clone events (and typeof div.attachEvent === undefined). - // IE9-10 clones events bound via attachEvent, but they don't trigger with .click() - support.noCloneEvent = true; - if ( div.attachEvent ) { - div.attachEvent( "onclick", function() { - support.noCloneEvent = false; - }); - - div.cloneNode( true ).click(); - } - - // Execute the test only if not already executed in another module. - if (support.deleteExpando == null) { - // Support: IE<9 - support.deleteExpando = true; - try { - delete div.test; - } catch( e ) { - support.deleteExpando = false; - } - } -})(); - - -(function() { - var i, eventName, - div = document.createElement( "div" ); - - // Support: IE<9 (lack submit/change bubble), Firefox 23+ (lack focusin event) - for ( i in { submit: true, change: true, focusin: true }) { - eventName = "on" + i; - - if ( !(support[ i + "Bubbles" ] = eventName in window) ) { - // Beware of CSP restrictions (https://developer.mozilla.org/en/Security/CSP) - div.setAttribute( eventName, "t" ); - support[ i + "Bubbles" ] = div.attributes[ eventName ].expando === false; - } - } - - // Null elements to avoid leaks in IE. - div = null; -})(); - - -var rformElems = /^(?:input|select|textarea)$/i, - rkeyEvent = /^key/, - rmouseEvent = /^(?:mouse|pointer|contextmenu)|click/, - rfocusMorph = /^(?:focusinfocus|focusoutblur)$/, - rtypenamespace = /^([^.]*)(?:\.(.+)|)$/; - -function returnTrue() { - return true; -} - -function returnFalse() { - return false; -} - -function safeActiveElement() { - try { - return document.activeElement; - } catch ( err ) { } -} - -/* - * Helper functions for managing events -- not part of the public interface. - * Props to Dean Edwards' addEvent library for many of the ideas. - */ -jQuery.event = { - - global: {}, - - add: function( elem, types, handler, data, selector ) { - var tmp, events, t, handleObjIn, - special, eventHandle, handleObj, - handlers, type, namespaces, origType, - elemData = jQuery._data( elem ); - - // Don't attach events to noData or text/comment nodes (but allow plain objects) - if ( !elemData ) { - return; - } - - // Caller can pass in an object of custom data in lieu of the handler - if ( handler.handler ) { - handleObjIn = handler; - handler = handleObjIn.handler; - selector = handleObjIn.selector; - } - - // Make sure that the handler has a unique ID, used to find/remove it later - if ( !handler.guid ) { - handler.guid = jQuery.guid++; - } - - // Init the element's event structure and main handler, if this is the first - if ( !(events = elemData.events) ) { - events = elemData.events = {}; - } - if ( !(eventHandle = elemData.handle) ) { - eventHandle = elemData.handle = function( e ) { - // Discard the second event of a jQuery.event.trigger() and - // when an event is called after a page has unloaded - return typeof jQuery !== strundefined && (!e || jQuery.event.triggered !== e.type) ? - jQuery.event.dispatch.apply( eventHandle.elem, arguments ) : - undefined; - }; - // Add elem as a property of the handle fn to prevent a memory leak with IE non-native events - eventHandle.elem = elem; - } - - // Handle multiple events separated by a space - types = ( types || "" ).match( rnotwhite ) || [ "" ]; - t = types.length; - while ( t-- ) { - tmp = rtypenamespace.exec( types[t] ) || []; - type = origType = tmp[1]; - namespaces = ( tmp[2] || "" ).split( "." ).sort(); - - // There *must* be a type, no attaching namespace-only handlers - if ( !type ) { - continue; - } - - // If event changes its type, use the special event handlers for the changed type - special = jQuery.event.special[ type ] || {}; - - // If selector defined, determine special event api type, otherwise given type - type = ( selector ? special.delegateType : special.bindType ) || type; - - // Update special based on newly reset type - special = jQuery.event.special[ type ] || {}; - - // handleObj is passed to all event handlers - handleObj = jQuery.extend({ - type: type, - origType: origType, - data: data, - handler: handler, - guid: handler.guid, - selector: selector, - needsContext: selector && jQuery.expr.match.needsContext.test( selector ), - namespace: namespaces.join(".") - }, handleObjIn ); - - // Init the event handler queue if we're the first - if ( !(handlers = events[ type ]) ) { - handlers = events[ type ] = []; - handlers.delegateCount = 0; - - // Only use addEventListener/attachEvent if the special events handler returns false - if ( !special.setup || special.setup.call( elem, data, namespaces, eventHandle ) === false ) { - // Bind the global event handler to the element - if ( elem.addEventListener ) { - elem.addEventListener( type, eventHandle, false ); - - } else if ( elem.attachEvent ) { - elem.attachEvent( "on" + type, eventHandle ); - } - } - } - - if ( special.add ) { - special.add.call( elem, handleObj ); - - if ( !handleObj.handler.guid ) { - handleObj.handler.guid = handler.guid; - } - } - - // Add to the element's handler list, delegates in front - if ( selector ) { - handlers.splice( handlers.delegateCount++, 0, handleObj ); - } else { - handlers.push( handleObj ); - } - - // Keep track of which events have ever been used, for event optimization - jQuery.event.global[ type ] = true; - } - - // Nullify elem to prevent memory leaks in IE - elem = null; - }, - - // Detach an event or set of events from an element - remove: function( elem, types, handler, selector, mappedTypes ) { - var j, handleObj, tmp, - origCount, t, events, - special, handlers, type, - namespaces, origType, - elemData = jQuery.hasData( elem ) && jQuery._data( elem ); - - if ( !elemData || !(events = elemData.events) ) { - return; - } - - // Once for each type.namespace in types; type may be omitted - types = ( types || "" ).match( rnotwhite ) || [ "" ]; - t = types.length; - while ( t-- ) { - tmp = rtypenamespace.exec( types[t] ) || []; - type = origType = tmp[1]; - namespaces = ( tmp[2] || "" ).split( "." ).sort(); - - // Unbind all events (on this namespace, if provided) for the element - if ( !type ) { - for ( type in events ) { - jQuery.event.remove( elem, type + types[ t ], handler, selector, true ); - } - continue; - } - - special = jQuery.event.special[ type ] || {}; - type = ( selector ? special.delegateType : special.bindType ) || type; - handlers = events[ type ] || []; - tmp = tmp[2] && new RegExp( "(^|\\.)" + namespaces.join("\\.(?:.*\\.|)") + "(\\.|$)" ); - - // Remove matching events - origCount = j = handlers.length; - while ( j-- ) { - handleObj = handlers[ j ]; - - if ( ( mappedTypes || origType === handleObj.origType ) && - ( !handler || handler.guid === handleObj.guid ) && - ( !tmp || tmp.test( handleObj.namespace ) ) && - ( !selector || selector === handleObj.selector || selector === "**" && handleObj.selector ) ) { - handlers.splice( j, 1 ); - - if ( handleObj.selector ) { - handlers.delegateCount--; - } - if ( special.remove ) { - special.remove.call( elem, handleObj ); - } - } - } - - // Remove generic event handler if we removed something and no more handlers exist - // (avoids potential for endless recursion during removal of special event handlers) - if ( origCount && !handlers.length ) { - if ( !special.teardown || special.teardown.call( elem, namespaces, elemData.handle ) === false ) { - jQuery.removeEvent( elem, type, elemData.handle ); - } - - delete events[ type ]; - } - } - - // Remove the expando if it's no longer used - if ( jQuery.isEmptyObject( events ) ) { - delete elemData.handle; - - // removeData also checks for emptiness and clears the expando if empty - // so use it instead of delete - jQuery._removeData( elem, "events" ); - } - }, - - trigger: function( event, data, elem, onlyHandlers ) { - var handle, ontype, cur, - bubbleType, special, tmp, i, - eventPath = [ elem || document ], - type = hasOwn.call( event, "type" ) ? event.type : event, - namespaces = hasOwn.call( event, "namespace" ) ? event.namespace.split(".") : []; - - cur = tmp = elem = elem || document; - - // Don't do events on text and comment nodes - if ( elem.nodeType === 3 || elem.nodeType === 8 ) { - return; - } - - // focus/blur morphs to focusin/out; ensure we're not firing them right now - if ( rfocusMorph.test( type + jQuery.event.triggered ) ) { - return; - } - - if ( type.indexOf(".") >= 0 ) { - // Namespaced trigger; create a regexp to match event type in handle() - namespaces = type.split("."); - type = namespaces.shift(); - namespaces.sort(); - } - ontype = type.indexOf(":") < 0 && "on" + type; - - // Caller can pass in a jQuery.Event object, Object, or just an event type string - event = event[ jQuery.expando ] ? - event : - new jQuery.Event( type, typeof event === "object" && event ); - - // Trigger bitmask: & 1 for native handlers; & 2 for jQuery (always true) - event.isTrigger = onlyHandlers ? 2 : 3; - event.namespace = namespaces.join("."); - event.namespace_re = event.namespace ? - new RegExp( "(^|\\.)" + namespaces.join("\\.(?:.*\\.|)") + "(\\.|$)" ) : - null; - - // Clean up the event in case it is being reused - event.result = undefined; - if ( !event.target ) { - event.target = elem; - } - - // Clone any incoming data and prepend the event, creating the handler arg list - data = data == null ? - [ event ] : - jQuery.makeArray( data, [ event ] ); - - // Allow special events to draw outside the lines - special = jQuery.event.special[ type ] || {}; - if ( !onlyHandlers && special.trigger && special.trigger.apply( elem, data ) === false ) { - return; - } - - // Determine event propagation path in advance, per W3C events spec (#9951) - // Bubble up to document, then to window; watch for a global ownerDocument var (#9724) - if ( !onlyHandlers && !special.noBubble && !jQuery.isWindow( elem ) ) { - - bubbleType = special.delegateType || type; - if ( !rfocusMorph.test( bubbleType + type ) ) { - cur = cur.parentNode; - } - for ( ; cur; cur = cur.parentNode ) { - eventPath.push( cur ); - tmp = cur; - } - - // Only add window if we got to document (e.g., not plain obj or detached DOM) - if ( tmp === (elem.ownerDocument || document) ) { - eventPath.push( tmp.defaultView || tmp.parentWindow || window ); - } - } - - // Fire handlers on the event path - i = 0; - while ( (cur = eventPath[i++]) && !event.isPropagationStopped() ) { - - event.type = i > 1 ? - bubbleType : - special.bindType || type; - - // jQuery handler - handle = ( jQuery._data( cur, "events" ) || {} )[ event.type ] && jQuery._data( cur, "handle" ); - if ( handle ) { - handle.apply( cur, data ); - } - - // Native handler - handle = ontype && cur[ ontype ]; - if ( handle && handle.apply && jQuery.acceptData( cur ) ) { - event.result = handle.apply( cur, data ); - if ( event.result === false ) { - event.preventDefault(); - } - } - } - event.type = type; - - // If nobody prevented the default action, do it now - if ( !onlyHandlers && !event.isDefaultPrevented() ) { - - if ( (!special._default || special._default.apply( eventPath.pop(), data ) === false) && - jQuery.acceptData( elem ) ) { - - // Call a native DOM method on the target with the same name name as the event. - // Can't use an .isFunction() check here because IE6/7 fails that test. - // Don't do default actions on window, that's where global variables be (#6170) - if ( ontype && elem[ type ] && !jQuery.isWindow( elem ) ) { - - // Don't re-trigger an onFOO event when we call its FOO() method - tmp = elem[ ontype ]; - - if ( tmp ) { - elem[ ontype ] = null; - } - - // Prevent re-triggering of the same event, since we already bubbled it above - jQuery.event.triggered = type; - try { - elem[ type ](); - } catch ( e ) { - // IE<9 dies on focus/blur to hidden element (#1486,#12518) - // only reproducible on winXP IE8 native, not IE9 in IE8 mode - } - jQuery.event.triggered = undefined; - - if ( tmp ) { - elem[ ontype ] = tmp; - } - } - } - } - - return event.result; - }, - - dispatch: function( event ) { - - // Make a writable jQuery.Event from the native event object - event = jQuery.event.fix( event ); - - var i, ret, handleObj, matched, j, - handlerQueue = [], - args = slice.call( arguments ), - handlers = ( jQuery._data( this, "events" ) || {} )[ event.type ] || [], - special = jQuery.event.special[ event.type ] || {}; - - // Use the fix-ed jQuery.Event rather than the (read-only) native event - args[0] = event; - event.delegateTarget = this; - - // Call the preDispatch hook for the mapped type, and let it bail if desired - if ( special.preDispatch && special.preDispatch.call( this, event ) === false ) { - return; - } - - // Determine handlers - handlerQueue = jQuery.event.handlers.call( this, event, handlers ); - - // Run delegates first; they may want to stop propagation beneath us - i = 0; - while ( (matched = handlerQueue[ i++ ]) && !event.isPropagationStopped() ) { - event.currentTarget = matched.elem; - - j = 0; - while ( (handleObj = matched.handlers[ j++ ]) && !event.isImmediatePropagationStopped() ) { - - // Triggered event must either 1) have no namespace, or - // 2) have namespace(s) a subset or equal to those in the bound event (both can have no namespace). - if ( !event.namespace_re || event.namespace_re.test( handleObj.namespace ) ) { - - event.handleObj = handleObj; - event.data = handleObj.data; - - ret = ( (jQuery.event.special[ handleObj.origType ] || {}).handle || handleObj.handler ) - .apply( matched.elem, args ); - - if ( ret !== undefined ) { - if ( (event.result = ret) === false ) { - event.preventDefault(); - event.stopPropagation(); - } - } - } - } - } - - // Call the postDispatch hook for the mapped type - if ( special.postDispatch ) { - special.postDispatch.call( this, event ); - } - - return event.result; - }, - - handlers: function( event, handlers ) { - var sel, handleObj, matches, i, - handlerQueue = [], - delegateCount = handlers.delegateCount, - cur = event.target; - - // Find delegate handlers - // Black-hole SVG instance trees (#13180) - // Avoid non-left-click bubbling in Firefox (#3861) - if ( delegateCount && cur.nodeType && (!event.button || event.type !== "click") ) { - - /* jshint eqeqeq: false */ - for ( ; cur != this; cur = cur.parentNode || this ) { - /* jshint eqeqeq: true */ - - // Don't check non-elements (#13208) - // Don't process clicks on disabled elements (#6911, #8165, #11382, #11764) - if ( cur.nodeType === 1 && (cur.disabled !== true || event.type !== "click") ) { - matches = []; - for ( i = 0; i < delegateCount; i++ ) { - handleObj = handlers[ i ]; - - // Don't conflict with Object.prototype properties (#13203) - sel = handleObj.selector + " "; - - if ( matches[ sel ] === undefined ) { - matches[ sel ] = handleObj.needsContext ? - jQuery( sel, this ).index( cur ) >= 0 : - jQuery.find( sel, this, null, [ cur ] ).length; - } - if ( matches[ sel ] ) { - matches.push( handleObj ); - } - } - if ( matches.length ) { - handlerQueue.push({ elem: cur, handlers: matches }); - } - } - } - } - - // Add the remaining (directly-bound) handlers - if ( delegateCount < handlers.length ) { - handlerQueue.push({ elem: this, handlers: handlers.slice( delegateCount ) }); - } - - return handlerQueue; - }, - - fix: function( event ) { - if ( event[ jQuery.expando ] ) { - return event; - } - - // Create a writable copy of the event object and normalize some properties - var i, prop, copy, - type = event.type, - originalEvent = event, - fixHook = this.fixHooks[ type ]; - - if ( !fixHook ) { - this.fixHooks[ type ] = fixHook = - rmouseEvent.test( type ) ? this.mouseHooks : - rkeyEvent.test( type ) ? this.keyHooks : - {}; - } - copy = fixHook.props ? this.props.concat( fixHook.props ) : this.props; - - event = new jQuery.Event( originalEvent ); - - i = copy.length; - while ( i-- ) { - prop = copy[ i ]; - event[ prop ] = originalEvent[ prop ]; - } - - // Support: IE<9 - // Fix target property (#1925) - if ( !event.target ) { - event.target = originalEvent.srcElement || document; - } - - // Support: Chrome 23+, Safari? - // Target should not be a text node (#504, #13143) - if ( event.target.nodeType === 3 ) { - event.target = event.target.parentNode; - } - - // Support: IE<9 - // For mouse/key events, metaKey==false if it's undefined (#3368, #11328) - event.metaKey = !!event.metaKey; - - return fixHook.filter ? fixHook.filter( event, originalEvent ) : event; - }, - - // Includes some event props shared by KeyEvent and MouseEvent - props: "altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "), - - fixHooks: {}, - - keyHooks: { - props: "char charCode key keyCode".split(" "), - filter: function( event, original ) { - - // Add which for key events - if ( event.which == null ) { - event.which = original.charCode != null ? original.charCode : original.keyCode; - } - - return event; - } - }, - - mouseHooks: { - props: "button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "), - filter: function( event, original ) { - var body, eventDoc, doc, - button = original.button, - fromElement = original.fromElement; - - // Calculate pageX/Y if missing and clientX/Y available - if ( event.pageX == null && original.clientX != null ) { - eventDoc = event.target.ownerDocument || document; - doc = eventDoc.documentElement; - body = eventDoc.body; - - event.pageX = original.clientX + ( doc && doc.scrollLeft || body && body.scrollLeft || 0 ) - ( doc && doc.clientLeft || body && body.clientLeft || 0 ); - event.pageY = original.clientY + ( doc && doc.scrollTop || body && body.scrollTop || 0 ) - ( doc && doc.clientTop || body && body.clientTop || 0 ); - } - - // Add relatedTarget, if necessary - if ( !event.relatedTarget && fromElement ) { - event.relatedTarget = fromElement === event.target ? original.toElement : fromElement; - } - - // Add which for click: 1 === left; 2 === middle; 3 === right - // Note: button is not normalized, so don't use it - if ( !event.which && button !== undefined ) { - event.which = ( button & 1 ? 1 : ( button & 2 ? 3 : ( button & 4 ? 2 : 0 ) ) ); - } - - return event; - } - }, - - special: { - load: { - // Prevent triggered image.load events from bubbling to window.load - noBubble: true - }, - focus: { - // Fire native event if possible so blur/focus sequence is correct - trigger: function() { - if ( this !== safeActiveElement() && this.focus ) { - try { - this.focus(); - return false; - } catch ( e ) { - // Support: IE<9 - // If we error on focus to hidden element (#1486, #12518), - // let .trigger() run the handlers - } - } - }, - delegateType: "focusin" - }, - blur: { - trigger: function() { - if ( this === safeActiveElement() && this.blur ) { - this.blur(); - return false; - } - }, - delegateType: "focusout" - }, - click: { - // For checkbox, fire native event so checked state will be right - trigger: function() { - if ( jQuery.nodeName( this, "input" ) && this.type === "checkbox" && this.click ) { - this.click(); - return false; - } - }, - - // For cross-browser consistency, don't fire native .click() on links - _default: function( event ) { - return jQuery.nodeName( event.target, "a" ); - } - }, - - beforeunload: { - postDispatch: function( event ) { - - // Support: Firefox 20+ - // Firefox doesn't alert if the returnValue field is not set. - if ( event.result !== undefined && event.originalEvent ) { - event.originalEvent.returnValue = event.result; - } - } - } - }, - - simulate: function( type, elem, event, bubble ) { - // Piggyback on a donor event to simulate a different one. - // Fake originalEvent to avoid donor's stopPropagation, but if the - // simulated event prevents default then we do the same on the donor. - var e = jQuery.extend( - new jQuery.Event(), - event, - { - type: type, - isSimulated: true, - originalEvent: {} - } - ); - if ( bubble ) { - jQuery.event.trigger( e, null, elem ); - } else { - jQuery.event.dispatch.call( elem, e ); - } - if ( e.isDefaultPrevented() ) { - event.preventDefault(); - } - } -}; - -jQuery.removeEvent = document.removeEventListener ? - function( elem, type, handle ) { - if ( elem.removeEventListener ) { - elem.removeEventListener( type, handle, false ); - } - } : - function( elem, type, handle ) { - var name = "on" + type; - - if ( elem.detachEvent ) { - - // #8545, #7054, preventing memory leaks for custom events in IE6-8 - // detachEvent needed property on element, by name of that event, to properly expose it to GC - if ( typeof elem[ name ] === strundefined ) { - elem[ name ] = null; - } - - elem.detachEvent( name, handle ); - } - }; - -jQuery.Event = function( src, props ) { - // Allow instantiation without the 'new' keyword - if ( !(this instanceof jQuery.Event) ) { - return new jQuery.Event( src, props ); - } - - // Event object - if ( src && src.type ) { - this.originalEvent = src; - this.type = src.type; - - // Events bubbling up the document may have been marked as prevented - // by a handler lower down the tree; reflect the correct value. - this.isDefaultPrevented = src.defaultPrevented || - src.defaultPrevented === undefined && - // Support: IE < 9, Android < 4.0 - src.returnValue === false ? - returnTrue : - returnFalse; - - // Event type - } else { - this.type = src; - } - - // Put explicitly provided properties onto the event object - if ( props ) { - jQuery.extend( this, props ); - } - - // Create a timestamp if incoming event doesn't have one - this.timeStamp = src && src.timeStamp || jQuery.now(); - - // Mark it as fixed - this[ jQuery.expando ] = true; -}; - -// jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding -// http://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html -jQuery.Event.prototype = { - isDefaultPrevented: returnFalse, - isPropagationStopped: returnFalse, - isImmediatePropagationStopped: returnFalse, - - preventDefault: function() { - var e = this.originalEvent; - - this.isDefaultPrevented = returnTrue; - if ( !e ) { - return; - } - - // If preventDefault exists, run it on the original event - if ( e.preventDefault ) { - e.preventDefault(); - - // Support: IE - // Otherwise set the returnValue property of the original event to false - } else { - e.returnValue = false; - } - }, - stopPropagation: function() { - var e = this.originalEvent; - - this.isPropagationStopped = returnTrue; - if ( !e ) { - return; - } - // If stopPropagation exists, run it on the original event - if ( e.stopPropagation ) { - e.stopPropagation(); - } - - // Support: IE - // Set the cancelBubble property of the original event to true - e.cancelBubble = true; - }, - stopImmediatePropagation: function() { - var e = this.originalEvent; - - this.isImmediatePropagationStopped = returnTrue; - - if ( e && e.stopImmediatePropagation ) { - e.stopImmediatePropagation(); - } - - this.stopPropagation(); - } -}; - -// Create mouseenter/leave events using mouseover/out and event-time checks -jQuery.each({ - mouseenter: "mouseover", - mouseleave: "mouseout", - pointerenter: "pointerover", - pointerleave: "pointerout" -}, function( orig, fix ) { - jQuery.event.special[ orig ] = { - delegateType: fix, - bindType: fix, - - handle: function( event ) { - var ret, - target = this, - related = event.relatedTarget, - handleObj = event.handleObj; - - // For mousenter/leave call the handler if related is outside the target. - // NB: No relatedTarget if the mouse left/entered the browser window - if ( !related || (related !== target && !jQuery.contains( target, related )) ) { - event.type = handleObj.origType; - ret = handleObj.handler.apply( this, arguments ); - event.type = fix; - } - return ret; - } - }; -}); - -// IE submit delegation -if ( !support.submitBubbles ) { - - jQuery.event.special.submit = { - setup: function() { - // Only need this for delegated form submit events - if ( jQuery.nodeName( this, "form" ) ) { - return false; - } - - // Lazy-add a submit handler when a descendant form may potentially be submitted - jQuery.event.add( this, "click._submit keypress._submit", function( e ) { - // Node name check avoids a VML-related crash in IE (#9807) - var elem = e.target, - form = jQuery.nodeName( elem, "input" ) || jQuery.nodeName( elem, "button" ) ? elem.form : undefined; - if ( form && !jQuery._data( form, "submitBubbles" ) ) { - jQuery.event.add( form, "submit._submit", function( event ) { - event._submit_bubble = true; - }); - jQuery._data( form, "submitBubbles", true ); - } - }); - // return undefined since we don't need an event listener - }, - - postDispatch: function( event ) { - // If form was submitted by the user, bubble the event up the tree - if ( event._submit_bubble ) { - delete event._submit_bubble; - if ( this.parentNode && !event.isTrigger ) { - jQuery.event.simulate( "submit", this.parentNode, event, true ); - } - } - }, - - teardown: function() { - // Only need this for delegated form submit events - if ( jQuery.nodeName( this, "form" ) ) { - return false; - } - - // Remove delegated handlers; cleanData eventually reaps submit handlers attached above - jQuery.event.remove( this, "._submit" ); - } - }; -} - -// IE change delegation and checkbox/radio fix -if ( !support.changeBubbles ) { - - jQuery.event.special.change = { - - setup: function() { - - if ( rformElems.test( this.nodeName ) ) { - // IE doesn't fire change on a check/radio until blur; trigger it on click - // after a propertychange. Eat the blur-change in special.change.handle. - // This still fires onchange a second time for check/radio after blur. - if ( this.type === "checkbox" || this.type === "radio" ) { - jQuery.event.add( this, "propertychange._change", function( event ) { - if ( event.originalEvent.propertyName === "checked" ) { - this._just_changed = true; - } - }); - jQuery.event.add( this, "click._change", function( event ) { - if ( this._just_changed && !event.isTrigger ) { - this._just_changed = false; - } - // Allow triggered, simulated change events (#11500) - jQuery.event.simulate( "change", this, event, true ); - }); - } - return false; - } - // Delegated event; lazy-add a change handler on descendant inputs - jQuery.event.add( this, "beforeactivate._change", function( e ) { - var elem = e.target; - - if ( rformElems.test( elem.nodeName ) && !jQuery._data( elem, "changeBubbles" ) ) { - jQuery.event.add( elem, "change._change", function( event ) { - if ( this.parentNode && !event.isSimulated && !event.isTrigger ) { - jQuery.event.simulate( "change", this.parentNode, event, true ); - } - }); - jQuery._data( elem, "changeBubbles", true ); - } - }); - }, - - handle: function( event ) { - var elem = event.target; - - // Swallow native change events from checkbox/radio, we already triggered them above - if ( this !== elem || event.isSimulated || event.isTrigger || (elem.type !== "radio" && elem.type !== "checkbox") ) { - return event.handleObj.handler.apply( this, arguments ); - } - }, - - teardown: function() { - jQuery.event.remove( this, "._change" ); - - return !rformElems.test( this.nodeName ); - } - }; -} - -// Create "bubbling" focus and blur events -if ( !support.focusinBubbles ) { - jQuery.each({ focus: "focusin", blur: "focusout" }, function( orig, fix ) { - - // Attach a single capturing handler on the document while someone wants focusin/focusout - var handler = function( event ) { - jQuery.event.simulate( fix, event.target, jQuery.event.fix( event ), true ); - }; - - jQuery.event.special[ fix ] = { - setup: function() { - var doc = this.ownerDocument || this, - attaches = jQuery._data( doc, fix ); - - if ( !attaches ) { - doc.addEventListener( orig, handler, true ); - } - jQuery._data( doc, fix, ( attaches || 0 ) + 1 ); - }, - teardown: function() { - var doc = this.ownerDocument || this, - attaches = jQuery._data( doc, fix ) - 1; - - if ( !attaches ) { - doc.removeEventListener( orig, handler, true ); - jQuery._removeData( doc, fix ); - } else { - jQuery._data( doc, fix, attaches ); - } - } - }; - }); -} - -jQuery.fn.extend({ - - on: function( types, selector, data, fn, /*INTERNAL*/ one ) { - var type, origFn; - - // Types can be a map of types/handlers - if ( typeof types === "object" ) { - // ( types-Object, selector, data ) - if ( typeof selector !== "string" ) { - // ( types-Object, data ) - data = data || selector; - selector = undefined; - } - for ( type in types ) { - this.on( type, selector, data, types[ type ], one ); - } - return this; - } - - if ( data == null && fn == null ) { - // ( types, fn ) - fn = selector; - data = selector = undefined; - } else if ( fn == null ) { - if ( typeof selector === "string" ) { - // ( types, selector, fn ) - fn = data; - data = undefined; - } else { - // ( types, data, fn ) - fn = data; - data = selector; - selector = undefined; - } - } - if ( fn === false ) { - fn = returnFalse; - } else if ( !fn ) { - return this; - } - - if ( one === 1 ) { - origFn = fn; - fn = function( event ) { - // Can use an empty set, since event contains the info - jQuery().off( event ); - return origFn.apply( this, arguments ); - }; - // Use same guid so caller can remove using origFn - fn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ ); - } - return this.each( function() { - jQuery.event.add( this, types, fn, data, selector ); - }); - }, - one: function( types, selector, data, fn ) { - return this.on( types, selector, data, fn, 1 ); - }, - off: function( types, selector, fn ) { - var handleObj, type; - if ( types && types.preventDefault && types.handleObj ) { - // ( event ) dispatched jQuery.Event - handleObj = types.handleObj; - jQuery( types.delegateTarget ).off( - handleObj.namespace ? handleObj.origType + "." + handleObj.namespace : handleObj.origType, - handleObj.selector, - handleObj.handler - ); - return this; - } - if ( typeof types === "object" ) { - // ( types-object [, selector] ) - for ( type in types ) { - this.off( type, selector, types[ type ] ); - } - return this; - } - if ( selector === false || typeof selector === "function" ) { - // ( types [, fn] ) - fn = selector; - selector = undefined; - } - if ( fn === false ) { - fn = returnFalse; - } - return this.each(function() { - jQuery.event.remove( this, types, fn, selector ); - }); - }, - - trigger: function( type, data ) { - return this.each(function() { - jQuery.event.trigger( type, data, this ); - }); - }, - triggerHandler: function( type, data ) { - var elem = this[0]; - if ( elem ) { - return jQuery.event.trigger( type, data, elem, true ); - } - } -}); - - -function createSafeFragment( document ) { - var list = nodeNames.split( "|" ), - safeFrag = document.createDocumentFragment(); - - if ( safeFrag.createElement ) { - while ( list.length ) { - safeFrag.createElement( - list.pop() - ); - } - } - return safeFrag; -} - -var nodeNames = "abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|" + - "header|hgroup|mark|meter|nav|output|progress|section|summary|time|video", - rinlinejQuery = / jQuery\d+="(?:null|\d+)"/g, - rnoshimcache = new RegExp("<(?:" + nodeNames + ")[\\s/>]", "i"), - rleadingWhitespace = /^\s+/, - rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi, - rtagName = /<([\w:]+)/, - rtbody = /\s*$/g, - - // We have to close these tags to support XHTML (#13200) - wrapMap = { - option: [ 1, "" ], - legend: [ 1, "
", "
" ], - area: [ 1, "", "" ], - param: [ 1, "", "" ], - thead: [ 1, "", "
" ], - tr: [ 2, "", "
" ], - col: [ 2, "", "
" ], - td: [ 3, "", "
" ], - - // IE6-8 can't serialize link, script, style, or any html5 (NoScope) tags, - // unless wrapped in a div with non-breaking characters in front of it. - _default: support.htmlSerialize ? [ 0, "", "" ] : [ 1, "X
", "
" ] - }, - safeFragment = createSafeFragment( document ), - fragmentDiv = safeFragment.appendChild( document.createElement("div") ); - -wrapMap.optgroup = wrapMap.option; -wrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead; -wrapMap.th = wrapMap.td; - -function getAll( context, tag ) { - var elems, elem, - i = 0, - found = typeof context.getElementsByTagName !== strundefined ? context.getElementsByTagName( tag || "*" ) : - typeof context.querySelectorAll !== strundefined ? context.querySelectorAll( tag || "*" ) : - undefined; - - if ( !found ) { - for ( found = [], elems = context.childNodes || context; (elem = elems[i]) != null; i++ ) { - if ( !tag || jQuery.nodeName( elem, tag ) ) { - found.push( elem ); - } else { - jQuery.merge( found, getAll( elem, tag ) ); - } - } - } - - return tag === undefined || tag && jQuery.nodeName( context, tag ) ? - jQuery.merge( [ context ], found ) : - found; -} - -// Used in buildFragment, fixes the defaultChecked property -function fixDefaultChecked( elem ) { - if ( rcheckableType.test( elem.type ) ) { - elem.defaultChecked = elem.checked; - } -} - -// Support: IE<8 -// Manipulating tables requires a tbody -function manipulationTarget( elem, content ) { - return jQuery.nodeName( elem, "table" ) && - jQuery.nodeName( content.nodeType !== 11 ? content : content.firstChild, "tr" ) ? - - elem.getElementsByTagName("tbody")[0] || - elem.appendChild( elem.ownerDocument.createElement("tbody") ) : - elem; -} - -// Replace/restore the type attribute of script elements for safe DOM manipulation -function disableScript( elem ) { - elem.type = (jQuery.find.attr( elem, "type" ) !== null) + "/" + elem.type; - return elem; -} -function restoreScript( elem ) { - var match = rscriptTypeMasked.exec( elem.type ); - if ( match ) { - elem.type = match[1]; - } else { - elem.removeAttribute("type"); - } - return elem; -} - -// Mark scripts as having already been evaluated -function setGlobalEval( elems, refElements ) { - var elem, - i = 0; - for ( ; (elem = elems[i]) != null; i++ ) { - jQuery._data( elem, "globalEval", !refElements || jQuery._data( refElements[i], "globalEval" ) ); - } -} - -function cloneCopyEvent( src, dest ) { - - if ( dest.nodeType !== 1 || !jQuery.hasData( src ) ) { - return; - } - - var type, i, l, - oldData = jQuery._data( src ), - curData = jQuery._data( dest, oldData ), - events = oldData.events; - - if ( events ) { - delete curData.handle; - curData.events = {}; - - for ( type in events ) { - for ( i = 0, l = events[ type ].length; i < l; i++ ) { - jQuery.event.add( dest, type, events[ type ][ i ] ); - } - } - } - - // make the cloned public data object a copy from the original - if ( curData.data ) { - curData.data = jQuery.extend( {}, curData.data ); - } -} - -function fixCloneNodeIssues( src, dest ) { - var nodeName, e, data; - - // We do not need to do anything for non-Elements - if ( dest.nodeType !== 1 ) { - return; - } - - nodeName = dest.nodeName.toLowerCase(); - - // IE6-8 copies events bound via attachEvent when using cloneNode. - if ( !support.noCloneEvent && dest[ jQuery.expando ] ) { - data = jQuery._data( dest ); - - for ( e in data.events ) { - jQuery.removeEvent( dest, e, data.handle ); - } - - // Event data gets referenced instead of copied if the expando gets copied too - dest.removeAttribute( jQuery.expando ); - } - - // IE blanks contents when cloning scripts, and tries to evaluate newly-set text - if ( nodeName === "script" && dest.text !== src.text ) { - disableScript( dest ).text = src.text; - restoreScript( dest ); - - // IE6-10 improperly clones children of object elements using classid. - // IE10 throws NoModificationAllowedError if parent is null, #12132. - } else if ( nodeName === "object" ) { - if ( dest.parentNode ) { - dest.outerHTML = src.outerHTML; - } - - // This path appears unavoidable for IE9. When cloning an object - // element in IE9, the outerHTML strategy above is not sufficient. - // If the src has innerHTML and the destination does not, - // copy the src.innerHTML into the dest.innerHTML. #10324 - if ( support.html5Clone && ( src.innerHTML && !jQuery.trim(dest.innerHTML) ) ) { - dest.innerHTML = src.innerHTML; - } - - } else if ( nodeName === "input" && rcheckableType.test( src.type ) ) { - // IE6-8 fails to persist the checked state of a cloned checkbox - // or radio button. Worse, IE6-7 fail to give the cloned element - // a checked appearance if the defaultChecked value isn't also set - - dest.defaultChecked = dest.checked = src.checked; - - // IE6-7 get confused and end up setting the value of a cloned - // checkbox/radio button to an empty string instead of "on" - if ( dest.value !== src.value ) { - dest.value = src.value; - } - - // IE6-8 fails to return the selected option to the default selected - // state when cloning options - } else if ( nodeName === "option" ) { - dest.defaultSelected = dest.selected = src.defaultSelected; - - // IE6-8 fails to set the defaultValue to the correct value when - // cloning other types of input fields - } else if ( nodeName === "input" || nodeName === "textarea" ) { - dest.defaultValue = src.defaultValue; - } -} - -jQuery.extend({ - clone: function( elem, dataAndEvents, deepDataAndEvents ) { - var destElements, node, clone, i, srcElements, - inPage = jQuery.contains( elem.ownerDocument, elem ); - - if ( support.html5Clone || jQuery.isXMLDoc(elem) || !rnoshimcache.test( "<" + elem.nodeName + ">" ) ) { - clone = elem.cloneNode( true ); - - // IE<=8 does not properly clone detached, unknown element nodes - } else { - fragmentDiv.innerHTML = elem.outerHTML; - fragmentDiv.removeChild( clone = fragmentDiv.firstChild ); - } - - if ( (!support.noCloneEvent || !support.noCloneChecked) && - (elem.nodeType === 1 || elem.nodeType === 11) && !jQuery.isXMLDoc(elem) ) { - - // We eschew Sizzle here for performance reasons: http://jsperf.com/getall-vs-sizzle/2 - destElements = getAll( clone ); - srcElements = getAll( elem ); - - // Fix all IE cloning issues - for ( i = 0; (node = srcElements[i]) != null; ++i ) { - // Ensure that the destination node is not null; Fixes #9587 - if ( destElements[i] ) { - fixCloneNodeIssues( node, destElements[i] ); - } - } - } - - // Copy the events from the original to the clone - if ( dataAndEvents ) { - if ( deepDataAndEvents ) { - srcElements = srcElements || getAll( elem ); - destElements = destElements || getAll( clone ); - - for ( i = 0; (node = srcElements[i]) != null; i++ ) { - cloneCopyEvent( node, destElements[i] ); - } - } else { - cloneCopyEvent( elem, clone ); - } - } - - // Preserve script evaluation history - destElements = getAll( clone, "script" ); - if ( destElements.length > 0 ) { - setGlobalEval( destElements, !inPage && getAll( elem, "script" ) ); - } - - destElements = srcElements = node = null; - - // Return the cloned set - return clone; - }, - - buildFragment: function( elems, context, scripts, selection ) { - var j, elem, contains, - tmp, tag, tbody, wrap, - l = elems.length, - - // Ensure a safe fragment - safe = createSafeFragment( context ), - - nodes = [], - i = 0; - - for ( ; i < l; i++ ) { - elem = elems[ i ]; - - if ( elem || elem === 0 ) { - - // Add nodes directly - if ( jQuery.type( elem ) === "object" ) { - jQuery.merge( nodes, elem.nodeType ? [ elem ] : elem ); - - // Convert non-html into a text node - } else if ( !rhtml.test( elem ) ) { - nodes.push( context.createTextNode( elem ) ); - - // Convert html into DOM nodes - } else { - tmp = tmp || safe.appendChild( context.createElement("div") ); - - // Deserialize a standard representation - tag = (rtagName.exec( elem ) || [ "", "" ])[ 1 ].toLowerCase(); - wrap = wrapMap[ tag ] || wrapMap._default; - - tmp.innerHTML = wrap[1] + elem.replace( rxhtmlTag, "<$1>" ) + wrap[2]; - - // Descend through wrappers to the right content - j = wrap[0]; - while ( j-- ) { - tmp = tmp.lastChild; - } - - // Manually add leading whitespace removed by IE - if ( !support.leadingWhitespace && rleadingWhitespace.test( elem ) ) { - nodes.push( context.createTextNode( rleadingWhitespace.exec( elem )[0] ) ); - } - - // Remove IE's autoinserted from table fragments - if ( !support.tbody ) { - - // String was a , *may* have spurious - elem = tag === "table" && !rtbody.test( elem ) ? - tmp.firstChild : - - // String was a bare or - wrap[1] === "
" && !rtbody.test( elem ) ? - tmp : - 0; - - j = elem && elem.childNodes.length; - while ( j-- ) { - if ( jQuery.nodeName( (tbody = elem.childNodes[j]), "tbody" ) && !tbody.childNodes.length ) { - elem.removeChild( tbody ); - } - } - } - - jQuery.merge( nodes, tmp.childNodes ); - - // Fix #12392 for WebKit and IE > 9 - tmp.textContent = ""; - - // Fix #12392 for oldIE - while ( tmp.firstChild ) { - tmp.removeChild( tmp.firstChild ); - } - - // Remember the top-level container for proper cleanup - tmp = safe.lastChild; - } - } - } - - // Fix #11356: Clear elements from fragment - if ( tmp ) { - safe.removeChild( tmp ); - } - - // Reset defaultChecked for any radios and checkboxes - // about to be appended to the DOM in IE 6/7 (#8060) - if ( !support.appendChecked ) { - jQuery.grep( getAll( nodes, "input" ), fixDefaultChecked ); - } - - i = 0; - while ( (elem = nodes[ i++ ]) ) { - - // #4087 - If origin and destination elements are the same, and this is - // that element, do not do anything - if ( selection && jQuery.inArray( elem, selection ) !== -1 ) { - continue; - } - - contains = jQuery.contains( elem.ownerDocument, elem ); - - // Append to fragment - tmp = getAll( safe.appendChild( elem ), "script" ); - - // Preserve script evaluation history - if ( contains ) { - setGlobalEval( tmp ); - } - - // Capture executables - if ( scripts ) { - j = 0; - while ( (elem = tmp[ j++ ]) ) { - if ( rscriptType.test( elem.type || "" ) ) { - scripts.push( elem ); - } - } - } - } - - tmp = null; - - return safe; - }, - - cleanData: function( elems, /* internal */ acceptData ) { - var elem, type, id, data, - i = 0, - internalKey = jQuery.expando, - cache = jQuery.cache, - deleteExpando = support.deleteExpando, - special = jQuery.event.special; - - for ( ; (elem = elems[i]) != null; i++ ) { - if ( acceptData || jQuery.acceptData( elem ) ) { - - id = elem[ internalKey ]; - data = id && cache[ id ]; - - if ( data ) { - if ( data.events ) { - for ( type in data.events ) { - if ( special[ type ] ) { - jQuery.event.remove( elem, type ); - - // This is a shortcut to avoid jQuery.event.remove's overhead - } else { - jQuery.removeEvent( elem, type, data.handle ); - } - } - } - - // Remove cache only if it was not already removed by jQuery.event.remove - if ( cache[ id ] ) { - - delete cache[ id ]; - - // IE does not allow us to delete expando properties from nodes, - // nor does it have a removeAttribute function on Document nodes; - // we must handle all of these cases - if ( deleteExpando ) { - delete elem[ internalKey ]; - - } else if ( typeof elem.removeAttribute !== strundefined ) { - elem.removeAttribute( internalKey ); - - } else { - elem[ internalKey ] = null; - } - - deletedIds.push( id ); - } - } - } - } - } -}); - -jQuery.fn.extend({ - text: function( value ) { - return access( this, function( value ) { - return value === undefined ? - jQuery.text( this ) : - this.empty().append( ( this[0] && this[0].ownerDocument || document ).createTextNode( value ) ); - }, null, value, arguments.length ); - }, - - append: function() { - return this.domManip( arguments, function( elem ) { - if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { - var target = manipulationTarget( this, elem ); - target.appendChild( elem ); - } - }); - }, - - prepend: function() { - return this.domManip( arguments, function( elem ) { - if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { - var target = manipulationTarget( this, elem ); - target.insertBefore( elem, target.firstChild ); - } - }); - }, - - before: function() { - return this.domManip( arguments, function( elem ) { - if ( this.parentNode ) { - this.parentNode.insertBefore( elem, this ); - } - }); - }, - - after: function() { - return this.domManip( arguments, function( elem ) { - if ( this.parentNode ) { - this.parentNode.insertBefore( elem, this.nextSibling ); - } - }); - }, - - remove: function( selector, keepData /* Internal Use Only */ ) { - var elem, - elems = selector ? jQuery.filter( selector, this ) : this, - i = 0; - - for ( ; (elem = elems[i]) != null; i++ ) { - - if ( !keepData && elem.nodeType === 1 ) { - jQuery.cleanData( getAll( elem ) ); - } - - if ( elem.parentNode ) { - if ( keepData && jQuery.contains( elem.ownerDocument, elem ) ) { - setGlobalEval( getAll( elem, "script" ) ); - } - elem.parentNode.removeChild( elem ); - } - } - - return this; - }, - - empty: function() { - var elem, - i = 0; - - for ( ; (elem = this[i]) != null; i++ ) { - // Remove element nodes and prevent memory leaks - if ( elem.nodeType === 1 ) { - jQuery.cleanData( getAll( elem, false ) ); - } - - // Remove any remaining nodes - while ( elem.firstChild ) { - elem.removeChild( elem.firstChild ); - } - - // If this is a select, ensure that it displays empty (#12336) - // Support: IE<9 - if ( elem.options && jQuery.nodeName( elem, "select" ) ) { - elem.options.length = 0; - } - } - - return this; - }, - - clone: function( dataAndEvents, deepDataAndEvents ) { - dataAndEvents = dataAndEvents == null ? false : dataAndEvents; - deepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents; - - return this.map(function() { - return jQuery.clone( this, dataAndEvents, deepDataAndEvents ); - }); - }, - - html: function( value ) { - return access( this, function( value ) { - var elem = this[ 0 ] || {}, - i = 0, - l = this.length; - - if ( value === undefined ) { - return elem.nodeType === 1 ? - elem.innerHTML.replace( rinlinejQuery, "" ) : - undefined; - } - - // See if we can take a shortcut and just use innerHTML - if ( typeof value === "string" && !rnoInnerhtml.test( value ) && - ( support.htmlSerialize || !rnoshimcache.test( value ) ) && - ( support.leadingWhitespace || !rleadingWhitespace.test( value ) ) && - !wrapMap[ (rtagName.exec( value ) || [ "", "" ])[ 1 ].toLowerCase() ] ) { - - value = value.replace( rxhtmlTag, "<$1>" ); - - try { - for (; i < l; i++ ) { - // Remove element nodes and prevent memory leaks - elem = this[i] || {}; - if ( elem.nodeType === 1 ) { - jQuery.cleanData( getAll( elem, false ) ); - elem.innerHTML = value; - } - } - - elem = 0; - - // If using innerHTML throws an exception, use the fallback method - } catch(e) {} - } - - if ( elem ) { - this.empty().append( value ); - } - }, null, value, arguments.length ); - }, - - replaceWith: function() { - var arg = arguments[ 0 ]; - - // Make the changes, replacing each context element with the new content - this.domManip( arguments, function( elem ) { - arg = this.parentNode; - - jQuery.cleanData( getAll( this ) ); - - if ( arg ) { - arg.replaceChild( elem, this ); - } - }); - - // Force removal if there was no new content (e.g., from empty arguments) - return arg && (arg.length || arg.nodeType) ? this : this.remove(); - }, - - detach: function( selector ) { - return this.remove( selector, true ); - }, - - domManip: function( args, callback ) { - - // Flatten any nested arrays - args = concat.apply( [], args ); - - var first, node, hasScripts, - scripts, doc, fragment, - i = 0, - l = this.length, - set = this, - iNoClone = l - 1, - value = args[0], - isFunction = jQuery.isFunction( value ); - - // We can't cloneNode fragments that contain checked, in WebKit - if ( isFunction || - ( l > 1 && typeof value === "string" && - !support.checkClone && rchecked.test( value ) ) ) { - return this.each(function( index ) { - var self = set.eq( index ); - if ( isFunction ) { - args[0] = value.call( this, index, self.html() ); - } - self.domManip( args, callback ); - }); - } - - if ( l ) { - fragment = jQuery.buildFragment( args, this[ 0 ].ownerDocument, false, this ); - first = fragment.firstChild; - - if ( fragment.childNodes.length === 1 ) { - fragment = first; - } - - if ( first ) { - scripts = jQuery.map( getAll( fragment, "script" ), disableScript ); - hasScripts = scripts.length; - - // Use the original fragment for the last item instead of the first because it can end up - // being emptied incorrectly in certain situations (#8070). - for ( ; i < l; i++ ) { - node = fragment; - - if ( i !== iNoClone ) { - node = jQuery.clone( node, true, true ); - - // Keep references to cloned scripts for later restoration - if ( hasScripts ) { - jQuery.merge( scripts, getAll( node, "script" ) ); - } - } - - callback.call( this[i], node, i ); - } - - if ( hasScripts ) { - doc = scripts[ scripts.length - 1 ].ownerDocument; - - // Reenable scripts - jQuery.map( scripts, restoreScript ); - - // Evaluate executable scripts on first document insertion - for ( i = 0; i < hasScripts; i++ ) { - node = scripts[ i ]; - if ( rscriptType.test( node.type || "" ) && - !jQuery._data( node, "globalEval" ) && jQuery.contains( doc, node ) ) { - - if ( node.src ) { - // Optional AJAX dependency, but won't run scripts if not present - if ( jQuery._evalUrl ) { - jQuery._evalUrl( node.src ); - } - } else { - jQuery.globalEval( ( node.text || node.textContent || node.innerHTML || "" ).replace( rcleanScript, "" ) ); - } - } - } - } - - // Fix #11809: Avoid leaking memory - fragment = first = null; - } - } - - return this; - } -}); - -jQuery.each({ - appendTo: "append", - prependTo: "prepend", - insertBefore: "before", - insertAfter: "after", - replaceAll: "replaceWith" -}, function( name, original ) { - jQuery.fn[ name ] = function( selector ) { - var elems, - i = 0, - ret = [], - insert = jQuery( selector ), - last = insert.length - 1; - - for ( ; i <= last; i++ ) { - elems = i === last ? this : this.clone(true); - jQuery( insert[i] )[ original ]( elems ); - - // Modern browsers can apply jQuery collections as arrays, but oldIE needs a .get() - push.apply( ret, elems.get() ); - } - - return this.pushStack( ret ); - }; -}); - - -var iframe, - elemdisplay = {}; - -/** - * Retrieve the actual display of a element - * @param {String} name nodeName of the element - * @param {Object} doc Document object - */ -// Called only from within defaultDisplay -function actualDisplay( name, doc ) { - var style, - elem = jQuery( doc.createElement( name ) ).appendTo( doc.body ), - - // getDefaultComputedStyle might be reliably used only on attached element - display = window.getDefaultComputedStyle && ( style = window.getDefaultComputedStyle( elem[ 0 ] ) ) ? - - // Use of this method is a temporary fix (more like optmization) until something better comes along, - // since it was removed from specification and supported only in FF - style.display : jQuery.css( elem[ 0 ], "display" ); - - // We don't have any data stored on the element, - // so use "detach" method as fast way to get rid of the element - elem.detach(); - - return display; -} - -/** - * Try to determine the default display value of an element - * @param {String} nodeName - */ -function defaultDisplay( nodeName ) { - var doc = document, - display = elemdisplay[ nodeName ]; - - if ( !display ) { - display = actualDisplay( nodeName, doc ); - - // If the simple way fails, read from inside an iframe - if ( display === "none" || !display ) { - - // Use the already-created iframe if possible - iframe = (iframe || jQuery( "