1. Packages
  2. AWS Classic
  3. API Docs
  4. batch
  5. JobDefinition

Try AWS Native preview for resources not in the classic version.

AWS Classic v6.31.0 published on Monday, Apr 15, 2024 by Pulumi

aws.batch.JobDefinition

Explore with Pulumi AI

aws logo

Try AWS Native preview for resources not in the classic version.

AWS Classic v6.31.0 published on Monday, Apr 15, 2024 by Pulumi

    Provides a Batch Job Definition resource.

    Example Usage

    Job definition of type container

    import * as pulumi from "@pulumi/pulumi";
    import * as aws from "@pulumi/aws";
    
    const test = new aws.batch.JobDefinition("test", {
        name: "my_test_batch_job_definition",
        type: "container",
        containerProperties: JSON.stringify({
            command: [
                "ls",
                "-la",
            ],
            image: "busybox",
            resourceRequirements: [
                {
                    type: "VCPU",
                    value: "0.25",
                },
                {
                    type: "MEMORY",
                    value: "512",
                },
            ],
            volumes: [{
                host: {
                    sourcePath: "/tmp",
                },
                name: "tmp",
            }],
            environment: [{
                name: "VARNAME",
                value: "VARVAL",
            }],
            mountPoints: [{
                sourceVolume: "tmp",
                containerPath: "/tmp",
                readOnly: false,
            }],
            ulimits: [{
                hardLimit: 1024,
                name: "nofile",
                softLimit: 1024,
            }],
        }),
    });
    
    import pulumi
    import json
    import pulumi_aws as aws
    
    test = aws.batch.JobDefinition("test",
        name="my_test_batch_job_definition",
        type="container",
        container_properties=json.dumps({
            "command": [
                "ls",
                "-la",
            ],
            "image": "busybox",
            "resourceRequirements": [
                {
                    "type": "VCPU",
                    "value": "0.25",
                },
                {
                    "type": "MEMORY",
                    "value": "512",
                },
            ],
            "volumes": [{
                "host": {
                    "sourcePath": "/tmp",
                },
                "name": "tmp",
            }],
            "environment": [{
                "name": "VARNAME",
                "value": "VARVAL",
            }],
            "mountPoints": [{
                "sourceVolume": "tmp",
                "containerPath": "/tmp",
                "readOnly": False,
            }],
            "ulimits": [{
                "hardLimit": 1024,
                "name": "nofile",
                "softLimit": 1024,
            }],
        }))
    
    package main
    
    import (
    	"encoding/json"
    
    	"github.com/pulumi/pulumi-aws/sdk/v6/go/aws/batch"
    	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
    )
    
    func main() {
    	pulumi.Run(func(ctx *pulumi.Context) error {
    		tmpJSON0, err := json.Marshal(map[string]interface{}{
    			"command": []string{
    				"ls",
    				"-la",
    			},
    			"image": "busybox",
    			"resourceRequirements": []map[string]interface{}{
    				map[string]interface{}{
    					"type":  "VCPU",
    					"value": "0.25",
    				},
    				map[string]interface{}{
    					"type":  "MEMORY",
    					"value": "512",
    				},
    			},
    			"volumes": []map[string]interface{}{
    				map[string]interface{}{
    					"host": map[string]interface{}{
    						"sourcePath": "/tmp",
    					},
    					"name": "tmp",
    				},
    			},
    			"environment": []map[string]interface{}{
    				map[string]interface{}{
    					"name":  "VARNAME",
    					"value": "VARVAL",
    				},
    			},
    			"mountPoints": []map[string]interface{}{
    				map[string]interface{}{
    					"sourceVolume":  "tmp",
    					"containerPath": "/tmp",
    					"readOnly":      false,
    				},
    			},
    			"ulimits": []map[string]interface{}{
    				map[string]interface{}{
    					"hardLimit": 1024,
    					"name":      "nofile",
    					"softLimit": 1024,
    				},
    			},
    		})
    		if err != nil {
    			return err
    		}
    		json0 := string(tmpJSON0)
    		_, err = batch.NewJobDefinition(ctx, "test", &batch.JobDefinitionArgs{
    			Name:                pulumi.String("my_test_batch_job_definition"),
    			Type:                pulumi.String("container"),
    			ContainerProperties: pulumi.String(json0),
    		})
    		if err != nil {
    			return err
    		}
    		return nil
    	})
    }
    
    using System.Collections.Generic;
    using System.Linq;
    using System.Text.Json;
    using Pulumi;
    using Aws = Pulumi.Aws;
    
    return await Deployment.RunAsync(() => 
    {
        var test = new Aws.Batch.JobDefinition("test", new()
        {
            Name = "my_test_batch_job_definition",
            Type = "container",
            ContainerProperties = JsonSerializer.Serialize(new Dictionary<string, object?>
            {
                ["command"] = new[]
                {
                    "ls",
                    "-la",
                },
                ["image"] = "busybox",
                ["resourceRequirements"] = new[]
                {
                    new Dictionary<string, object?>
                    {
                        ["type"] = "VCPU",
                        ["value"] = "0.25",
                    },
                    new Dictionary<string, object?>
                    {
                        ["type"] = "MEMORY",
                        ["value"] = "512",
                    },
                },
                ["volumes"] = new[]
                {
                    new Dictionary<string, object?>
                    {
                        ["host"] = new Dictionary<string, object?>
                        {
                            ["sourcePath"] = "/tmp",
                        },
                        ["name"] = "tmp",
                    },
                },
                ["environment"] = new[]
                {
                    new Dictionary<string, object?>
                    {
                        ["name"] = "VARNAME",
                        ["value"] = "VARVAL",
                    },
                },
                ["mountPoints"] = new[]
                {
                    new Dictionary<string, object?>
                    {
                        ["sourceVolume"] = "tmp",
                        ["containerPath"] = "/tmp",
                        ["readOnly"] = false,
                    },
                },
                ["ulimits"] = new[]
                {
                    new Dictionary<string, object?>
                    {
                        ["hardLimit"] = 1024,
                        ["name"] = "nofile",
                        ["softLimit"] = 1024,
                    },
                },
            }),
        });
    
    });
    
    package generated_program;
    
    import com.pulumi.Context;
    import com.pulumi.Pulumi;
    import com.pulumi.core.Output;
    import com.pulumi.aws.batch.JobDefinition;
    import com.pulumi.aws.batch.JobDefinitionArgs;
    import static com.pulumi.codegen.internal.Serialization.*;
    import java.util.List;
    import java.util.ArrayList;
    import java.util.Map;
    import java.io.File;
    import java.nio.file.Files;
    import java.nio.file.Paths;
    
    public class App {
        public static void main(String[] args) {
            Pulumi.run(App::stack);
        }
    
        public static void stack(Context ctx) {
            var test = new JobDefinition("test", JobDefinitionArgs.builder()        
                .name("my_test_batch_job_definition")
                .type("container")
                .containerProperties(serializeJson(
                    jsonObject(
                        jsonProperty("command", jsonArray(
                            "ls", 
                            "-la"
                        )),
                        jsonProperty("image", "busybox"),
                        jsonProperty("resourceRequirements", jsonArray(
                            jsonObject(
                                jsonProperty("type", "VCPU"),
                                jsonProperty("value", "0.25")
                            ), 
                            jsonObject(
                                jsonProperty("type", "MEMORY"),
                                jsonProperty("value", "512")
                            )
                        )),
                        jsonProperty("volumes", jsonArray(jsonObject(
                            jsonProperty("host", jsonObject(
                                jsonProperty("sourcePath", "/tmp")
                            )),
                            jsonProperty("name", "tmp")
                        ))),
                        jsonProperty("environment", jsonArray(jsonObject(
                            jsonProperty("name", "VARNAME"),
                            jsonProperty("value", "VARVAL")
                        ))),
                        jsonProperty("mountPoints", jsonArray(jsonObject(
                            jsonProperty("sourceVolume", "tmp"),
                            jsonProperty("containerPath", "/tmp"),
                            jsonProperty("readOnly", false)
                        ))),
                        jsonProperty("ulimits", jsonArray(jsonObject(
                            jsonProperty("hardLimit", 1024),
                            jsonProperty("name", "nofile"),
                            jsonProperty("softLimit", 1024)
                        )))
                    )))
                .build());
    
        }
    }
    
    resources:
      test:
        type: aws:batch:JobDefinition
        properties:
          name: my_test_batch_job_definition
          type: container
          containerProperties:
            fn::toJSON:
              command:
                - ls
                - -la
              image: busybox
              resourceRequirements:
                - type: VCPU
                  value: '0.25'
                - type: MEMORY
                  value: '512'
              volumes:
                - host:
                    sourcePath: /tmp
                  name: tmp
              environment:
                - name: VARNAME
                  value: VARVAL
              mountPoints:
                - sourceVolume: tmp
                  containerPath: /tmp
                  readOnly: false
              ulimits:
                - hardLimit: 1024
                  name: nofile
                  softLimit: 1024
    

    Job definition of type multinode

    import * as pulumi from "@pulumi/pulumi";
    import * as aws from "@pulumi/aws";
    
    const test = new aws.batch.JobDefinition("test", {
        name: "tf_test_batch_job_definition_multinode",
        type: "multinode",
        nodeProperties: JSON.stringify({
            mainNode: 0,
            nodeRangeProperties: [
                {
                    container: {
                        command: [
                            "ls",
                            "-la",
                        ],
                        image: "busybox",
                        memory: 128,
                        vcpus: 1,
                    },
                    targetNodes: "0:",
                },
                {
                    container: {
                        command: [
                            "echo",
                            "test",
                        ],
                        image: "busybox",
                        memory: 128,
                        vcpus: 1,
                    },
                    targetNodes: "1:",
                },
            ],
            numNodes: 2,
        }),
    });
    
    import pulumi
    import json
    import pulumi_aws as aws
    
    test = aws.batch.JobDefinition("test",
        name="tf_test_batch_job_definition_multinode",
        type="multinode",
        node_properties=json.dumps({
            "mainNode": 0,
            "nodeRangeProperties": [
                {
                    "container": {
                        "command": [
                            "ls",
                            "-la",
                        ],
                        "image": "busybox",
                        "memory": 128,
                        "vcpus": 1,
                    },
                    "targetNodes": "0:",
                },
                {
                    "container": {
                        "command": [
                            "echo",
                            "test",
                        ],
                        "image": "busybox",
                        "memory": 128,
                        "vcpus": 1,
                    },
                    "targetNodes": "1:",
                },
            ],
            "numNodes": 2,
        }))
    
    package main
    
    import (
    	"encoding/json"
    
    	"github.com/pulumi/pulumi-aws/sdk/v6/go/aws/batch"
    	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
    )
    
    func main() {
    	pulumi.Run(func(ctx *pulumi.Context) error {
    		tmpJSON0, err := json.Marshal(map[string]interface{}{
    			"mainNode": 0,
    			"nodeRangeProperties": []map[string]interface{}{
    				map[string]interface{}{
    					"container": map[string]interface{}{
    						"command": []string{
    							"ls",
    							"-la",
    						},
    						"image":  "busybox",
    						"memory": 128,
    						"vcpus":  1,
    					},
    					"targetNodes": "0:",
    				},
    				map[string]interface{}{
    					"container": map[string]interface{}{
    						"command": []string{
    							"echo",
    							"test",
    						},
    						"image":  "busybox",
    						"memory": 128,
    						"vcpus":  1,
    					},
    					"targetNodes": "1:",
    				},
    			},
    			"numNodes": 2,
    		})
    		if err != nil {
    			return err
    		}
    		json0 := string(tmpJSON0)
    		_, err = batch.NewJobDefinition(ctx, "test", &batch.JobDefinitionArgs{
    			Name:           pulumi.String("tf_test_batch_job_definition_multinode"),
    			Type:           pulumi.String("multinode"),
    			NodeProperties: pulumi.String(json0),
    		})
    		if err != nil {
    			return err
    		}
    		return nil
    	})
    }
    
    using System.Collections.Generic;
    using System.Linq;
    using System.Text.Json;
    using Pulumi;
    using Aws = Pulumi.Aws;
    
    return await Deployment.RunAsync(() => 
    {
        var test = new Aws.Batch.JobDefinition("test", new()
        {
            Name = "tf_test_batch_job_definition_multinode",
            Type = "multinode",
            NodeProperties = JsonSerializer.Serialize(new Dictionary<string, object?>
            {
                ["mainNode"] = 0,
                ["nodeRangeProperties"] = new[]
                {
                    new Dictionary<string, object?>
                    {
                        ["container"] = new Dictionary<string, object?>
                        {
                            ["command"] = new[]
                            {
                                "ls",
                                "-la",
                            },
                            ["image"] = "busybox",
                            ["memory"] = 128,
                            ["vcpus"] = 1,
                        },
                        ["targetNodes"] = "0:",
                    },
                    new Dictionary<string, object?>
                    {
                        ["container"] = new Dictionary<string, object?>
                        {
                            ["command"] = new[]
                            {
                                "echo",
                                "test",
                            },
                            ["image"] = "busybox",
                            ["memory"] = 128,
                            ["vcpus"] = 1,
                        },
                        ["targetNodes"] = "1:",
                    },
                },
                ["numNodes"] = 2,
            }),
        });
    
    });
    
    package generated_program;
    
    import com.pulumi.Context;
    import com.pulumi.Pulumi;
    import com.pulumi.core.Output;
    import com.pulumi.aws.batch.JobDefinition;
    import com.pulumi.aws.batch.JobDefinitionArgs;
    import static com.pulumi.codegen.internal.Serialization.*;
    import java.util.List;
    import java.util.ArrayList;
    import java.util.Map;
    import java.io.File;
    import java.nio.file.Files;
    import java.nio.file.Paths;
    
    public class App {
        public static void main(String[] args) {
            Pulumi.run(App::stack);
        }
    
        public static void stack(Context ctx) {
            var test = new JobDefinition("test", JobDefinitionArgs.builder()        
                .name("tf_test_batch_job_definition_multinode")
                .type("multinode")
                .nodeProperties(serializeJson(
                    jsonObject(
                        jsonProperty("mainNode", 0),
                        jsonProperty("nodeRangeProperties", jsonArray(
                            jsonObject(
                                jsonProperty("container", jsonObject(
                                    jsonProperty("command", jsonArray(
                                        "ls", 
                                        "-la"
                                    )),
                                    jsonProperty("image", "busybox"),
                                    jsonProperty("memory", 128),
                                    jsonProperty("vcpus", 1)
                                )),
                                jsonProperty("targetNodes", "0:")
                            ), 
                            jsonObject(
                                jsonProperty("container", jsonObject(
                                    jsonProperty("command", jsonArray(
                                        "echo", 
                                        "test"
                                    )),
                                    jsonProperty("image", "busybox"),
                                    jsonProperty("memory", 128),
                                    jsonProperty("vcpus", 1)
                                )),
                                jsonProperty("targetNodes", "1:")
                            )
                        )),
                        jsonProperty("numNodes", 2)
                    )))
                .build());
    
        }
    }
    
    resources:
      test:
        type: aws:batch:JobDefinition
        properties:
          name: tf_test_batch_job_definition_multinode
          type: multinode
          nodeProperties:
            fn::toJSON:
              mainNode: 0
              nodeRangeProperties:
                - container:
                    command:
                      - ls
                      - -la
                    image: busybox
                    memory: 128
                    vcpus: 1
                  targetNodes: '0:'
                - container:
                    command:
                      - echo
                      - test
                    image: busybox
                    memory: 128
                    vcpus: 1
                  targetNodes: '1:'
              numNodes: 2
    

    Job Definitionn of type EKS

    import * as pulumi from "@pulumi/pulumi";
    import * as aws from "@pulumi/aws";
    
    const test = new aws.batch.JobDefinition("test", {
        name: " tf_test_batch_job_definition_eks",
        type: "container",
        eksProperties: {
            podProperties: {
                hostNetwork: true,
                containers: {
                    image: "public.ecr.aws/amazonlinux/amazonlinux:1",
                    commands: [
                        "sleep",
                        "60",
                    ],
                    resources: {
                        limits: {
                            cpu: "1",
                            memory: "1024Mi",
                        },
                    },
                },
                metadata: {
                    labels: {
                        environment: "test",
                    },
                },
            },
        },
    });
    
    import pulumi
    import pulumi_aws as aws
    
    test = aws.batch.JobDefinition("test",
        name=" tf_test_batch_job_definition_eks",
        type="container",
        eks_properties=aws.batch.JobDefinitionEksPropertiesArgs(
            pod_properties=aws.batch.JobDefinitionEksPropertiesPodPropertiesArgs(
                host_network=True,
                containers=aws.batch.JobDefinitionEksPropertiesPodPropertiesContainersArgs(
                    image="public.ecr.aws/amazonlinux/amazonlinux:1",
                    commands=[
                        "sleep",
                        "60",
                    ],
                    resources=aws.batch.JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs(
                        limits={
                            "cpu": "1",
                            "memory": "1024Mi",
                        },
                    ),
                ),
                metadata=aws.batch.JobDefinitionEksPropertiesPodPropertiesMetadataArgs(
                    labels={
                        "environment": "test",
                    },
                ),
            ),
        ))
    
    package main
    
    import (
    	"github.com/pulumi/pulumi-aws/sdk/v6/go/aws/batch"
    	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
    )
    
    func main() {
    	pulumi.Run(func(ctx *pulumi.Context) error {
    		_, err := batch.NewJobDefinition(ctx, "test", &batch.JobDefinitionArgs{
    			Name: pulumi.String(" tf_test_batch_job_definition_eks"),
    			Type: pulumi.String("container"),
    			EksProperties: &batch.JobDefinitionEksPropertiesArgs{
    				PodProperties: &batch.JobDefinitionEksPropertiesPodPropertiesArgs{
    					HostNetwork: pulumi.Bool(true),
    					Containers: &batch.JobDefinitionEksPropertiesPodPropertiesContainersArgs{
    						Image: pulumi.String("public.ecr.aws/amazonlinux/amazonlinux:1"),
    						Commands: pulumi.StringArray{
    							pulumi.String("sleep"),
    							pulumi.String("60"),
    						},
    						Resources: &batch.JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs{
    							Limits: pulumi.StringMap{
    								"cpu":    pulumi.String("1"),
    								"memory": pulumi.String("1024Mi"),
    							},
    						},
    					},
    					Metadata: &batch.JobDefinitionEksPropertiesPodPropertiesMetadataArgs{
    						Labels: pulumi.StringMap{
    							"environment": pulumi.String("test"),
    						},
    					},
    				},
    			},
    		})
    		if err != nil {
    			return err
    		}
    		return nil
    	})
    }
    
    using System.Collections.Generic;
    using System.Linq;
    using Pulumi;
    using Aws = Pulumi.Aws;
    
    return await Deployment.RunAsync(() => 
    {
        var test = new Aws.Batch.JobDefinition("test", new()
        {
            Name = " tf_test_batch_job_definition_eks",
            Type = "container",
            EksProperties = new Aws.Batch.Inputs.JobDefinitionEksPropertiesArgs
            {
                PodProperties = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesArgs
                {
                    HostNetwork = true,
                    Containers = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesContainersArgs
                    {
                        Image = "public.ecr.aws/amazonlinux/amazonlinux:1",
                        Commands = new[]
                        {
                            "sleep",
                            "60",
                        },
                        Resources = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs
                        {
                            Limits = 
                            {
                                { "cpu", "1" },
                                { "memory", "1024Mi" },
                            },
                        },
                    },
                    Metadata = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesMetadataArgs
                    {
                        Labels = 
                        {
                            { "environment", "test" },
                        },
                    },
                },
            },
        });
    
    });
    
    package generated_program;
    
    import com.pulumi.Context;
    import com.pulumi.Pulumi;
    import com.pulumi.core.Output;
    import com.pulumi.aws.batch.JobDefinition;
    import com.pulumi.aws.batch.JobDefinitionArgs;
    import com.pulumi.aws.batch.inputs.JobDefinitionEksPropertiesArgs;
    import com.pulumi.aws.batch.inputs.JobDefinitionEksPropertiesPodPropertiesArgs;
    import com.pulumi.aws.batch.inputs.JobDefinitionEksPropertiesPodPropertiesContainersArgs;
    import com.pulumi.aws.batch.inputs.JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs;
    import com.pulumi.aws.batch.inputs.JobDefinitionEksPropertiesPodPropertiesMetadataArgs;
    import java.util.List;
    import java.util.ArrayList;
    import java.util.Map;
    import java.io.File;
    import java.nio.file.Files;
    import java.nio.file.Paths;
    
    public class App {
        public static void main(String[] args) {
            Pulumi.run(App::stack);
        }
    
        public static void stack(Context ctx) {
            var test = new JobDefinition("test", JobDefinitionArgs.builder()        
                .name(" tf_test_batch_job_definition_eks")
                .type("container")
                .eksProperties(JobDefinitionEksPropertiesArgs.builder()
                    .podProperties(JobDefinitionEksPropertiesPodPropertiesArgs.builder()
                        .hostNetwork(true)
                        .containers(JobDefinitionEksPropertiesPodPropertiesContainersArgs.builder()
                            .image("public.ecr.aws/amazonlinux/amazonlinux:1")
                            .commands(                        
                                "sleep",
                                "60")
                            .resources(JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs.builder()
                                .limits(Map.ofEntries(
                                    Map.entry("cpu", "1"),
                                    Map.entry("memory", "1024Mi")
                                ))
                                .build())
                            .build())
                        .metadata(JobDefinitionEksPropertiesPodPropertiesMetadataArgs.builder()
                            .labels(Map.of("environment", "test"))
                            .build())
                        .build())
                    .build())
                .build());
    
        }
    }
    
    resources:
      test:
        type: aws:batch:JobDefinition
        properties:
          name: ' tf_test_batch_job_definition_eks'
          type: container
          eksProperties:
            podProperties:
              hostNetwork: true
              containers:
                image: public.ecr.aws/amazonlinux/amazonlinux:1
                commands:
                  - sleep
                  - '60'
                resources:
                  limits:
                    cpu: '1'
                    memory: 1024Mi
              metadata:
                labels:
                  environment: test
    

    Fargate Platform Capability

    import * as pulumi from "@pulumi/pulumi";
    import * as aws from "@pulumi/aws";
    
    const assumeRolePolicy = aws.iam.getPolicyDocument({
        statements: [{
            actions: ["sts:AssumeRole"],
            principals: [{
                type: "Service",
                identifiers: ["ecs-tasks.amazonaws.com"],
            }],
        }],
    });
    const ecsTaskExecutionRole = new aws.iam.Role("ecs_task_execution_role", {
        name: "my_test_batch_exec_role",
        assumeRolePolicy: assumeRolePolicy.then(assumeRolePolicy => assumeRolePolicy.json),
    });
    const ecsTaskExecutionRolePolicy = new aws.iam.RolePolicyAttachment("ecs_task_execution_role_policy", {
        role: ecsTaskExecutionRole.name,
        policyArn: "arn:aws:iam::aws:policy/service-role/AmazonECSTaskExecutionRolePolicy",
    });
    const test = new aws.batch.JobDefinition("test", {
        name: "my_test_batch_job_definition",
        type: "container",
        platformCapabilities: ["FARGATE"],
        containerProperties: pulumi.jsonStringify({
            command: [
                "echo",
                "test",
            ],
            image: "busybox",
            jobRoleArn: "arn:aws:iam::123456789012:role/AWSBatchS3ReadOnly",
            fargatePlatformConfiguration: {
                platformVersion: "LATEST",
            },
            resourceRequirements: [
                {
                    type: "VCPU",
                    value: "0.25",
                },
                {
                    type: "MEMORY",
                    value: "512",
                },
            ],
            executionRoleArn: ecsTaskExecutionRole.arn,
        }),
    });
    
    import pulumi
    import json
    import pulumi_aws as aws
    
    assume_role_policy = aws.iam.get_policy_document(statements=[aws.iam.GetPolicyDocumentStatementArgs(
        actions=["sts:AssumeRole"],
        principals=[aws.iam.GetPolicyDocumentStatementPrincipalArgs(
            type="Service",
            identifiers=["ecs-tasks.amazonaws.com"],
        )],
    )])
    ecs_task_execution_role = aws.iam.Role("ecs_task_execution_role",
        name="my_test_batch_exec_role",
        assume_role_policy=assume_role_policy.json)
    ecs_task_execution_role_policy = aws.iam.RolePolicyAttachment("ecs_task_execution_role_policy",
        role=ecs_task_execution_role.name,
        policy_arn="arn:aws:iam::aws:policy/service-role/AmazonECSTaskExecutionRolePolicy")
    test = aws.batch.JobDefinition("test",
        name="my_test_batch_job_definition",
        type="container",
        platform_capabilities=["FARGATE"],
        container_properties=pulumi.Output.json_dumps({
            "command": [
                "echo",
                "test",
            ],
            "image": "busybox",
            "jobRoleArn": "arn:aws:iam::123456789012:role/AWSBatchS3ReadOnly",
            "fargatePlatformConfiguration": {
                "platformVersion": "LATEST",
            },
            "resourceRequirements": [
                {
                    "type": "VCPU",
                    "value": "0.25",
                },
                {
                    "type": "MEMORY",
                    "value": "512",
                },
            ],
            "executionRoleArn": ecs_task_execution_role.arn,
        }))
    
    package main
    
    import (
    	"encoding/json"
    
    	"github.com/pulumi/pulumi-aws/sdk/v6/go/aws/batch"
    	"github.com/pulumi/pulumi-aws/sdk/v6/go/aws/iam"
    	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
    )
    
    func main() {
    	pulumi.Run(func(ctx *pulumi.Context) error {
    		assumeRolePolicy, err := iam.GetPolicyDocument(ctx, &iam.GetPolicyDocumentArgs{
    			Statements: []iam.GetPolicyDocumentStatement{
    				{
    					Actions: []string{
    						"sts:AssumeRole",
    					},
    					Principals: []iam.GetPolicyDocumentStatementPrincipal{
    						{
    							Type: "Service",
    							Identifiers: []string{
    								"ecs-tasks.amazonaws.com",
    							},
    						},
    					},
    				},
    			},
    		}, nil)
    		if err != nil {
    			return err
    		}
    		ecsTaskExecutionRole, err := iam.NewRole(ctx, "ecs_task_execution_role", &iam.RoleArgs{
    			Name:             pulumi.String("my_test_batch_exec_role"),
    			AssumeRolePolicy: pulumi.String(assumeRolePolicy.Json),
    		})
    		if err != nil {
    			return err
    		}
    		_, err = iam.NewRolePolicyAttachment(ctx, "ecs_task_execution_role_policy", &iam.RolePolicyAttachmentArgs{
    			Role:      ecsTaskExecutionRole.Name,
    			PolicyArn: pulumi.String("arn:aws:iam::aws:policy/service-role/AmazonECSTaskExecutionRolePolicy"),
    		})
    		if err != nil {
    			return err
    		}
    		_, err = batch.NewJobDefinition(ctx, "test", &batch.JobDefinitionArgs{
    			Name: pulumi.String("my_test_batch_job_definition"),
    			Type: pulumi.String("container"),
    			PlatformCapabilities: pulumi.StringArray{
    				pulumi.String("FARGATE"),
    			},
    			ContainerProperties: ecsTaskExecutionRole.Arn.ApplyT(func(arn string) (pulumi.String, error) {
    				var _zero pulumi.String
    				tmpJSON0, err := json.Marshal(map[string]interface{}{
    					"command": []string{
    						"echo",
    						"test",
    					},
    					"image":      "busybox",
    					"jobRoleArn": "arn:aws:iam::123456789012:role/AWSBatchS3ReadOnly",
    					"fargatePlatformConfiguration": map[string]interface{}{
    						"platformVersion": "LATEST",
    					},
    					"resourceRequirements": []map[string]interface{}{
    						map[string]interface{}{
    							"type":  "VCPU",
    							"value": "0.25",
    						},
    						map[string]interface{}{
    							"type":  "MEMORY",
    							"value": "512",
    						},
    					},
    					"executionRoleArn": arn,
    				})
    				if err != nil {
    					return _zero, err
    				}
    				json0 := string(tmpJSON0)
    				return pulumi.String(json0), nil
    			}).(pulumi.StringOutput),
    		})
    		if err != nil {
    			return err
    		}
    		return nil
    	})
    }
    
    using System.Collections.Generic;
    using System.Linq;
    using System.Text.Json;
    using Pulumi;
    using Aws = Pulumi.Aws;
    
    return await Deployment.RunAsync(() => 
    {
        var assumeRolePolicy = Aws.Iam.GetPolicyDocument.Invoke(new()
        {
            Statements = new[]
            {
                new Aws.Iam.Inputs.GetPolicyDocumentStatementInputArgs
                {
                    Actions = new[]
                    {
                        "sts:AssumeRole",
                    },
                    Principals = new[]
                    {
                        new Aws.Iam.Inputs.GetPolicyDocumentStatementPrincipalInputArgs
                        {
                            Type = "Service",
                            Identifiers = new[]
                            {
                                "ecs-tasks.amazonaws.com",
                            },
                        },
                    },
                },
            },
        });
    
        var ecsTaskExecutionRole = new Aws.Iam.Role("ecs_task_execution_role", new()
        {
            Name = "my_test_batch_exec_role",
            AssumeRolePolicy = assumeRolePolicy.Apply(getPolicyDocumentResult => getPolicyDocumentResult.Json),
        });
    
        var ecsTaskExecutionRolePolicy = new Aws.Iam.RolePolicyAttachment("ecs_task_execution_role_policy", new()
        {
            Role = ecsTaskExecutionRole.Name,
            PolicyArn = "arn:aws:iam::aws:policy/service-role/AmazonECSTaskExecutionRolePolicy",
        });
    
        var test = new Aws.Batch.JobDefinition("test", new()
        {
            Name = "my_test_batch_job_definition",
            Type = "container",
            PlatformCapabilities = new[]
            {
                "FARGATE",
            },
            ContainerProperties = Output.JsonSerialize(Output.Create(new Dictionary<string, object?>
            {
                ["command"] = new[]
                {
                    "echo",
                    "test",
                },
                ["image"] = "busybox",
                ["jobRoleArn"] = "arn:aws:iam::123456789012:role/AWSBatchS3ReadOnly",
                ["fargatePlatformConfiguration"] = new Dictionary<string, object?>
                {
                    ["platformVersion"] = "LATEST",
                },
                ["resourceRequirements"] = new[]
                {
                    new Dictionary<string, object?>
                    {
                        ["type"] = "VCPU",
                        ["value"] = "0.25",
                    },
                    new Dictionary<string, object?>
                    {
                        ["type"] = "MEMORY",
                        ["value"] = "512",
                    },
                },
                ["executionRoleArn"] = ecsTaskExecutionRole.Arn,
            })),
        });
    
    });
    
    package generated_program;
    
    import com.pulumi.Context;
    import com.pulumi.Pulumi;
    import com.pulumi.core.Output;
    import com.pulumi.aws.iam.IamFunctions;
    import com.pulumi.aws.iam.inputs.GetPolicyDocumentArgs;
    import com.pulumi.aws.iam.Role;
    import com.pulumi.aws.iam.RoleArgs;
    import com.pulumi.aws.iam.RolePolicyAttachment;
    import com.pulumi.aws.iam.RolePolicyAttachmentArgs;
    import com.pulumi.aws.batch.JobDefinition;
    import com.pulumi.aws.batch.JobDefinitionArgs;
    import static com.pulumi.codegen.internal.Serialization.*;
    import java.util.List;
    import java.util.ArrayList;
    import java.util.Map;
    import java.io.File;
    import java.nio.file.Files;
    import java.nio.file.Paths;
    
    public class App {
        public static void main(String[] args) {
            Pulumi.run(App::stack);
        }
    
        public static void stack(Context ctx) {
            final var assumeRolePolicy = IamFunctions.getPolicyDocument(GetPolicyDocumentArgs.builder()
                .statements(GetPolicyDocumentStatementArgs.builder()
                    .actions("sts:AssumeRole")
                    .principals(GetPolicyDocumentStatementPrincipalArgs.builder()
                        .type("Service")
                        .identifiers("ecs-tasks.amazonaws.com")
                        .build())
                    .build())
                .build());
    
            var ecsTaskExecutionRole = new Role("ecsTaskExecutionRole", RoleArgs.builder()        
                .name("my_test_batch_exec_role")
                .assumeRolePolicy(assumeRolePolicy.applyValue(getPolicyDocumentResult -> getPolicyDocumentResult.json()))
                .build());
    
            var ecsTaskExecutionRolePolicy = new RolePolicyAttachment("ecsTaskExecutionRolePolicy", RolePolicyAttachmentArgs.builder()        
                .role(ecsTaskExecutionRole.name())
                .policyArn("arn:aws:iam::aws:policy/service-role/AmazonECSTaskExecutionRolePolicy")
                .build());
    
            var test = new JobDefinition("test", JobDefinitionArgs.builder()        
                .name("my_test_batch_job_definition")
                .type("container")
                .platformCapabilities("FARGATE")
                .containerProperties(ecsTaskExecutionRole.arn().applyValue(arn -> serializeJson(
                    jsonObject(
                        jsonProperty("command", jsonArray(
                            "echo", 
                            "test"
                        )),
                        jsonProperty("image", "busybox"),
                        jsonProperty("jobRoleArn", "arn:aws:iam::123456789012:role/AWSBatchS3ReadOnly"),
                        jsonProperty("fargatePlatformConfiguration", jsonObject(
                            jsonProperty("platformVersion", "LATEST")
                        )),
                        jsonProperty("resourceRequirements", jsonArray(
                            jsonObject(
                                jsonProperty("type", "VCPU"),
                                jsonProperty("value", "0.25")
                            ), 
                            jsonObject(
                                jsonProperty("type", "MEMORY"),
                                jsonProperty("value", "512")
                            )
                        )),
                        jsonProperty("executionRoleArn", arn)
                    ))))
                .build());
    
        }
    }
    
    resources:
      ecsTaskExecutionRole:
        type: aws:iam:Role
        name: ecs_task_execution_role
        properties:
          name: my_test_batch_exec_role
          assumeRolePolicy: ${assumeRolePolicy.json}
      ecsTaskExecutionRolePolicy:
        type: aws:iam:RolePolicyAttachment
        name: ecs_task_execution_role_policy
        properties:
          role: ${ecsTaskExecutionRole.name}
          policyArn: arn:aws:iam::aws:policy/service-role/AmazonECSTaskExecutionRolePolicy
      test:
        type: aws:batch:JobDefinition
        properties:
          name: my_test_batch_job_definition
          type: container
          platformCapabilities:
            - FARGATE
          containerProperties:
            fn::toJSON:
              command:
                - echo
                - test
              image: busybox
              jobRoleArn: arn:aws:iam::123456789012:role/AWSBatchS3ReadOnly
              fargatePlatformConfiguration:
                platformVersion: LATEST
              resourceRequirements:
                - type: VCPU
                  value: '0.25'
                - type: MEMORY
                  value: '512'
              executionRoleArn: ${ecsTaskExecutionRole.arn}
    variables:
      assumeRolePolicy:
        fn::invoke:
          Function: aws:iam:getPolicyDocument
          Arguments:
            statements:
              - actions:
                  - sts:AssumeRole
                principals:
                  - type: Service
                    identifiers:
                      - ecs-tasks.amazonaws.com
    

    Create JobDefinition Resource

    Resources are created with functions called constructors. To learn more about declaring and configuring resources, see Resources.

    Constructor syntax

    new JobDefinition(name: string, args: JobDefinitionArgs, opts?: CustomResourceOptions);
    @overload
    def JobDefinition(resource_name: str,
                      args: JobDefinitionArgs,
                      opts: Optional[ResourceOptions] = None)
    
    @overload
    def JobDefinition(resource_name: str,
                      opts: Optional[ResourceOptions] = None,
                      type: Optional[str] = None,
                      platform_capabilities: Optional[Sequence[str]] = None,
                      eks_properties: Optional[JobDefinitionEksPropertiesArgs] = None,
                      name: Optional[str] = None,
                      node_properties: Optional[str] = None,
                      parameters: Optional[Mapping[str, str]] = None,
                      container_properties: Optional[str] = None,
                      propagate_tags: Optional[bool] = None,
                      retry_strategy: Optional[JobDefinitionRetryStrategyArgs] = None,
                      scheduling_priority: Optional[int] = None,
                      tags: Optional[Mapping[str, str]] = None,
                      timeout: Optional[JobDefinitionTimeoutArgs] = None,
                      deregister_on_new_revision: Optional[bool] = None)
    func NewJobDefinition(ctx *Context, name string, args JobDefinitionArgs, opts ...ResourceOption) (*JobDefinition, error)
    public JobDefinition(string name, JobDefinitionArgs args, CustomResourceOptions? opts = null)
    public JobDefinition(String name, JobDefinitionArgs args)
    public JobDefinition(String name, JobDefinitionArgs args, CustomResourceOptions options)
    
    type: aws:batch:JobDefinition
    properties: # The arguments to resource properties.
    options: # Bag of options to control resource's behavior.
    
    

    Parameters

    name string
    The unique name of the resource.
    args JobDefinitionArgs
    The arguments to resource properties.
    opts CustomResourceOptions
    Bag of options to control resource's behavior.
    resource_name str
    The unique name of the resource.
    args JobDefinitionArgs
    The arguments to resource properties.
    opts ResourceOptions
    Bag of options to control resource's behavior.
    ctx Context
    Context object for the current deployment.
    name string
    The unique name of the resource.
    args JobDefinitionArgs
    The arguments to resource properties.
    opts ResourceOption
    Bag of options to control resource's behavior.
    name string
    The unique name of the resource.
    args JobDefinitionArgs
    The arguments to resource properties.
    opts CustomResourceOptions
    Bag of options to control resource's behavior.
    name String
    The unique name of the resource.
    args JobDefinitionArgs
    The arguments to resource properties.
    options CustomResourceOptions
    Bag of options to control resource's behavior.

    Example

    The following reference example uses placeholder values for all input properties.

    var jobDefinitionResource = new Aws.Batch.JobDefinition("jobDefinitionResource", new()
    {
        Type = "string",
        PlatformCapabilities = new[]
        {
            "string",
        },
        EksProperties = new Aws.Batch.Inputs.JobDefinitionEksPropertiesArgs
        {
            PodProperties = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesArgs
            {
                Containers = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesContainersArgs
                {
                    Image = "string",
                    Args = new[]
                    {
                        "string",
                    },
                    Commands = new[]
                    {
                        "string",
                    },
                    Envs = new[]
                    {
                        new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesContainersEnvArgs
                        {
                            Name = "string",
                            Value = "string",
                        },
                    },
                    ImagePullPolicy = "string",
                    Name = "string",
                    Resources = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs
                    {
                        Limits = 
                        {
                            { "string", "string" },
                        },
                        Requests = 
                        {
                            { "string", "string" },
                        },
                    },
                    SecurityContext = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesContainersSecurityContextArgs
                    {
                        Privileged = false,
                        ReadOnlyRootFileSystem = false,
                        RunAsGroup = 0,
                        RunAsNonRoot = false,
                        RunAsUser = 0,
                    },
                    VolumeMounts = new[]
                    {
                        new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesContainersVolumeMountArgs
                        {
                            MountPath = "string",
                            Name = "string",
                            ReadOnly = false,
                        },
                    },
                },
                DnsPolicy = "string",
                HostNetwork = false,
                Metadata = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesMetadataArgs
                {
                    Labels = 
                    {
                        { "string", "string" },
                    },
                },
                ServiceAccountName = "string",
                Volumes = new[]
                {
                    new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesVolumeArgs
                    {
                        EmptyDir = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesVolumeEmptyDirArgs
                        {
                            SizeLimit = "string",
                            Medium = "string",
                        },
                        HostPath = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesVolumeHostPathArgs
                        {
                            Path = "string",
                        },
                        Name = "string",
                        Secret = new Aws.Batch.Inputs.JobDefinitionEksPropertiesPodPropertiesVolumeSecretArgs
                        {
                            SecretName = "string",
                            Optional = false,
                        },
                    },
                },
            },
        },
        Name = "string",
        NodeProperties = "string",
        Parameters = 
        {
            { "string", "string" },
        },
        ContainerProperties = "string",
        PropagateTags = false,
        RetryStrategy = new Aws.Batch.Inputs.JobDefinitionRetryStrategyArgs
        {
            Attempts = 0,
            EvaluateOnExits = new[]
            {
                new Aws.Batch.Inputs.JobDefinitionRetryStrategyEvaluateOnExitArgs
                {
                    Action = "string",
                    OnExitCode = "string",
                    OnReason = "string",
                    OnStatusReason = "string",
                },
            },
        },
        SchedulingPriority = 0,
        Tags = 
        {
            { "string", "string" },
        },
        Timeout = new Aws.Batch.Inputs.JobDefinitionTimeoutArgs
        {
            AttemptDurationSeconds = 0,
        },
        DeregisterOnNewRevision = false,
    });
    
    example, err := batch.NewJobDefinition(ctx, "jobDefinitionResource", &batch.JobDefinitionArgs{
    	Type: pulumi.String("string"),
    	PlatformCapabilities: pulumi.StringArray{
    		pulumi.String("string"),
    	},
    	EksProperties: &batch.JobDefinitionEksPropertiesArgs{
    		PodProperties: &batch.JobDefinitionEksPropertiesPodPropertiesArgs{
    			Containers: &batch.JobDefinitionEksPropertiesPodPropertiesContainersArgs{
    				Image: pulumi.String("string"),
    				Args: pulumi.StringArray{
    					pulumi.String("string"),
    				},
    				Commands: pulumi.StringArray{
    					pulumi.String("string"),
    				},
    				Envs: batch.JobDefinitionEksPropertiesPodPropertiesContainersEnvArray{
    					&batch.JobDefinitionEksPropertiesPodPropertiesContainersEnvArgs{
    						Name:  pulumi.String("string"),
    						Value: pulumi.String("string"),
    					},
    				},
    				ImagePullPolicy: pulumi.String("string"),
    				Name:            pulumi.String("string"),
    				Resources: &batch.JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs{
    					Limits: pulumi.StringMap{
    						"string": pulumi.String("string"),
    					},
    					Requests: pulumi.StringMap{
    						"string": pulumi.String("string"),
    					},
    				},
    				SecurityContext: &batch.JobDefinitionEksPropertiesPodPropertiesContainersSecurityContextArgs{
    					Privileged:             pulumi.Bool(false),
    					ReadOnlyRootFileSystem: pulumi.Bool(false),
    					RunAsGroup:             pulumi.Int(0),
    					RunAsNonRoot:           pulumi.Bool(false),
    					RunAsUser:              pulumi.Int(0),
    				},
    				VolumeMounts: batch.JobDefinitionEksPropertiesPodPropertiesContainersVolumeMountArray{
    					&batch.JobDefinitionEksPropertiesPodPropertiesContainersVolumeMountArgs{
    						MountPath: pulumi.String("string"),
    						Name:      pulumi.String("string"),
    						ReadOnly:  pulumi.Bool(false),
    					},
    				},
    			},
    			DnsPolicy:   pulumi.String("string"),
    			HostNetwork: pulumi.Bool(false),
    			Metadata: &batch.JobDefinitionEksPropertiesPodPropertiesMetadataArgs{
    				Labels: pulumi.StringMap{
    					"string": pulumi.String("string"),
    				},
    			},
    			ServiceAccountName: pulumi.String("string"),
    			Volumes: batch.JobDefinitionEksPropertiesPodPropertiesVolumeArray{
    				&batch.JobDefinitionEksPropertiesPodPropertiesVolumeArgs{
    					EmptyDir: &batch.JobDefinitionEksPropertiesPodPropertiesVolumeEmptyDirArgs{
    						SizeLimit: pulumi.String("string"),
    						Medium:    pulumi.String("string"),
    					},
    					HostPath: &batch.JobDefinitionEksPropertiesPodPropertiesVolumeHostPathArgs{
    						Path: pulumi.String("string"),
    					},
    					Name: pulumi.String("string"),
    					Secret: &batch.JobDefinitionEksPropertiesPodPropertiesVolumeSecretArgs{
    						SecretName: pulumi.String("string"),
    						Optional:   pulumi.Bool(false),
    					},
    				},
    			},
    		},
    	},
    	Name:           pulumi.String("string"),
    	NodeProperties: pulumi.String("string"),
    	Parameters: pulumi.StringMap{
    		"string": pulumi.String("string"),
    	},
    	ContainerProperties: pulumi.String("string"),
    	PropagateTags:       pulumi.Bool(false),
    	RetryStrategy: &batch.JobDefinitionRetryStrategyArgs{
    		Attempts: pulumi.Int(0),
    		EvaluateOnExits: batch.JobDefinitionRetryStrategyEvaluateOnExitArray{
    			&batch.JobDefinitionRetryStrategyEvaluateOnExitArgs{
    				Action:         pulumi.String("string"),
    				OnExitCode:     pulumi.String("string"),
    				OnReason:       pulumi.String("string"),
    				OnStatusReason: pulumi.String("string"),
    			},
    		},
    	},
    	SchedulingPriority: pulumi.Int(0),
    	Tags: pulumi.StringMap{
    		"string": pulumi.String("string"),
    	},
    	Timeout: &batch.JobDefinitionTimeoutArgs{
    		AttemptDurationSeconds: pulumi.Int(0),
    	},
    	DeregisterOnNewRevision: pulumi.Bool(false),
    })
    
    var jobDefinitionResource = new JobDefinition("jobDefinitionResource", JobDefinitionArgs.builder()        
        .type("string")
        .platformCapabilities("string")
        .eksProperties(JobDefinitionEksPropertiesArgs.builder()
            .podProperties(JobDefinitionEksPropertiesPodPropertiesArgs.builder()
                .containers(JobDefinitionEksPropertiesPodPropertiesContainersArgs.builder()
                    .image("string")
                    .args("string")
                    .commands("string")
                    .envs(JobDefinitionEksPropertiesPodPropertiesContainersEnvArgs.builder()
                        .name("string")
                        .value("string")
                        .build())
                    .imagePullPolicy("string")
                    .name("string")
                    .resources(JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs.builder()
                        .limits(Map.of("string", "string"))
                        .requests(Map.of("string", "string"))
                        .build())
                    .securityContext(JobDefinitionEksPropertiesPodPropertiesContainersSecurityContextArgs.builder()
                        .privileged(false)
                        .readOnlyRootFileSystem(false)
                        .runAsGroup(0)
                        .runAsNonRoot(false)
                        .runAsUser(0)
                        .build())
                    .volumeMounts(JobDefinitionEksPropertiesPodPropertiesContainersVolumeMountArgs.builder()
                        .mountPath("string")
                        .name("string")
                        .readOnly(false)
                        .build())
                    .build())
                .dnsPolicy("string")
                .hostNetwork(false)
                .metadata(JobDefinitionEksPropertiesPodPropertiesMetadataArgs.builder()
                    .labels(Map.of("string", "string"))
                    .build())
                .serviceAccountName("string")
                .volumes(JobDefinitionEksPropertiesPodPropertiesVolumeArgs.builder()
                    .emptyDir(JobDefinitionEksPropertiesPodPropertiesVolumeEmptyDirArgs.builder()
                        .sizeLimit("string")
                        .medium("string")
                        .build())
                    .hostPath(JobDefinitionEksPropertiesPodPropertiesVolumeHostPathArgs.builder()
                        .path("string")
                        .build())
                    .name("string")
                    .secret(JobDefinitionEksPropertiesPodPropertiesVolumeSecretArgs.builder()
                        .secretName("string")
                        .optional(false)
                        .build())
                    .build())
                .build())
            .build())
        .name("string")
        .nodeProperties("string")
        .parameters(Map.of("string", "string"))
        .containerProperties("string")
        .propagateTags(false)
        .retryStrategy(JobDefinitionRetryStrategyArgs.builder()
            .attempts(0)
            .evaluateOnExits(JobDefinitionRetryStrategyEvaluateOnExitArgs.builder()
                .action("string")
                .onExitCode("string")
                .onReason("string")
                .onStatusReason("string")
                .build())
            .build())
        .schedulingPriority(0)
        .tags(Map.of("string", "string"))
        .timeout(JobDefinitionTimeoutArgs.builder()
            .attemptDurationSeconds(0)
            .build())
        .deregisterOnNewRevision(false)
        .build());
    
    job_definition_resource = aws.batch.JobDefinition("jobDefinitionResource",
        type="string",
        platform_capabilities=["string"],
        eks_properties=aws.batch.JobDefinitionEksPropertiesArgs(
            pod_properties=aws.batch.JobDefinitionEksPropertiesPodPropertiesArgs(
                containers=aws.batch.JobDefinitionEksPropertiesPodPropertiesContainersArgs(
                    image="string",
                    args=["string"],
                    commands=["string"],
                    envs=[aws.batch.JobDefinitionEksPropertiesPodPropertiesContainersEnvArgs(
                        name="string",
                        value="string",
                    )],
                    image_pull_policy="string",
                    name="string",
                    resources=aws.batch.JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs(
                        limits={
                            "string": "string",
                        },
                        requests={
                            "string": "string",
                        },
                    ),
                    security_context=aws.batch.JobDefinitionEksPropertiesPodPropertiesContainersSecurityContextArgs(
                        privileged=False,
                        read_only_root_file_system=False,
                        run_as_group=0,
                        run_as_non_root=False,
                        run_as_user=0,
                    ),
                    volume_mounts=[aws.batch.JobDefinitionEksPropertiesPodPropertiesContainersVolumeMountArgs(
                        mount_path="string",
                        name="string",
                        read_only=False,
                    )],
                ),
                dns_policy="string",
                host_network=False,
                metadata=aws.batch.JobDefinitionEksPropertiesPodPropertiesMetadataArgs(
                    labels={
                        "string": "string",
                    },
                ),
                service_account_name="string",
                volumes=[aws.batch.JobDefinitionEksPropertiesPodPropertiesVolumeArgs(
                    empty_dir=aws.batch.JobDefinitionEksPropertiesPodPropertiesVolumeEmptyDirArgs(
                        size_limit="string",
                        medium="string",
                    ),
                    host_path=aws.batch.JobDefinitionEksPropertiesPodPropertiesVolumeHostPathArgs(
                        path="string",
                    ),
                    name="string",
                    secret=aws.batch.JobDefinitionEksPropertiesPodPropertiesVolumeSecretArgs(
                        secret_name="string",
                        optional=False,
                    ),
                )],
            ),
        ),
        name="string",
        node_properties="string",
        parameters={
            "string": "string",
        },
        container_properties="string",
        propagate_tags=False,
        retry_strategy=aws.batch.JobDefinitionRetryStrategyArgs(
            attempts=0,
            evaluate_on_exits=[aws.batch.JobDefinitionRetryStrategyEvaluateOnExitArgs(
                action="string",
                on_exit_code="string",
                on_reason="string",
                on_status_reason="string",
            )],
        ),
        scheduling_priority=0,
        tags={
            "string": "string",
        },
        timeout=aws.batch.JobDefinitionTimeoutArgs(
            attempt_duration_seconds=0,
        ),
        deregister_on_new_revision=False)
    
    const jobDefinitionResource = new aws.batch.JobDefinition("jobDefinitionResource", {
        type: "string",
        platformCapabilities: ["string"],
        eksProperties: {
            podProperties: {
                containers: {
                    image: "string",
                    args: ["string"],
                    commands: ["string"],
                    envs: [{
                        name: "string",
                        value: "string",
                    }],
                    imagePullPolicy: "string",
                    name: "string",
                    resources: {
                        limits: {
                            string: "string",
                        },
                        requests: {
                            string: "string",
                        },
                    },
                    securityContext: {
                        privileged: false,
                        readOnlyRootFileSystem: false,
                        runAsGroup: 0,
                        runAsNonRoot: false,
                        runAsUser: 0,
                    },
                    volumeMounts: [{
                        mountPath: "string",
                        name: "string",
                        readOnly: false,
                    }],
                },
                dnsPolicy: "string",
                hostNetwork: false,
                metadata: {
                    labels: {
                        string: "string",
                    },
                },
                serviceAccountName: "string",
                volumes: [{
                    emptyDir: {
                        sizeLimit: "string",
                        medium: "string",
                    },
                    hostPath: {
                        path: "string",
                    },
                    name: "string",
                    secret: {
                        secretName: "string",
                        optional: false,
                    },
                }],
            },
        },
        name: "string",
        nodeProperties: "string",
        parameters: {
            string: "string",
        },
        containerProperties: "string",
        propagateTags: false,
        retryStrategy: {
            attempts: 0,
            evaluateOnExits: [{
                action: "string",
                onExitCode: "string",
                onReason: "string",
                onStatusReason: "string",
            }],
        },
        schedulingPriority: 0,
        tags: {
            string: "string",
        },
        timeout: {
            attemptDurationSeconds: 0,
        },
        deregisterOnNewRevision: false,
    });
    
    type: aws:batch:JobDefinition
    properties:
        containerProperties: string
        deregisterOnNewRevision: false
        eksProperties:
            podProperties:
                containers:
                    args:
                        - string
                    commands:
                        - string
                    envs:
                        - name: string
                          value: string
                    image: string
                    imagePullPolicy: string
                    name: string
                    resources:
                        limits:
                            string: string
                        requests:
                            string: string
                    securityContext:
                        privileged: false
                        readOnlyRootFileSystem: false
                        runAsGroup: 0
                        runAsNonRoot: false
                        runAsUser: 0
                    volumeMounts:
                        - mountPath: string
                          name: string
                          readOnly: false
                dnsPolicy: string
                hostNetwork: false
                metadata:
                    labels:
                        string: string
                serviceAccountName: string
                volumes:
                    - emptyDir:
                        medium: string
                        sizeLimit: string
                      hostPath:
                        path: string
                      name: string
                      secret:
                        optional: false
                        secretName: string
        name: string
        nodeProperties: string
        parameters:
            string: string
        platformCapabilities:
            - string
        propagateTags: false
        retryStrategy:
            attempts: 0
            evaluateOnExits:
                - action: string
                  onExitCode: string
                  onReason: string
                  onStatusReason: string
        schedulingPriority: 0
        tags:
            string: string
        timeout:
            attemptDurationSeconds: 0
        type: string
    

    JobDefinition Resource Properties

    To learn more about resource properties and how to use them, see Inputs and Outputs in the Architecture and Concepts docs.

    Inputs

    The JobDefinition resource accepts the following input properties:

    Type string

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    ContainerProperties string
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    DeregisterOnNewRevision bool
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    EksProperties JobDefinitionEksProperties
    A valid eks properties. This parameter is only valid if the type parameter is container.
    Name string
    Specifies the name of the job definition.
    NodeProperties string
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    Parameters Dictionary<string, string>
    Specifies the parameter substitution placeholders to set in the job definition.
    PlatformCapabilities List<string>
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    PropagateTags bool
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    RetryStrategy JobDefinitionRetryStrategy
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    SchedulingPriority int
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    Tags Dictionary<string, string>
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    Timeout JobDefinitionTimeout
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    Type string

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    ContainerProperties string
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    DeregisterOnNewRevision bool
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    EksProperties JobDefinitionEksPropertiesArgs
    A valid eks properties. This parameter is only valid if the type parameter is container.
    Name string
    Specifies the name of the job definition.
    NodeProperties string
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    Parameters map[string]string
    Specifies the parameter substitution placeholders to set in the job definition.
    PlatformCapabilities []string
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    PropagateTags bool
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    RetryStrategy JobDefinitionRetryStrategyArgs
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    SchedulingPriority int
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    Tags map[string]string
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    Timeout JobDefinitionTimeoutArgs
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    type String

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    containerProperties String
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    deregisterOnNewRevision Boolean
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    eksProperties JobDefinitionEksProperties
    A valid eks properties. This parameter is only valid if the type parameter is container.
    name String
    Specifies the name of the job definition.
    nodeProperties String
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    parameters Map<String,String>
    Specifies the parameter substitution placeholders to set in the job definition.
    platformCapabilities List<String>
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    propagateTags Boolean
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    retryStrategy JobDefinitionRetryStrategy
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    schedulingPriority Integer
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    tags Map<String,String>
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    timeout JobDefinitionTimeout
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    type string

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    containerProperties string
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    deregisterOnNewRevision boolean
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    eksProperties JobDefinitionEksProperties
    A valid eks properties. This parameter is only valid if the type parameter is container.
    name string
    Specifies the name of the job definition.
    nodeProperties string
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    parameters {[key: string]: string}
    Specifies the parameter substitution placeholders to set in the job definition.
    platformCapabilities string[]
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    propagateTags boolean
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    retryStrategy JobDefinitionRetryStrategy
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    schedulingPriority number
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    tags {[key: string]: string}
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    timeout JobDefinitionTimeout
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    type str

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    container_properties str
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    deregister_on_new_revision bool
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    eks_properties JobDefinitionEksPropertiesArgs
    A valid eks properties. This parameter is only valid if the type parameter is container.
    name str
    Specifies the name of the job definition.
    node_properties str
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    parameters Mapping[str, str]
    Specifies the parameter substitution placeholders to set in the job definition.
    platform_capabilities Sequence[str]
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    propagate_tags bool
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    retry_strategy JobDefinitionRetryStrategyArgs
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    scheduling_priority int
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    tags Mapping[str, str]
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    timeout JobDefinitionTimeoutArgs
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    type String

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    containerProperties String
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    deregisterOnNewRevision Boolean
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    eksProperties Property Map
    A valid eks properties. This parameter is only valid if the type parameter is container.
    name String
    Specifies the name of the job definition.
    nodeProperties String
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    parameters Map<String>
    Specifies the parameter substitution placeholders to set in the job definition.
    platformCapabilities List<String>
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    propagateTags Boolean
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    retryStrategy Property Map
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    schedulingPriority Number
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    tags Map<String>
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    timeout Property Map
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.

    Outputs

    All input properties are implicitly available as output properties. Additionally, the JobDefinition resource produces the following output properties:

    Arn string
    The Amazon Resource Name of the job definition, includes revision (:#).
    ArnPrefix string
    The ARN without the revision number.
    Id string
    The provider-assigned unique ID for this managed resource.
    Revision int
    The revision of the job definition.
    TagsAll Dictionary<string, string>
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    Arn string
    The Amazon Resource Name of the job definition, includes revision (:#).
    ArnPrefix string
    The ARN without the revision number.
    Id string
    The provider-assigned unique ID for this managed resource.
    Revision int
    The revision of the job definition.
    TagsAll map[string]string
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    arn String
    The Amazon Resource Name of the job definition, includes revision (:#).
    arnPrefix String
    The ARN without the revision number.
    id String
    The provider-assigned unique ID for this managed resource.
    revision Integer
    The revision of the job definition.
    tagsAll Map<String,String>
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    arn string
    The Amazon Resource Name of the job definition, includes revision (:#).
    arnPrefix string
    The ARN without the revision number.
    id string
    The provider-assigned unique ID for this managed resource.
    revision number
    The revision of the job definition.
    tagsAll {[key: string]: string}
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    arn str
    The Amazon Resource Name of the job definition, includes revision (:#).
    arn_prefix str
    The ARN without the revision number.
    id str
    The provider-assigned unique ID for this managed resource.
    revision int
    The revision of the job definition.
    tags_all Mapping[str, str]
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    arn String
    The Amazon Resource Name of the job definition, includes revision (:#).
    arnPrefix String
    The ARN without the revision number.
    id String
    The provider-assigned unique ID for this managed resource.
    revision Number
    The revision of the job definition.
    tagsAll Map<String>
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    Look up Existing JobDefinition Resource

    Get an existing JobDefinition resource’s state with the given name, ID, and optional extra properties used to qualify the lookup.

    public static get(name: string, id: Input<ID>, state?: JobDefinitionState, opts?: CustomResourceOptions): JobDefinition
    @staticmethod
    def get(resource_name: str,
            id: str,
            opts: Optional[ResourceOptions] = None,
            arn: Optional[str] = None,
            arn_prefix: Optional[str] = None,
            container_properties: Optional[str] = None,
            deregister_on_new_revision: Optional[bool] = None,
            eks_properties: Optional[JobDefinitionEksPropertiesArgs] = None,
            name: Optional[str] = None,
            node_properties: Optional[str] = None,
            parameters: Optional[Mapping[str, str]] = None,
            platform_capabilities: Optional[Sequence[str]] = None,
            propagate_tags: Optional[bool] = None,
            retry_strategy: Optional[JobDefinitionRetryStrategyArgs] = None,
            revision: Optional[int] = None,
            scheduling_priority: Optional[int] = None,
            tags: Optional[Mapping[str, str]] = None,
            tags_all: Optional[Mapping[str, str]] = None,
            timeout: Optional[JobDefinitionTimeoutArgs] = None,
            type: Optional[str] = None) -> JobDefinition
    func GetJobDefinition(ctx *Context, name string, id IDInput, state *JobDefinitionState, opts ...ResourceOption) (*JobDefinition, error)
    public static JobDefinition Get(string name, Input<string> id, JobDefinitionState? state, CustomResourceOptions? opts = null)
    public static JobDefinition get(String name, Output<String> id, JobDefinitionState state, CustomResourceOptions options)
    Resource lookup is not supported in YAML
    name
    The unique name of the resulting resource.
    id
    The unique provider ID of the resource to lookup.
    state
    Any extra arguments used during the lookup.
    opts
    A bag of options that control this resource's behavior.
    resource_name
    The unique name of the resulting resource.
    id
    The unique provider ID of the resource to lookup.
    name
    The unique name of the resulting resource.
    id
    The unique provider ID of the resource to lookup.
    state
    Any extra arguments used during the lookup.
    opts
    A bag of options that control this resource's behavior.
    name
    The unique name of the resulting resource.
    id
    The unique provider ID of the resource to lookup.
    state
    Any extra arguments used during the lookup.
    opts
    A bag of options that control this resource's behavior.
    name
    The unique name of the resulting resource.
    id
    The unique provider ID of the resource to lookup.
    state
    Any extra arguments used during the lookup.
    opts
    A bag of options that control this resource's behavior.
    The following state arguments are supported:
    Arn string
    The Amazon Resource Name of the job definition, includes revision (:#).
    ArnPrefix string
    The ARN without the revision number.
    ContainerProperties string
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    DeregisterOnNewRevision bool
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    EksProperties JobDefinitionEksProperties
    A valid eks properties. This parameter is only valid if the type parameter is container.
    Name string
    Specifies the name of the job definition.
    NodeProperties string
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    Parameters Dictionary<string, string>
    Specifies the parameter substitution placeholders to set in the job definition.
    PlatformCapabilities List<string>
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    PropagateTags bool
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    RetryStrategy JobDefinitionRetryStrategy
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    Revision int
    The revision of the job definition.
    SchedulingPriority int
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    Tags Dictionary<string, string>
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    TagsAll Dictionary<string, string>
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    Timeout JobDefinitionTimeout
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    Type string

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    Arn string
    The Amazon Resource Name of the job definition, includes revision (:#).
    ArnPrefix string
    The ARN without the revision number.
    ContainerProperties string
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    DeregisterOnNewRevision bool
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    EksProperties JobDefinitionEksPropertiesArgs
    A valid eks properties. This parameter is only valid if the type parameter is container.
    Name string
    Specifies the name of the job definition.
    NodeProperties string
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    Parameters map[string]string
    Specifies the parameter substitution placeholders to set in the job definition.
    PlatformCapabilities []string
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    PropagateTags bool
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    RetryStrategy JobDefinitionRetryStrategyArgs
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    Revision int
    The revision of the job definition.
    SchedulingPriority int
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    Tags map[string]string
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    TagsAll map[string]string
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    Timeout JobDefinitionTimeoutArgs
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    Type string

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    arn String
    The Amazon Resource Name of the job definition, includes revision (:#).
    arnPrefix String
    The ARN without the revision number.
    containerProperties String
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    deregisterOnNewRevision Boolean
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    eksProperties JobDefinitionEksProperties
    A valid eks properties. This parameter is only valid if the type parameter is container.
    name String
    Specifies the name of the job definition.
    nodeProperties String
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    parameters Map<String,String>
    Specifies the parameter substitution placeholders to set in the job definition.
    platformCapabilities List<String>
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    propagateTags Boolean
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    retryStrategy JobDefinitionRetryStrategy
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    revision Integer
    The revision of the job definition.
    schedulingPriority Integer
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    tags Map<String,String>
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    tagsAll Map<String,String>
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    timeout JobDefinitionTimeout
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    type String

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    arn string
    The Amazon Resource Name of the job definition, includes revision (:#).
    arnPrefix string
    The ARN without the revision number.
    containerProperties string
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    deregisterOnNewRevision boolean
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    eksProperties JobDefinitionEksProperties
    A valid eks properties. This parameter is only valid if the type parameter is container.
    name string
    Specifies the name of the job definition.
    nodeProperties string
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    parameters {[key: string]: string}
    Specifies the parameter substitution placeholders to set in the job definition.
    platformCapabilities string[]
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    propagateTags boolean
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    retryStrategy JobDefinitionRetryStrategy
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    revision number
    The revision of the job definition.
    schedulingPriority number
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    tags {[key: string]: string}
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    tagsAll {[key: string]: string}
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    timeout JobDefinitionTimeout
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    type string

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    arn str
    The Amazon Resource Name of the job definition, includes revision (:#).
    arn_prefix str
    The ARN without the revision number.
    container_properties str
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    deregister_on_new_revision bool
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    eks_properties JobDefinitionEksPropertiesArgs
    A valid eks properties. This parameter is only valid if the type parameter is container.
    name str
    Specifies the name of the job definition.
    node_properties str
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    parameters Mapping[str, str]
    Specifies the parameter substitution placeholders to set in the job definition.
    platform_capabilities Sequence[str]
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    propagate_tags bool
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    retry_strategy JobDefinitionRetryStrategyArgs
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    revision int
    The revision of the job definition.
    scheduling_priority int
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    tags Mapping[str, str]
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    tags_all Mapping[str, str]
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    timeout JobDefinitionTimeoutArgs
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    type str

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    arn String
    The Amazon Resource Name of the job definition, includes revision (:#).
    arnPrefix String
    The ARN without the revision number.
    containerProperties String
    A valid container properties provided as a single valid JSON document. This parameter is only valid if the type parameter is container.
    deregisterOnNewRevision Boolean
    When updating a job definition a new revision is created. This parameter determines if the previous version is deregistered (INACTIVE) or left ACTIVE. Defaults to true.
    eksProperties Property Map
    A valid eks properties. This parameter is only valid if the type parameter is container.
    name String
    Specifies the name of the job definition.
    nodeProperties String
    A valid node properties provided as a single valid JSON document. This parameter is required if the type parameter is multinode.
    parameters Map<String>
    Specifies the parameter substitution placeholders to set in the job definition.
    platformCapabilities List<String>
    The platform capabilities required by the job definition. If no value is specified, it defaults to EC2. To run the job on Fargate resources, specify FARGATE.
    propagateTags Boolean
    Specifies whether to propagate the tags from the job definition to the corresponding Amazon ECS task. Default is false.
    retryStrategy Property Map
    Specifies the retry strategy to use for failed jobs that are submitted with this job definition. Maximum number of retry_strategy is 1. Defined below.
    revision Number
    The revision of the job definition.
    schedulingPriority Number
    The scheduling priority of the job definition. This only affects jobs in job queues with a fair share policy. Jobs with a higher scheduling priority are scheduled before jobs with a lower scheduling priority. Allowed values 0 through 9999.
    tags Map<String>
    Key-value map of resource tags. .If configured with a provider default_tags configuration block present, tags with matching keys will overwrite those defined at the provider-level.
    tagsAll Map<String>
    A map of tags assigned to the resource, including those inherited from the provider default_tags configuration block.

    Deprecated: Please use tags instead.

    timeout Property Map
    Specifies the timeout for jobs so that if a job runs longer, AWS Batch terminates the job. Maximum number of timeout is 1. Defined below.
    type String

    The type of job definition. Must be container or multinode.

    The following arguments are optional:

    Supporting Types

    JobDefinitionEksProperties, JobDefinitionEksPropertiesArgs

    PodProperties JobDefinitionEksPropertiesPodProperties
    The properties for the Kubernetes pod resources of a job. See pod_properties below.
    PodProperties JobDefinitionEksPropertiesPodProperties
    The properties for the Kubernetes pod resources of a job. See pod_properties below.
    podProperties JobDefinitionEksPropertiesPodProperties
    The properties for the Kubernetes pod resources of a job. See pod_properties below.
    podProperties JobDefinitionEksPropertiesPodProperties
    The properties for the Kubernetes pod resources of a job. See pod_properties below.
    pod_properties JobDefinitionEksPropertiesPodProperties
    The properties for the Kubernetes pod resources of a job. See pod_properties below.
    podProperties Property Map
    The properties for the Kubernetes pod resources of a job. See pod_properties below.

    JobDefinitionEksPropertiesPodProperties, JobDefinitionEksPropertiesPodPropertiesArgs

    Containers JobDefinitionEksPropertiesPodPropertiesContainers
    The properties of the container that's used on the Amazon EKS pod. See containers below.
    DnsPolicy string
    The DNS policy for the pod. The default value is ClusterFirst. If the host_network argument is not specified, the default is ClusterFirstWithHostNet. ClusterFirst indicates that any DNS query that does not match the configured cluster domain suffix is forwarded to the upstream nameserver inherited from the node. For more information, see Pod's DNS policy in the Kubernetes documentation.
    HostNetwork bool
    Indicates if the pod uses the hosts' network IP address. The default value is true. Setting this to false enables the Kubernetes pod networking model. Most AWS Batch workloads are egress-only and don't require the overhead of IP allocation for each pod for incoming connections.
    Metadata JobDefinitionEksPropertiesPodPropertiesMetadata
    Metadata about the Kubernetes pod.
    ServiceAccountName string
    The name of the service account that's used to run the pod.
    Volumes List<JobDefinitionEksPropertiesPodPropertiesVolume>
    Specifies the volumes for a job definition that uses Amazon EKS resources. AWS Batch supports emptyDir, hostPath, and secret volume types.
    Containers JobDefinitionEksPropertiesPodPropertiesContainers
    The properties of the container that's used on the Amazon EKS pod. See containers below.
    DnsPolicy string
    The DNS policy for the pod. The default value is ClusterFirst. If the host_network argument is not specified, the default is ClusterFirstWithHostNet. ClusterFirst indicates that any DNS query that does not match the configured cluster domain suffix is forwarded to the upstream nameserver inherited from the node. For more information, see Pod's DNS policy in the Kubernetes documentation.
    HostNetwork bool
    Indicates if the pod uses the hosts' network IP address. The default value is true. Setting this to false enables the Kubernetes pod networking model. Most AWS Batch workloads are egress-only and don't require the overhead of IP allocation for each pod for incoming connections.
    Metadata JobDefinitionEksPropertiesPodPropertiesMetadata
    Metadata about the Kubernetes pod.
    ServiceAccountName string
    The name of the service account that's used to run the pod.
    Volumes []JobDefinitionEksPropertiesPodPropertiesVolume
    Specifies the volumes for a job definition that uses Amazon EKS resources. AWS Batch supports emptyDir, hostPath, and secret volume types.
    containers JobDefinitionEksPropertiesPodPropertiesContainers
    The properties of the container that's used on the Amazon EKS pod. See containers below.
    dnsPolicy String
    The DNS policy for the pod. The default value is ClusterFirst. If the host_network argument is not specified, the default is ClusterFirstWithHostNet. ClusterFirst indicates that any DNS query that does not match the configured cluster domain suffix is forwarded to the upstream nameserver inherited from the node. For more information, see Pod's DNS policy in the Kubernetes documentation.
    hostNetwork Boolean
    Indicates if the pod uses the hosts' network IP address. The default value is true. Setting this to false enables the Kubernetes pod networking model. Most AWS Batch workloads are egress-only and don't require the overhead of IP allocation for each pod for incoming connections.
    metadata JobDefinitionEksPropertiesPodPropertiesMetadata
    Metadata about the Kubernetes pod.
    serviceAccountName String
    The name of the service account that's used to run the pod.
    volumes List<JobDefinitionEksPropertiesPodPropertiesVolume>
    Specifies the volumes for a job definition that uses Amazon EKS resources. AWS Batch supports emptyDir, hostPath, and secret volume types.
    containers JobDefinitionEksPropertiesPodPropertiesContainers
    The properties of the container that's used on the Amazon EKS pod. See containers below.
    dnsPolicy string
    The DNS policy for the pod. The default value is ClusterFirst. If the host_network argument is not specified, the default is ClusterFirstWithHostNet. ClusterFirst indicates that any DNS query that does not match the configured cluster domain suffix is forwarded to the upstream nameserver inherited from the node. For more information, see Pod's DNS policy in the Kubernetes documentation.
    hostNetwork boolean
    Indicates if the pod uses the hosts' network IP address. The default value is true. Setting this to false enables the Kubernetes pod networking model. Most AWS Batch workloads are egress-only and don't require the overhead of IP allocation for each pod for incoming connections.
    metadata JobDefinitionEksPropertiesPodPropertiesMetadata
    Metadata about the Kubernetes pod.
    serviceAccountName string
    The name of the service account that's used to run the pod.
    volumes JobDefinitionEksPropertiesPodPropertiesVolume[]
    Specifies the volumes for a job definition that uses Amazon EKS resources. AWS Batch supports emptyDir, hostPath, and secret volume types.
    containers JobDefinitionEksPropertiesPodPropertiesContainers
    The properties of the container that's used on the Amazon EKS pod. See containers below.
    dns_policy str
    The DNS policy for the pod. The default value is ClusterFirst. If the host_network argument is not specified, the default is ClusterFirstWithHostNet. ClusterFirst indicates that any DNS query that does not match the configured cluster domain suffix is forwarded to the upstream nameserver inherited from the node. For more information, see Pod's DNS policy in the Kubernetes documentation.
    host_network bool
    Indicates if the pod uses the hosts' network IP address. The default value is true. Setting this to false enables the Kubernetes pod networking model. Most AWS Batch workloads are egress-only and don't require the overhead of IP allocation for each pod for incoming connections.
    metadata JobDefinitionEksPropertiesPodPropertiesMetadata
    Metadata about the Kubernetes pod.
    service_account_name str
    The name of the service account that's used to run the pod.
    volumes Sequence[JobDefinitionEksPropertiesPodPropertiesVolume]
    Specifies the volumes for a job definition that uses Amazon EKS resources. AWS Batch supports emptyDir, hostPath, and secret volume types.
    containers Property Map
    The properties of the container that's used on the Amazon EKS pod. See containers below.
    dnsPolicy String
    The DNS policy for the pod. The default value is ClusterFirst. If the host_network argument is not specified, the default is ClusterFirstWithHostNet. ClusterFirst indicates that any DNS query that does not match the configured cluster domain suffix is forwarded to the upstream nameserver inherited from the node. For more information, see Pod's DNS policy in the Kubernetes documentation.
    hostNetwork Boolean
    Indicates if the pod uses the hosts' network IP address. The default value is true. Setting this to false enables the Kubernetes pod networking model. Most AWS Batch workloads are egress-only and don't require the overhead of IP allocation for each pod for incoming connections.
    metadata Property Map
    Metadata about the Kubernetes pod.
    serviceAccountName String
    The name of the service account that's used to run the pod.
    volumes List<Property Map>
    Specifies the volumes for a job definition that uses Amazon EKS resources. AWS Batch supports emptyDir, hostPath, and secret volume types.

    JobDefinitionEksPropertiesPodPropertiesContainers, JobDefinitionEksPropertiesPodPropertiesContainersArgs

    Image string
    The Docker image used to start the container.
    Args List<string>
    An array of arguments to the entrypoint. If this isn't specified, the CMD of the container image is used. This corresponds to the args member in the Entrypoint portion of the Pod in Kubernetes. Environment variable references are expanded using the container's environment.
    Commands List<string>
    The entrypoint for the container. This isn't run within a shell. If this isn't specified, the ENTRYPOINT of the container image is used. Environment variable references are expanded using the container's environment.
    Envs List<JobDefinitionEksPropertiesPodPropertiesContainersEnv>
    The environment variables to pass to a container. See EKS Environment below.
    ImagePullPolicy string
    The image pull policy for the container. Supported values are Always, IfNotPresent, and Never.
    Name string
    The name of the container. If the name isn't specified, the default name "Default" is used. Each container in a pod must have a unique name.
    Resources JobDefinitionEksPropertiesPodPropertiesContainersResources
    The type and amount of resources to assign to a container. The supported resources include memory, cpu, and nvidia.com/gpu.
    SecurityContext JobDefinitionEksPropertiesPodPropertiesContainersSecurityContext
    The security context for a job.
    VolumeMounts List<JobDefinitionEksPropertiesPodPropertiesContainersVolumeMount>
    The volume mounts for the container.
    Image string
    The Docker image used to start the container.
    Args []string
    An array of arguments to the entrypoint. If this isn't specified, the CMD of the container image is used. This corresponds to the args member in the Entrypoint portion of the Pod in Kubernetes. Environment variable references are expanded using the container's environment.
    Commands []string
    The entrypoint for the container. This isn't run within a shell. If this isn't specified, the ENTRYPOINT of the container image is used. Environment variable references are expanded using the container's environment.
    Envs []JobDefinitionEksPropertiesPodPropertiesContainersEnv
    The environment variables to pass to a container. See EKS Environment below.
    ImagePullPolicy string
    The image pull policy for the container. Supported values are Always, IfNotPresent, and Never.
    Name string
    The name of the container. If the name isn't specified, the default name "Default" is used. Each container in a pod must have a unique name.
    Resources JobDefinitionEksPropertiesPodPropertiesContainersResources
    The type and amount of resources to assign to a container. The supported resources include memory, cpu, and nvidia.com/gpu.
    SecurityContext JobDefinitionEksPropertiesPodPropertiesContainersSecurityContext
    The security context for a job.
    VolumeMounts []JobDefinitionEksPropertiesPodPropertiesContainersVolumeMount
    The volume mounts for the container.
    image String
    The Docker image used to start the container.
    args List<String>
    An array of arguments to the entrypoint. If this isn't specified, the CMD of the container image is used. This corresponds to the args member in the Entrypoint portion of the Pod in Kubernetes. Environment variable references are expanded using the container's environment.
    commands List<String>
    The entrypoint for the container. This isn't run within a shell. If this isn't specified, the ENTRYPOINT of the container image is used. Environment variable references are expanded using the container's environment.
    envs List<JobDefinitionEksPropertiesPodPropertiesContainersEnv>
    The environment variables to pass to a container. See EKS Environment below.
    imagePullPolicy String
    The image pull policy for the container. Supported values are Always, IfNotPresent, and Never.
    name String
    The name of the container. If the name isn't specified, the default name "Default" is used. Each container in a pod must have a unique name.
    resources JobDefinitionEksPropertiesPodPropertiesContainersResources
    The type and amount of resources to assign to a container. The supported resources include memory, cpu, and nvidia.com/gpu.
    securityContext JobDefinitionEksPropertiesPodPropertiesContainersSecurityContext
    The security context for a job.
    volumeMounts List<JobDefinitionEksPropertiesPodPropertiesContainersVolumeMount>
    The volume mounts for the container.
    image string
    The Docker image used to start the container.
    args string[]
    An array of arguments to the entrypoint. If this isn't specified, the CMD of the container image is used. This corresponds to the args member in the Entrypoint portion of the Pod in Kubernetes. Environment variable references are expanded using the container's environment.
    commands string[]
    The entrypoint for the container. This isn't run within a shell. If this isn't specified, the ENTRYPOINT of the container image is used. Environment variable references are expanded using the container's environment.
    envs JobDefinitionEksPropertiesPodPropertiesContainersEnv[]
    The environment variables to pass to a container. See EKS Environment below.
    imagePullPolicy string
    The image pull policy for the container. Supported values are Always, IfNotPresent, and Never.
    name string
    The name of the container. If the name isn't specified, the default name "Default" is used. Each container in a pod must have a unique name.
    resources JobDefinitionEksPropertiesPodPropertiesContainersResources
    The type and amount of resources to assign to a container. The supported resources include memory, cpu, and nvidia.com/gpu.
    securityContext JobDefinitionEksPropertiesPodPropertiesContainersSecurityContext
    The security context for a job.
    volumeMounts JobDefinitionEksPropertiesPodPropertiesContainersVolumeMount[]
    The volume mounts for the container.
    image str
    The Docker image used to start the container.
    args Sequence[str]
    An array of arguments to the entrypoint. If this isn't specified, the CMD of the container image is used. This corresponds to the args member in the Entrypoint portion of the Pod in Kubernetes. Environment variable references are expanded using the container's environment.
    commands Sequence[str]
    The entrypoint for the container. This isn't run within a shell. If this isn't specified, the ENTRYPOINT of the container image is used. Environment variable references are expanded using the container's environment.
    envs Sequence[JobDefinitionEksPropertiesPodPropertiesContainersEnv]
    The environment variables to pass to a container. See EKS Environment below.
    image_pull_policy str
    The image pull policy for the container. Supported values are Always, IfNotPresent, and Never.
    name str
    The name of the container. If the name isn't specified, the default name "Default" is used. Each container in a pod must have a unique name.
    resources JobDefinitionEksPropertiesPodPropertiesContainersResources
    The type and amount of resources to assign to a container. The supported resources include memory, cpu, and nvidia.com/gpu.
    security_context JobDefinitionEksPropertiesPodPropertiesContainersSecurityContext
    The security context for a job.
    volume_mounts Sequence[JobDefinitionEksPropertiesPodPropertiesContainersVolumeMount]
    The volume mounts for the container.
    image String
    The Docker image used to start the container.
    args List<String>
    An array of arguments to the entrypoint. If this isn't specified, the CMD of the container image is used. This corresponds to the args member in the Entrypoint portion of the Pod in Kubernetes. Environment variable references are expanded using the container's environment.
    commands List<String>
    The entrypoint for the container. This isn't run within a shell. If this isn't specified, the ENTRYPOINT of the container image is used. Environment variable references are expanded using the container's environment.
    envs List<Property Map>
    The environment variables to pass to a container. See EKS Environment below.
    imagePullPolicy String
    The image pull policy for the container. Supported values are Always, IfNotPresent, and Never.
    name String
    The name of the container. If the name isn't specified, the default name "Default" is used. Each container in a pod must have a unique name.
    resources Property Map
    The type and amount of resources to assign to a container. The supported resources include memory, cpu, and nvidia.com/gpu.
    securityContext Property Map
    The security context for a job.
    volumeMounts List<Property Map>
    The volume mounts for the container.

    JobDefinitionEksPropertiesPodPropertiesContainersEnv, JobDefinitionEksPropertiesPodPropertiesContainersEnvArgs

    Name string
    Specifies the name of the job definition.
    Value string
    The value of the environment variable.
    Name string
    Specifies the name of the job definition.
    Value string
    The value of the environment variable.
    name String
    Specifies the name of the job definition.
    value String
    The value of the environment variable.
    name string
    Specifies the name of the job definition.
    value string
    The value of the environment variable.
    name str
    Specifies the name of the job definition.
    value str
    The value of the environment variable.
    name String
    Specifies the name of the job definition.
    value String
    The value of the environment variable.

    JobDefinitionEksPropertiesPodPropertiesContainersResources, JobDefinitionEksPropertiesPodPropertiesContainersResourcesArgs

    Limits Dictionary<string, string>
    Requests Dictionary<string, string>
    Limits map[string]string
    Requests map[string]string
    limits Map<String,String>
    requests Map<String,String>
    limits {[key: string]: string}
    requests {[key: string]: string}
    limits Mapping[str, str]
    requests Mapping[str, str]
    limits Map<String>
    requests Map<String>

    JobDefinitionEksPropertiesPodPropertiesContainersSecurityContext, JobDefinitionEksPropertiesPodPropertiesContainersSecurityContextArgs

    JobDefinitionEksPropertiesPodPropertiesContainersVolumeMount, JobDefinitionEksPropertiesPodPropertiesContainersVolumeMountArgs

    MountPath string
    Name string
    Specifies the name of the job definition.
    ReadOnly bool
    MountPath string
    Name string
    Specifies the name of the job definition.
    ReadOnly bool
    mountPath String
    name String
    Specifies the name of the job definition.
    readOnly Boolean
    mountPath string
    name string
    Specifies the name of the job definition.
    readOnly boolean
    mount_path str
    name str
    Specifies the name of the job definition.
    read_only bool
    mountPath String
    name String
    Specifies the name of the job definition.
    readOnly Boolean

    JobDefinitionEksPropertiesPodPropertiesMetadata, JobDefinitionEksPropertiesPodPropertiesMetadataArgs

    Labels Dictionary<string, string>
    Labels map[string]string
    labels Map<String,String>
    labels {[key: string]: string}
    labels Mapping[str, str]
    labels Map<String>

    JobDefinitionEksPropertiesPodPropertiesVolume, JobDefinitionEksPropertiesPodPropertiesVolumeArgs

    emptyDir Property Map
    hostPath Property Map
    name String
    Specifies the name of the job definition.
    secret Property Map

    JobDefinitionEksPropertiesPodPropertiesVolumeEmptyDir, JobDefinitionEksPropertiesPodPropertiesVolumeEmptyDirArgs

    SizeLimit string
    The maximum size of the volume. By default, there's no maximum size defined.
    Medium string
    The medium to store the volume. The default value is an empty string, which uses the storage of the node.
    SizeLimit string
    The maximum size of the volume. By default, there's no maximum size defined.
    Medium string
    The medium to store the volume. The default value is an empty string, which uses the storage of the node.
    sizeLimit String
    The maximum size of the volume. By default, there's no maximum size defined.
    medium String
    The medium to store the volume. The default value is an empty string, which uses the storage of the node.
    sizeLimit string
    The maximum size of the volume. By default, there's no maximum size defined.
    medium string
    The medium to store the volume. The default value is an empty string, which uses the storage of the node.
    size_limit str
    The maximum size of the volume. By default, there's no maximum size defined.
    medium str
    The medium to store the volume. The default value is an empty string, which uses the storage of the node.
    sizeLimit String
    The maximum size of the volume. By default, there's no maximum size defined.
    medium String
    The medium to store the volume. The default value is an empty string, which uses the storage of the node.

    JobDefinitionEksPropertiesPodPropertiesVolumeHostPath, JobDefinitionEksPropertiesPodPropertiesVolumeHostPathArgs

    Path string
    The path of the file or directory on the host to mount into containers on the pod.
    Path string
    The path of the file or directory on the host to mount into containers on the pod.
    path String
    The path of the file or directory on the host to mount into containers on the pod.
    path string
    The path of the file or directory on the host to mount into containers on the pod.
    path str
    The path of the file or directory on the host to mount into containers on the pod.
    path String
    The path of the file or directory on the host to mount into containers on the pod.

    JobDefinitionEksPropertiesPodPropertiesVolumeSecret, JobDefinitionEksPropertiesPodPropertiesVolumeSecretArgs

    SecretName string
    The name of the secret. The name must be allowed as a DNS subdomain name.
    Optional bool
    Specifies whether the secret or the secret's keys must be defined.
    SecretName string
    The name of the secret. The name must be allowed as a DNS subdomain name.
    Optional bool
    Specifies whether the secret or the secret's keys must be defined.
    secretName String
    The name of the secret. The name must be allowed as a DNS subdomain name.
    optional Boolean
    Specifies whether the secret or the secret's keys must be defined.
    secretName string
    The name of the secret. The name must be allowed as a DNS subdomain name.
    optional boolean
    Specifies whether the secret or the secret's keys must be defined.
    secret_name str
    The name of the secret. The name must be allowed as a DNS subdomain name.
    optional bool
    Specifies whether the secret or the secret's keys must be defined.
    secretName String
    The name of the secret. The name must be allowed as a DNS subdomain name.
    optional Boolean
    Specifies whether the secret or the secret's keys must be defined.

    JobDefinitionRetryStrategy, JobDefinitionRetryStrategyArgs

    Attempts int
    The number of times to move a job to the RUNNABLE status. You may specify between 1 and 10 attempts.
    EvaluateOnExits List<JobDefinitionRetryStrategyEvaluateOnExit>
    The evaluate on exit conditions under which the job should be retried or failed. If this parameter is specified, then the attempts parameter must also be specified. You may specify up to 5 configuration blocks.
    Attempts int
    The number of times to move a job to the RUNNABLE status. You may specify between 1 and 10 attempts.
    EvaluateOnExits []JobDefinitionRetryStrategyEvaluateOnExit
    The evaluate on exit conditions under which the job should be retried or failed. If this parameter is specified, then the attempts parameter must also be specified. You may specify up to 5 configuration blocks.
    attempts Integer
    The number of times to move a job to the RUNNABLE status. You may specify between 1 and 10 attempts.
    evaluateOnExits List<JobDefinitionRetryStrategyEvaluateOnExit>
    The evaluate on exit conditions under which the job should be retried or failed. If this parameter is specified, then the attempts parameter must also be specified. You may specify up to 5 configuration blocks.
    attempts number
    The number of times to move a job to the RUNNABLE status. You may specify between 1 and 10 attempts.
    evaluateOnExits JobDefinitionRetryStrategyEvaluateOnExit[]
    The evaluate on exit conditions under which the job should be retried or failed. If this parameter is specified, then the attempts parameter must also be specified. You may specify up to 5 configuration blocks.
    attempts int
    The number of times to move a job to the RUNNABLE status. You may specify between 1 and 10 attempts.
    evaluate_on_exits Sequence[JobDefinitionRetryStrategyEvaluateOnExit]
    The evaluate on exit conditions under which the job should be retried or failed. If this parameter is specified, then the attempts parameter must also be specified. You may specify up to 5 configuration blocks.
    attempts Number
    The number of times to move a job to the RUNNABLE status. You may specify between 1 and 10 attempts.
    evaluateOnExits List<Property Map>
    The evaluate on exit conditions under which the job should be retried or failed. If this parameter is specified, then the attempts parameter must also be specified. You may specify up to 5 configuration blocks.

    JobDefinitionRetryStrategyEvaluateOnExit, JobDefinitionRetryStrategyEvaluateOnExitArgs

    Action string
    Specifies the action to take if all of the specified conditions are met. The values are not case sensitive. Valid values: RETRY, EXIT.
    OnExitCode string
    A glob pattern to match against the decimal representation of the exit code returned for a job.
    OnReason string
    A glob pattern to match against the reason returned for a job.
    OnStatusReason string
    A glob pattern to match against the status reason returned for a job.
    Action string
    Specifies the action to take if all of the specified conditions are met. The values are not case sensitive. Valid values: RETRY, EXIT.
    OnExitCode string
    A glob pattern to match against the decimal representation of the exit code returned for a job.
    OnReason string
    A glob pattern to match against the reason returned for a job.
    OnStatusReason string
    A glob pattern to match against the status reason returned for a job.
    action String
    Specifies the action to take if all of the specified conditions are met. The values are not case sensitive. Valid values: RETRY, EXIT.
    onExitCode String
    A glob pattern to match against the decimal representation of the exit code returned for a job.
    onReason String
    A glob pattern to match against the reason returned for a job.
    onStatusReason String
    A glob pattern to match against the status reason returned for a job.
    action string
    Specifies the action to take if all of the specified conditions are met. The values are not case sensitive. Valid values: RETRY, EXIT.
    onExitCode string
    A glob pattern to match against the decimal representation of the exit code returned for a job.
    onReason string
    A glob pattern to match against the reason returned for a job.
    onStatusReason string
    A glob pattern to match against the status reason returned for a job.
    action str
    Specifies the action to take if all of the specified conditions are met. The values are not case sensitive. Valid values: RETRY, EXIT.
    on_exit_code str
    A glob pattern to match against the decimal representation of the exit code returned for a job.
    on_reason str
    A glob pattern to match against the reason returned for a job.
    on_status_reason str
    A glob pattern to match against the status reason returned for a job.
    action String
    Specifies the action to take if all of the specified conditions are met. The values are not case sensitive. Valid values: RETRY, EXIT.
    onExitCode String
    A glob pattern to match against the decimal representation of the exit code returned for a job.
    onReason String
    A glob pattern to match against the reason returned for a job.
    onStatusReason String
    A glob pattern to match against the status reason returned for a job.

    JobDefinitionTimeout, JobDefinitionTimeoutArgs

    AttemptDurationSeconds int
    The time duration in seconds after which AWS Batch terminates your jobs if they have not finished. The minimum value for the timeout is 60 seconds.
    AttemptDurationSeconds int
    The time duration in seconds after which AWS Batch terminates your jobs if they have not finished. The minimum value for the timeout is 60 seconds.
    attemptDurationSeconds Integer
    The time duration in seconds after which AWS Batch terminates your jobs if they have not finished. The minimum value for the timeout is 60 seconds.
    attemptDurationSeconds number
    The time duration in seconds after which AWS Batch terminates your jobs if they have not finished. The minimum value for the timeout is 60 seconds.
    attempt_duration_seconds int
    The time duration in seconds after which AWS Batch terminates your jobs if they have not finished. The minimum value for the timeout is 60 seconds.
    attemptDurationSeconds Number
    The time duration in seconds after which AWS Batch terminates your jobs if they have not finished. The minimum value for the timeout is 60 seconds.

    Import

    Using pulumi import, import Batch Job Definition using the arn. For example:

    $ pulumi import aws:batch/jobDefinition:JobDefinition test arn:aws:batch:us-east-1:123456789012:job-definition/sample
    

    To learn more about importing existing cloud resources, see Importing resources.

    Package Details

    Repository
    AWS Classic pulumi/pulumi-aws
    License
    Apache-2.0
    Notes
    This Pulumi package is based on the aws Terraform Provider.
    aws logo

    Try AWS Native preview for resources not in the classic version.

    AWS Classic v6.31.0 published on Monday, Apr 15, 2024 by Pulumi