Clean up README, and distribute info over the external docs (#3728)
This commit is contained in:
parent
d7dd8fb4c5
commit
de9fe5a1e1
1
.gitignore
vendored
1
.gitignore
vendored
@ -26,3 +26,4 @@ tests/file.tmp
|
||||
htmlcov/
|
||||
.~c9_*
|
||||
.coverage*
|
||||
docs/_build
|
||||
|
437
README.md
437
README.md
@ -13,19 +13,13 @@
|
||||
|
||||
## Install
|
||||
|
||||
To install moto for a specific service:
|
||||
```console
|
||||
$ pip install moto[ec2,s3]
|
||||
$ pip install moto[ec2,s3,all]
|
||||
```
|
||||
This will install Moto, and the dependencies required for that specific service.
|
||||
If you don't care about the number of dependencies, or if you want to mock many AWS services:
|
||||
```console
|
||||
$ pip install moto[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:
|
||||
@ -41,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.
|
||||
@ -53,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 partial list of the AWS services that currently have support:
|
||||
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).
|
||||
|
||||
| Service Name | Decorator | Comment |
|
||||
|---------------------------|-----------------------|------------------------------|
|
||||
| ACM | @mock_acm | |
|
||||
| API Gateway | @mock_apigateway | |
|
||||
| Application Autoscaling | @mock_applicationautoscaling | |
|
||||
| Athena | @mock_athena | |
|
||||
| Autoscaling | @mock_autoscaling | |
|
||||
| Cloudformation | @mock_cloudformation | |
|
||||
| Cloudwatch | @mock_cloudwatch | |
|
||||
| CloudwatchEvents | @mock_events | |
|
||||
| Cognito Identity | @mock_cognitoidentity | |
|
||||
| Cognito Identity Provider | @mock_cognitoidp | |
|
||||
| Config | @mock_config | |
|
||||
| Data Pipeline | @mock_datapipeline | |
|
||||
| DynamoDB | @mock_dynamodb | API 20111205. Deprecated. |
|
||||
| DynamoDB2 | @mock_dynamodb2 | API 20120810 (Latest) |
|
||||
| EC2 | @mock_ec2 | |
|
||||
| ECR | @mock_ecr | |
|
||||
| ECS | @mock_ecs | |
|
||||
| ELB | @mock_elb | |
|
||||
| ELBv2 | @mock_elbv2 | |
|
||||
| EMR | @mock_emr | |
|
||||
| EMRContainer | @mock_emrcontainers | |
|
||||
| Forecast | @mock_forecast | |
|
||||
| Glacier | @mock_glacier | |
|
||||
| Glue | @mock_glue | |
|
||||
| IAM | @mock_iam | |
|
||||
| IoT | @mock_iot | |
|
||||
| IoT data | @mock_iotdata | |
|
||||
| Kinesis | @mock_kinesis | |
|
||||
| KMS | @mock_kms | |
|
||||
| Lambda | @mock_lambda | Invoking Lambdas requires docker |
|
||||
| Logs | @mock_logs | |
|
||||
| Organizations | @mock_organizations | |
|
||||
| Polly | @mock_polly | |
|
||||
| RAM | @mock_ram | |
|
||||
| RDS | @mock_rds | |
|
||||
| RDS2 | @mock_rds2 | |
|
||||
| Redshift | @mock_redshift | |
|
||||
| Route53 | @mock_route53 | |
|
||||
| S3 | @mock_s3 | |
|
||||
| SecretsManager | @mock_secretsmanager | |
|
||||
| SES | @mock_ses | |
|
||||
| SNS | @mock_sns | |
|
||||
| SQS | @mock_sqs | |
|
||||
| SSM | @mock_ssm | |
|
||||
| Step Functions | @mock_stepfunctions | |
|
||||
| STS | @mock_sts | |
|
||||
| SWF | @mock_swf | |
|
||||
| X-Ray | @mock_xray | |
|
||||
|
||||
For a full list of endpoint [implementation coverage](https://github.com/spulec/moto/blob/master/IMPLEMENTATION_COVERAGE.md)
|
||||
### Documentation
|
||||
The full documentation can be found here:
|
||||
|
||||
### 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/iam/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 pytest 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'
|
||||
```
|
||||
|
||||
### Example on unittest usage?
|
||||
|
||||
If you use [`unittest`](https://docs.python.org/3/library/unittest.html) to run tests, and you want to use `moto` inside `setUp` or `setUpClass`, you can do it with `.start()` and `.stop()` like:
|
||||
|
||||
```python
|
||||
import unittest
|
||||
from moto import mock_s3
|
||||
import boto3
|
||||
|
||||
def func_to_test(bucket_name, key, content):
|
||||
s3 = boto3.resource('s3')
|
||||
object = s3.Object(bucket_name, key)
|
||||
object.put(Body=content)
|
||||
|
||||
class MyTest(unittest.TestCase):
|
||||
mock_s3 = mock_s3()
|
||||
bucket_name = 'test-bucket'
|
||||
def setUp(self):
|
||||
self.mock_s3.start()
|
||||
|
||||
# you can use boto3.client('s3') if you prefer
|
||||
s3 = boto3.resource('s3')
|
||||
bucket = s3.Bucket(self.bucket_name)
|
||||
bucket.create(
|
||||
CreateBucketConfiguration={
|
||||
'LocationConstraint': 'af-south-1'
|
||||
})
|
||||
|
||||
def tearDown(self):
|
||||
self.mock_s3.stop()
|
||||
|
||||
def test(self):
|
||||
content = b"abc"
|
||||
key = '/path/to/obj'
|
||||
|
||||
# run the file which uploads to S3
|
||||
func_to_test(self.bucket_name, key, content)
|
||||
|
||||
# check the file was uploaded as expected
|
||||
s3 = boto3.resource('s3')
|
||||
object = s3.Object(self.bucket_name, key)
|
||||
actual = object.get()['Body'].read()
|
||||
self.assertEqual(actual, content)
|
||||
```
|
||||
|
||||
If your test `unittest.TestCase` has only one test method,
|
||||
and you don't need to create AWS resources in `setUp`,
|
||||
you can use the context manager (`with mock_s3():`) within that function,
|
||||
or apply the decorator to that method, instead of `.start()` and `.stop()`.
|
||||
That is simpler, however you then cannot share resource setup code (e.g. S3 bucket creation) between tests.
|
||||
|
||||
### 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.
|
||||
|
||||
## Releases
|
||||
|
||||
Releases are done from Gitlab Actions. Fairly closely following this:
|
||||
https://packaging.python.org/guides/publishing-package-distribution-releases-using-github-actions-ci-cd-workflows/
|
||||
|
||||
- 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/)
|
@ -30,7 +30,9 @@ import shlex
|
||||
# Add any Sphinx extension module names here, as strings. They can be
|
||||
# extensions coming with Sphinx (named 'sphinx.ext.*') or your custom
|
||||
# ones.
|
||||
extensions = []
|
||||
extensions = [
|
||||
'sphinx.ext.autosectionlabel'
|
||||
]
|
||||
|
||||
# Add any paths that contain templates here, relative to this directory.
|
||||
templates_path = ["_templates"]
|
||||
|
134
docs/docs/aws_config.rst
Normal file
134
docs/docs/aws_config.rst
Normal file
@ -0,0 +1,134 @@
|
||||
.. _aws_config:
|
||||
|
||||
|
||||
AWS Config Support
|
||||
##################
|
||||
|
||||
An experimental feature for AWS Config has been developed to provide AWS Config capabilities in your unit tests.
|
||||
This feature is experimental as there are many services that are not yet supported and will require the community to add them in
|
||||
over time. This page details how the feature works and how you can use it.
|
||||
|
||||
What is this and why would I use this?
|
||||
**************************************
|
||||
|
||||
AWS Config is an AWS service that describes your AWS resource types and can track their changes over time. At this time, moto does not
|
||||
have support for handling the configuration history changes, but it does have a few methods mocked out that can be immensely useful
|
||||
for unit testing.
|
||||
|
||||
If you are developing automation that needs to pull against AWS Config, then this will help you write tests that can simulate your
|
||||
code in production.
|
||||
|
||||
How does this work?
|
||||
*******************
|
||||
|
||||
The AWS Config capabilities in moto work by examining the state of resources that are created within moto, and then returning that data
|
||||
in the way that AWS Config would return it (sans history). This will work by querying all of the moto backends (regions) for a given
|
||||
resource type.
|
||||
|
||||
However, this will only work on resource types that have this enabled.
|
||||
|
||||
Current enabled resource types
|
||||
===============================
|
||||
|
||||
#. S3 (all)
|
||||
#. IAM (Role, Policy)
|
||||
|
||||
Developer Guide
|
||||
***************
|
||||
|
||||
There are several pieces to this for adding new capabilities to moto:
|
||||
|
||||
#. Listing resources
|
||||
#. Describing resources
|
||||
|
||||
For both, there are a number of pre-requisites:
|
||||
|
||||
Base Components
|
||||
===============
|
||||
|
||||
In the `moto/core/models.py` file is a class named `ConfigQueryModel`. This is a base class that keeps track of all the
|
||||
resource type backends.
|
||||
|
||||
At a minimum, resource types that have this enabled will have:
|
||||
|
||||
#. A `config.py` file that will import the resource type backends (from the `__init__.py`)
|
||||
#. In the resource's `config.py`, an implementation of the `ConfigQueryModel` class with logic unique to the resource type
|
||||
#. An instantiation of the `ConfigQueryModel`
|
||||
#. In the `moto/config/models.py` file, import the `ConfigQueryModel` instantiation, and update `RESOURCE_MAP` to have a mapping of the AWS Config resource type to the instantiation on the previous step (just imported).
|
||||
|
||||
An example of the above is implemented for S3. You can see that by looking at:
|
||||
|
||||
#. `moto/s3/config.py`
|
||||
#. `moto/config/models.py`
|
||||
|
||||
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.
|
||||
|
||||
- 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.
|
||||
|
||||
- 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.
|
||||
|
||||
But for most resource types the following is true:
|
||||
|
||||
#. There are regional backends with their own sets of data
|
||||
#. Config aggregation can pull data from any backend region -- we assume that everything lives in the same account
|
||||
|
||||
Implementing the listing capability will be different for each resource type. At a minimum, you will need to return a `List` of `Dict` that look like this:
|
||||
|
||||
.. sourcecode:: python
|
||||
|
||||
[
|
||||
{
|
||||
'type': 'AWS::The AWS Config data type',
|
||||
'name': 'The name of the resource',
|
||||
'id': 'The ID of the resource',
|
||||
'region': 'The region of the resource -- if global, then you may want to have the calling logic pass in the
|
||||
aggregator region in for the resource region -- or just us-east-1 :P'
|
||||
}
|
||||
, ...
|
||||
]
|
||||
|
||||
|
||||
It's recommended to read the comment for the `ConfigQueryModel`'s `list_config_service_resources` function in [base class here](moto/core/models.py).
|
||||
|
||||
^^ The AWS Config code will see this and format it correct for both aggregated and non-aggregated calls.
|
||||
|
||||
General implementation tips
|
||||
===========================
|
||||
The aggregation and non-aggregation querying can and should just use the same overall logic. The differences are:
|
||||
|
||||
1. Non-aggregated listing will specify the region-name of the resource backend `backend_region`
|
||||
1. Aggregated listing will need to be able to list resource types across ALL backends and filter optionally by passing in `resource_region`.
|
||||
|
||||
An example of a working implementation of this is `S3 <https://github.com/spulec/moto/blob/master/moto/s3/config.py>`_.
|
||||
|
||||
Pagination should generally be able to pull out the resource across any region so should be sharded by `region-item-name` -- not done for S3
|
||||
because S3 has a globally unique name space.
|
||||
|
||||
Describing Resources
|
||||
====================
|
||||
|
||||
Fetching a resource's configuration has some similarities to listing resources, but it requires more work (to implement). Due to the
|
||||
various ways that a resource can be configured, some work will need to be done to ensure that the Config dict returned is correct.
|
||||
|
||||
For most resource types the following is true:
|
||||
|
||||
1. There are regional backends with their own sets of data
|
||||
1. Config aggregation can pull data from any backend region -- we assume that everything lives in the same account
|
||||
|
||||
The current implementation is for S3. S3 is very complex and depending on how the bucket is configured will depend on what Config will
|
||||
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 `the base class <https://github.com/spulec/moto/blob/master/moto/core/models.py>`_.
|
38
docs/docs/boto.rst
Normal file
38
docs/docs/boto.rst
Normal file
@ -0,0 +1,38 @@
|
||||
.. _boto:
|
||||
|
||||
=============
|
||||
Boto vs Boto3
|
||||
=============
|
||||
|
||||
Boto3 is the latest Python SDK, and as such the SDK targeted by Moto. All our `@mock_`-decorators should be usable against any boto3-version.
|
||||
|
||||
Still stuck on boto, the former SDK? Moto does have some support, in the form of our deprecated services:
|
||||
|
||||
.. sourcecode:: 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:
|
||||
|
||||
.. sourcecode:: python
|
||||
|
||||
from moto import mock_ec2_deprecated as mock_ec2_b2
|
||||
from moto import mock_ec2
|
||||
|
||||
If you want to use Server Mode, the easiest way is to create a boto config file (`~/.boto`) with the following values:
|
||||
|
||||
.. code-block:: bash
|
||||
|
||||
[Boto]
|
||||
is_secure = False
|
||||
https_validate_certificates = False
|
||||
proxy_port = 5000
|
||||
proxy = 127.0.0.1
|
@ -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}
|
@ -7,7 +7,7 @@ Getting Started with Moto
|
||||
Installing Moto
|
||||
---------------
|
||||
|
||||
You can use ``pip`` to install the latest released version of ``moto``::
|
||||
You can use ``pip`` to install the latest released version of ``moto``, and specify which service(s) you will use::
|
||||
|
||||
pip install moto[ec2,s3,..]
|
||||
|
||||
@ -23,6 +23,7 @@ If you want to install ``moto`` from source::
|
||||
cd moto
|
||||
python setup.py install
|
||||
|
||||
|
||||
Moto usage
|
||||
----------
|
||||
|
||||
@ -41,7 +42,7 @@ For example, we have the following code we want to test:
|
||||
s3 = boto3.client('s3', region_name='us-east-1')
|
||||
s3.put_object(Bucket='mybucket', Key=self.name, Body=self.value)
|
||||
|
||||
There are several ways to do this, but you should keep in mind that Moto creates a full, blank environment.
|
||||
There are several ways to verify that the value will be persisted successfully.
|
||||
|
||||
Decorator
|
||||
~~~~~~~~~
|
||||
@ -112,6 +113,72 @@ You can also start and stop the mocking manually.
|
||||
|
||||
mock.stop()
|
||||
|
||||
Unittest usage
|
||||
~~~~~~~~~~~~~~
|
||||
|
||||
If you use `unittest`_ to run tests, and you want to use `moto` inside `setUp`, you can do it with `.start()` and `.stop()` like:
|
||||
|
||||
.. sourcecode:: python
|
||||
|
||||
import unittest
|
||||
from moto import mock_s3
|
||||
import boto3
|
||||
|
||||
def func_to_test(bucket_name, key, content):
|
||||
s3 = boto3.resource('s3')
|
||||
object = s3.Object(bucket_name, key)
|
||||
object.put(Body=content)
|
||||
|
||||
class MyTest(unittest.TestCase):
|
||||
mock_s3 = mock_s3()
|
||||
bucket_name = 'test-bucket'
|
||||
def setUp(self):
|
||||
self.mock_s3.start()
|
||||
|
||||
# you can use boto3.client('s3') if you prefer
|
||||
s3 = boto3.resource('s3')
|
||||
bucket = s3.Bucket(self.bucket_name)
|
||||
bucket.create()
|
||||
|
||||
def tearDown(self):
|
||||
self.mock_s3.stop()
|
||||
|
||||
def test(self):
|
||||
content = b"abc"
|
||||
key = '/path/to/obj'
|
||||
|
||||
# run the file which uploads to S3
|
||||
func_to_test(self.bucket_name, key, content)
|
||||
|
||||
# check the file was uploaded as expected
|
||||
s3 = boto3.resource('s3')
|
||||
object = s3.Object(self.bucket_name, key)
|
||||
actual = object.get()['Body'].read()
|
||||
self.assertEqual(actual, content)
|
||||
|
||||
|
||||
It is possible to use Moto as a class-decorator.
|
||||
Note that this may behave differently then you might expected - it currently creates a global state on class-level, rather than on method-level.
|
||||
|
||||
.. sourcecode:: python
|
||||
|
||||
@mock_s3
|
||||
class TestMockClassLevel(unittest.TestCase):
|
||||
def create_my_bucket(self):
|
||||
s3 = boto3.resource('s3')
|
||||
bucket = s3.Bucket("mybucket")
|
||||
bucket.create()
|
||||
|
||||
def test_1_should_create_bucket(self):
|
||||
self.create_my_bucket()
|
||||
|
||||
client = boto3.client("s3")
|
||||
assert len(client.list_buckets()["Buckets"]) == 1
|
||||
|
||||
def test_2_bucket_still_exists(self):
|
||||
client = boto3.client("s3")
|
||||
assert len(client.list_buckets()["Buckets"]) == 1
|
||||
|
||||
Stand-alone server mode
|
||||
~~~~~~~~~~~~~~~~~~~~~~~
|
||||
|
||||
@ -119,7 +186,95 @@ Moto also comes with a stand-alone server allowing you to mock out an AWS HTTP e
|
||||
|
||||
.. sourcecode:: bash
|
||||
|
||||
$ moto_server ec2 -p3000
|
||||
$ moto_server -p3000
|
||||
* Running on http://127.0.0.1:3000/
|
||||
|
||||
However, this method isn't encouraged if you're using ``boto``, the best solution would be to use a decorator method.
|
||||
However, this method isn't encouraged if you're using ``boto3``, the best solution would be to use a decorator method.
|
||||
See :ref:`Non-Python SDK's` for more information.
|
||||
|
||||
Recommended Usage
|
||||
-----------------
|
||||
There are some important caveats to be aware of when using moto:
|
||||
|
||||
How do I avoid tests from mutating my real infrastructure
|
||||
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
||||
You need to ensure that the mocks are actually in place.
|
||||
|
||||
#. Ensure that your tests have dummy environment variables set up:
|
||||
|
||||
.. sourcecode:: bash
|
||||
|
||||
export AWS_ACCESS_KEY_ID='testing'
|
||||
export AWS_SECRET_ACCESS_KEY='testing'
|
||||
export AWS_SECURITY_TOKEN='testing'
|
||||
export AWS_SESSION_TOKEN='testing'
|
||||
|
||||
#. **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`_, you can leverage `pytest fixtures`_ to help set up your mocks and other AWS resources that you would need.
|
||||
|
||||
Here is an example:
|
||||
|
||||
.. sourcecode:: 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')
|
||||
|
||||
|
||||
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:
|
||||
|
||||
.. sourcecode:: 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:
|
||||
|
||||
.. sourcecode:: 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.
|
||||
|
||||
.. _unittest: https://docs.python.org/3/library/unittest.html
|
||||
.. _pytest: https://pytest.org/en/latest/
|
||||
.. _pytest fixtures: https://pytest.org/en/latest/fixture.html#fixture
|
47
docs/docs/iam.rst
Normal file
47
docs/docs/iam.rst
Normal file
@ -0,0 +1,47 @@
|
||||
.. _iam access control:
|
||||
|
||||
=======================
|
||||
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 `the source code <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.
|
||||
|
||||
.. sourcecode:: 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.
|
@ -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/
|
@ -1,31 +1,29 @@
|
||||
.. _server_mode:
|
||||
|
||||
===========
|
||||
Server mode
|
||||
===========
|
||||
================
|
||||
Non-Python SDK's
|
||||
================
|
||||
|
||||
Moto has a stand-alone server mode. This allows you to utilize
|
||||
the backend structure of Moto even if you don't use Python.
|
||||
Moto has a stand-alone server mode. This allows you to use Moto with any of the official AWS SDK's.
|
||||
|
||||
It uses flask, which isn't a default dependency. You can install the
|
||||
server 'extra' package with:
|
||||
Install the required dependencies using:
|
||||
|
||||
.. code:: bash
|
||||
|
||||
pip install moto[server]
|
||||
|
||||
|
||||
You can then start it running a service:
|
||||
You can then start it like this:
|
||||
|
||||
.. code:: bash
|
||||
|
||||
$ moto_server ec2
|
||||
$ moto_server
|
||||
|
||||
You can also pass the port:
|
||||
|
||||
.. code-block:: bash
|
||||
|
||||
$ moto_server ec2 -p3000
|
||||
$ moto_server -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
|
||||
@ -34,33 +32,84 @@ interfaces with 0.0.0.0:
|
||||
|
||||
.. code-block:: bash
|
||||
|
||||
$ moto_server ec2 -H 0.0.0.0
|
||||
$ moto_server -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).
|
||||
To use Moto in your tests, you can pass an `endpoint_url` to the SDK of your choice.
|
||||
|
||||
If you want to use boto3 with this, you can pass an `endpoint_url` to the resource
|
||||
In Python:
|
||||
|
||||
.. code-block:: python
|
||||
|
||||
boto3.resource(
|
||||
service_name='s3',
|
||||
region_name='us-west-1',
|
||||
endpoint_url='http://localhost:5000',
|
||||
endpoint_url='http://localhost:5000'
|
||||
)
|
||||
|
||||
Other languages
|
||||
---------------
|
||||
In Java:
|
||||
|
||||
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:
|
||||
.. code-block:: java
|
||||
|
||||
AmazonSQS sqs = new AmazonSQSClient();
|
||||
sqs.setRegion(Region.getRegion(Regions.US_WEST_2));
|
||||
sqs.setEndpoint("http://localhost:5000");
|
||||
|
||||
In Scala:
|
||||
|
||||
.. code-block:: scala
|
||||
|
||||
val region = Region.getRegion(Regions.US_WEST_2).getName
|
||||
val serviceEndpoint = "http://localhost:5000"
|
||||
val config = new AwsClientBuilder.EndpointConfiguration(serviceEndpoint, region)
|
||||
val amazonSqs = AmazonSQSClientBuilder.standard().withEndpointConfiguration(config).build
|
||||
|
||||
In Terraform:
|
||||
|
||||
.. code-block::
|
||||
|
||||
provider "aws" {
|
||||
region = "us-east-1"
|
||||
skip_credentials_validation = true
|
||||
skip_metadata_api_check = true
|
||||
skip_requesting_account_id = true
|
||||
s3_force_path_style = true
|
||||
|
||||
endpoints {
|
||||
lambda = "http://localhost:5000"
|
||||
}
|
||||
}
|
||||
|
||||
See the `Terraform Docs`_ for more information.
|
||||
|
||||
Examples
|
||||
--------
|
||||
|
||||
Here are some more examples:
|
||||
|
||||
* `Java`_
|
||||
* `Ruby`_
|
||||
* `Javascript`_
|
||||
|
||||
|
||||
Dashboard
|
||||
---------
|
||||
|
||||
Moto comes with a dashboard to view the current state of the system::
|
||||
|
||||
http://localhost:5000/moto-api/
|
||||
|
||||
|
||||
Reset API
|
||||
---------
|
||||
|
||||
An internal API endpoint is provided to reset the state of all of the backends. This will remove all S3 buckets, EC2 servers, etc.::
|
||||
|
||||
requests.post("http://motoapi.amazonaws.com/moto-api/reset")
|
||||
|
||||
Install with Homebrew
|
||||
---------------------
|
||||
|
||||
@ -80,8 +129,19 @@ you can run:
|
||||
|
||||
brew services start moto
|
||||
|
||||
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:
|
||||
|
||||
#. `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.
|
||||
|
||||
|
||||
.. _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
|
||||
.. _Homebrew: https://brew.sh
|
||||
.. _Terraform Docs: https://registry.terraform.io/providers/hashicorp/aws/latest/docs/guides/custom-service-endpoints
|
||||
|
24
docs/docs/services/acm.rst
Normal file
24
docs/docs/services/acm.rst
Normal file
@ -0,0 +1,24 @@
|
||||
.. _implementedservice_acm:
|
||||
|
||||
===
|
||||
acm
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [X] add_tags_to_certificate
|
||||
- [X] delete_certificate
|
||||
- [ ] describe_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
|
||||
- [ ] resend_validation_email
|
||||
- [ ] update_certificate_options
|
||||
|
129
docs/docs/services/apigateway.rst
Normal file
129
docs/docs/services/apigateway.rst
Normal file
@ -0,0 +1,129 @@
|
||||
.. _implementedservice_apigateway:
|
||||
|
||||
==========
|
||||
apigateway
|
||||
==========
|
||||
|
||||
|
||||
|
||||
- [X] create_api_key
|
||||
- [X] create_authorizer
|
||||
- [X] create_base_path_mapping
|
||||
- [X] create_deployment
|
||||
- [ ] create_documentation_part
|
||||
- [ ] create_documentation_version
|
||||
- [X] create_domain_name
|
||||
- [X] create_model
|
||||
- [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
|
||||
- [X] delete_api_key
|
||||
- [X] delete_authorizer
|
||||
- [ ] delete_base_path_mapping
|
||||
- [ ] delete_client_certificate
|
||||
- [X] delete_deployment
|
||||
- [ ] delete_documentation_part
|
||||
- [ ] delete_documentation_version
|
||||
- [X] delete_domain_name
|
||||
- [ ] delete_gateway_response
|
||||
- [X] delete_integration
|
||||
- [X] delete_integration_response
|
||||
- [X] delete_method
|
||||
- [X] delete_method_response
|
||||
- [ ] delete_model
|
||||
- [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
|
||||
- [ ] flush_stage_authorizers_cache
|
||||
- [ ] flush_stage_cache
|
||||
- [ ] generate_client_certificate
|
||||
- [ ] get_account
|
||||
- [X] get_api_key
|
||||
- [X] get_api_keys
|
||||
- [X] get_authorizer
|
||||
- [X] get_authorizers
|
||||
- [X] get_base_path_mapping
|
||||
- [X] get_base_path_mappings
|
||||
- [ ] get_client_certificate
|
||||
- [ ] get_client_certificates
|
||||
- [X] get_deployment
|
||||
- [X] get_deployments
|
||||
- [ ] get_documentation_part
|
||||
- [ ] get_documentation_parts
|
||||
- [ ] get_documentation_version
|
||||
- [ ] get_documentation_versions
|
||||
- [X] get_domain_name
|
||||
- [X] get_domain_names
|
||||
- [ ] get_export
|
||||
- [ ] get_gateway_response
|
||||
- [ ] get_gateway_responses
|
||||
- [X] get_integration
|
||||
- [X] get_integration_response
|
||||
- [X] get_method
|
||||
- [X] get_method_response
|
||||
- [X] get_model
|
||||
- [ ] get_model_template
|
||||
- [X] get_models
|
||||
- [X] get_request_validator
|
||||
- [X] get_request_validators
|
||||
- [X] get_resource
|
||||
- [ ] get_resources
|
||||
- [X] get_rest_api
|
||||
- [ ] get_rest_apis
|
||||
- [ ] get_sdk
|
||||
- [ ] get_sdk_type
|
||||
- [ ] get_sdk_types
|
||||
- [X] get_stage
|
||||
- [X] get_stages
|
||||
- [ ] get_tags
|
||||
- [ ] get_usage
|
||||
- [X] get_usage_plan
|
||||
- [X] get_usage_plan_key
|
||||
- [X] get_usage_plan_keys
|
||||
- [X] get_usage_plans
|
||||
- [ ] get_vpc_link
|
||||
- [ ] 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
|
||||
- [ ] put_rest_api
|
||||
- [ ] tag_resource
|
||||
- [ ] test_invoke_authorizer
|
||||
- [ ] test_invoke_method
|
||||
- [ ] untag_resource
|
||||
- [ ] update_account
|
||||
- [X] update_api_key
|
||||
- [X] update_authorizer
|
||||
- [ ] update_base_path_mapping
|
||||
- [ ] update_client_certificate
|
||||
- [ ] update_deployment
|
||||
- [ ] update_documentation_part
|
||||
- [ ] update_documentation_version
|
||||
- [X] update_domain_name
|
||||
- [ ] update_gateway_response
|
||||
- [ ] update_integration
|
||||
- [ ] update_integration_response
|
||||
- [X] update_method
|
||||
- [X] update_method_response
|
||||
- [ ] update_model
|
||||
- [X] update_request_validator
|
||||
- [ ] update_resource
|
||||
- [X] update_rest_api
|
||||
- [X] update_stage
|
||||
- [ ] update_usage
|
||||
- [X] update_usage_plan
|
||||
- [ ] update_vpc_link
|
||||
|
25
docs/docs/services/application-autoscaling.rst
Normal file
25
docs/docs/services/application-autoscaling.rst
Normal file
@ -0,0 +1,25 @@
|
||||
.. _implementedservice_application-autoscaling:
|
||||
|
||||
=======================
|
||||
application-autoscaling
|
||||
=======================
|
||||
|
||||
|
||||
|
||||
- [X] delete_scaling_policy
|
||||
- [ ] delete_scheduled_action
|
||||
- [X] deregister_scalable_target
|
||||
Registers or updates a scalable target.
|
||||
|
||||
- [X] describe_scalable_targets
|
||||
Describe scalable targets.
|
||||
|
||||
- [ ] describe_scaling_activities
|
||||
- [X] describe_scaling_policies
|
||||
- [ ] describe_scheduled_actions
|
||||
- [X] put_scaling_policy
|
||||
- [ ] put_scheduled_action
|
||||
- [X] register_scalable_target
|
||||
Registers or updates a scalable target.
|
||||
|
||||
|
43
docs/docs/services/athena.rst
Normal file
43
docs/docs/services/athena.rst
Normal file
@ -0,0 +1,43 @@
|
||||
.. _implementedservice_athena:
|
||||
|
||||
======
|
||||
athena
|
||||
======
|
||||
|
||||
|
||||
|
||||
- [ ] batch_get_named_query
|
||||
- [ ] batch_get_query_execution
|
||||
- [ ] 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_data_catalog
|
||||
- [ ] get_database
|
||||
- [X] get_named_query
|
||||
- [ ] get_prepared_statement
|
||||
- [ ] get_query_execution
|
||||
- [ ] get_query_results
|
||||
- [ ] get_table_metadata
|
||||
- [X] get_work_group
|
||||
- [ ] 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
|
||||
|
70
docs/docs/services/autoscaling.rst
Normal file
70
docs/docs/services/autoscaling.rst
Normal file
@ -0,0 +1,70 @@
|
||||
.. _implementedservice_autoscaling:
|
||||
|
||||
===========
|
||||
autoscaling
|
||||
===========
|
||||
|
||||
|
||||
|
||||
- [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
|
||||
- [X] delete_lifecycle_hook
|
||||
- [ ] delete_notification_configuration
|
||||
- [X] delete_policy
|
||||
- [ ] delete_scheduled_action
|
||||
- [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
|
||||
- [X] describe_lifecycle_hooks
|
||||
- [X] describe_load_balancer_target_groups
|
||||
- [X] describe_load_balancers
|
||||
- [ ] describe_metric_collection_types
|
||||
- [ ] describe_notification_configurations
|
||||
- [X] describe_policies
|
||||
- [ ] describe_scaling_activities
|
||||
- [ ] describe_scaling_process_types
|
||||
- [ ] describe_scheduled_actions
|
||||
- [ ] describe_tags
|
||||
- [ ] describe_termination_policy_types
|
||||
- [ ] describe_warm_pool
|
||||
- [X] detach_instances
|
||||
- [X] detach_load_balancer_target_groups
|
||||
- [X] detach_load_balancers
|
||||
- [ ] disable_metrics_collection
|
||||
- [ ] enable_metrics_collection
|
||||
- [ ] 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
|
||||
- [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
|
||||
|
58
docs/docs/services/batch.rst
Normal file
58
docs/docs/services/batch.rst
Normal file
@ -0,0 +1,58 @@
|
||||
.. _implementedservice_batch:
|
||||
|
||||
=====
|
||||
batch
|
||||
=====
|
||||
|
||||
|
||||
|
||||
- [X] cancel_job
|
||||
- [X] create_compute_environment
|
||||
- [X] create_job_queue
|
||||
|
||||
Create a job queue
|
||||
|
||||
:param queue_name: Queue name
|
||||
:type queue_name: str
|
||||
:param priority: Queue priority
|
||||
:type priority: int
|
||||
:param state: Queue state
|
||||
:type state: string
|
||||
:param compute_env_order: Compute environment list
|
||||
:type compute_env_order: list of dict
|
||||
:return: Tuple of Name, ARN
|
||||
:rtype: tuple of str
|
||||
|
||||
|
||||
- [X] delete_compute_environment
|
||||
- [X] delete_job_queue
|
||||
- [X] deregister_job_definition
|
||||
- [X] describe_compute_environments
|
||||
- [X] describe_job_definitions
|
||||
- [X] describe_job_queues
|
||||
- [X] describe_jobs
|
||||
- [X] list_jobs
|
||||
- [ ] list_tags_for_resource
|
||||
- [X] register_job_definition
|
||||
- [X] submit_job
|
||||
- [ ] tag_resource
|
||||
- [X] terminate_job
|
||||
- [ ] untag_resource
|
||||
- [X] update_compute_environment
|
||||
- [X] update_job_queue
|
||||
|
||||
Update a job queue
|
||||
|
||||
:param queue_name: Queue name
|
||||
:type queue_name: str
|
||||
:param priority: Queue priority
|
||||
:type priority: int
|
||||
:param state: Queue state
|
||||
:type state: string
|
||||
:param compute_env_order: Compute environment list
|
||||
:type compute_env_order: list of dict
|
||||
:return: Tuple of Name, ARN
|
||||
:rtype: tuple of str
|
||||
|
||||
|
||||
|
74
docs/docs/services/cloudformation.rst
Normal file
74
docs/docs/services/cloudformation.rst
Normal file
@ -0,0 +1,74 @@
|
||||
.. _implementedservice_cloudformation:
|
||||
|
||||
==============
|
||||
cloudformation
|
||||
==============
|
||||
|
||||
|
||||
|
||||
- [ ] 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
|
||||
- [X] delete_stack_set
|
||||
- [ ] deregister_type
|
||||
- [ ] describe_account_limits
|
||||
- [X] describe_change_set
|
||||
- [ ] describe_publisher
|
||||
- [ ] describe_stack_drift_detection_status
|
||||
- [ ] describe_stack_events
|
||||
- [ ] describe_stack_instance
|
||||
- [ ] describe_stack_resource
|
||||
- [ ] describe_stack_resource_drifts
|
||||
- [ ] describe_stack_resources
|
||||
- [ ] describe_stack_set
|
||||
- [ ] describe_stack_set_operation
|
||||
- [X] describe_stacks
|
||||
- [ ] describe_type
|
||||
- [ ] describe_type_registration
|
||||
- [ ] detect_stack_drift
|
||||
- [ ] detect_stack_resource_drift
|
||||
- [ ] detect_stack_set_drift
|
||||
- [ ] estimate_template_cost
|
||||
- [X] execute_change_set
|
||||
- [ ] get_stack_policy
|
||||
- [ ] get_template
|
||||
- [ ] get_template_summary
|
||||
- [ ] import_stacks_to_stack_set
|
||||
- [X] list_change_sets
|
||||
- [X] list_exports
|
||||
- [ ] list_imports
|
||||
- [ ] list_stack_instances
|
||||
- [X] list_stack_resources
|
||||
- [ ] list_stack_set_operation_results
|
||||
- [ ] list_stack_set_operations
|
||||
- [ ] list_stack_sets
|
||||
- [X] list_stacks
|
||||
- [ ] list_type_registrations
|
||||
- [ ] list_type_versions
|
||||
- [ ] list_types
|
||||
- [ ] publish_type
|
||||
- [ ] record_handler_progress
|
||||
- [ ] register_publisher
|
||||
- [ ] register_type
|
||||
- [ ] rollback_stack
|
||||
- [ ] 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
|
||||
- [ ] update_termination_protection
|
||||
- [X] validate_template
|
||||
|
27
docs/docs/services/cloudtrail.rst
Normal file
27
docs/docs/services/cloudtrail.rst
Normal file
@ -0,0 +1,27 @@
|
||||
.. _implementedservice_cloudtrail:
|
||||
|
||||
==========
|
||||
cloudtrail
|
||||
==========
|
||||
|
||||
Implementation of CloudTrail APIs.
|
||||
|
||||
- [ ] add_tags
|
||||
- [X] create_trail
|
||||
- [X] delete_trail
|
||||
- [X] describe_trails
|
||||
- [ ] get_event_selectors
|
||||
- [ ] get_insight_selectors
|
||||
- [X] get_trail
|
||||
- [X] get_trail_status
|
||||
- [ ] list_public_keys
|
||||
- [ ] list_tags
|
||||
- [X] list_trails
|
||||
- [ ] lookup_events
|
||||
- [ ] put_event_selectors
|
||||
- [ ] put_insight_selectors
|
||||
- [ ] remove_tags
|
||||
- [X] start_logging
|
||||
- [X] stop_logging
|
||||
- [ ] update_trail
|
||||
|
45
docs/docs/services/cloudwatch.rst
Normal file
45
docs/docs/services/cloudwatch.rst
Normal file
@ -0,0 +1,45 @@
|
||||
.. _implementedservice_cloudwatch:
|
||||
|
||||
==========
|
||||
cloudwatch
|
||||
==========
|
||||
|
||||
|
||||
|
||||
- [X] delete_alarms
|
||||
- [ ] delete_anomaly_detector
|
||||
- [X] delete_dashboards
|
||||
- [ ] delete_insight_rules
|
||||
- [ ] delete_metric_stream
|
||||
- [ ] describe_alarm_history
|
||||
- [ ] describe_alarms
|
||||
- [ ] describe_alarms_for_metric
|
||||
- [ ] describe_anomaly_detectors
|
||||
- [ ] describe_insight_rules
|
||||
- [ ] disable_alarm_actions
|
||||
- [ ] disable_insight_rules
|
||||
- [ ] enable_alarm_actions
|
||||
- [ ] enable_insight_rules
|
||||
- [X] get_dashboard
|
||||
- [ ] 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
|
||||
- [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
|
||||
- [ ] start_metric_streams
|
||||
- [ ] stop_metric_streams
|
||||
- [X] tag_resource
|
||||
- [X] untag_resource
|
||||
|
86
docs/docs/services/codecommit.rst
Normal file
86
docs/docs/services/codecommit.rst
Normal file
@ -0,0 +1,86 @@
|
||||
.. _implementedservice_codecommit:
|
||||
|
||||
==========
|
||||
codecommit
|
||||
==========
|
||||
|
||||
|
||||
|
||||
- [ ] associate_approval_rule_template_with_repository
|
||||
- [ ] batch_associate_approval_rule_template_with_repositories
|
||||
- [ ] batch_describe_merge_conflicts
|
||||
- [ ] batch_disassociate_approval_rule_template_from_repositories
|
||||
- [ ] batch_get_commits
|
||||
- [ ] batch_get_repositories
|
||||
- [ ] create_approval_rule_template
|
||||
- [ ] create_branch
|
||||
- [ ] create_commit
|
||||
- [ ] create_pull_request
|
||||
- [ ] create_pull_request_approval_rule
|
||||
- [X] create_repository
|
||||
- [ ] create_unreferenced_merge_commit
|
||||
- [ ] delete_approval_rule_template
|
||||
- [ ] delete_branch
|
||||
- [ ] delete_comment_content
|
||||
- [ ] delete_file
|
||||
- [ ] delete_pull_request_approval_rule
|
||||
- [X] delete_repository
|
||||
- [ ] describe_merge_conflicts
|
||||
- [ ] describe_pull_request_events
|
||||
- [ ] disassociate_approval_rule_template_from_repository
|
||||
- [ ] evaluate_pull_request_approval_rules
|
||||
- [ ] get_approval_rule_template
|
||||
- [ ] get_blob
|
||||
- [ ] get_branch
|
||||
- [ ] get_comment
|
||||
- [ ] get_comment_reactions
|
||||
- [ ] get_comments_for_compared_commit
|
||||
- [ ] get_comments_for_pull_request
|
||||
- [ ] get_commit
|
||||
- [ ] get_differences
|
||||
- [ ] get_file
|
||||
- [ ] get_folder
|
||||
- [ ] get_merge_commit
|
||||
- [ ] get_merge_conflicts
|
||||
- [ ] get_merge_options
|
||||
- [ ] get_pull_request
|
||||
- [ ] get_pull_request_approval_states
|
||||
- [ ] get_pull_request_override_state
|
||||
- [X] get_repository
|
||||
- [ ] get_repository_triggers
|
||||
- [ ] list_approval_rule_templates
|
||||
- [ ] list_associated_approval_rule_templates_for_repository
|
||||
- [ ] list_branches
|
||||
- [ ] list_pull_requests
|
||||
- [ ] list_repositories
|
||||
- [ ] list_repositories_for_approval_rule_template
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] merge_branches_by_fast_forward
|
||||
- [ ] merge_branches_by_squash
|
||||
- [ ] merge_branches_by_three_way
|
||||
- [ ] merge_pull_request_by_fast_forward
|
||||
- [ ] merge_pull_request_by_squash
|
||||
- [ ] merge_pull_request_by_three_way
|
||||
- [ ] override_pull_request_approval_rules
|
||||
- [ ] post_comment_for_compared_commit
|
||||
- [ ] post_comment_for_pull_request
|
||||
- [ ] post_comment_reply
|
||||
- [ ] put_comment_reaction
|
||||
- [ ] put_file
|
||||
- [ ] put_repository_triggers
|
||||
- [ ] tag_resource
|
||||
- [ ] test_repository_triggers
|
||||
- [ ] untag_resource
|
||||
- [ ] update_approval_rule_template_content
|
||||
- [ ] update_approval_rule_template_description
|
||||
- [ ] update_approval_rule_template_name
|
||||
- [ ] update_comment
|
||||
- [ ] update_default_branch
|
||||
- [ ] update_pull_request_approval_rule_content
|
||||
- [ ] update_pull_request_approval_state
|
||||
- [ ] update_pull_request_description
|
||||
- [ ] update_pull_request_status
|
||||
- [ ] update_pull_request_title
|
||||
- [ ] update_repository_description
|
||||
- [ ] update_repository_name
|
||||
|
48
docs/docs/services/codepipeline.rst
Normal file
48
docs/docs/services/codepipeline.rst
Normal file
@ -0,0 +1,48 @@
|
||||
.. _implementedservice_codepipeline:
|
||||
|
||||
============
|
||||
codepipeline
|
||||
============
|
||||
|
||||
|
||||
|
||||
- [ ] acknowledge_job
|
||||
- [ ] acknowledge_third_party_job
|
||||
- [ ] create_custom_action_type
|
||||
- [X] create_pipeline
|
||||
- [ ] delete_custom_action_type
|
||||
- [X] delete_pipeline
|
||||
- [ ] delete_webhook
|
||||
- [ ] deregister_webhook_with_third_party
|
||||
- [ ] disable_stage_transition
|
||||
- [ ] enable_stage_transition
|
||||
- [ ] get_action_type
|
||||
- [ ] get_job_details
|
||||
- [X] get_pipeline
|
||||
- [ ] get_pipeline_execution
|
||||
- [ ] get_pipeline_state
|
||||
- [ ] get_third_party_job_details
|
||||
- [ ] list_action_executions
|
||||
- [ ] list_action_types
|
||||
- [ ] list_pipeline_executions
|
||||
- [X] list_pipelines
|
||||
- [X] list_tags_for_resource
|
||||
- [ ] list_webhooks
|
||||
- [ ] poll_for_jobs
|
||||
- [ ] poll_for_third_party_jobs
|
||||
- [ ] put_action_revision
|
||||
- [ ] put_approval_result
|
||||
- [ ] put_job_failure_result
|
||||
- [ ] put_job_success_result
|
||||
- [ ] put_third_party_job_failure_result
|
||||
- [ ] put_third_party_job_success_result
|
||||
- [ ] put_webhook
|
||||
- [ ] register_webhook_with_third_party
|
||||
- [ ] retry_stage_execution
|
||||
- [ ] start_pipeline_execution
|
||||
- [ ] stop_pipeline_execution
|
||||
- [X] tag_resource
|
||||
- [X] untag_resource
|
||||
- [ ] update_action_type
|
||||
- [X] update_pipeline
|
||||
|
32
docs/docs/services/cognito-identity.rst
Normal file
32
docs/docs/services/cognito-identity.rst
Normal file
@ -0,0 +1,32 @@
|
||||
.. _implementedservice_cognito-identity:
|
||||
|
||||
================
|
||||
cognito-identity
|
||||
================
|
||||
|
||||
|
||||
|
||||
- [X] create_identity_pool
|
||||
- [ ] delete_identities
|
||||
- [ ] delete_identity_pool
|
||||
- [ ] describe_identity
|
||||
- [X] describe_identity_pool
|
||||
- [X] get_credentials_for_identity
|
||||
- [X] get_id
|
||||
- [ ] get_identity_pool_roles
|
||||
- [X] get_open_id_token
|
||||
- [X] get_open_id_token_for_developer_identity
|
||||
- [ ] 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
|
||||
- [X] update_identity_pool
|
||||
|
118
docs/docs/services/cognito-idp.rst
Normal file
118
docs/docs/services/cognito-idp.rst
Normal file
@ -0,0 +1,118 @@
|
||||
.. _implementedservice_cognito-idp:
|
||||
|
||||
===========
|
||||
cognito-idp
|
||||
===========
|
||||
|
||||
|
||||
|
||||
- [X] add_custom_attributes
|
||||
- [X] admin_add_user_to_group
|
||||
- [X] admin_confirm_sign_up
|
||||
- [X] admin_create_user
|
||||
- [X] admin_delete_user
|
||||
- [X] admin_delete_user_attributes
|
||||
- [ ] admin_disable_provider_for_user
|
||||
- [X] admin_disable_user
|
||||
- [X] admin_enable_user
|
||||
- [ ] admin_forget_device
|
||||
- [ ] admin_get_device
|
||||
- [X] admin_get_user
|
||||
- [X] admin_initiate_auth
|
||||
- [ ] admin_link_provider_for_user
|
||||
- [ ] admin_list_devices
|
||||
- [X] admin_list_groups_for_user
|
||||
- [ ] admin_list_user_auth_events
|
||||
- [X] admin_remove_user_from_group
|
||||
- [X] admin_reset_user_password
|
||||
- [ ] admin_respond_to_auth_challenge
|
||||
- [ ] 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
|
||||
- [X] admin_user_global_sign_out
|
||||
- [X] associate_software_token
|
||||
- [X] change_password
|
||||
- [ ] confirm_device
|
||||
- [X] confirm_forgot_password
|
||||
- [X] confirm_sign_up
|
||||
- [X] create_group
|
||||
- [X] create_identity_provider
|
||||
- [X] create_resource_server
|
||||
- [ ] create_user_import_job
|
||||
- [X] create_user_pool
|
||||
- [X] create_user_pool_client
|
||||
- [X] create_user_pool_domain
|
||||
- [X] delete_group
|
||||
- [X] delete_identity_provider
|
||||
- [ ] delete_resource_server
|
||||
- [ ] delete_user
|
||||
- [ ] delete_user_attributes
|
||||
- [X] delete_user_pool
|
||||
- [X] delete_user_pool_client
|
||||
- [X] delete_user_pool_domain
|
||||
- [X] describe_identity_provider
|
||||
- [ ] describe_resource_server
|
||||
- [ ] describe_risk_configuration
|
||||
- [ ] describe_user_import_job
|
||||
- [X] describe_user_pool
|
||||
- [X] describe_user_pool_client
|
||||
- [X] describe_user_pool_domain
|
||||
- [ ] forget_device
|
||||
- [X] forgot_password
|
||||
The ForgotPassword operation is partially broken in AWS. If the input is 100% correct it works fine.
|
||||
Otherwise you get semi-random garbage and HTTP 200 OK, for example:
|
||||
- recovery for username which is not registered in any cognito pool
|
||||
- recovery for username belonging to a different user pool than the client id is registered to
|
||||
- phone-based recovery for a user without phone_number / phone_number_verified attributes
|
||||
- same as above, but email / email_verified
|
||||
|
||||
|
||||
- [ ] get_csv_header
|
||||
- [ ] get_device
|
||||
- [X] get_group
|
||||
- [ ] get_identity_provider_by_identifier
|
||||
- [ ] get_signing_certificate
|
||||
- [ ] get_ui_customization
|
||||
- [X] get_user
|
||||
- [ ] get_user_attribute_verification_code
|
||||
- [X] get_user_pool_mfa_config
|
||||
- [ ] global_sign_out
|
||||
- [X] initiate_auth
|
||||
- [ ] list_devices
|
||||
- [X] list_groups
|
||||
- [X] list_identity_providers
|
||||
- [ ] list_resource_servers
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] list_user_import_jobs
|
||||
- [X] list_user_pool_clients
|
||||
- [X] list_user_pools
|
||||
- [X] list_users
|
||||
- [X] list_users_in_group
|
||||
- [ ] resend_confirmation_code
|
||||
- [X] respond_to_auth_challenge
|
||||
- [ ] revoke_token
|
||||
- [ ] set_risk_configuration
|
||||
- [ ] set_ui_customization
|
||||
- [X] set_user_mfa_preference
|
||||
- [X] set_user_pool_mfa_config
|
||||
- [ ] set_user_settings
|
||||
- [X] sign_up
|
||||
- [ ] start_user_import_job
|
||||
- [ ] stop_user_import_job
|
||||
- [ ] tag_resource
|
||||
- [ ] untag_resource
|
||||
- [ ] update_auth_event_feedback
|
||||
- [ ] update_device_status
|
||||
- [ ] update_group
|
||||
- [X] update_identity_provider
|
||||
- [ ] update_resource_server
|
||||
- [ ] update_user_attributes
|
||||
- [X] update_user_pool
|
||||
- [X] update_user_pool_client
|
||||
- [X] update_user_pool_domain
|
||||
- [X] verify_software_token
|
||||
- [ ] verify_user_attribute
|
||||
|
176
docs/docs/services/config.rst
Normal file
176
docs/docs/services/config.rst
Normal file
@ -0,0 +1,176 @@
|
||||
.. _implementedservice_config:
|
||||
|
||||
======
|
||||
config
|
||||
======
|
||||
|
||||
|
||||
|
||||
- [X] batch_get_aggregate_resource_config
|
||||
Returns configuration of resource for current regional backend.
|
||||
|
||||
Item is returned in AWS Config format.
|
||||
|
||||
As far a moto goes -- the only real difference between this function
|
||||
and the `batch_get_resource_config` function is that this will require
|
||||
a Config Aggregator be set up a priori and can search based on resource
|
||||
regions.
|
||||
|
||||
Note: moto will IGNORE the resource account ID in the search query.
|
||||
|
||||
|
||||
- [X] batch_get_resource_config
|
||||
Returns configuration of resource for the current regional backend.
|
||||
|
||||
Item is returned in AWS Config format.
|
||||
|
||||
:param resource_keys:
|
||||
:param backend_region:
|
||||
|
||||
|
||||
- [X] delete_aggregation_authorization
|
||||
- [X] delete_config_rule
|
||||
Delete config rule used for evaluating resource compliance.
|
||||
|
||||
- [X] delete_configuration_aggregator
|
||||
- [X] delete_configuration_recorder
|
||||
- [ ] delete_conformance_pack
|
||||
- [X] delete_delivery_channel
|
||||
- [ ] delete_evaluation_results
|
||||
- [ ] delete_organization_config_rule
|
||||
- [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
|
||||
- [X] describe_config_rules
|
||||
Return details for the given ConfigRule names or for all rules.
|
||||
|
||||
- [ ] describe_configuration_aggregator_sources_status
|
||||
- [X] describe_configuration_aggregators
|
||||
- [X] describe_configuration_recorder_status
|
||||
- [X] describe_configuration_recorders
|
||||
- [ ] describe_conformance_pack_compliance
|
||||
- [ ] describe_conformance_pack_status
|
||||
- [ ] describe_conformance_packs
|
||||
- [ ] describe_delivery_channel_status
|
||||
- [X] describe_delivery_channels
|
||||
- [ ] describe_organization_config_rule_statuses
|
||||
- [ ] describe_organization_config_rules
|
||||
- [X] describe_organization_conformance_pack_statuses
|
||||
- [X] describe_organization_conformance_packs
|
||||
- [ ] describe_pending_aggregation_requests
|
||||
- [ ] describe_remediation_configurations
|
||||
- [ ] describe_remediation_exceptions
|
||||
- [ ] describe_remediation_execution_status
|
||||
- [ ] 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
|
||||
- [ ] get_compliance_details_by_resource
|
||||
- [ ] get_compliance_summary_by_config_rule
|
||||
- [ ] get_compliance_summary_by_resource_type
|
||||
- [ ] get_conformance_pack_compliance_details
|
||||
- [ ] get_conformance_pack_compliance_summary
|
||||
- [ ] get_discovered_resource_counts
|
||||
- [ ] get_organization_config_rule_detailed_status
|
||||
- [X] get_organization_conformance_pack_detailed_status
|
||||
- [X] get_resource_config_history
|
||||
Returns configuration of resource for the current regional backend.
|
||||
|
||||
Item returned in AWS Config format.
|
||||
|
||||
NOTE: This is --NOT-- returning history as it is not supported in
|
||||
moto at this time. (PR's welcome!)
|
||||
|
||||
As such, the later_time, earlier_time, limit, and next_token are
|
||||
ignored as this will only return 1 item. (If no items, it raises an
|
||||
exception).
|
||||
|
||||
|
||||
- [ ] get_stored_query
|
||||
- [X] list_aggregate_discovered_resources
|
||||
Queries AWS Config listing function that must exist for resource backend.
|
||||
|
||||
As far a moto goes -- the only real difference between this function
|
||||
and the `list_discovered_resources` function is that this will require
|
||||
a Config Aggregator be set up a priori and can search based on resource
|
||||
regions.
|
||||
|
||||
:param aggregator_name:
|
||||
:param resource_type:
|
||||
:param filters:
|
||||
:param limit:
|
||||
:param next_token:
|
||||
:return:
|
||||
|
||||
|
||||
- [X] list_discovered_resources
|
||||
Queries against AWS Config (non-aggregated) listing function.
|
||||
|
||||
The listing function must exist for the resource backend.
|
||||
|
||||
:param resource_type:
|
||||
:param backend_region:
|
||||
:param ids:
|
||||
:param name:
|
||||
:param limit:
|
||||
:param next_token:
|
||||
:return:
|
||||
|
||||
|
||||
- [ ] list_stored_queries
|
||||
- [X] list_tags_for_resource
|
||||
Return list of tags for AWS Config resource.
|
||||
|
||||
- [X] put_aggregation_authorization
|
||||
- [X] put_config_rule
|
||||
Add/Update config rule for evaluating resource compliance.
|
||||
|
||||
TBD - Only the "accounting" of config rules are handled at the
|
||||
moment. No events are created or triggered. There is no
|
||||
interaction with the config recorder.
|
||||
|
||||
|
||||
- [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
|
||||
- [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
|
||||
- [X] tag_resource
|
||||
Add tags in config with a matching ARN.
|
||||
|
||||
- [X] untag_resource
|
||||
Remove tags in config with a matching ARN.
|
||||
|
||||
If the tags in the tag_keys don't match any keys for that
|
||||
ARN, they're just ignored.
|
||||
|
||||
|
||||
|
28
docs/docs/services/datapipeline.rst
Normal file
28
docs/docs/services/datapipeline.rst
Normal file
@ -0,0 +1,28 @@
|
||||
.. _implementedservice_datapipeline:
|
||||
|
||||
============
|
||||
datapipeline
|
||||
============
|
||||
|
||||
|
||||
|
||||
- [X] activate_pipeline
|
||||
- [ ] add_tags
|
||||
- [X] create_pipeline
|
||||
- [ ] deactivate_pipeline
|
||||
- [X] delete_pipeline
|
||||
- [X] describe_objects
|
||||
- [X] describe_pipelines
|
||||
- [ ] evaluate_expression
|
||||
- [X] get_pipeline_definition
|
||||
- [X] list_pipelines
|
||||
- [ ] poll_for_task
|
||||
- [X] put_pipeline_definition
|
||||
- [ ] query_objects
|
||||
- [ ] remove_tags
|
||||
- [ ] report_task_progress
|
||||
- [ ] report_task_runner_heartbeat
|
||||
- [ ] set_status
|
||||
- [ ] set_task_status
|
||||
- [ ] validate_pipeline_definition
|
||||
|
47
docs/docs/services/datasync.rst
Normal file
47
docs/docs/services/datasync.rst
Normal file
@ -0,0 +1,47 @@
|
||||
.. _implementedservice_datasync:
|
||||
|
||||
========
|
||||
datasync
|
||||
========
|
||||
|
||||
|
||||
|
||||
- [X] cancel_task_execution
|
||||
- [ ] create_agent
|
||||
- [ ] create_location_efs
|
||||
- [ ] create_location_fsx_windows
|
||||
- [ ] create_location_hdfs
|
||||
- [ ] create_location_nfs
|
||||
- [ ] create_location_object_storage
|
||||
- [ ] create_location_s3
|
||||
- [ ] create_location_smb
|
||||
- [X] create_task
|
||||
- [ ] delete_agent
|
||||
- [X] delete_location
|
||||
- [X] delete_task
|
||||
- [ ] describe_agent
|
||||
- [ ] describe_location_efs
|
||||
- [ ] describe_location_fsx_windows
|
||||
- [ ] describe_location_hdfs
|
||||
- [ ] describe_location_nfs
|
||||
- [ ] describe_location_object_storage
|
||||
- [ ] describe_location_s3
|
||||
- [ ] describe_location_smb
|
||||
- [ ] describe_task
|
||||
- [ ] describe_task_execution
|
||||
- [ ] list_agents
|
||||
- [ ] list_locations
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] list_task_executions
|
||||
- [ ] list_tasks
|
||||
- [X] start_task_execution
|
||||
- [ ] 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
|
||||
|
64
docs/docs/services/dms.rst
Normal file
64
docs/docs/services/dms.rst
Normal file
@ -0,0 +1,64 @@
|
||||
.. _implementedservice_dms:
|
||||
|
||||
===
|
||||
dms
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] 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
|
||||
- [X] create_replication_task
|
||||
- [ ] delete_certificate
|
||||
- [ ] delete_connection
|
||||
- [ ] delete_endpoint
|
||||
- [ ] delete_event_subscription
|
||||
- [ ] delete_replication_instance
|
||||
- [ ] delete_replication_subnet_group
|
||||
- [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
|
||||
- [ ] describe_event_subscriptions
|
||||
- [ ] describe_events
|
||||
- [ ] describe_orderable_replication_instances
|
||||
- [ ] describe_pending_maintenance_actions
|
||||
- [ ] describe_refresh_schemas_status
|
||||
- [ ] describe_replication_instance_task_logs
|
||||
- [ ] describe_replication_instances
|
||||
- [ ] describe_replication_subnet_groups
|
||||
- [ ] describe_replication_task_assessment_results
|
||||
- [ ] describe_replication_task_assessment_runs
|
||||
- [ ] describe_replication_task_individual_assessments
|
||||
- [X] describe_replication_tasks
|
||||
- [ ] describe_schemas
|
||||
- [ ] describe_table_statistics
|
||||
- [ ] import_certificate
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] modify_endpoint
|
||||
- [ ] modify_event_subscription
|
||||
- [ ] modify_replication_instance
|
||||
- [ ] modify_replication_subnet_group
|
||||
- [ ] modify_replication_task
|
||||
- [ ] move_replication_task
|
||||
- [ ] reboot_replication_instance
|
||||
- [ ] refresh_schemas
|
||||
- [ ] reload_tables
|
||||
- [ ] remove_tags_from_resource
|
||||
- [X] start_replication_task
|
||||
- [ ] start_replication_task_assessment
|
||||
- [ ] start_replication_task_assessment_run
|
||||
- [X] stop_replication_task
|
||||
- [ ] test_connection
|
||||
|
96
docs/docs/services/ds.rst
Normal file
96
docs/docs/services/ds.rst
Normal file
@ -0,0 +1,96 @@
|
||||
.. _implementedservice_ds:
|
||||
|
||||
==
|
||||
ds
|
||||
==
|
||||
|
||||
Implementation of DirectoryService APIs.
|
||||
|
||||
- [ ] accept_shared_directory
|
||||
- [ ] add_ip_routes
|
||||
- [ ] add_region
|
||||
- [X] add_tags_to_resource
|
||||
Add or overwrite one or more tags for specified directory.
|
||||
|
||||
- [ ] cancel_schema_extension
|
||||
- [X] connect_directory
|
||||
Create a fake AD Connector.
|
||||
|
||||
- [X] create_alias
|
||||
Create and assign an alias to a directory.
|
||||
|
||||
- [ ] create_computer
|
||||
- [ ] create_conditional_forwarder
|
||||
- [X] create_directory
|
||||
Create a fake Simple Ad Directory.
|
||||
|
||||
- [ ] create_log_subscription
|
||||
- [X] create_microsoft_ad
|
||||
Create a fake Microsoft Ad Directory.
|
||||
|
||||
- [ ] create_snapshot
|
||||
- [ ] create_trust
|
||||
- [ ] delete_conditional_forwarder
|
||||
- [X] delete_directory
|
||||
Delete directory with the matching ID.
|
||||
|
||||
- [ ] delete_log_subscription
|
||||
- [ ] delete_snapshot
|
||||
- [ ] delete_trust
|
||||
- [ ] deregister_certificate
|
||||
- [ ] deregister_event_topic
|
||||
- [ ] describe_certificate
|
||||
- [ ] describe_client_authentication_settings
|
||||
- [ ] describe_conditional_forwarders
|
||||
- [X] describe_directories
|
||||
Return info on all directories or directories with matching IDs.
|
||||
|
||||
- [ ] 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
|
||||
- [X] disable_sso
|
||||
Disable single-sign on for a directory.
|
||||
|
||||
- [ ] enable_client_authentication
|
||||
- [ ] enable_ldaps
|
||||
- [ ] enable_radius
|
||||
- [X] enable_sso
|
||||
Enable single-sign on for a directory.
|
||||
|
||||
- [X] get_directory_limits
|
||||
Return hard-coded limits for the directories.
|
||||
|
||||
- [ ] get_snapshot_limits
|
||||
- [ ] list_certificates
|
||||
- [ ] list_ip_routes
|
||||
- [ ] list_log_subscriptions
|
||||
- [ ] list_schema_extensions
|
||||
- [X] list_tags_for_resource
|
||||
List all tags on a directory.
|
||||
|
||||
- [ ] register_certificate
|
||||
- [ ] register_event_topic
|
||||
- [ ] reject_shared_directory
|
||||
- [ ] remove_ip_routes
|
||||
- [ ] remove_region
|
||||
- [X] remove_tags_from_resource
|
||||
Removes tags from a directory.
|
||||
|
||||
- [ ] reset_user_password
|
||||
- [ ] restore_from_snapshot
|
||||
- [ ] share_directory
|
||||
- [ ] start_schema_extension
|
||||
- [ ] unshare_directory
|
||||
- [ ] update_conditional_forwarder
|
||||
- [ ] update_number_of_domain_controllers
|
||||
- [ ] update_radius
|
||||
- [ ] update_trust
|
||||
- [ ] verify_trust
|
||||
|
59
docs/docs/services/dynamodb.rst
Normal file
59
docs/docs/services/dynamodb.rst
Normal file
@ -0,0 +1,59 @@
|
||||
.. _implementedservice_dynamodb:
|
||||
|
||||
========
|
||||
dynamodb
|
||||
========
|
||||
|
||||
|
||||
|
||||
- [ ] batch_execute_statement
|
||||
- [X] batch_get_item
|
||||
- [X] batch_write_item
|
||||
- [X] create_backup
|
||||
- [ ] create_global_table
|
||||
- [X] create_table
|
||||
- [X] delete_backup
|
||||
- [X] delete_item
|
||||
- [X] delete_table
|
||||
- [X] describe_backup
|
||||
- [X] describe_continuous_backups
|
||||
- [ ] describe_contributor_insights
|
||||
- [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
|
||||
- [X] list_backups
|
||||
- [ ] list_contributor_insights
|
||||
- [ ] list_exports
|
||||
- [ ] list_global_tables
|
||||
- [X] list_tables
|
||||
- [X] list_tags_of_resource
|
||||
- [X] put_item
|
||||
- [X] query
|
||||
- [X] restore_table_from_backup
|
||||
- [ ] restore_table_to_point_in_time
|
||||
- [X] scan
|
||||
- [X] tag_resource
|
||||
- [X] transact_get_items
|
||||
- [X] transact_write_items
|
||||
- [X] untag_resource
|
||||
- [X] update_continuous_backups
|
||||
- [ ] update_contributor_insights
|
||||
- [ ] update_global_table
|
||||
- [ ] update_global_table_settings
|
||||
- [X] update_item
|
||||
- [X] update_table
|
||||
- [ ] update_table_replica_auto_scaling
|
||||
- [X] update_time_to_live
|
||||
|
13
docs/docs/services/dynamodbstreams.rst
Normal file
13
docs/docs/services/dynamodbstreams.rst
Normal file
@ -0,0 +1,13 @@
|
||||
.. _implementedservice_dynamodbstreams:
|
||||
|
||||
===============
|
||||
dynamodbstreams
|
||||
===============
|
||||
|
||||
|
||||
|
||||
- [X] describe_stream
|
||||
- [X] get_records
|
||||
- [X] get_shard_iterator
|
||||
- [X] list_streams
|
||||
|
11
docs/docs/services/ec2-instance-connect.rst
Normal file
11
docs/docs/services/ec2-instance-connect.rst
Normal file
@ -0,0 +1,11 @@
|
||||
.. _implementedservice_ec2-instance-connect:
|
||||
|
||||
====================
|
||||
ec2-instance-connect
|
||||
====================
|
||||
|
||||
|
||||
|
||||
- [ ] send_serial_console_ssh_public_key
|
||||
- [X] send_ssh_public_key
|
||||
|
493
docs/docs/services/ec2.rst
Normal file
493
docs/docs/services/ec2.rst
Normal file
@ -0,0 +1,493 @@
|
||||
.. _implementedservice_ec2:
|
||||
|
||||
===
|
||||
ec2
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] accept_reserved_instances_exchange_quote
|
||||
- [ ] 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
|
||||
- [ ] apply_security_groups_to_client_vpn_target_network
|
||||
- [ ] assign_ipv6_addresses
|
||||
- [ ] assign_private_ip_addresses
|
||||
- [X] associate_address
|
||||
- [ ] associate_client_vpn_target_network
|
||||
- [X] associate_dhcp_options
|
||||
- [ ] associate_enclave_certificate_iam_role
|
||||
- [X] associate_iam_instance_profile
|
||||
- [ ] associate_instance_event_window
|
||||
- [X] associate_route_table
|
||||
- [X] associate_subnet_cidr_block
|
||||
- [ ] associate_transit_gateway_multicast_domain
|
||||
- [X] associate_transit_gateway_route_table
|
||||
- [ ] associate_trunk_interface
|
||||
- [X] associate_vpc_cidr_block
|
||||
- [ ] attach_classic_link_vpc
|
||||
- [X] attach_internet_gateway
|
||||
- [X] attach_network_interface
|
||||
- [X] attach_volume
|
||||
- [X] attach_vpn_gateway
|
||||
- [ ] authorize_client_vpn_ingress
|
||||
- [X] authorize_security_group_egress
|
||||
- [X] authorize_security_group_ingress
|
||||
- [ ] bundle_instance
|
||||
- [ ] cancel_bundle_task
|
||||
- [ ] cancel_capacity_reservation
|
||||
- [ ] cancel_capacity_reservation_fleets
|
||||
- [ ] cancel_conversion_task
|
||||
- [ ] cancel_export_task
|
||||
- [ ] cancel_import_task
|
||||
- [ ] cancel_reserved_instances_listing
|
||||
- [X] cancel_spot_fleet_requests
|
||||
- [X] cancel_spot_instance_requests
|
||||
- [ ] confirm_product_instance
|
||||
- [ ] copy_fpga_image
|
||||
- [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
|
||||
- [X] create_egress_only_internet_gateway
|
||||
- [ ] create_fleet
|
||||
- [X] create_flow_logs
|
||||
- [ ] create_fpga_image
|
||||
- [X] create_image
|
||||
- [ ] create_instance_event_window
|
||||
- [ ] create_instance_export_task
|
||||
- [X] create_internet_gateway
|
||||
- [X] create_key_pair
|
||||
- [X] create_launch_template
|
||||
- [ ] 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_path
|
||||
- [X] create_network_interface
|
||||
- [ ] create_network_interface_permission
|
||||
- [ ] create_placement_group
|
||||
- [ ] 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
|
||||
- [ ] 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
|
||||
- [X] create_transit_gateway
|
||||
- [ ] create_transit_gateway_connect
|
||||
- [ ] create_transit_gateway_connect_peer
|
||||
- [ ] create_transit_gateway_multicast_domain
|
||||
- [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_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
|
||||
- [X] delete_egress_only_internet_gateway
|
||||
- [ ] delete_fleets
|
||||
- [X] delete_flow_logs
|
||||
- [ ] delete_fpga_image
|
||||
- [ ] delete_instance_event_window
|
||||
- [X] delete_internet_gateway
|
||||
- [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_analysis
|
||||
- [ ] delete_network_insights_path
|
||||
- [X] delete_network_interface
|
||||
- [ ] delete_network_interface_permission
|
||||
- [ ] delete_placement_group
|
||||
- [ ] delete_queued_reserved_instances
|
||||
- [X] delete_route
|
||||
- [X] delete_route_table
|
||||
- [X] delete_security_group
|
||||
- [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
|
||||
- [X] delete_transit_gateway
|
||||
- [ ] delete_transit_gateway_connect
|
||||
- [ ] delete_transit_gateway_connect_peer
|
||||
- [ ] delete_transit_gateway_multicast_domain
|
||||
- [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
|
||||
- [X] delete_vpc_endpoints
|
||||
- [X] delete_vpc_peering_connection
|
||||
- [X] delete_vpn_connection
|
||||
- [ ] delete_vpn_connection_route
|
||||
- [X] delete_vpn_gateway
|
||||
- [ ] deprovision_byoip_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
|
||||
- [ ] describe_client_vpn_endpoints
|
||||
- [ ] describe_client_vpn_routes
|
||||
- [ ] describe_client_vpn_target_networks
|
||||
- [ ] describe_coip_pools
|
||||
- [ ] describe_conversion_tasks
|
||||
- [ ] describe_customer_gateways
|
||||
- [X] describe_dhcp_options
|
||||
- [X] describe_egress_only_internet_gateways
|
||||
- [ ] describe_elastic_gpus
|
||||
- [ ] describe_export_image_tasks
|
||||
- [ ] describe_export_tasks
|
||||
- [ ] describe_fast_snapshot_restores
|
||||
- [ ] describe_fleet_history
|
||||
- [ ] describe_fleet_instances
|
||||
- [ ] describe_fleets
|
||||
- [X] describe_flow_logs
|
||||
- [ ] describe_fpga_image_attribute
|
||||
- [ ] describe_fpga_images
|
||||
- [ ] describe_host_reservation_offerings
|
||||
- [ ] describe_host_reservations
|
||||
- [ ] describe_hosts
|
||||
- [X] describe_iam_instance_profile_associations
|
||||
- [ ] describe_id_format
|
||||
- [ ] describe_identity_id_format
|
||||
- [ ] describe_image_attribute
|
||||
- [X] describe_images
|
||||
- [ ] describe_import_image_tasks
|
||||
- [ ] describe_import_snapshot_tasks
|
||||
- [X] describe_instance_attribute
|
||||
- [X] describe_instance_credit_specifications
|
||||
- [ ] describe_instance_event_notification_attributes
|
||||
- [ ] 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_ipv6_pools
|
||||
- [X] describe_key_pairs
|
||||
- [ ] describe_launch_template_versions
|
||||
- [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
|
||||
- [X] describe_nat_gateways
|
||||
- [X] describe_network_acls
|
||||
- [ ] describe_network_insights_analyses
|
||||
- [ ] describe_network_insights_paths
|
||||
- [ ] describe_network_interface_attribute
|
||||
- [ ] describe_network_interface_permissions
|
||||
- [X] describe_network_interfaces
|
||||
- [ ] describe_placement_groups
|
||||
- [ ] describe_prefix_lists
|
||||
- [ ] 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
|
||||
- [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
|
||||
- [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
|
||||
- [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
|
||||
- [X] describe_transit_gateway_attachments
|
||||
- [ ] describe_transit_gateway_connect_peers
|
||||
- [ ] describe_transit_gateway_connects
|
||||
- [ ] describe_transit_gateway_multicast_domains
|
||||
- [X] describe_transit_gateway_peering_attachments
|
||||
- [ ] describe_transit_gateway_route_tables
|
||||
- [X] describe_transit_gateway_vpc_attachments
|
||||
- [X] describe_transit_gateways
|
||||
- [ ] describe_trunk_interface_associations
|
||||
- [ ] describe_volume_attribute
|
||||
- [ ] describe_volume_status
|
||||
- [X] describe_volumes
|
||||
- [ ] describe_volumes_modifications
|
||||
- [X] describe_vpc_attribute
|
||||
- [ ] describe_vpc_classic_link
|
||||
- [ ] 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
|
||||
- [X] describe_vpc_endpoint_services
|
||||
Return info on services to which you can create a VPC endpoint.
|
||||
|
||||
Currently only the default endpoing services are returned. When
|
||||
create_vpc_endpoint_service_configuration() is implemented, a
|
||||
list of those private endpoints would be kept and when this API
|
||||
is invoked, those private endpoints would be added to the list of
|
||||
default endpoint services.
|
||||
|
||||
The DryRun parameter is ignored.
|
||||
|
||||
|
||||
- [X] describe_vpc_endpoints
|
||||
- [X] describe_vpc_peering_connections
|
||||
- [X] describe_vpcs
|
||||
- [X] describe_vpn_connections
|
||||
- [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
|
||||
- [ ] disable_fast_snapshot_restores
|
||||
- [ ] disable_image_deprecation
|
||||
- [ ] 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_enclave_certificate_iam_role
|
||||
- [X] disassociate_iam_instance_profile
|
||||
- [ ] disassociate_instance_event_window
|
||||
- [X] disassociate_route_table
|
||||
- [X] disassociate_subnet_cidr_block
|
||||
- [ ] disassociate_transit_gateway_multicast_domain
|
||||
- [X] disassociate_transit_gateway_route_table
|
||||
- [ ] disassociate_trunk_interface
|
||||
- [X] disassociate_vpc_cidr_block
|
||||
- [ ] enable_ebs_encryption_by_default
|
||||
- [ ] enable_fast_snapshot_restores
|
||||
- [ ] enable_image_deprecation
|
||||
- [ ] enable_serial_console_access
|
||||
- [X] enable_transit_gateway_route_table_propagation
|
||||
- [ ] enable_vgw_route_propagation
|
||||
- [ ] enable_volume_io
|
||||
- [X] enable_vpc_classic_link
|
||||
- [X] enable_vpc_classic_link_dns_support
|
||||
- [ ] export_client_vpn_client_certificate_revocation_list
|
||||
- [ ] 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
|
||||
- [ ] get_console_output
|
||||
- [ ] get_console_screenshot
|
||||
- [ ] get_default_credit_specification
|
||||
- [ ] get_ebs_default_kms_key_id
|
||||
- [ ] 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_launch_template_data
|
||||
- [ ] get_managed_prefix_list_associations
|
||||
- [X] get_managed_prefix_list_entries
|
||||
- [ ] 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
|
||||
- [ ] 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
|
||||
- [ ] modify_fleet
|
||||
- [ ] modify_fpga_image_attribute
|
||||
- [ ] modify_hosts
|
||||
- [ ] modify_id_format
|
||||
- [ ] modify_identity_id_format
|
||||
- [ ] modify_image_attribute
|
||||
- [X] modify_instance_attribute
|
||||
- [ ] 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_launch_template
|
||||
- [X] modify_managed_prefix_list
|
||||
- [X] modify_network_interface_attribute
|
||||
- [ ] modify_reserved_instances
|
||||
- [ ] modify_security_group_rules
|
||||
- [ ] modify_snapshot_attribute
|
||||
- [X] modify_spot_fleet_request
|
||||
- [X] modify_subnet_attribute
|
||||
- [ ] modify_traffic_mirror_filter_network_services
|
||||
- [ ] modify_traffic_mirror_filter_rule
|
||||
- [ ] modify_traffic_mirror_session
|
||||
- [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
|
||||
- [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
|
||||
- [ ] provision_byoip_cidr
|
||||
- [ ] purchase_host_reservation
|
||||
- [ ] purchase_reserved_instances_offering
|
||||
- [ ] purchase_scheduled_instances
|
||||
- [X] reboot_instances
|
||||
- [X] register_image
|
||||
- [ ] register_instance_event_notification_attributes
|
||||
- [ ] register_transit_gateway_multicast_group_members
|
||||
- [ ] register_transit_gateway_multicast_group_sources
|
||||
- [ ] 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
|
||||
- [X] replace_iam_instance_profile_association
|
||||
- [X] replace_network_acl_association
|
||||
- [X] replace_network_acl_entry
|
||||
- [X] replace_route
|
||||
- [X] replace_route_table_association
|
||||
- [ ] replace_transit_gateway_route
|
||||
- [ ] 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
|
||||
- [ ] reset_instance_attribute
|
||||
- [ ] reset_network_interface_attribute
|
||||
- [ ] reset_snapshot_attribute
|
||||
- [ ] restore_address_to_classic
|
||||
- [ ] restore_managed_prefix_list_version
|
||||
- [ ] revoke_client_vpn_ingress
|
||||
- [X] revoke_security_group_egress
|
||||
- [X] revoke_security_group_ingress
|
||||
- [X] run_instances
|
||||
- [ ] run_scheduled_instances
|
||||
- [ ] search_local_gateway_routes
|
||||
- [ ] search_transit_gateway_multicast_groups
|
||||
- [X] search_transit_gateway_routes
|
||||
- [ ] send_diagnostic_interrupt
|
||||
- [X] start_instances
|
||||
- [ ] 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
|
||||
- [ ] unmonitor_instances
|
||||
- [X] update_security_group_rule_descriptions_egress
|
||||
- [X] update_security_group_rule_descriptions_ingress
|
||||
- [ ] withdraw_byoip_cidr
|
||||
|
52
docs/docs/services/ecr.rst
Normal file
52
docs/docs/services/ecr.rst
Normal file
@ -0,0 +1,52 @@
|
||||
.. _implementedservice_ecr:
|
||||
|
||||
===
|
||||
ecr
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] batch_check_layer_availability
|
||||
- [X] batch_delete_image
|
||||
- [X] batch_get_image
|
||||
- [ ] complete_layer_upload
|
||||
- [X] create_repository
|
||||
- [X] delete_lifecycle_policy
|
||||
- [X] delete_registry_policy
|
||||
- [X] delete_repository
|
||||
- [X] delete_repository_policy
|
||||
- [ ] describe_image_replication_status
|
||||
- [X] describe_image_scan_findings
|
||||
- [X] describe_images
|
||||
- [X] describe_registry
|
||||
- [X] describe_repositories
|
||||
|
||||
maxResults and nextToken not implemented
|
||||
|
||||
|
||||
- [ ] get_authorization_token
|
||||
- [ ] get_download_url_for_layer
|
||||
- [X] get_lifecycle_policy
|
||||
- [ ] get_lifecycle_policy_preview
|
||||
- [X] get_registry_policy
|
||||
- [X] get_repository_policy
|
||||
- [ ] initiate_layer_upload
|
||||
- [X] list_images
|
||||
|
||||
maxResults and filtering not implemented
|
||||
|
||||
|
||||
- [X] list_tags_for_resource
|
||||
- [X] put_image
|
||||
- [X] put_image_scanning_configuration
|
||||
- [X] put_image_tag_mutability
|
||||
- [X] put_lifecycle_policy
|
||||
- [X] put_registry_policy
|
||||
- [X] put_replication_configuration
|
||||
- [X] set_repository_policy
|
||||
- [X] start_image_scan
|
||||
- [ ] start_lifecycle_policy_preview
|
||||
- [X] tag_resource
|
||||
- [X] untag_resource
|
||||
- [ ] upload_layer_part
|
||||
|
73
docs/docs/services/ecs.rst
Normal file
73
docs/docs/services/ecs.rst
Normal file
@ -0,0 +1,73 @@
|
||||
.. _implementedservice_ecs:
|
||||
|
||||
===
|
||||
ecs
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] create_capacity_provider
|
||||
- [X] create_cluster
|
||||
- [X] create_service
|
||||
- [X] create_task_set
|
||||
- [X] delete_account_setting
|
||||
- [X] delete_attributes
|
||||
- [ ] delete_capacity_provider
|
||||
- [X] delete_cluster
|
||||
- [X] delete_service
|
||||
- [X] delete_task_set
|
||||
- [X] deregister_container_instance
|
||||
- [X] deregister_task_definition
|
||||
- [ ] describe_capacity_providers
|
||||
- [X] describe_clusters
|
||||
- [X] describe_container_instances
|
||||
- [X] describe_services
|
||||
- [X] describe_task_definition
|
||||
- [X] describe_task_sets
|
||||
- [X] describe_tasks
|
||||
- [ ] discover_poll_endpoint
|
||||
- [ ] execute_command
|
||||
- [X] list_account_settings
|
||||
- [X] list_attributes
|
||||
- [X] list_clusters
|
||||
|
||||
maxSize and pagination not implemented
|
||||
|
||||
|
||||
- [X] list_container_instances
|
||||
- [X] list_services
|
||||
- [X] list_tags_for_resource
|
||||
Currently implemented only for task definitions and services
|
||||
|
||||
- [X] list_task_definition_families
|
||||
- [X] list_task_definitions
|
||||
- [X] list_tasks
|
||||
- [X] put_account_setting
|
||||
- [ ] put_account_setting_default
|
||||
- [X] put_attributes
|
||||
- [ ] put_cluster_capacity_providers
|
||||
- [X] register_container_instance
|
||||
- [X] register_task_definition
|
||||
- [X] run_task
|
||||
- [X] start_task
|
||||
- [X] stop_task
|
||||
- [ ] submit_attachment_state_changes
|
||||
- [ ] submit_container_state_change
|
||||
- [ ] submit_task_state_change
|
||||
- [X] tag_resource
|
||||
Currently implemented only for services
|
||||
|
||||
- [X] untag_resource
|
||||
Currently implemented only for services
|
||||
|
||||
- [ ] update_capacity_provider
|
||||
- [ ] update_cluster
|
||||
- [ ] update_cluster_settings
|
||||
- [ ] update_container_agent
|
||||
- [X] update_container_instances_state
|
||||
- [X] update_service
|
||||
- [X] update_service_primary_task_set
|
||||
Updates task sets be PRIMARY or ACTIVE for given cluster:service task sets
|
||||
|
||||
- [X] update_task_set
|
||||
|
81
docs/docs/services/efs.rst
Normal file
81
docs/docs/services/efs.rst
Normal file
@ -0,0 +1,81 @@
|
||||
.. _implementedservice_efs:
|
||||
|
||||
===
|
||||
efs
|
||||
===
|
||||
|
||||
The backend manager of EFS resources.
|
||||
|
||||
This is the state-machine for each region, tracking the file systems, mount targets,
|
||||
and eventually access points that are deployed. Creating, updating, and destroying
|
||||
such resources should always go through this class.
|
||||
|
||||
|
||||
- [ ] create_access_point
|
||||
- [X] create_file_system
|
||||
Create a new EFS File System Volume.
|
||||
|
||||
https://docs.aws.amazon.com/efs/latest/ug/API_CreateFileSystem.html
|
||||
|
||||
|
||||
- [X] create_mount_target
|
||||
Create a new EFS Mount Target for a given File System to a given subnet.
|
||||
|
||||
Note that you can only create one mount target for each availability zone
|
||||
(which is implied by the subnet ID).
|
||||
|
||||
https://docs.aws.amazon.com/efs/latest/ug/API_CreateMountTarget.html
|
||||
|
||||
|
||||
- [ ] create_tags
|
||||
- [ ] delete_access_point
|
||||
- [X] delete_file_system
|
||||
Delete the file system specified by the given file_system_id.
|
||||
|
||||
Note that mount targets must be deleted first.
|
||||
|
||||
https://docs.aws.amazon.com/efs/latest/ug/API_DeleteFileSystem.html
|
||||
|
||||
|
||||
- [ ] delete_file_system_policy
|
||||
- [X] delete_mount_target
|
||||
Delete a mount target specified by the given mount_target_id.
|
||||
|
||||
Note that this will also delete a network interface.
|
||||
|
||||
https://docs.aws.amazon.com/efs/latest/ug/API_DeleteMountTarget.html
|
||||
|
||||
|
||||
- [ ] delete_tags
|
||||
- [ ] describe_access_points
|
||||
- [ ] describe_account_preferences
|
||||
- [X] describe_backup_policy
|
||||
- [ ] describe_file_system_policy
|
||||
- [X] describe_file_systems
|
||||
Describe all the EFS File Systems, or specific File Systems.
|
||||
|
||||
https://docs.aws.amazon.com/efs/latest/ug/API_DescribeFileSystems.html
|
||||
|
||||
|
||||
- [ ] describe_lifecycle_configuration
|
||||
- [ ] describe_mount_target_security_groups
|
||||
- [X] describe_mount_targets
|
||||
Describe the mount targets given a mount target ID or a file system ID.
|
||||
|
||||
Note that as of this writing access points, and thus access point IDs are not
|
||||
supported.
|
||||
|
||||
https://docs.aws.amazon.com/efs/latest/ug/API_DescribeMountTargets.html
|
||||
|
||||
|
||||
- [ ] 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
|
||||
- [ ] untag_resource
|
||||
- [ ] update_file_system
|
||||
|
43
docs/docs/services/eks.rst
Normal file
43
docs/docs/services/eks.rst
Normal file
@ -0,0 +1,43 @@
|
||||
.. _implementedservice_eks:
|
||||
|
||||
===
|
||||
eks
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] 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
|
||||
- [ ] 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
|
||||
|
56
docs/docs/services/elasticbeanstalk.rst
Normal file
56
docs/docs/services/elasticbeanstalk.rst
Normal file
@ -0,0 +1,56 @@
|
||||
.. _implementedservice_elasticbeanstalk:
|
||||
|
||||
================
|
||||
elasticbeanstalk
|
||||
================
|
||||
|
||||
|
||||
|
||||
- [ ] abort_environment_update
|
||||
- [ ] apply_environment_managed_action
|
||||
- [ ] associate_environment_operations_role
|
||||
- [ ] check_dns_availability
|
||||
- [ ] compose_environments
|
||||
- [X] create_application
|
||||
- [ ] create_application_version
|
||||
- [ ] create_configuration_template
|
||||
- [X] create_environment
|
||||
- [ ] create_platform_version
|
||||
- [ ] create_storage_location
|
||||
- [ ] delete_application
|
||||
- [ ] delete_application_version
|
||||
- [ ] delete_configuration_template
|
||||
- [ ] delete_environment_configuration
|
||||
- [ ] delete_platform_version
|
||||
- [ ] describe_account_attributes
|
||||
- [ ] describe_application_versions
|
||||
- [ ] describe_applications
|
||||
- [ ] describe_configuration_options
|
||||
- [ ] describe_configuration_settings
|
||||
- [ ] describe_environment_health
|
||||
- [ ] describe_environment_managed_action_history
|
||||
- [ ] describe_environment_managed_actions
|
||||
- [ ] describe_environment_resources
|
||||
- [X] describe_environments
|
||||
- [ ] describe_events
|
||||
- [ ] describe_instances_health
|
||||
- [ ] describe_platform_version
|
||||
- [ ] disassociate_environment_operations_role
|
||||
- [X] list_available_solution_stacks
|
||||
- [ ] list_platform_branches
|
||||
- [ ] list_platform_versions
|
||||
- [X] list_tags_for_resource
|
||||
- [ ] rebuild_environment
|
||||
- [ ] request_environment_info
|
||||
- [ ] restart_app_server
|
||||
- [ ] retrieve_environment_info
|
||||
- [ ] swap_environment_cnames
|
||||
- [ ] terminate_environment
|
||||
- [ ] update_application
|
||||
- [ ] update_application_resource_lifecycle
|
||||
- [ ] update_application_version
|
||||
- [ ] update_configuration_template
|
||||
- [ ] update_environment
|
||||
- [X] update_tags_for_resource
|
||||
- [ ] validate_configuration_settings
|
||||
|
26
docs/docs/services/elastictranscoder.rst
Normal file
26
docs/docs/services/elastictranscoder.rst
Normal file
@ -0,0 +1,26 @@
|
||||
.. _implementedservice_elastictranscoder:
|
||||
|
||||
=================
|
||||
elastictranscoder
|
||||
=================
|
||||
|
||||
|
||||
|
||||
- [ ] cancel_job
|
||||
- [ ] create_job
|
||||
- [X] create_pipeline
|
||||
- [ ] create_preset
|
||||
- [X] delete_pipeline
|
||||
- [ ] delete_preset
|
||||
- [ ] list_jobs_by_pipeline
|
||||
- [ ] list_jobs_by_status
|
||||
- [X] list_pipelines
|
||||
- [ ] list_presets
|
||||
- [ ] read_job
|
||||
- [X] read_pipeline
|
||||
- [ ] read_preset
|
||||
- [ ] test_role
|
||||
- [X] update_pipeline
|
||||
- [ ] update_pipeline_notifications
|
||||
- [ ] update_pipeline_status
|
||||
|
38
docs/docs/services/elb.rst
Normal file
38
docs/docs/services/elb.rst
Normal file
@ -0,0 +1,38 @@
|
||||
.. _implementedservice_elb:
|
||||
|
||||
===
|
||||
elb
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] add_tags
|
||||
- [X] apply_security_groups_to_load_balancer
|
||||
- [ ] attach_load_balancer_to_subnets
|
||||
- [X] configure_health_check
|
||||
- [X] create_app_cookie_stickiness_policy
|
||||
- [X] create_lb_cookie_stickiness_policy
|
||||
- [X] create_load_balancer
|
||||
- [X] create_load_balancer_listeners
|
||||
- [ ] create_load_balancer_policy
|
||||
- [X] delete_load_balancer
|
||||
- [X] delete_load_balancer_listeners
|
||||
- [ ] delete_load_balancer_policy
|
||||
- [ ] deregister_instances_from_load_balancer
|
||||
- [ ] describe_account_limits
|
||||
- [ ] describe_instance_health
|
||||
- [ ] describe_load_balancer_attributes
|
||||
- [ ] describe_load_balancer_policies
|
||||
- [ ] describe_load_balancer_policy_types
|
||||
- [X] describe_load_balancers
|
||||
- [ ] describe_tags
|
||||
- [ ] detach_load_balancer_from_subnets
|
||||
- [ ] disable_availability_zones_for_load_balancer
|
||||
- [ ] enable_availability_zones_for_load_balancer
|
||||
- [ ] modify_load_balancer_attributes
|
||||
- [ ] register_instances_with_load_balancer
|
||||
- [ ] remove_tags
|
||||
- [X] set_load_balancer_listener_ssl_certificate
|
||||
- [ ] set_load_balancer_policies_for_backend_server
|
||||
- [X] set_load_balancer_policies_of_listener
|
||||
|
43
docs/docs/services/elbv2.rst
Normal file
43
docs/docs/services/elbv2.rst
Normal file
@ -0,0 +1,43 @@
|
||||
.. _implementedservice_elbv2:
|
||||
|
||||
=====
|
||||
elbv2
|
||||
=====
|
||||
|
||||
|
||||
|
||||
- [ ] add_listener_certificates
|
||||
- [ ] add_tags
|
||||
- [X] create_listener
|
||||
- [X] create_load_balancer
|
||||
- [X] create_rule
|
||||
- [X] create_target_group
|
||||
- [X] delete_listener
|
||||
- [X] delete_load_balancer
|
||||
- [X] delete_rule
|
||||
- [X] delete_target_group
|
||||
- [X] deregister_targets
|
||||
- [ ] describe_account_limits
|
||||
- [ ] describe_listener_certificates
|
||||
- [X] describe_listeners
|
||||
- [X] describe_load_balancer_attributes
|
||||
- [X] describe_load_balancers
|
||||
- [X] describe_rules
|
||||
- [ ] describe_ssl_policies
|
||||
- [ ] describe_tags
|
||||
- [ ] describe_target_group_attributes
|
||||
- [X] describe_target_groups
|
||||
- [X] describe_target_health
|
||||
- [X] modify_listener
|
||||
- [X] modify_load_balancer_attributes
|
||||
- [X] modify_rule
|
||||
- [X] modify_target_group
|
||||
- [ ] modify_target_group_attributes
|
||||
- [X] register_targets
|
||||
- [ ] remove_listener_certificates
|
||||
- [ ] remove_tags
|
||||
- [X] set_ip_address_type
|
||||
- [X] set_rule_priorities
|
||||
- [X] set_security_groups
|
||||
- [X] set_subnets
|
||||
|
24
docs/docs/services/emr-containers.rst
Normal file
24
docs/docs/services/emr-containers.rst
Normal file
@ -0,0 +1,24 @@
|
||||
.. _implementedservice_emr-containers:
|
||||
|
||||
==============
|
||||
emr-containers
|
||||
==============
|
||||
|
||||
Implementation of EMRContainers APIs.
|
||||
|
||||
- [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
|
||||
|
61
docs/docs/services/emr.rst
Normal file
61
docs/docs/services/emr.rst
Normal file
@ -0,0 +1,61 @@
|
||||
.. _implementedservice_emr:
|
||||
|
||||
===
|
||||
emr
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] add_instance_fleet
|
||||
- [X] add_instance_groups
|
||||
- [X] add_job_flow_steps
|
||||
- [X] add_tags
|
||||
- [ ] cancel_steps
|
||||
- [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
|
||||
- [X] list_instances
|
||||
- [ ] list_notebook_executions
|
||||
- [ ] list_release_labels
|
||||
- [ ] list_security_configurations
|
||||
- [X] list_steps
|
||||
- [ ] list_studio_session_mappings
|
||||
- [ ] list_studios
|
||||
- [X] modify_cluster
|
||||
- [ ] modify_instance_fleet
|
||||
- [X] modify_instance_groups
|
||||
- [X] put_auto_scaling_policy
|
||||
- [ ] put_auto_termination_policy
|
||||
- [ ] put_block_public_access_configuration
|
||||
- [ ] put_managed_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
|
||||
|
135
docs/docs/services/events.rst
Normal file
135
docs/docs/services/events.rst
Normal file
@ -0,0 +1,135 @@
|
||||
.. _implementedservice_events:
|
||||
|
||||
======
|
||||
events
|
||||
======
|
||||
|
||||
|
||||
|
||||
- [ ] activate_event_source
|
||||
- [X] cancel_replay
|
||||
- [X] create_api_destination
|
||||
|
||||
Creates an API destination, which is an HTTP invocation endpoint configured as a target for events.
|
||||
Docs:
|
||||
https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_CreateApiDestination.html
|
||||
|
||||
Returns:
|
||||
dict
|
||||
|
||||
|
||||
- [X] create_archive
|
||||
- [X] create_connection
|
||||
- [X] create_event_bus
|
||||
- [ ] create_partner_event_source
|
||||
- [ ] deactivate_event_source
|
||||
- [ ] deauthorize_connection
|
||||
- [X] delete_api_destination
|
||||
|
||||
Deletes the specified API destination.
|
||||
Docs:
|
||||
https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DeleteApiDestination.html
|
||||
|
||||
Args:
|
||||
name: The name of the destination to delete.
|
||||
|
||||
Raises:
|
||||
ResourceNotFoundException: When the destination is not present.
|
||||
|
||||
Returns:
|
||||
dict
|
||||
|
||||
|
||||
|
||||
- [X] delete_archive
|
||||
- [X] delete_connection
|
||||
|
||||
Deletes a connection.
|
||||
Docs:
|
||||
https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DeleteConnection.html
|
||||
|
||||
Args:
|
||||
name: The name of the connection to delete.
|
||||
|
||||
Raises:
|
||||
ResourceNotFoundException: When the connection is not present.
|
||||
|
||||
Returns:
|
||||
dict
|
||||
|
||||
|
||||
- [X] delete_event_bus
|
||||
- [ ] delete_partner_event_source
|
||||
- [X] delete_rule
|
||||
- [X] describe_api_destination
|
||||
|
||||
Retrieves details about an API destination.
|
||||
Docs:
|
||||
https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DescribeApiDestination.html
|
||||
Args:
|
||||
name: The name of the API destination to retrieve.
|
||||
|
||||
Returns:
|
||||
dict
|
||||
|
||||
|
||||
- [X] describe_archive
|
||||
- [X] describe_connection
|
||||
|
||||
Retrieves details about a connection.
|
||||
Docs:
|
||||
https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DescribeConnection.html
|
||||
|
||||
Args:
|
||||
name: The name of the connection to retrieve.
|
||||
|
||||
Raises:
|
||||
ResourceNotFoundException: When the connection is not present.
|
||||
|
||||
Returns:
|
||||
dict
|
||||
|
||||
|
||||
- [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
|
||||
- [X] list_targets_by_rule
|
||||
- [X] put_events
|
||||
- [ ] put_partner_events
|
||||
- [X] put_permission
|
||||
- [X] put_rule
|
||||
- [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
|
||||
|
||||
Creates an API destination, which is an HTTP invocation endpoint configured as a target for events.
|
||||
Docs:
|
||||
https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_UpdateApiDestination.html
|
||||
|
||||
Returns:
|
||||
dict
|
||||
|
||||
|
||||
- [X] update_archive
|
||||
- [X] update_connection
|
||||
|
49
docs/docs/services/firehose.rst
Normal file
49
docs/docs/services/firehose.rst
Normal file
@ -0,0 +1,49 @@
|
||||
.. _implementedservice_firehose:
|
||||
|
||||
========
|
||||
firehose
|
||||
========
|
||||
|
||||
Implementation of Firehose APIs.
|
||||
|
||||
- [X] create_delivery_stream
|
||||
Create a Kinesis Data Firehose delivery stream.
|
||||
|
||||
- [X] delete_delivery_stream
|
||||
Delete a delivery stream and its data.
|
||||
|
||||
AllowForceDelete option is ignored as we only superficially
|
||||
apply state.
|
||||
|
||||
|
||||
- [X] describe_delivery_stream
|
||||
Return description of specified delivery stream and its status.
|
||||
|
||||
Note: the 'limit' and 'exclusive_start_destination_id' parameters
|
||||
are not currently processed/implemented.
|
||||
|
||||
|
||||
- [X] list_delivery_streams
|
||||
Return list of delivery streams in alphabetic order of names.
|
||||
|
||||
- [X] list_tags_for_delivery_stream
|
||||
Return list of tags.
|
||||
|
||||
- [X] put_record
|
||||
Write a single data record into a Kinesis Data firehose stream.
|
||||
|
||||
- [X] put_record_batch
|
||||
Write multiple data records into a Kinesis Data firehose stream.
|
||||
|
||||
- [ ] start_delivery_stream_encryption
|
||||
- [ ] stop_delivery_stream_encryption
|
||||
- [X] tag_delivery_stream
|
||||
Add/update tags for specified delivery stream.
|
||||
|
||||
- [X] untag_delivery_stream
|
||||
Removes tags from specified delivery stream.
|
||||
|
||||
- [X] update_destination
|
||||
Updates specified destination of specified delivery stream.
|
||||
|
||||
|
44
docs/docs/services/forecast.rst
Normal file
44
docs/docs/services/forecast.rst
Normal file
@ -0,0 +1,44 @@
|
||||
.. _implementedservice_forecast:
|
||||
|
||||
========
|
||||
forecast
|
||||
========
|
||||
|
||||
|
||||
|
||||
- [ ] create_dataset
|
||||
- [X] create_dataset_group
|
||||
- [ ] create_dataset_import_job
|
||||
- [ ] create_forecast
|
||||
- [ ] create_forecast_export_job
|
||||
- [ ] create_predictor
|
||||
- [ ] create_predictor_backtest_export_job
|
||||
- [ ] delete_dataset
|
||||
- [X] delete_dataset_group
|
||||
- [ ] delete_dataset_import_job
|
||||
- [ ] delete_forecast
|
||||
- [ ] delete_forecast_export_job
|
||||
- [ ] delete_predictor
|
||||
- [ ] delete_predictor_backtest_export_job
|
||||
- [ ] delete_resource_tree
|
||||
- [ ] describe_dataset
|
||||
- [X] describe_dataset_group
|
||||
- [ ] describe_dataset_import_job
|
||||
- [ ] describe_forecast
|
||||
- [ ] describe_forecast_export_job
|
||||
- [ ] describe_predictor
|
||||
- [ ] describe_predictor_backtest_export_job
|
||||
- [ ] get_accuracy_metrics
|
||||
- [X] list_dataset_groups
|
||||
- [ ] list_dataset_import_jobs
|
||||
- [ ] list_datasets
|
||||
- [ ] list_forecast_export_jobs
|
||||
- [ ] list_forecasts
|
||||
- [ ] list_predictor_backtest_export_jobs
|
||||
- [ ] list_predictors
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] stop_resource
|
||||
- [ ] tag_resource
|
||||
- [ ] untag_resource
|
||||
- [X] update_dataset_group
|
||||
|
42
docs/docs/services/glacier.rst
Normal file
42
docs/docs/services/glacier.rst
Normal file
@ -0,0 +1,42 @@
|
||||
.. _implementedservice_glacier:
|
||||
|
||||
=======
|
||||
glacier
|
||||
=======
|
||||
|
||||
|
||||
|
||||
- [ ] abort_multipart_upload
|
||||
- [ ] abort_vault_lock
|
||||
- [ ] add_tags_to_vault
|
||||
- [ ] complete_multipart_upload
|
||||
- [ ] complete_vault_lock
|
||||
- [X] create_vault
|
||||
- [ ] delete_archive
|
||||
- [X] delete_vault
|
||||
- [ ] delete_vault_access_policy
|
||||
- [ ] delete_vault_notifications
|
||||
- [X] describe_job
|
||||
- [ ] describe_vault
|
||||
- [ ] get_data_retrieval_policy
|
||||
- [X] get_job_output
|
||||
- [ ] get_vault_access_policy
|
||||
- [ ] get_vault_lock
|
||||
- [ ] get_vault_notifications
|
||||
- [X] initiate_job
|
||||
- [ ] initiate_multipart_upload
|
||||
- [ ] initiate_vault_lock
|
||||
- [X] list_jobs
|
||||
- [ ] list_multipart_uploads
|
||||
- [ ] list_parts
|
||||
- [ ] list_provisioned_capacity
|
||||
- [ ] list_tags_for_vault
|
||||
- [X] list_vaults
|
||||
- [ ] purchase_provisioned_capacity
|
||||
- [ ] remove_tags_from_vault
|
||||
- [ ] set_data_retrieval_policy
|
||||
- [ ] set_vault_access_policy
|
||||
- [ ] set_vault_notifications
|
||||
- [X] upload_archive
|
||||
- [ ] upload_multipart_part
|
||||
|
175
docs/docs/services/glue.rst
Normal file
175
docs/docs/services/glue.rst
Normal file
@ -0,0 +1,175 @@
|
||||
.. _implementedservice_glue:
|
||||
|
||||
====
|
||||
glue
|
||||
====
|
||||
|
||||
|
||||
|
||||
- [ ] 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
|
||||
- [ ] batch_get_partition
|
||||
- [ ] 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
|
||||
- [X] create_crawler
|
||||
- [X] create_database
|
||||
- [ ] create_dev_endpoint
|
||||
- [ ] 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
|
||||
- [X] delete_crawler
|
||||
- [ ] 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
|
||||
- [X] get_crawler
|
||||
- [ ] get_crawler_metrics
|
||||
- [X] get_crawlers
|
||||
- [ ] get_data_catalog_encryption_settings
|
||||
- [X] get_database
|
||||
- [X] get_databases
|
||||
- [ ] get_dataflow_graph
|
||||
- [ ] get_dev_endpoint
|
||||
- [ ] get_dev_endpoints
|
||||
- [ ] get_job
|
||||
- [ ] get_job_bookmark
|
||||
- [ ] get_job_run
|
||||
- [ ] get_job_runs
|
||||
- [ ] get_jobs
|
||||
- [ ] get_mapping
|
||||
- [ ] get_ml_task_run
|
||||
- [ ] get_ml_task_runs
|
||||
- [ ] 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
|
||||
- [ ] get_table_version
|
||||
- [ ] get_table_versions
|
||||
- [X] get_tables
|
||||
- [ ] get_tags
|
||||
- [ ] get_trigger
|
||||
- [ ] get_triggers
|
||||
- [ ] get_user_defined_function
|
||||
- [ ] get_user_defined_functions
|
||||
- [ ] get_workflow
|
||||
- [ ] get_workflow_run
|
||||
- [ ] get_workflow_run_properties
|
||||
- [ ] get_workflow_runs
|
||||
- [ ] import_catalog_to_glue
|
||||
- [ ] list_blueprints
|
||||
- [ ] list_crawlers
|
||||
- [ ] list_dev_endpoints
|
||||
- [ ] 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_blueprint_run
|
||||
- [X] start_crawler
|
||||
- [ ] start_crawler_schedule
|
||||
- [ ] start_export_labels_task_run
|
||||
- [ ] start_import_labels_task_run
|
||||
- [ ] start_job_run
|
||||
- [ ] start_ml_evaluation_task_run
|
||||
- [ ] start_ml_labeling_set_generation_task_run
|
||||
- [ ] start_trigger
|
||||
- [ ] start_workflow_run
|
||||
- [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
|
||||
- [ ] update_database
|
||||
- [ ] update_dev_endpoint
|
||||
- [ ] update_job
|
||||
- [ ] update_ml_transform
|
||||
- [ ] update_partition
|
||||
- [ ] update_registry
|
||||
- [ ] update_schema
|
||||
- [ ] update_table
|
||||
- [ ] update_trigger
|
||||
- [ ] update_user_defined_function
|
||||
- [ ] update_workflow
|
||||
|
171
docs/docs/services/iam.rst
Normal file
171
docs/docs/services/iam.rst
Normal file
@ -0,0 +1,171 @@
|
||||
.. _implementedservice_iam:
|
||||
|
||||
===
|
||||
iam
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] add_client_id_to_open_id_connect_provider
|
||||
- [X] add_role_to_instance_profile
|
||||
- [X] add_user_to_group
|
||||
- [X] attach_group_policy
|
||||
- [X] attach_role_policy
|
||||
- [X] attach_user_policy
|
||||
- [ ] change_password
|
||||
- [X] create_access_key
|
||||
- [X] create_account_alias
|
||||
- [X] create_group
|
||||
- [X] create_instance_profile
|
||||
- [X] create_login_profile
|
||||
- [X] create_open_id_connect_provider
|
||||
- [X] create_policy
|
||||
- [X] create_policy_version
|
||||
- [X] create_role
|
||||
- [X] create_saml_provider
|
||||
- [ ] create_service_linked_role
|
||||
- [ ] create_service_specific_credential
|
||||
- [X] create_user
|
||||
- [X] create_virtual_mfa_device
|
||||
- [X] deactivate_mfa_device
|
||||
Deactivate and detach MFA Device from user if device exists.
|
||||
|
||||
- [X] delete_access_key
|
||||
- [X] delete_account_alias
|
||||
- [X] delete_account_password_policy
|
||||
- [X] delete_group
|
||||
- [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
|
||||
- [X] delete_role_permissions_boundary
|
||||
- [X] delete_role_policy
|
||||
- [X] delete_saml_provider
|
||||
- [X] delete_server_certificate
|
||||
- [ ] delete_service_linked_role
|
||||
- [ ] delete_service_specific_credential
|
||||
- [X] delete_signing_certificate
|
||||
- [X] delete_ssh_public_key
|
||||
- [X] delete_user
|
||||
- [ ] delete_user_permissions_boundary
|
||||
- [X] delete_user_policy
|
||||
- [X] delete_virtual_mfa_device
|
||||
- [X] detach_group_policy
|
||||
- [X] detach_role_policy
|
||||
- [X] detach_user_policy
|
||||
- [X] enable_mfa_device
|
||||
Enable MFA Device for user.
|
||||
|
||||
- [ ] generate_credential_report
|
||||
- [ ] generate_organizations_access_report
|
||||
- [ ] generate_service_last_accessed_details
|
||||
- [X] get_access_key_last_used
|
||||
- [X] get_account_authorization_details
|
||||
- [X] get_account_password_policy
|
||||
- [X] get_account_summary
|
||||
- [ ] get_context_keys_for_custom_policy
|
||||
- [ ] get_context_keys_for_principal_policy
|
||||
- [X] get_credential_report
|
||||
- [X] get_group
|
||||
- [X] get_group_policy
|
||||
- [X] get_instance_profile
|
||||
- [X] get_login_profile
|
||||
- [X] get_open_id_connect_provider
|
||||
- [ ] get_organizations_access_report
|
||||
- [X] get_policy
|
||||
- [X] get_policy_version
|
||||
- [X] get_role
|
||||
- [X] get_role_policy
|
||||
- [X] get_saml_provider
|
||||
- [X] get_server_certificate
|
||||
- [ ] get_service_last_accessed_details
|
||||
- [ ] get_service_last_accessed_details_with_entities
|
||||
- [ ] get_service_linked_role_deletion_status
|
||||
- [X] get_ssh_public_key
|
||||
- [X] get_user
|
||||
- [X] get_user_policy
|
||||
- [ ] list_access_keys
|
||||
- [X] list_account_aliases
|
||||
- [X] list_attached_group_policies
|
||||
- [X] list_attached_role_policies
|
||||
- [X] list_attached_user_policies
|
||||
- [ ] list_entities_for_policy
|
||||
- [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
|
||||
- [ ] 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
|
||||
- [ ] list_ssh_public_keys
|
||||
- [X] list_user_policies
|
||||
- [X] list_user_tags
|
||||
- [X] list_users
|
||||
- [X] list_virtual_mfa_devices
|
||||
- [X] put_group_policy
|
||||
- [X] put_role_permissions_boundary
|
||||
- [X] put_role_policy
|
||||
- [ ] put_user_permissions_boundary
|
||||
- [X] put_user_policy
|
||||
- [ ] remove_client_id_from_open_id_connect_provider
|
||||
- [X] remove_role_from_instance_profile
|
||||
- [X] remove_user_from_group
|
||||
- [ ] reset_service_specific_credential
|
||||
- [ ] resync_mfa_device
|
||||
- [X] set_default_policy_version
|
||||
- [ ] set_security_token_service_preferences
|
||||
- [ ] simulate_custom_policy
|
||||
- [ ] simulate_principal_policy
|
||||
- [ ] tag_instance_profile
|
||||
- [ ] tag_mfa_device
|
||||
- [ ] tag_open_id_connect_provider
|
||||
- [X] tag_policy
|
||||
- [X] tag_role
|
||||
- [ ] tag_saml_provider
|
||||
- [ ] tag_server_certificate
|
||||
- [X] tag_user
|
||||
- [ ] untag_instance_profile
|
||||
- [ ] untag_mfa_device
|
||||
- [ ] untag_open_id_connect_provider
|
||||
- [X] untag_policy
|
||||
- [X] untag_role
|
||||
- [ ] 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_login_profile
|
||||
- [ ] update_open_id_connect_provider_thumbprint
|
||||
- [X] update_role
|
||||
- [X] update_role_description
|
||||
- [X] update_saml_provider
|
||||
- [ ] update_server_certificate
|
||||
- [ ] update_service_specific_credential
|
||||
- [X] update_signing_certificate
|
||||
- [X] update_ssh_public_key
|
||||
- [X] update_user
|
||||
- [X] upload_server_certificate
|
||||
- [X] upload_signing_certificate
|
||||
- [X] upload_ssh_public_key
|
||||
|
89
docs/docs/services/index.rst
Normal file
89
docs/docs/services/index.rst
Normal file
@ -0,0 +1,89 @@
|
||||
.. _implemented_services:
|
||||
|
||||
|
||||
====================
|
||||
Implemented Services
|
||||
====================
|
||||
|
||||
|
||||
- :doc:`acm`
|
||||
- :doc:`apigateway`
|
||||
- :doc:`application-autoscaling`
|
||||
- :doc:`athena`
|
||||
- :doc:`autoscaling`
|
||||
- :doc:`batch`
|
||||
- :doc:`cloudformation`
|
||||
- :doc:`cloudtrail`
|
||||
- :doc:`cloudwatch`
|
||||
- :doc:`codecommit`
|
||||
- :doc:`codepipeline`
|
||||
- :doc:`cognito-identity`
|
||||
- :doc:`cognito-idp`
|
||||
- :doc:`config`
|
||||
- :doc:`datapipeline`
|
||||
- :doc:`datasync`
|
||||
- :doc:`dms`
|
||||
- :doc:`ds`
|
||||
- :doc:`dynamodb`
|
||||
- :doc:`dynamodbstreams`
|
||||
- :doc:`ec2`
|
||||
- :doc:`ec2-instance-connect`
|
||||
- :doc:`ecr`
|
||||
- :doc:`ecs`
|
||||
- :doc:`efs`
|
||||
- :doc:`eks`
|
||||
- :doc:`elasticbeanstalk`
|
||||
- :doc:`elastictranscoder`
|
||||
- :doc:`elb`
|
||||
- :doc:`elbv2`
|
||||
- :doc:`emr`
|
||||
- :doc:`emr-containers`
|
||||
- :doc:`events`
|
||||
- :doc:`firehose`
|
||||
- :doc:`forecast`
|
||||
- :doc:`glacier`
|
||||
- :doc:`glue`
|
||||
- :doc:`iam`
|
||||
- :doc:`iot`
|
||||
- :doc:`iot-data`
|
||||
- :doc:`kinesis`
|
||||
- :doc:`kinesis-video-archived-media`
|
||||
- :doc:`kinesisvideo`
|
||||
- :doc:`kms`
|
||||
- :doc:`lambda`
|
||||
- :doc:`logs`
|
||||
- :doc:`managedblockchain`
|
||||
- :doc:`mediaconnect`
|
||||
- :doc:`medialive`
|
||||
- :doc:`mediapackage`
|
||||
- :doc:`mediastore`
|
||||
- :doc:`mediastore-data`
|
||||
- :doc:`opsworks`
|
||||
- :doc:`organizations`
|
||||
- :doc:`polly`
|
||||
- :doc:`ram`
|
||||
- :doc:`rds`
|
||||
- :doc:`redshift`
|
||||
- :doc:`resource-groups`
|
||||
- :doc:`resourcegroupstaggingapi`
|
||||
- :doc:`route53`
|
||||
- :doc:`s3`
|
||||
- :doc:`sagemaker`
|
||||
- :doc:`secretsmanager`
|
||||
- :doc:`ses`
|
||||
- :doc:`sns`
|
||||
- :doc:`sqs`
|
||||
- :doc:`ssm`
|
||||
- :doc:`stepfunctions`
|
||||
- :doc:`sts`
|
||||
- :doc:`support`
|
||||
- :doc:`swf`
|
||||
- :doc:`timestream-write`
|
||||
- :doc:`transcribe`
|
||||
- :doc:`wafv2`
|
||||
|
||||
.. toctree::
|
||||
:hidden:
|
||||
:glob:
|
||||
|
||||
*
|
27
docs/docs/services/iot-data.rst
Normal file
27
docs/docs/services/iot-data.rst
Normal file
@ -0,0 +1,27 @@
|
||||
.. _implementedservice_iot-data:
|
||||
|
||||
========
|
||||
iot-data
|
||||
========
|
||||
|
||||
|
||||
|
||||
- [X] delete_thing_shadow
|
||||
after deleting, get_thing_shadow will raise ResourceNotFound.
|
||||
But version of the shadow keep increasing...
|
||||
|
||||
|
||||
- [ ] get_retained_message
|
||||
- [X] get_thing_shadow
|
||||
- [ ] list_named_shadows_for_thing
|
||||
- [ ] list_retained_messages
|
||||
- [X] publish
|
||||
- [X] update_thing_shadow
|
||||
|
||||
spec of payload:
|
||||
- need node `state`
|
||||
- state node must be an Object
|
||||
- State contains an invalid node: 'foo'
|
||||
|
||||
|
||||
|
243
docs/docs/services/iot.rst
Normal file
243
docs/docs/services/iot.rst
Normal file
@ -0,0 +1,243 @@
|
||||
.. _implementedservice_iot:
|
||||
|
||||
===
|
||||
iot
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] accept_certificate_transfer
|
||||
- [ ] add_thing_to_billing_group
|
||||
- [X] add_thing_to_thing_group
|
||||
- [ ] associate_targets_with_job
|
||||
- [X] attach_policy
|
||||
- [X] attach_principal_policy
|
||||
- [ ] attach_security_profile
|
||||
- [X] attach_thing_principal
|
||||
- [ ] 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
|
||||
- [ ] create_custom_metric
|
||||
- [ ] create_dimension
|
||||
- [ ] 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
|
||||
- [X] create_policy
|
||||
- [X] create_policy_version
|
||||
- [ ] create_provisioning_claim
|
||||
- [ ] create_provisioning_template
|
||||
- [ ] create_provisioning_template_version
|
||||
- [ ] create_role_alias
|
||||
- [ ] create_scheduled_audit
|
||||
- [ ] create_security_profile
|
||||
- [ ] create_stream
|
||||
- [X] create_thing
|
||||
- [X] create_thing_group
|
||||
- [X] create_thing_type
|
||||
- [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_certificate
|
||||
- [ ] delete_custom_metric
|
||||
- [ ] delete_dimension
|
||||
- [ ] 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
|
||||
- [X] delete_policy_version
|
||||
- [ ] delete_provisioning_template
|
||||
- [ ] delete_provisioning_template_version
|
||||
- [ ] delete_registration_code
|
||||
- [ ] delete_role_alias
|
||||
- [ ] delete_scheduled_audit
|
||||
- [ ] delete_security_profile
|
||||
- [ ] delete_stream
|
||||
- [X] delete_thing
|
||||
- [X] delete_thing_group
|
||||
- [X] delete_thing_type
|
||||
- [X] delete_topic_rule
|
||||
- [ ] delete_topic_rule_destination
|
||||
- [ ] delete_v2_logging_level
|
||||
- [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_certificate
|
||||
- [ ] describe_custom_metric
|
||||
- [ ] describe_default_authorizer
|
||||
- [ ] describe_detect_mitigation_actions_task
|
||||
- [ ] describe_dimension
|
||||
- [ ] 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_mitigation_action
|
||||
- [ ] describe_provisioning_template
|
||||
- [ ] describe_provisioning_template_version
|
||||
- [ ] describe_role_alias
|
||||
- [ ] describe_scheduled_audit
|
||||
- [ ] describe_security_profile
|
||||
- [ ] describe_stream
|
||||
- [X] describe_thing
|
||||
- [X] describe_thing_group
|
||||
- [ ] describe_thing_registration_task
|
||||
- [X] describe_thing_type
|
||||
- [X] detach_policy
|
||||
- [X] detach_principal_policy
|
||||
- [ ] detach_security_profile
|
||||
- [X] detach_thing_principal
|
||||
- [X] disable_topic_rule
|
||||
- [X] enable_topic_rule
|
||||
- [ ] get_behavior_model_training_summaries
|
||||
- [ ] get_buckets_aggregation
|
||||
- [ ] get_cardinality
|
||||
- [ ] get_effective_policies
|
||||
- [ ] get_indexing_configuration
|
||||
- [X] get_job_document
|
||||
- [ ] get_logging_options
|
||||
- [ ] get_ota_update
|
||||
- [ ] get_percentiles
|
||||
- [X] get_policy
|
||||
- [X] get_policy_version
|
||||
- [ ] get_registration_code
|
||||
- [ ] get_statistics
|
||||
- [X] get_topic_rule
|
||||
- [ ] get_topic_rule_destination
|
||||
- [ ] get_v2_logging_options
|
||||
- [ ] list_active_violations
|
||||
- [X] list_attached_policies
|
||||
- [ ] 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
|
||||
- [ ] list_custom_metrics
|
||||
- [ ] list_detect_mitigation_actions_executions
|
||||
- [ ] list_detect_mitigation_actions_tasks
|
||||
- [ ] list_dimensions
|
||||
- [ ] 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_mitigation_actions
|
||||
- [ ] list_ota_updates
|
||||
- [ ] list_outgoing_certificates
|
||||
- [X] list_policies
|
||||
- [X] list_policy_principals
|
||||
- [X] list_policy_versions
|
||||
- [X] list_principal_policies
|
||||
- [X] list_principal_things
|
||||
- [ ] list_provisioning_template_versions
|
||||
- [ ] list_provisioning_templates
|
||||
- [ ] list_role_aliases
|
||||
- [ ] list_scheduled_audits
|
||||
- [ ] list_security_profiles
|
||||
- [ ] list_security_profiles_for_target
|
||||
- [ ] list_streams
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] list_targets_for_policy
|
||||
- [ ] list_targets_for_security_profile
|
||||
- [X] list_thing_groups
|
||||
- [X] list_thing_groups_for_thing
|
||||
- [X] list_thing_principals
|
||||
- [ ] list_thing_registration_task_reports
|
||||
- [ ] list_thing_registration_tasks
|
||||
- [X] list_thing_types
|
||||
- [X] list_things
|
||||
- [ ] list_things_in_billing_group
|
||||
- [X] list_things_in_thing_group
|
||||
- [ ] list_topic_rule_destinations
|
||||
- [X] list_topic_rules
|
||||
- [ ] list_v2_logging_levels
|
||||
- [ ] list_violation_events
|
||||
- [ ] put_verification_state_on_violation
|
||||
- [ ] register_ca_certificate
|
||||
- [X] register_certificate
|
||||
- [X] register_certificate_without_ca
|
||||
- [ ] register_thing
|
||||
- [ ] reject_certificate_transfer
|
||||
- [ ] remove_thing_from_billing_group
|
||||
- [X] remove_thing_from_thing_group
|
||||
- [X] replace_topic_rule
|
||||
- [ ] 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
|
||||
- [ ] tag_resource
|
||||
- [ ] test_authorization
|
||||
- [ ] test_invoke_authorizer
|
||||
- [ ] transfer_certificate
|
||||
- [ ] untag_resource
|
||||
- [ ] update_account_audit_configuration
|
||||
- [ ] update_audit_suppression
|
||||
- [ ] update_authorizer
|
||||
- [ ] update_billing_group
|
||||
- [ ] update_ca_certificate
|
||||
- [X] update_certificate
|
||||
- [ ] update_custom_metric
|
||||
- [ ] update_dimension
|
||||
- [ ] update_domain_configuration
|
||||
- [ ] update_dynamic_thing_group
|
||||
- [ ] update_event_configurations
|
||||
- [ ] update_fleet_metric
|
||||
- [ ] update_indexing_configuration
|
||||
- [ ] update_job
|
||||
- [ ] update_mitigation_action
|
||||
- [ ] update_provisioning_template
|
||||
- [ ] update_role_alias
|
||||
- [ ] update_scheduled_audit
|
||||
- [ ] update_security_profile
|
||||
- [ ] update_stream
|
||||
- [X] update_thing
|
||||
- [X] update_thing_group
|
||||
- [X] update_thing_groups_for_thing
|
||||
- [ ] update_topic_rule_destination
|
||||
- [ ] validate_security_profile_behaviors
|
||||
|
14
docs/docs/services/kinesis-video-archived-media.rst
Normal file
14
docs/docs/services/kinesis-video-archived-media.rst
Normal file
@ -0,0 +1,14 @@
|
||||
.. _implementedservice_kinesis-video-archived-media:
|
||||
|
||||
============================
|
||||
kinesis-video-archived-media
|
||||
============================
|
||||
|
||||
|
||||
|
||||
- [X] get_clip
|
||||
- [X] get_dash_streaming_session_url
|
||||
- [X] get_hls_streaming_session_url
|
||||
- [ ] get_media_for_fragment_list
|
||||
- [ ] list_fragments
|
||||
|
37
docs/docs/services/kinesis.rst
Normal file
37
docs/docs/services/kinesis.rst
Normal file
@ -0,0 +1,37 @@
|
||||
.. _implementedservice_kinesis:
|
||||
|
||||
=======
|
||||
kinesis
|
||||
=======
|
||||
|
||||
|
||||
|
||||
- [X] add_tags_to_stream
|
||||
- [X] create_stream
|
||||
- [X] decrease_stream_retention_period
|
||||
- [X] delete_stream
|
||||
- [ ] deregister_stream_consumer
|
||||
- [ ] describe_limits
|
||||
- [X] describe_stream
|
||||
- [ ] describe_stream_consumer
|
||||
- [X] describe_stream_summary
|
||||
- [ ] disable_enhanced_monitoring
|
||||
- [ ] enable_enhanced_monitoring
|
||||
- [X] get_records
|
||||
- [X] get_shard_iterator
|
||||
- [X] increase_stream_retention_period
|
||||
- [X] list_shards
|
||||
- [ ] list_stream_consumers
|
||||
- [X] list_streams
|
||||
- [X] list_tags_for_stream
|
||||
- [X] merge_shards
|
||||
- [X] put_record
|
||||
- [X] put_records
|
||||
- [ ] register_stream_consumer
|
||||
- [X] remove_tags_from_stream
|
||||
- [X] split_shard
|
||||
- [ ] start_stream_encryption
|
||||
- [ ] stop_stream_encryption
|
||||
- [ ] subscribe_to_shard
|
||||
- [ ] update_shard_count
|
||||
|
28
docs/docs/services/kinesisvideo.rst
Normal file
28
docs/docs/services/kinesisvideo.rst
Normal file
@ -0,0 +1,28 @@
|
||||
.. _implementedservice_kinesisvideo:
|
||||
|
||||
============
|
||||
kinesisvideo
|
||||
============
|
||||
|
||||
|
||||
|
||||
- [ ] create_signaling_channel
|
||||
- [X] create_stream
|
||||
- [ ] delete_signaling_channel
|
||||
- [X] delete_stream
|
||||
- [ ] describe_signaling_channel
|
||||
- [X] describe_stream
|
||||
- [X] get_data_endpoint
|
||||
- [ ] get_signaling_channel_endpoint
|
||||
- [ ] list_signaling_channels
|
||||
- [X] list_streams
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] list_tags_for_stream
|
||||
- [ ] tag_resource
|
||||
- [ ] tag_stream
|
||||
- [ ] untag_resource
|
||||
- [ ] untag_stream
|
||||
- [ ] update_data_retention
|
||||
- [ ] update_signaling_channel
|
||||
- [ ] update_stream
|
||||
|
59
docs/docs/services/kms.rst
Normal file
59
docs/docs/services/kms.rst
Normal file
@ -0,0 +1,59 @@
|
||||
.. _implementedservice_kms:
|
||||
|
||||
===
|
||||
kms
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [X] cancel_key_deletion
|
||||
- [ ] connect_custom_key_store
|
||||
- [ ] create_alias
|
||||
- [ ] create_custom_key_store
|
||||
- [ ] create_grant
|
||||
- [X] create_key
|
||||
- [X] decrypt
|
||||
- [X] delete_alias
|
||||
Delete the alias.
|
||||
|
||||
- [ ] delete_custom_key_store
|
||||
- [ ] delete_imported_key_material
|
||||
- [ ] describe_custom_key_stores
|
||||
- [X] describe_key
|
||||
- [X] disable_key
|
||||
- [X] disable_key_rotation
|
||||
- [ ] disconnect_custom_key_store
|
||||
- [X] enable_key
|
||||
- [X] enable_key_rotation
|
||||
- [X] encrypt
|
||||
- [X] generate_data_key
|
||||
- [ ] generate_data_key_pair
|
||||
- [ ] generate_data_key_pair_without_plaintext
|
||||
- [ ] generate_data_key_without_plaintext
|
||||
- [ ] generate_random
|
||||
- [X] get_key_policy
|
||||
- [X] get_key_rotation_status
|
||||
- [ ] get_parameters_for_import
|
||||
- [ ] get_public_key
|
||||
- [ ] import_key_material
|
||||
- [ ] list_aliases
|
||||
- [ ] list_grants
|
||||
- [ ] list_key_policies
|
||||
- [X] list_keys
|
||||
- [X] list_resource_tags
|
||||
- [ ] list_retirable_grants
|
||||
- [X] put_key_policy
|
||||
- [X] re_encrypt
|
||||
- [ ] replicate_key
|
||||
- [ ] retire_grant
|
||||
- [ ] revoke_grant
|
||||
- [X] schedule_key_deletion
|
||||
- [ ] sign
|
||||
- [X] tag_resource
|
||||
- [X] untag_resource
|
||||
- [ ] update_alias
|
||||
- [ ] update_custom_key_store
|
||||
- [X] update_key_description
|
||||
- [ ] update_primary_region
|
||||
- [ ] verify
|
||||
|
67
docs/docs/services/lambda.rst
Normal file
67
docs/docs/services/lambda.rst
Normal file
@ -0,0 +1,67 @@
|
||||
.. _implementedservice_lambda:
|
||||
|
||||
======
|
||||
lambda
|
||||
======
|
||||
|
||||
|
||||
|
||||
- [ ] 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
|
||||
- [ ] 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
|
||||
- [ ] get_layer_version
|
||||
- [ ] get_layer_version_by_arn
|
||||
- [ ] get_layer_version_policy
|
||||
- [X] get_policy
|
||||
- [ ] get_provisioned_concurrency_config
|
||||
- [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
|
||||
- [X] list_layers
|
||||
- [ ] list_provisioned_concurrency_configs
|
||||
- [X] list_tags
|
||||
- [X] list_versions_by_function
|
||||
- [X] publish_layer_version
|
||||
- [ ] publish_version
|
||||
- [ ] put_function_code_signing_config
|
||||
- [X] put_function_concurrency
|
||||
- [ ] put_function_event_invoke_config
|
||||
- [ ] put_provisioned_concurrency_config
|
||||
- [ ] remove_layer_version_permission
|
||||
- [X] remove_permission
|
||||
- [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
|
||||
|
62
docs/docs/services/logs.rst
Normal file
62
docs/docs/services/logs.rst
Normal file
@ -0,0 +1,62 @@
|
||||
.. _implementedservice_logs:
|
||||
|
||||
====
|
||||
logs
|
||||
====
|
||||
|
||||
|
||||
|
||||
- [ ] associate_kms_key
|
||||
- [ ] cancel_export_task
|
||||
- [ ] create_export_task
|
||||
- [X] create_log_group
|
||||
- [X] create_log_stream
|
||||
- [ ] delete_destination
|
||||
- [X] delete_log_group
|
||||
- [X] delete_log_stream
|
||||
- [X] delete_metric_filter
|
||||
- [ ] delete_query_definition
|
||||
- [X] delete_resource_policy
|
||||
Remove resource policy with a policy name matching given name.
|
||||
|
||||
- [X] delete_retention_policy
|
||||
- [X] delete_subscription_filter
|
||||
- [ ] describe_destinations
|
||||
- [ ] describe_export_tasks
|
||||
- [X] describe_log_groups
|
||||
- [X] describe_log_streams
|
||||
- [X] describe_metric_filters
|
||||
- [ ] describe_queries
|
||||
- [ ] describe_query_definitions
|
||||
- [X] describe_resource_policies
|
||||
Return list of resource policies.
|
||||
|
||||
The next_token and limit arguments are ignored. The maximum
|
||||
number of resource policies per region is a small number (less
|
||||
than 50), so pagination isn't needed.
|
||||
|
||||
|
||||
- [X] describe_subscription_filters
|
||||
- [ ] disassociate_kms_key
|
||||
- [X] filter_log_events
|
||||
- [X] get_log_events
|
||||
- [ ] get_log_group_fields
|
||||
- [ ] get_log_record
|
||||
- [ ] get_query_results
|
||||
- [X] list_tags_log_group
|
||||
- [ ] put_destination
|
||||
- [ ] put_destination_policy
|
||||
- [X] put_log_events
|
||||
- [X] put_metric_filter
|
||||
- [ ] put_query_definition
|
||||
- [X] put_resource_policy
|
||||
Creates/updates resource policy and return policy object
|
||||
|
||||
- [X] put_retention_policy
|
||||
- [X] put_subscription_filter
|
||||
- [X] start_query
|
||||
- [ ] stop_query
|
||||
- [X] tag_log_group
|
||||
- [ ] test_metric_filter
|
||||
- [X] untag_log_group
|
||||
|
32
docs/docs/services/managedblockchain.rst
Normal file
32
docs/docs/services/managedblockchain.rst
Normal file
@ -0,0 +1,32 @@
|
||||
.. _implementedservice_managedblockchain:
|
||||
|
||||
=================
|
||||
managedblockchain
|
||||
=================
|
||||
|
||||
|
||||
|
||||
- [X] create_member
|
||||
- [X] create_network
|
||||
- [X] create_node
|
||||
- [X] create_proposal
|
||||
- [X] delete_member
|
||||
- [X] delete_node
|
||||
- [X] get_member
|
||||
- [X] get_network
|
||||
- [X] get_node
|
||||
- [X] get_proposal
|
||||
- [X] list_invitations
|
||||
- [X] list_members
|
||||
- [X] list_networks
|
||||
- [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
|
||||
|
39
docs/docs/services/mediaconnect.rst
Normal file
39
docs/docs/services/mediaconnect.rst
Normal file
@ -0,0 +1,39 @@
|
||||
.. _implementedservice_mediaconnect:
|
||||
|
||||
============
|
||||
mediaconnect
|
||||
============
|
||||
|
||||
|
||||
|
||||
- [ ] add_flow_media_streams
|
||||
- [X] add_flow_outputs
|
||||
- [ ] add_flow_sources
|
||||
- [X] add_flow_vpc_interfaces
|
||||
- [X] create_flow
|
||||
- [X] delete_flow
|
||||
- [X] describe_flow
|
||||
- [ ] describe_offering
|
||||
- [ ] describe_reservation
|
||||
- [ ] grant_flow_entitlements
|
||||
- [ ] list_entitlements
|
||||
- [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
|
||||
- [X] remove_flow_vpc_interface
|
||||
- [ ] revoke_flow_entitlement
|
||||
- [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
|
||||
|
66
docs/docs/services/medialive.rst
Normal file
66
docs/docs/services/medialive.rst
Normal file
@ -0,0 +1,66 @@
|
||||
.. _implementedservice_medialive:
|
||||
|
||||
=========
|
||||
medialive
|
||||
=========
|
||||
|
||||
|
||||
|
||||
- [ ] accept_input_device_transfer
|
||||
- [ ] batch_delete
|
||||
- [ ] batch_start
|
||||
- [ ] batch_stop
|
||||
- [ ] batch_update_schedule
|
||||
- [ ] 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
|
||||
- [X] delete_channel
|
||||
- [X] delete_input
|
||||
- [ ] delete_input_security_group
|
||||
- [ ] delete_multiplex
|
||||
- [ ] delete_multiplex_program
|
||||
- [ ] delete_reservation
|
||||
- [ ] delete_schedule
|
||||
- [ ] delete_tags
|
||||
- [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
|
||||
- [X] list_channels
|
||||
- [ ] list_input_device_transfers
|
||||
- [ ] list_input_devices
|
||||
- [ ] list_input_security_groups
|
||||
- [X] list_inputs
|
||||
- [ ] list_multiplex_programs
|
||||
- [ ] list_multiplexes
|
||||
- [ ] list_offerings
|
||||
- [ ] list_reservations
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] purchase_offering
|
||||
- [ ] reject_input_device_transfer
|
||||
- [X] start_channel
|
||||
- [ ] start_multiplex
|
||||
- [X] stop_channel
|
||||
- [ ] stop_multiplex
|
||||
- [ ] transfer_input_device
|
||||
- [X] update_channel
|
||||
- [ ] update_channel_class
|
||||
- [X] update_input
|
||||
- [ ] update_input_device
|
||||
- [ ] update_input_security_group
|
||||
- [ ] update_multiplex
|
||||
- [ ] update_multiplex_program
|
||||
- [ ] update_reservation
|
||||
|
28
docs/docs/services/mediapackage.rst
Normal file
28
docs/docs/services/mediapackage.rst
Normal file
@ -0,0 +1,28 @@
|
||||
.. _implementedservice_mediapackage:
|
||||
|
||||
============
|
||||
mediapackage
|
||||
============
|
||||
|
||||
|
||||
|
||||
- [ ] configure_logs
|
||||
- [X] create_channel
|
||||
- [ ] create_harvest_job
|
||||
- [X] create_origin_endpoint
|
||||
- [X] delete_channel
|
||||
- [X] delete_origin_endpoint
|
||||
- [X] describe_channel
|
||||
- [ ] describe_harvest_job
|
||||
- [X] describe_origin_endpoint
|
||||
- [X] list_channels
|
||||
- [ ] list_harvest_jobs
|
||||
- [X] list_origin_endpoints
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] rotate_channel_credentials
|
||||
- [ ] rotate_ingest_endpoint_credentials
|
||||
- [ ] tag_resource
|
||||
- [ ] untag_resource
|
||||
- [ ] update_channel
|
||||
- [X] update_origin_endpoint
|
||||
|
14
docs/docs/services/mediastore-data.rst
Normal file
14
docs/docs/services/mediastore-data.rst
Normal file
@ -0,0 +1,14 @@
|
||||
.. _implementedservice_mediastore-data:
|
||||
|
||||
===============
|
||||
mediastore-data
|
||||
===============
|
||||
|
||||
|
||||
|
||||
- [X] delete_object
|
||||
- [ ] describe_object
|
||||
- [X] get_object
|
||||
- [X] list_items
|
||||
- [X] put_object
|
||||
|
30
docs/docs/services/mediastore.rst
Normal file
30
docs/docs/services/mediastore.rst
Normal file
@ -0,0 +1,30 @@
|
||||
.. _implementedservice_mediastore:
|
||||
|
||||
==========
|
||||
mediastore
|
||||
==========
|
||||
|
||||
|
||||
|
||||
- [X] create_container
|
||||
- [X] delete_container
|
||||
- [ ] delete_container_policy
|
||||
- [ ] delete_cors_policy
|
||||
- [ ] delete_lifecycle_policy
|
||||
- [ ] delete_metric_policy
|
||||
- [X] describe_container
|
||||
- [X] get_container_policy
|
||||
- [ ] get_cors_policy
|
||||
- [X] get_lifecycle_policy
|
||||
- [X] get_metric_policy
|
||||
- [X] list_containers
|
||||
- [X] list_tags_for_resource
|
||||
- [X] put_container_policy
|
||||
- [ ] put_cors_policy
|
||||
- [X] put_lifecycle_policy
|
||||
- [X] put_metric_policy
|
||||
- [ ] start_access_logging
|
||||
- [ ] stop_access_logging
|
||||
- [ ] tag_resource
|
||||
- [ ] untag_resource
|
||||
|
83
docs/docs/services/opsworks.rst
Normal file
83
docs/docs/services/opsworks.rst
Normal file
@ -0,0 +1,83 @@
|
||||
.. _implementedservice_opsworks:
|
||||
|
||||
========
|
||||
opsworks
|
||||
========
|
||||
|
||||
|
||||
|
||||
- [ ] assign_instance
|
||||
- [ ] assign_volume
|
||||
- [ ] associate_elastic_ip
|
||||
- [ ] attach_elastic_load_balancer
|
||||
- [ ] clone_stack
|
||||
- [X] create_app
|
||||
- [ ] create_deployment
|
||||
- [X] create_instance
|
||||
- [X] create_layer
|
||||
- [X] create_stack
|
||||
- [ ] create_user_profile
|
||||
- [ ] delete_app
|
||||
- [ ] delete_instance
|
||||
- [ ] delete_layer
|
||||
- [ ] delete_stack
|
||||
- [ ] delete_user_profile
|
||||
- [ ] deregister_ecs_cluster
|
||||
- [ ] deregister_elastic_ip
|
||||
- [ ] deregister_instance
|
||||
- [ ] deregister_rds_db_instance
|
||||
- [ ] deregister_volume
|
||||
- [ ] describe_agent_versions
|
||||
- [X] describe_apps
|
||||
- [ ] describe_commands
|
||||
- [ ] describe_deployments
|
||||
- [ ] describe_ecs_clusters
|
||||
- [ ] describe_elastic_ips
|
||||
- [ ] describe_elastic_load_balancers
|
||||
- [X] describe_instances
|
||||
- [X] describe_layers
|
||||
- [ ] describe_load_based_auto_scaling
|
||||
- [ ] describe_my_user_profile
|
||||
- [ ] describe_operating_systems
|
||||
- [ ] describe_permissions
|
||||
- [ ] describe_raid_arrays
|
||||
- [ ] describe_rds_db_instances
|
||||
- [ ] describe_service_errors
|
||||
- [ ] describe_stack_provisioning_parameters
|
||||
- [ ] describe_stack_summary
|
||||
- [X] describe_stacks
|
||||
- [ ] describe_time_based_auto_scaling
|
||||
- [ ] describe_user_profiles
|
||||
- [ ] describe_volumes
|
||||
- [ ] detach_elastic_load_balancer
|
||||
- [ ] disassociate_elastic_ip
|
||||
- [ ] get_hostname_suggestion
|
||||
- [ ] grant_access
|
||||
- [ ] list_tags
|
||||
- [ ] reboot_instance
|
||||
- [ ] register_ecs_cluster
|
||||
- [ ] register_elastic_ip
|
||||
- [ ] register_instance
|
||||
- [ ] register_rds_db_instance
|
||||
- [ ] register_volume
|
||||
- [ ] set_load_based_auto_scaling
|
||||
- [ ] set_permission
|
||||
- [ ] set_time_based_auto_scaling
|
||||
- [X] start_instance
|
||||
- [ ] start_stack
|
||||
- [ ] stop_instance
|
||||
- [ ] stop_stack
|
||||
- [ ] tag_resource
|
||||
- [ ] unassign_instance
|
||||
- [ ] unassign_volume
|
||||
- [ ] untag_resource
|
||||
- [ ] update_app
|
||||
- [ ] update_elastic_ip
|
||||
- [ ] update_instance
|
||||
- [ ] update_layer
|
||||
- [ ] update_my_user_profile
|
||||
- [ ] update_rds_db_instance
|
||||
- [ ] update_stack
|
||||
- [ ] update_user_profile
|
||||
- [ ] update_volume
|
||||
|
60
docs/docs/services/organizations.rst
Normal file
60
docs/docs/services/organizations.rst
Normal file
@ -0,0 +1,60 @@
|
||||
.. _implementedservice_organizations:
|
||||
|
||||
=============
|
||||
organizations
|
||||
=============
|
||||
|
||||
|
||||
|
||||
- [ ] 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
|
||||
- [ ] remove_account_from_organization
|
||||
- [X] tag_resource
|
||||
- [X] untag_resource
|
||||
- [X] update_organizational_unit
|
||||
- [X] update_policy
|
||||
|
18
docs/docs/services/polly.rst
Normal file
18
docs/docs/services/polly.rst
Normal file
@ -0,0 +1,18 @@
|
||||
.. _implementedservice_polly:
|
||||
|
||||
=====
|
||||
polly
|
||||
=====
|
||||
|
||||
|
||||
|
||||
- [X] delete_lexicon
|
||||
- [X] describe_voices
|
||||
- [X] get_lexicon
|
||||
- [ ] get_speech_synthesis_task
|
||||
- [X] list_lexicons
|
||||
- [ ] list_speech_synthesis_tasks
|
||||
- [X] put_lexicon
|
||||
- [ ] start_speech_synthesis_task
|
||||
- [ ] synthesize_speech
|
||||
|
33
docs/docs/services/ram.rst
Normal file
33
docs/docs/services/ram.rst
Normal file
@ -0,0 +1,33 @@
|
||||
.. _implementedservice_ram:
|
||||
|
||||
===
|
||||
ram
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] accept_resource_share_invitation
|
||||
- [ ] associate_resource_share
|
||||
- [ ] associate_resource_share_permission
|
||||
- [X] create_resource_share
|
||||
- [X] delete_resource_share
|
||||
- [ ] disassociate_resource_share
|
||||
- [ ] disassociate_resource_share_permission
|
||||
- [X] enable_sharing_with_aws_organization
|
||||
- [ ] get_permission
|
||||
- [ ] get_resource_policies
|
||||
- [ ] get_resource_share_associations
|
||||
- [ ] get_resource_share_invitations
|
||||
- [X] get_resource_shares
|
||||
- [ ] list_pending_invitation_resources
|
||||
- [ ] list_permissions
|
||||
- [ ] list_principals
|
||||
- [ ] list_resource_share_permissions
|
||||
- [ ] list_resource_types
|
||||
- [ ] list_resources
|
||||
- [ ] promote_resource_share_created_from_policy
|
||||
- [ ] reject_resource_share_invitation
|
||||
- [ ] tag_resource
|
||||
- [ ] untag_resource
|
||||
- [X] update_resource_share
|
||||
|
149
docs/docs/services/rds.rst
Normal file
149
docs/docs/services/rds.rst
Normal file
@ -0,0 +1,149 @@
|
||||
.. _implementedservice_rds:
|
||||
|
||||
===
|
||||
rds
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] add_role_to_db_cluster
|
||||
- [ ] add_role_to_db_instance
|
||||
- [ ] add_source_identifier_to_subscription
|
||||
- [X] add_tags_to_resource
|
||||
- [ ] apply_pending_maintenance_action
|
||||
- [ ] authorize_db_security_group_ingress
|
||||
- [ ] backtrack_db_cluster
|
||||
- [ ] 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_custom_db_engine_version
|
||||
- [X] create_db_cluster
|
||||
- [ ] create_db_cluster_endpoint
|
||||
- [ ] create_db_cluster_parameter_group
|
||||
- [ ] create_db_cluster_snapshot
|
||||
- [ ] create_db_instance
|
||||
- [ ] create_db_instance_read_replica
|
||||
- [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
|
||||
- [ ] create_global_cluster
|
||||
- [X] create_option_group
|
||||
- [ ] delete_custom_availability_zone
|
||||
- [ ] delete_custom_db_engine_version
|
||||
- [X] delete_db_cluster
|
||||
- [ ] delete_db_cluster_endpoint
|
||||
- [ ] delete_db_cluster_parameter_group
|
||||
- [ ] delete_db_cluster_snapshot
|
||||
- [ ] delete_db_instance
|
||||
- [ ] delete_db_instance_automated_backup
|
||||
- [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
|
||||
- [ ] delete_global_cluster
|
||||
- [ ] delete_installation_media
|
||||
- [X] delete_option_group
|
||||
- [ ] deregister_db_proxy_targets
|
||||
- [ ] describe_account_attributes
|
||||
- [ ] describe_certificates
|
||||
- [ ] describe_custom_availability_zones
|
||||
- [ ] describe_db_cluster_backtracks
|
||||
- [ ] describe_db_cluster_endpoints
|
||||
- [ ] describe_db_cluster_parameter_groups
|
||||
- [ ] describe_db_cluster_parameters
|
||||
- [ ] describe_db_cluster_snapshot_attributes
|
||||
- [ ] describe_db_cluster_snapshots
|
||||
- [X] describe_db_clusters
|
||||
- [ ] describe_db_engine_versions
|
||||
- [ ] describe_db_instance_automated_backups
|
||||
- [ ] describe_db_instances
|
||||
- [ ] describe_db_log_files
|
||||
- [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
|
||||
- [ ] describe_db_snapshot_attributes
|
||||
- [ ] describe_db_snapshots
|
||||
- [ ] describe_db_subnet_groups
|
||||
- [ ] describe_engine_default_cluster_parameters
|
||||
- [ ] describe_engine_default_parameters
|
||||
- [ ] describe_event_categories
|
||||
- [ ] describe_event_subscriptions
|
||||
- [ ] describe_events
|
||||
- [ ] describe_export_tasks
|
||||
- [ ] describe_global_clusters
|
||||
- [ ] describe_installation_media
|
||||
- [X] describe_option_group_options
|
||||
- [X] describe_option_groups
|
||||
- [ ] describe_orderable_db_instance_options
|
||||
- [ ] describe_pending_maintenance_actions
|
||||
- [ ] describe_reserved_db_instances
|
||||
- [ ] describe_reserved_db_instances_offerings
|
||||
- [ ] describe_source_regions
|
||||
- [ ] describe_valid_db_instance_modifications
|
||||
- [ ] download_db_log_file_portion
|
||||
- [ ] failover_db_cluster
|
||||
- [ ] failover_global_cluster
|
||||
- [ ] import_installation_media
|
||||
- [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
|
||||
- [X] modify_db_parameter_group
|
||||
- [ ] modify_db_proxy
|
||||
- [ ] modify_db_proxy_endpoint
|
||||
- [ ] modify_db_proxy_target_group
|
||||
- [ ] modify_db_snapshot
|
||||
- [ ] modify_db_snapshot_attribute
|
||||
- [X] modify_db_subnet_group
|
||||
- [ ] modify_event_subscription
|
||||
- [ ] modify_global_cluster
|
||||
- [X] modify_option_group
|
||||
- [ ] promote_read_replica
|
||||
- [ ] promote_read_replica_db_cluster
|
||||
- [ ] purchase_reserved_db_instances_offering
|
||||
- [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
|
||||
- [X] remove_tags_from_resource
|
||||
- [ ] reset_db_cluster_parameter_group
|
||||
- [ ] reset_db_parameter_group
|
||||
- [ ] restore_db_cluster_from_s3
|
||||
- [ ] restore_db_cluster_from_snapshot
|
||||
- [ ] restore_db_cluster_to_point_in_time
|
||||
- [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
|
||||
- [X] start_db_cluster
|
||||
- [ ] start_db_instance
|
||||
- [ ] start_db_instance_automated_backups_replication
|
||||
- [ ] start_export_task
|
||||
- [ ] stop_activity_stream
|
||||
- [X] stop_db_cluster
|
||||
- [ ] stop_db_instance
|
||||
- [ ] stop_db_instance_automated_backups_replication
|
||||
|
125
docs/docs/services/redshift.rst
Normal file
125
docs/docs/services/redshift.rst
Normal file
@ -0,0 +1,125 @@
|
||||
.. _implementedservice_redshift:
|
||||
|
||||
========
|
||||
redshift
|
||||
========
|
||||
|
||||
|
||||
|
||||
- [ ] accept_reserved_node_exchange
|
||||
- [ ] 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
|
||||
- [ ] create_scheduled_action
|
||||
- [X] create_snapshot_copy_grant
|
||||
- [ ] 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
|
||||
- [X] describe_cluster_security_groups
|
||||
- [X] describe_cluster_snapshots
|
||||
- [X] describe_cluster_subnet_groups
|
||||
- [ ] 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
|
||||
- [ ] describe_hsm_client_certificates
|
||||
- [ ] describe_hsm_configurations
|
||||
- [ ] describe_logging_status
|
||||
- [ ] describe_node_configuration_options
|
||||
- [ ] describe_orderable_cluster_options
|
||||
- [ ] describe_partners
|
||||
- [ ] describe_reserved_node_offerings
|
||||
- [ ] describe_reserved_nodes
|
||||
- [ ] describe_resize
|
||||
- [ ] describe_scheduled_actions
|
||||
- [X] describe_snapshot_copy_grants
|
||||
- [ ] describe_snapshot_schedules
|
||||
- [ ] describe_storage
|
||||
- [ ] describe_table_restore_status
|
||||
- [X] describe_tags
|
||||
- [ ] describe_usage_limits
|
||||
- [ ] disable_logging
|
||||
- [X] disable_snapshot_copy
|
||||
- [ ] disassociate_data_share_consumer
|
||||
- [ ] enable_logging
|
||||
- [X] enable_snapshot_copy
|
||||
- [X] get_cluster_credentials
|
||||
- [ ] get_reserved_node_exchange_offerings
|
||||
- [ ] modify_aqua_configuration
|
||||
- [ ] modify_authentication_profile
|
||||
- [X] modify_cluster
|
||||
- [ ] modify_cluster_db_revision
|
||||
- [ ] modify_cluster_iam_roles
|
||||
- [ ] modify_cluster_maintenance
|
||||
- [ ] modify_cluster_parameter_group
|
||||
- [ ] 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
|
||||
- [ ] 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
|
||||
- [ ] revoke_cluster_security_group_ingress
|
||||
- [ ] revoke_endpoint_access
|
||||
- [ ] revoke_snapshot_access
|
||||
- [ ] rotate_encryption_key
|
||||
- [ ] update_partner_status
|
||||
|
25
docs/docs/services/resource-groups.rst
Normal file
25
docs/docs/services/resource-groups.rst
Normal file
@ -0,0 +1,25 @@
|
||||
.. _implementedservice_resource-groups:
|
||||
|
||||
===============
|
||||
resource-groups
|
||||
===============
|
||||
|
||||
|
||||
|
||||
- [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
|
||||
|
17
docs/docs/services/resourcegroupstaggingapi.rst
Normal file
17
docs/docs/services/resourcegroupstaggingapi.rst
Normal file
@ -0,0 +1,17 @@
|
||||
.. _implementedservice_resourcegroupstaggingapi:
|
||||
|
||||
========================
|
||||
resourcegroupstaggingapi
|
||||
========================
|
||||
|
||||
|
||||
|
||||
- [ ] describe_report_creation
|
||||
- [ ] get_compliance_summary
|
||||
- [X] get_resources
|
||||
- [X] get_tag_keys
|
||||
- [X] get_tag_values
|
||||
- [ ] start_report_creation
|
||||
- [ ] tag_resources
|
||||
- [ ] untag_resources
|
||||
|
81
docs/docs/services/route53.rst
Normal file
81
docs/docs/services/route53.rst
Normal file
@ -0,0 +1,81 @@
|
||||
.. _implementedservice_route53:
|
||||
|
||||
=======
|
||||
route53
|
||||
=======
|
||||
|
||||
|
||||
|
||||
- [ ] activate_key_signing_key
|
||||
- [ ] associate_vpc_with_hosted_zone
|
||||
- [X] change_resource_record_sets
|
||||
- [X] change_tags_for_resource
|
||||
- [X] create_health_check
|
||||
- [X] create_hosted_zone
|
||||
- [ ] create_key_signing_key
|
||||
- [X] create_query_logging_config
|
||||
Process the create_query_logging_config request.
|
||||
|
||||
- [ ] 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_key_signing_key
|
||||
- [X] delete_query_logging_config
|
||||
Delete query logging config, if it exists.
|
||||
|
||||
- [ ] 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
|
||||
- [ ] get_hosted_zone_limit
|
||||
- [X] get_query_logging_config
|
||||
Return query logging config, if it exists.
|
||||
|
||||
- [ ] get_reusable_delegation_set
|
||||
- [ ] get_reusable_delegation_set_limit
|
||||
- [ ] get_traffic_policy
|
||||
- [ ] get_traffic_policy_instance
|
||||
- [ ] get_traffic_policy_instance_count
|
||||
- [ ] list_geo_locations
|
||||
- [X] list_health_checks
|
||||
- [X] list_hosted_zones
|
||||
- [X] list_hosted_zones_by_name
|
||||
- [ ] list_hosted_zones_by_vpc
|
||||
- [X] list_query_logging_configs
|
||||
Return a list of query logging configs.
|
||||
|
||||
- [ ] list_resource_record_sets
|
||||
- [ ] list_reusable_delegation_sets
|
||||
- [X] list_tags_for_resource
|
||||
- [ ] list_tags_for_resources
|
||||
- [ ] list_traffic_policies
|
||||
- [ ] list_traffic_policy_instances
|
||||
- [ ] list_traffic_policy_instances_by_hosted_zone
|
||||
- [ ] list_traffic_policy_instances_by_policy
|
||||
- [ ] list_traffic_policy_versions
|
||||
- [ ] list_vpc_association_authorizations
|
||||
- [ ] test_dns_answer
|
||||
- [ ] update_health_check
|
||||
- [ ] update_hosted_zone_comment
|
||||
- [ ] update_traffic_policy_comment
|
||||
- [ ] update_traffic_policy_instance
|
||||
|
105
docs/docs/services/s3.rst
Normal file
105
docs/docs/services/s3.rst
Normal file
@ -0,0 +1,105 @@
|
||||
.. _implementedservice_s3:
|
||||
|
||||
==
|
||||
s3
|
||||
==
|
||||
|
||||
|
||||
|
||||
- [X] abort_multipart_upload
|
||||
- [X] complete_multipart_upload
|
||||
- [X] copy_object
|
||||
- [X] create_bucket
|
||||
- [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
|
||||
- [X] delete_bucket_lifecycle
|
||||
- [ ] delete_bucket_metrics_configuration
|
||||
- [ ] delete_bucket_ownership_controls
|
||||
- [X] delete_bucket_policy
|
||||
- [X] delete_bucket_replication
|
||||
- [X] delete_bucket_tagging
|
||||
- [X] delete_bucket_website
|
||||
- [X] delete_object
|
||||
- [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
|
||||
- [X] get_bucket_lifecycle
|
||||
- [ ] get_bucket_lifecycle_configuration
|
||||
- [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
|
||||
- [X] get_bucket_replication
|
||||
- [ ] get_bucket_request_payment
|
||||
- [X] get_bucket_tagging
|
||||
- [X] get_bucket_versioning
|
||||
- [ ] get_bucket_website
|
||||
- [X] get_object
|
||||
- [X] get_object_acl
|
||||
- [X] get_object_legal_hold
|
||||
- [X] get_object_lock_configuration
|
||||
- [ ] get_object_retention
|
||||
- [X] get_object_tagging
|
||||
- [ ] get_object_torrent
|
||||
- [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
|
||||
- [X] list_buckets
|
||||
- [ ] list_multipart_uploads
|
||||
- [X] list_object_versions
|
||||
- [X] list_objects
|
||||
- [X] list_objects_v2
|
||||
- [X] list_parts
|
||||
- [X] put_bucket_accelerate_configuration
|
||||
- [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
|
||||
- [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_ownership_controls
|
||||
- [X] put_bucket_policy
|
||||
- [X] put_bucket_replication
|
||||
- [ ] put_bucket_request_payment
|
||||
- [X] put_bucket_tagging
|
||||
- [ ] put_bucket_versioning
|
||||
- [ ] put_bucket_website
|
||||
- [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
|
||||
- [X] upload_part
|
||||
- [ ] upload_part_copy
|
||||
- [ ] write_get_object_response
|
||||
|
251
docs/docs/services/sagemaker.rst
Normal file
251
docs/docs/services/sagemaker.rst
Normal file
@ -0,0 +1,251 @@
|
||||
.. _implementedservice_sagemaker:
|
||||
|
||||
=========
|
||||
sagemaker
|
||||
=========
|
||||
|
||||
|
||||
|
||||
- [ ] add_association
|
||||
- [ ] add_tags
|
||||
- [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_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_labeling_job
|
||||
- [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
|
||||
- [X] create_notebook_instance
|
||||
- [X] create_notebook_instance_lifecycle_config
|
||||
- [ ] create_pipeline
|
||||
- [ ] create_presigned_domain_url
|
||||
- [ ] create_presigned_notebook_instance_url
|
||||
- [X] create_processing_job
|
||||
- [ ] create_project
|
||||
- [ ] create_studio_lifecycle_config
|
||||
- [X] create_training_job
|
||||
- [ ] create_transform_job
|
||||
- [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
|
||||
- [X] delete_endpoint
|
||||
- [X] delete_endpoint_config
|
||||
- [X] delete_experiment
|
||||
- [ ] delete_feature_group
|
||||
- [ ] delete_flow_definition
|
||||
- [ ] 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
|
||||
- [X] delete_notebook_instance
|
||||
- [X] delete_notebook_instance_lifecycle_config
|
||||
- [ ] delete_pipeline
|
||||
- [ ] delete_project
|
||||
- [ ] delete_studio_lifecycle_config
|
||||
- [ ] delete_tags
|
||||
- [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_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_labeling_job
|
||||
- [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
|
||||
- [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
|
||||
- [X] describe_training_job
|
||||
- [ ] describe_transform_job
|
||||
- [X] describe_trial
|
||||
- [X] describe_trial_component
|
||||
- [ ] describe_user_profile
|
||||
- [ ] describe_workforce
|
||||
- [ ] describe_workteam
|
||||
- [ ] disable_sagemaker_servicecatalog_portfolio
|
||||
- [X] disassociate_trial_component
|
||||
- [ ] enable_sagemaker_servicecatalog_portfolio
|
||||
- [ ] get_device_fleet_report
|
||||
- [ ] 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
|
||||
- [X] list_experiments
|
||||
- [ ] list_feature_groups
|
||||
- [ ] list_flow_definitions
|
||||
- [ ] list_human_task_uis
|
||||
- [ ] list_hyper_parameter_tuning_jobs
|
||||
- [ ] list_image_versions
|
||||
- [ ] list_images
|
||||
- [ ] list_labeling_jobs
|
||||
- [ ] list_labeling_jobs_for_workteam
|
||||
- [ ] list_model_bias_job_definitions
|
||||
- [ ] list_model_explainability_job_definitions
|
||||
- [ ] list_model_package_groups
|
||||
- [ ] list_model_packages
|
||||
- [ ] list_model_quality_job_definitions
|
||||
- [X] list_models
|
||||
- [ ] list_monitoring_executions
|
||||
- [ ] list_monitoring_schedules
|
||||
- [ ] list_notebook_instance_lifecycle_configs
|
||||
- [ ] list_notebook_instances
|
||||
- [ ] 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
|
||||
- [X] list_training_jobs
|
||||
- [ ] list_training_jobs_for_hyper_parameter_tuning_job
|
||||
- [ ] list_transform_jobs
|
||||
- [X] list_trial_components
|
||||
- [X] list_trials
|
||||
- [ ] list_user_profiles
|
||||
- [ ] list_workforces
|
||||
- [ ] list_workteams
|
||||
- [ ] put_model_package_group_policy
|
||||
- [ ] register_devices
|
||||
- [ ] render_ui_template
|
||||
- [ ] retry_pipeline_execution
|
||||
- [X] search
|
||||
- [ ] send_pipeline_execution_step_failure
|
||||
- [ ] send_pipeline_execution_step_success
|
||||
- [ ] start_monitoring_schedule
|
||||
- [X] start_notebook_instance
|
||||
- [ ] start_pipeline_execution
|
||||
- [ ] stop_auto_ml_job
|
||||
- [ ] stop_compilation_job
|
||||
- [ ] stop_edge_packaging_job
|
||||
- [ ] stop_hyper_parameter_tuning_job
|
||||
- [ ] stop_labeling_job
|
||||
- [ ] stop_monitoring_schedule
|
||||
- [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
|
||||
- [ ] update_workforce
|
||||
- [ ] update_workteam
|
||||
|
58
docs/docs/services/secretsmanager.rst
Normal file
58
docs/docs/services/secretsmanager.rst
Normal file
@ -0,0 +1,58 @@
|
||||
.. _implementedservice_secretsmanager:
|
||||
|
||||
==============
|
||||
secretsmanager
|
||||
==============
|
||||
|
||||
|
||||
|
||||
- [ ] 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
|
||||
|
||||
Returns secrets from secretsmanager.
|
||||
The result is paginated and page items depends on the token value, because token contains start element
|
||||
number of secret list.
|
||||
Response example:
|
||||
{
|
||||
SecretList: [
|
||||
{
|
||||
ARN: 'arn:aws:secretsmanager:us-east-1:1234567890:secret:test1-gEcah',
|
||||
Name: 'test1',
|
||||
...
|
||||
},
|
||||
{
|
||||
ARN: 'arn:aws:secretsmanager:us-east-1:1234567890:secret:test2-KZwml',
|
||||
Name: 'test2',
|
||||
...
|
||||
}
|
||||
],
|
||||
NextToken: '2'
|
||||
}
|
||||
|
||||
:param filters: (List) Filter parameters.
|
||||
:param max_results: (int) Max number of results per page.
|
||||
:param next_token: (str) Page token.
|
||||
:return: (Tuple[List,str]) Returns result list and next token.
|
||||
|
||||
|
||||
- [ ] 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
|
||||
|
80
docs/docs/services/ses.rst
Normal file
80
docs/docs/services/ses.rst
Normal file
@ -0,0 +1,80 @@
|
||||
.. _implementedservice_ses:
|
||||
|
||||
===
|
||||
ses
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] clone_receipt_rule_set
|
||||
- [X] create_configuration_set
|
||||
- [X] create_configuration_set_event_destination
|
||||
- [ ] create_configuration_set_tracking_options
|
||||
- [ ] create_custom_verification_email_template
|
||||
- [ ] create_receipt_filter
|
||||
- [X] create_receipt_rule
|
||||
- [X] create_receipt_rule_set
|
||||
- [ ] create_template
|
||||
- [ ] delete_configuration_set
|
||||
- [ ] delete_configuration_set_event_destination
|
||||
- [ ] delete_configuration_set_tracking_options
|
||||
- [ ] delete_custom_verification_email_template
|
||||
- [X] delete_identity
|
||||
- [ ] delete_identity_policy
|
||||
- [ ] delete_receipt_filter
|
||||
- [ ] delete_receipt_rule
|
||||
- [ ] delete_receipt_rule_set
|
||||
- [ ] delete_template
|
||||
- [ ] delete_verified_email_address
|
||||
- [ ] describe_active_receipt_rule_set
|
||||
- [ ] describe_configuration_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
|
||||
- [X] get_identity_notification_attributes
|
||||
- [ ] get_identity_policies
|
||||
- [ ] get_identity_verification_attributes
|
||||
- [X] get_send_quota
|
||||
- [X] get_send_statistics
|
||||
- [X] get_template
|
||||
- [ ] list_configuration_sets
|
||||
- [ ] list_custom_verification_email_templates
|
||||
- [X] list_identities
|
||||
- [ ] list_identity_policies
|
||||
- [ ] list_receipt_filters
|
||||
- [ ] list_receipt_rule_sets
|
||||
- [X] list_templates
|
||||
- [X] list_verified_email_addresses
|
||||
- [ ] put_configuration_set_delivery_options
|
||||
- [ ] put_identity_policy
|
||||
- [ ] reorder_receipt_rule_set
|
||||
- [ ] send_bounce
|
||||
- [ ] send_bulk_templated_email
|
||||
- [ ] send_custom_verification_email
|
||||
- [X] send_email
|
||||
- [X] send_raw_email
|
||||
- [X] send_templated_email
|
||||
- [ ] set_active_receipt_rule_set
|
||||
- [ ] set_identity_dkim_enabled
|
||||
- [X] set_identity_feedback_forwarding_enabled
|
||||
- [ ] set_identity_headers_in_notifications_enabled
|
||||
- [ ] set_identity_mail_from_domain
|
||||
- [X] set_identity_notification_topic
|
||||
- [ ] set_receipt_rule_position
|
||||
- [ ] test_render_template
|
||||
- [ ] update_account_sending_enabled
|
||||
- [ ] update_configuration_set_event_destination
|
||||
- [ ] update_configuration_set_reputation_metrics_enabled
|
||||
- [ ] update_configuration_set_sending_enabled
|
||||
- [ ] update_configuration_set_tracking_options
|
||||
- [ ] update_custom_verification_email_template
|
||||
- [X] update_receipt_rule
|
||||
- [X] update_template
|
||||
- [ ] verify_domain_dkim
|
||||
- [ ] verify_domain_identity
|
||||
- [X] verify_email_address
|
||||
- [X] verify_email_identity
|
||||
|
48
docs/docs/services/sns.rst
Normal file
48
docs/docs/services/sns.rst
Normal file
@ -0,0 +1,48 @@
|
||||
.. _implementedservice_sns:
|
||||
|
||||
===
|
||||
sns
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [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] remove_permission
|
||||
- [X] set_endpoint_attributes
|
||||
- [ ] set_platform_application_attributes
|
||||
- [ ] set_sms_attributes
|
||||
- [X] set_subscription_attributes
|
||||
- [ ] set_topic_attributes
|
||||
- [X] subscribe
|
||||
- [X] tag_resource
|
||||
- [X] unsubscribe
|
||||
- [X] untag_resource
|
||||
- [ ] verify_sms_sandbox_phone_number
|
||||
|
29
docs/docs/services/sqs.rst
Normal file
29
docs/docs/services/sqs.rst
Normal file
@ -0,0 +1,29 @@
|
||||
.. _implementedservice_sqs:
|
||||
|
||||
===
|
||||
sqs
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [X] add_permission
|
||||
- [X] change_message_visibility
|
||||
- [ ] change_message_visibility_batch
|
||||
- [X] create_queue
|
||||
- [X] delete_message
|
||||
- [ ] delete_message_batch
|
||||
- [X] delete_queue
|
||||
- [X] get_queue_attributes
|
||||
- [X] get_queue_url
|
||||
- [X] list_dead_letter_source_queues
|
||||
- [X] list_queue_tags
|
||||
- [X] list_queues
|
||||
- [X] purge_queue
|
||||
- [ ] receive_message
|
||||
- [X] remove_permission
|
||||
- [X] send_message
|
||||
- [X] send_message_batch
|
||||
- [X] set_queue_attributes
|
||||
- [X] tag_queue
|
||||
- [X] untag_queue
|
||||
|
154
docs/docs/services/ssm.rst
Normal file
154
docs/docs/services/ssm.rst
Normal file
@ -0,0 +1,154 @@
|
||||
.. _implementedservice_ssm:
|
||||
|
||||
===
|
||||
ssm
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [X] add_tags_to_resource
|
||||
- [ ] associate_ops_item_related_item
|
||||
- [ ] cancel_command
|
||||
- [ ] cancel_maintenance_window_execution
|
||||
- [ ] create_activation
|
||||
- [ ] create_association
|
||||
- [ ] create_association_batch
|
||||
- [X] create_document
|
||||
- [ ] create_maintenance_window
|
||||
- [ ] create_ops_item
|
||||
- [ ] create_ops_metadata
|
||||
- [ ] create_patch_baseline
|
||||
- [ ] create_resource_data_sync
|
||||
- [ ] delete_activation
|
||||
- [ ] delete_association
|
||||
- [X] delete_document
|
||||
- [ ] delete_inventory
|
||||
- [ ] delete_maintenance_window
|
||||
- [ ] delete_ops_metadata
|
||||
- [X] delete_parameter
|
||||
- [X] delete_parameters
|
||||
- [ ] delete_patch_baseline
|
||||
- [ ] delete_resource_data_sync
|
||||
- [ ] deregister_managed_instance
|
||||
- [ ] deregister_patch_baseline_for_patch_group
|
||||
- [ ] deregister_target_from_maintenance_window
|
||||
- [ ] deregister_task_from_maintenance_window
|
||||
- [ ] describe_activations
|
||||
- [ ] describe_association
|
||||
- [ ] describe_association_execution_targets
|
||||
- [ ] describe_association_executions
|
||||
- [ ] describe_automation_executions
|
||||
- [ ] describe_automation_step_executions
|
||||
- [ ] describe_available_patches
|
||||
- [X] describe_document
|
||||
- [X] describe_document_permission
|
||||
- [ ] describe_effective_instance_associations
|
||||
- [ ] describe_effective_patches_for_patch_baseline
|
||||
- [ ] describe_instance_associations_status
|
||||
- [ ] describe_instance_information
|
||||
- [ ] describe_instance_patch_states
|
||||
- [ ] describe_instance_patch_states_for_patch_group
|
||||
- [ ] describe_instance_patches
|
||||
- [ ] describe_inventory_deletions
|
||||
- [ ] describe_maintenance_window_execution_task_invocations
|
||||
- [ ] describe_maintenance_window_execution_tasks
|
||||
- [ ] describe_maintenance_window_executions
|
||||
- [ ] describe_maintenance_window_schedule
|
||||
- [ ] describe_maintenance_window_targets
|
||||
- [ ] describe_maintenance_window_tasks
|
||||
- [ ] describe_maintenance_windows
|
||||
- [ ] describe_maintenance_windows_for_target
|
||||
- [ ] describe_ops_items
|
||||
- [X] describe_parameters
|
||||
- [ ] describe_patch_baselines
|
||||
- [ ] describe_patch_group_state
|
||||
- [ ] describe_patch_groups
|
||||
- [ ] describe_patch_properties
|
||||
- [ ] describe_sessions
|
||||
- [ ] disassociate_ops_item_related_item
|
||||
- [ ] get_automation_execution
|
||||
- [ ] get_calendar_state
|
||||
- [X] get_command_invocation
|
||||
|
||||
https://docs.aws.amazon.com/systems-manager/latest/APIReference/API_GetCommandInvocation.html
|
||||
|
||||
|
||||
- [ ] get_connection_status
|
||||
- [ ] get_default_patch_baseline
|
||||
- [ ] get_deployable_patch_snapshot_for_instance
|
||||
- [X] get_document
|
||||
- [ ] get_inventory
|
||||
- [ ] get_inventory_schema
|
||||
- [ ] 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
|
||||
- [X] get_parameters
|
||||
- [X] get_parameters_by_path
|
||||
Implement the get-parameters-by-path-API in the backend.
|
||||
|
||||
- [ ] get_patch_baseline
|
||||
- [ ] get_patch_baseline_for_patch_group
|
||||
- [ ] get_service_setting
|
||||
- [X] label_parameter_version
|
||||
- [ ] list_association_versions
|
||||
- [ ] list_associations
|
||||
- [ ] list_command_invocations
|
||||
- [X] list_commands
|
||||
|
||||
https://docs.aws.amazon.com/systems-manager/latest/APIReference/API_ListCommands.html
|
||||
|
||||
|
||||
- [ ] list_compliance_items
|
||||
- [ ] list_compliance_summaries
|
||||
- [ ] list_document_metadata_history
|
||||
- [ ] list_document_versions
|
||||
- [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
|
||||
- [X] modify_document_permission
|
||||
- [ ] put_compliance_items
|
||||
- [ ] put_inventory
|
||||
- [X] put_parameter
|
||||
- [ ] register_default_patch_baseline
|
||||
- [ ] register_patch_baseline_for_patch_group
|
||||
- [ ] register_target_with_maintenance_window
|
||||
- [ ] register_task_with_maintenance_window
|
||||
- [X] remove_tags_from_resource
|
||||
- [ ] reset_service_setting
|
||||
- [ ] resume_session
|
||||
- [ ] send_automation_signal
|
||||
- [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
|
||||
- [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
|
||||
|
32
docs/docs/services/stepfunctions.rst
Normal file
32
docs/docs/services/stepfunctions.rst
Normal file
@ -0,0 +1,32 @@
|
||||
.. _implementedservice_stepfunctions:
|
||||
|
||||
=============
|
||||
stepfunctions
|
||||
=============
|
||||
|
||||
|
||||
|
||||
- [ ] create_activity
|
||||
- [X] create_state_machine
|
||||
- [ ] delete_activity
|
||||
- [X] delete_state_machine
|
||||
- [ ] describe_activity
|
||||
- [X] describe_execution
|
||||
- [X] describe_state_machine
|
||||
- [ ] describe_state_machine_for_execution
|
||||
- [ ] get_activity_task
|
||||
- [X] get_execution_history
|
||||
- [ ] list_activities
|
||||
- [X] list_executions
|
||||
- [X] list_state_machines
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] send_task_failure
|
||||
- [ ] send_task_heartbeat
|
||||
- [ ] send_task_success
|
||||
- [X] start_execution
|
||||
- [ ] start_sync_execution
|
||||
- [X] stop_execution
|
||||
- [X] tag_resource
|
||||
- [X] untag_resource
|
||||
- [X] update_state_machine
|
||||
|
17
docs/docs/services/sts.rst
Normal file
17
docs/docs/services/sts.rst
Normal file
@ -0,0 +1,17 @@
|
||||
.. _implementedservice_sts:
|
||||
|
||||
===
|
||||
sts
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [X] assume_role
|
||||
- [X] assume_role_with_saml
|
||||
- [X] assume_role_with_web_identity
|
||||
- [ ] decode_authorization_message
|
||||
- [ ] get_access_key_info
|
||||
- [X] get_caller_identity
|
||||
- [X] get_federation_token
|
||||
- [X] get_session_token
|
||||
|
23
docs/docs/services/support.rst
Normal file
23
docs/docs/services/support.rst
Normal file
@ -0,0 +1,23 @@
|
||||
.. _implementedservice_support:
|
||||
|
||||
=======
|
||||
support
|
||||
=======
|
||||
|
||||
|
||||
|
||||
- [ ] add_attachments_to_set
|
||||
- [ ] add_communication_to_case
|
||||
- [X] create_case
|
||||
- [ ] describe_attachment
|
||||
- [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
|
||||
- [X] describe_trusted_advisor_checks
|
||||
- [X] refresh_trusted_advisor_check
|
||||
- [X] resolve_case
|
||||
|
46
docs/docs/services/swf.rst
Normal file
46
docs/docs/services/swf.rst
Normal file
@ -0,0 +1,46 @@
|
||||
.. _implementedservice_swf:
|
||||
|
||||
===
|
||||
swf
|
||||
===
|
||||
|
||||
|
||||
|
||||
- [ ] count_closed_workflow_executions
|
||||
- [ ] count_open_workflow_executions
|
||||
- [X] count_pending_activity_tasks
|
||||
- [X] count_pending_decision_tasks
|
||||
- [ ] deprecate_activity_type
|
||||
- [X] deprecate_domain
|
||||
- [ ] deprecate_workflow_type
|
||||
- [ ] describe_activity_type
|
||||
- [X] describe_domain
|
||||
- [X] describe_workflow_execution
|
||||
- [ ] describe_workflow_type
|
||||
- [ ] get_workflow_execution_history
|
||||
- [ ] list_activity_types
|
||||
- [X] list_closed_workflow_executions
|
||||
- [X] list_domains
|
||||
- [X] list_open_workflow_executions
|
||||
- [ ] list_tags_for_resource
|
||||
- [ ] list_workflow_types
|
||||
- [X] poll_for_activity_task
|
||||
- [X] poll_for_decision_task
|
||||
- [X] record_activity_task_heartbeat
|
||||
- [ ] register_activity_type
|
||||
- [X] register_domain
|
||||
- [ ] register_workflow_type
|
||||
- [ ] request_cancel_workflow_execution
|
||||
- [ ] respond_activity_task_canceled
|
||||
- [X] respond_activity_task_completed
|
||||
- [X] respond_activity_task_failed
|
||||
- [X] respond_decision_task_completed
|
||||
- [X] signal_workflow_execution
|
||||
- [X] start_workflow_execution
|
||||
- [ ] tag_resource
|
||||
- [X] terminate_workflow_execution
|
||||
- [ ] undeprecate_activity_type
|
||||
- [X] undeprecate_domain
|
||||
- [ ] undeprecate_workflow_type
|
||||
- [ ] untag_resource
|
||||
|
24
docs/docs/services/timestream-write.rst
Normal file
24
docs/docs/services/timestream-write.rst
Normal file
@ -0,0 +1,24 @@
|
||||
.. _implementedservice_timestream-write:
|
||||
|
||||
================
|
||||
timestream-write
|
||||
================
|
||||
|
||||
|
||||
|
||||
- [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
|
||||
- [ ] tag_resource
|
||||
- [ ] untag_resource
|
||||
- [X] update_database
|
||||
- [X] update_table
|
||||
- [X] write_records
|
||||
|
48
docs/docs/services/transcribe.rst
Normal file
48
docs/docs/services/transcribe.rst
Normal file
@ -0,0 +1,48 @@
|
||||
.. _implementedservice_transcribe:
|
||||
|
||||
==========
|
||||
transcribe
|
||||
==========
|
||||
|
||||
|
||||
|
||||
- [ ] 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
|
||||
- [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_call_analytics_category
|
||||
- [ ] update_medical_vocabulary
|
||||
- [ ] update_vocabulary
|
||||
- [ ] update_vocabulary_filter
|
||||
|
56
docs/docs/services/wafv2.rst
Normal file
56
docs/docs/services/wafv2.rst
Normal file
@ -0,0 +1,56 @@
|
||||
.. _implementedservice_wafv2:
|
||||
|
||||
=====
|
||||
wafv2
|
||||
=====
|
||||
|
||||
|
||||
https://docs.aws.amazon.com/waf/latest/APIReference/API_Operations_AWS_WAFV2.html
|
||||
|
||||
|
||||
- [ ] associate_web_acl
|
||||
- [ ] check_capacity
|
||||
- [ ] create_ip_set
|
||||
- [ ] create_regex_pattern_set
|
||||
- [ ] create_rule_group
|
||||
- [X] create_web_acl
|
||||
- [ ] delete_firewall_manager_rule_groups
|
||||
- [ ] delete_ip_set
|
||||
- [ ] delete_logging_configuration
|
||||
- [ ] delete_permission_policy
|
||||
- [ ] delete_regex_pattern_set
|
||||
- [ ] delete_rule_group
|
||||
- [ ] delete_web_acl
|
||||
- [ ] describe_managed_rule_group
|
||||
- [ ] disassociate_web_acl
|
||||
- [ ] get_ip_set
|
||||
- [ ] get_logging_configuration
|
||||
- [ ] get_managed_rule_set
|
||||
- [ ] get_permission_policy
|
||||
- [ ] get_rate_based_statement_managed_keys
|
||||
- [ ] get_regex_pattern_set
|
||||
- [ ] get_rule_group
|
||||
- [ ] 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_regex_pattern_sets
|
||||
- [ ] list_resources_for_web_acl
|
||||
- [ ] list_rule_groups
|
||||
- [ ] list_tags_for_resource
|
||||
- [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
|
||||
|
112
docs/index.rst
112
docs/index.rst
@ -14,112 +14,6 @@ If you've never used ``moto`` before, you should read the
|
||||
:doc:`Getting Started with Moto <docs/getting_started>` guide to get familiar
|
||||
with ``moto`` and its usage.
|
||||
|
||||
Currently implemented Services:
|
||||
-------------------------------
|
||||
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| Service Name | Decorator | Development Status |
|
||||
+===========================+=======================+====================================+
|
||||
| ACM | @mock_acm | all endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| 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 |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| CloudwatchEvents | @mock_events | all endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| Cognito Identity | @mock_cognitoidentity | all endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| Cognito Identity Provider | @mock_cognitoidp | all endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| Config | @mock_config | basic endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| Data Pipeline | @mock_datapipeline | basic endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| Directory Service | @mock_ds | basic endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| DMS | @mock_dms | basic 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 |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| 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 |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| EMRContainers | @mock_emrcontainers | core endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| Firehose | @mock_firehose | basic endpoints done |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| Forecast | @mock_forecast | basic 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 |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
| SFN | @mock_stepfunctions | basic 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 |
|
||||
+---------------------------+-----------------------+------------------------------------+
|
||||
|
||||
|
||||
|
||||
Additional Resources
|
||||
--------------------
|
||||
@ -138,5 +32,7 @@ Additional Resources
|
||||
|
||||
docs/getting_started
|
||||
docs/server_mode
|
||||
docs/moto_apis
|
||||
docs/ec2_tut
|
||||
docs/boto
|
||||
docs/iam
|
||||
docs/aws_config
|
||||
docs/services/index
|
||||
|
@ -32,6 +32,32 @@ def get_moto_implementation(service_name):
|
||||
return backends[0]
|
||||
|
||||
|
||||
def calculate_extended_implementation_coverage():
|
||||
service_names = Session().get_available_services()
|
||||
coverage = {}
|
||||
for service_name in service_names:
|
||||
moto_client = get_moto_implementation(service_name)
|
||||
real_client = boto3.client(service_name, region_name="us-east-1")
|
||||
implemented = dict()
|
||||
not_implemented = []
|
||||
|
||||
operation_names = [
|
||||
xform_name(op) for op in real_client.meta.service_model.operation_names
|
||||
]
|
||||
for op in operation_names:
|
||||
if moto_client and op in dir(moto_client):
|
||||
implemented[op] = getattr(moto_client, op)
|
||||
else:
|
||||
not_implemented.append(op)
|
||||
|
||||
coverage[service_name] = {
|
||||
"docs": moto_client.__doc__,
|
||||
"implemented": implemented,
|
||||
"not_implemented": not_implemented,
|
||||
}
|
||||
return coverage
|
||||
|
||||
|
||||
def calculate_implementation_coverage():
|
||||
service_names = Session().get_available_services()
|
||||
coverage = {}
|
||||
@ -132,7 +158,78 @@ def write_implementation_coverage_to_file(coverage):
|
||||
file.write("</details>")
|
||||
|
||||
|
||||
def write_implementation_coverage_to_docs(coverage):
|
||||
implementation_coverage_file = "{}/../docs/docs/services/index.rst".format(script_dir)
|
||||
# rewrite the implementation coverage file with updated values
|
||||
# try deleting the implementation coverage file
|
||||
try:
|
||||
os.remove(implementation_coverage_file)
|
||||
except OSError:
|
||||
pass
|
||||
|
||||
print("Writing to {}".format(implementation_coverage_file))
|
||||
completely_unimplemented = []
|
||||
for service_name in sorted(coverage):
|
||||
implemented = coverage.get(service_name)["implemented"]
|
||||
if len(implemented) == 0:
|
||||
completely_unimplemented.append(service_name)
|
||||
continue
|
||||
not_implemented = coverage.get(service_name)["not_implemented"]
|
||||
operations = sorted(list(implemented.keys()) + not_implemented)
|
||||
|
||||
service_coverage_file = "{}/../docs/docs/services/{}.rst".format(script_dir, service_name)
|
||||
shorthand = service_name.replace(" ", "_")
|
||||
|
||||
with open(service_coverage_file, "w+") as file:
|
||||
file.write(f".. _implementedservice_{shorthand}:\n")
|
||||
file.write("\n")
|
||||
|
||||
title = f"{service_name}"
|
||||
file.write("=" * len(title) + "\n")
|
||||
file.write(title + "\n")
|
||||
file.write(("=" * len(title)) + "\n")
|
||||
file.write("\n")
|
||||
|
||||
file.write(coverage[service_name].get("docs") or "")
|
||||
file.write("\n\n")
|
||||
|
||||
for op in operations:
|
||||
if op in implemented:
|
||||
file.write("- [X] {}\n".format(op))
|
||||
docs = getattr(implemented[op], "__doc__")
|
||||
if docs:
|
||||
file.write(f" {docs}\n\n")
|
||||
else:
|
||||
file.write("- [ ] {}\n".format(op))
|
||||
file.write("\n")
|
||||
|
||||
with open(implementation_coverage_file, "w+") as file:
|
||||
file.write(".. _implemented_services:\n")
|
||||
file.write("\n")
|
||||
file.write("\n")
|
||||
|
||||
file.write("====================\n")
|
||||
file.write("Implemented Services\n")
|
||||
file.write("====================\n")
|
||||
file.write("\n")
|
||||
file.write("\n")
|
||||
|
||||
for service_name in sorted(coverage):
|
||||
implemented = coverage.get(service_name)["implemented"]
|
||||
if len(implemented) == 0:
|
||||
continue
|
||||
file.write(f" - :doc:`{service_name }`\n")
|
||||
|
||||
file.write("\n")
|
||||
file.write(".. toctree::\n")
|
||||
file.write(" :hidden:\n")
|
||||
file.write(" :glob:\n")
|
||||
file.write("\n")
|
||||
file.write(" *\n")
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
cov = calculate_implementation_coverage()
|
||||
write_implementation_coverage_to_file(cov)
|
||||
print_implementation_coverage(cov)
|
||||
xcov = calculate_extended_implementation_coverage()
|
||||
write_implementation_coverage_to_docs(xcov)
|
||||
|
Loading…
x
Reference in New Issue
Block a user