The gcp:cloudscheduler/job:Job resource, part of the Pulumi GCP provider, defines a Cloud Scheduler job that triggers actions on a cron schedule: Pub/Sub messages, HTTP requests, or App Engine tasks. This guide focuses on four capabilities: Pub/Sub message publishing, HTTP endpoint invocation with authentication, App Engine service routing, and job state management.
Cloud Scheduler jobs reference Pub/Sub topics, external HTTP endpoints, App Engine services, or service accounts that must exist separately. The examples are intentionally small. Combine them with your own infrastructure and authentication configuration.
Publish messages to Pub/Sub on a schedule
Many event-driven architectures use Cloud Scheduler to trigger Pub/Sub messages at regular intervals, allowing downstream subscribers to process work on a predictable cadence.
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
import * as std from "@pulumi/std";
const topic = new gcp.pubsub.Topic("topic", {name: "job-topic"});
const job = new gcp.cloudscheduler.Job("job", {
name: "test-job",
description: "test job",
schedule: "*/2 * * * *",
pubsubTarget: {
topicName: topic.id,
data: std.base64encode({
input: "test",
}).then(invoke => invoke.result),
},
});
import pulumi
import pulumi_gcp as gcp
import pulumi_std as std
topic = gcp.pubsub.Topic("topic", name="job-topic")
job = gcp.cloudscheduler.Job("job",
name="test-job",
description="test job",
schedule="*/2 * * * *",
pubsub_target={
"topic_name": topic.id,
"data": std.base64encode(input="test").result,
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/cloudscheduler"
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/pubsub"
"github.com/pulumi/pulumi-std/sdk/go/std"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
topic, err := pubsub.NewTopic(ctx, "topic", &pubsub.TopicArgs{
Name: pulumi.String("job-topic"),
})
if err != nil {
return err
}
invokeBase64encode, err := std.Base64encode(ctx, &std.Base64encodeArgs{
Input: "test",
}, nil)
if err != nil {
return err
}
_, err = cloudscheduler.NewJob(ctx, "job", &cloudscheduler.JobArgs{
Name: pulumi.String("test-job"),
Description: pulumi.String("test job"),
Schedule: pulumi.String("*/2 * * * *"),
PubsubTarget: &cloudscheduler.JobPubsubTargetArgs{
TopicName: topic.ID(),
Data: pulumi.String(invokeBase64encode.Result),
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
using Std = Pulumi.Std;
return await Deployment.RunAsync(() =>
{
var topic = new Gcp.PubSub.Topic("topic", new()
{
Name = "job-topic",
});
var job = new Gcp.CloudScheduler.Job("job", new()
{
Name = "test-job",
Description = "test job",
Schedule = "*/2 * * * *",
PubsubTarget = new Gcp.CloudScheduler.Inputs.JobPubsubTargetArgs
{
TopicName = topic.Id,
Data = Std.Base64encode.Invoke(new()
{
Input = "test",
}).Apply(invoke => invoke.Result),
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.pubsub.Topic;
import com.pulumi.gcp.pubsub.TopicArgs;
import com.pulumi.gcp.cloudscheduler.Job;
import com.pulumi.gcp.cloudscheduler.JobArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobPubsubTargetArgs;
import com.pulumi.std.StdFunctions;
import com.pulumi.std.inputs.Base64encodeArgs;
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 topic = new Topic("topic", TopicArgs.builder()
.name("job-topic")
.build());
var job = new Job("job", JobArgs.builder()
.name("test-job")
.description("test job")
.schedule("*/2 * * * *")
.pubsubTarget(JobPubsubTargetArgs.builder()
.topicName(topic.id())
.data(StdFunctions.base64encode(Base64encodeArgs.builder()
.input("test")
.build()).result())
.build())
.build());
}
}
resources:
topic:
type: gcp:pubsub:Topic
properties:
name: job-topic
job:
type: gcp:cloudscheduler:Job
properties:
name: test-job
description: test job
schedule: '*/2 * * * *'
pubsubTarget:
topicName: ${topic.id}
data:
fn::invoke:
function: std:base64encode
arguments:
input: test
return: result
The schedule property uses crontab format (*/2 * * * * means every 2 minutes). The pubsubTarget sends base64-encoded data to the specified topic. Subscribers receive these messages and process them asynchronously.
Send HTTP requests to external endpoints
Applications often need to trigger webhooks or API calls on a schedule, such as health checks, data synchronization, or periodic cleanup tasks.
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
import * as std from "@pulumi/std";
const job = new gcp.cloudscheduler.Job("job", {
name: "test-job",
description: "test http job",
schedule: "*/8 * * * *",
timeZone: "America/New_York",
attemptDeadline: "320s",
retryConfig: {
retryCount: 1,
},
httpTarget: {
httpMethod: "POST",
uri: "https://example.com/",
body: std.base64encode({
input: "{\"foo\":\"bar\"}",
}).then(invoke => invoke.result),
headers: {
"Content-Type": "application/json",
},
},
});
import pulumi
import pulumi_gcp as gcp
import pulumi_std as std
job = gcp.cloudscheduler.Job("job",
name="test-job",
description="test http job",
schedule="*/8 * * * *",
time_zone="America/New_York",
attempt_deadline="320s",
retry_config={
"retry_count": 1,
},
http_target={
"http_method": "POST",
"uri": "https://example.com/",
"body": std.base64encode(input="{\"foo\":\"bar\"}").result,
"headers": {
"Content-Type": "application/json",
},
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/cloudscheduler"
"github.com/pulumi/pulumi-std/sdk/go/std"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
invokeBase64encode, err := std.Base64encode(ctx, &std.Base64encodeArgs{
Input: "{\"foo\":\"bar\"}",
}, nil)
if err != nil {
return err
}
_, err = cloudscheduler.NewJob(ctx, "job", &cloudscheduler.JobArgs{
Name: pulumi.String("test-job"),
Description: pulumi.String("test http job"),
Schedule: pulumi.String("*/8 * * * *"),
TimeZone: pulumi.String("America/New_York"),
AttemptDeadline: pulumi.String("320s"),
RetryConfig: &cloudscheduler.JobRetryConfigArgs{
RetryCount: pulumi.Int(1),
},
HttpTarget: &cloudscheduler.JobHttpTargetArgs{
HttpMethod: pulumi.String("POST"),
Uri: pulumi.String("https://example.com/"),
Body: pulumi.String(invokeBase64encode.Result),
Headers: pulumi.StringMap{
"Content-Type": pulumi.String("application/json"),
},
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
using Std = Pulumi.Std;
return await Deployment.RunAsync(() =>
{
var job = new Gcp.CloudScheduler.Job("job", new()
{
Name = "test-job",
Description = "test http job",
Schedule = "*/8 * * * *",
TimeZone = "America/New_York",
AttemptDeadline = "320s",
RetryConfig = new Gcp.CloudScheduler.Inputs.JobRetryConfigArgs
{
RetryCount = 1,
},
HttpTarget = new Gcp.CloudScheduler.Inputs.JobHttpTargetArgs
{
HttpMethod = "POST",
Uri = "https://example.com/",
Body = Std.Base64encode.Invoke(new()
{
Input = "{\"foo\":\"bar\"}",
}).Apply(invoke => invoke.Result),
Headers =
{
{ "Content-Type", "application/json" },
},
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.cloudscheduler.Job;
import com.pulumi.gcp.cloudscheduler.JobArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobRetryConfigArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobHttpTargetArgs;
import com.pulumi.std.StdFunctions;
import com.pulumi.std.inputs.Base64encodeArgs;
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 job = new Job("job", JobArgs.builder()
.name("test-job")
.description("test http job")
.schedule("*/8 * * * *")
.timeZone("America/New_York")
.attemptDeadline("320s")
.retryConfig(JobRetryConfigArgs.builder()
.retryCount(1)
.build())
.httpTarget(JobHttpTargetArgs.builder()
.httpMethod("POST")
.uri("https://example.com/")
.body(StdFunctions.base64encode(Base64encodeArgs.builder()
.input("{\"foo\":\"bar\"}")
.build()).result())
.headers(Map.of("Content-Type", "application/json"))
.build())
.build());
}
}
resources:
job:
type: gcp:cloudscheduler:Job
properties:
name: test-job
description: test http job
schedule: '*/8 * * * *'
timeZone: America/New_York
attemptDeadline: 320s
retryConfig:
retryCount: 1
httpTarget:
httpMethod: POST
uri: https://example.com/
body:
fn::invoke:
function: std:base64encode
arguments:
input: '{"foo":"bar"}'
return: result
headers:
Content-Type: application/json
The httpTarget property defines the destination URI, HTTP method, and request body. The attemptDeadline sets how long Cloud Scheduler waits for a response (320 seconds here). The retryConfig controls how many times failed requests are retried.
Create jobs in a paused state
During deployment or maintenance windows, teams create jobs that shouldn’t run immediately, allowing configuration to be validated before enabling execution.
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
import * as std from "@pulumi/std";
const job = new gcp.cloudscheduler.Job("job", {
paused: true,
name: "test-job",
description: "test http job with updated fields",
schedule: "*/8 * * * *",
timeZone: "America/New_York",
attemptDeadline: "320s",
retryConfig: {
retryCount: 1,
},
httpTarget: {
httpMethod: "POST",
uri: "https://example.com/ping",
body: std.base64encode({
input: "{\"foo\":\"bar\"}",
}).then(invoke => invoke.result),
headers: {
"Content-Type": "application/json",
},
},
});
import pulumi
import pulumi_gcp as gcp
import pulumi_std as std
job = gcp.cloudscheduler.Job("job",
paused=True,
name="test-job",
description="test http job with updated fields",
schedule="*/8 * * * *",
time_zone="America/New_York",
attempt_deadline="320s",
retry_config={
"retry_count": 1,
},
http_target={
"http_method": "POST",
"uri": "https://example.com/ping",
"body": std.base64encode(input="{\"foo\":\"bar\"}").result,
"headers": {
"Content-Type": "application/json",
},
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/cloudscheduler"
"github.com/pulumi/pulumi-std/sdk/go/std"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
invokeBase64encode, err := std.Base64encode(ctx, &std.Base64encodeArgs{
Input: "{\"foo\":\"bar\"}",
}, nil)
if err != nil {
return err
}
_, err = cloudscheduler.NewJob(ctx, "job", &cloudscheduler.JobArgs{
Paused: pulumi.Bool(true),
Name: pulumi.String("test-job"),
Description: pulumi.String("test http job with updated fields"),
Schedule: pulumi.String("*/8 * * * *"),
TimeZone: pulumi.String("America/New_York"),
AttemptDeadline: pulumi.String("320s"),
RetryConfig: &cloudscheduler.JobRetryConfigArgs{
RetryCount: pulumi.Int(1),
},
HttpTarget: &cloudscheduler.JobHttpTargetArgs{
HttpMethod: pulumi.String("POST"),
Uri: pulumi.String("https://example.com/ping"),
Body: pulumi.String(invokeBase64encode.Result),
Headers: pulumi.StringMap{
"Content-Type": pulumi.String("application/json"),
},
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
using Std = Pulumi.Std;
return await Deployment.RunAsync(() =>
{
var job = new Gcp.CloudScheduler.Job("job", new()
{
Paused = true,
Name = "test-job",
Description = "test http job with updated fields",
Schedule = "*/8 * * * *",
TimeZone = "America/New_York",
AttemptDeadline = "320s",
RetryConfig = new Gcp.CloudScheduler.Inputs.JobRetryConfigArgs
{
RetryCount = 1,
},
HttpTarget = new Gcp.CloudScheduler.Inputs.JobHttpTargetArgs
{
HttpMethod = "POST",
Uri = "https://example.com/ping",
Body = Std.Base64encode.Invoke(new()
{
Input = "{\"foo\":\"bar\"}",
}).Apply(invoke => invoke.Result),
Headers =
{
{ "Content-Type", "application/json" },
},
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.cloudscheduler.Job;
import com.pulumi.gcp.cloudscheduler.JobArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobRetryConfigArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobHttpTargetArgs;
import com.pulumi.std.StdFunctions;
import com.pulumi.std.inputs.Base64encodeArgs;
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 job = new Job("job", JobArgs.builder()
.paused(true)
.name("test-job")
.description("test http job with updated fields")
.schedule("*/8 * * * *")
.timeZone("America/New_York")
.attemptDeadline("320s")
.retryConfig(JobRetryConfigArgs.builder()
.retryCount(1)
.build())
.httpTarget(JobHttpTargetArgs.builder()
.httpMethod("POST")
.uri("https://example.com/ping")
.body(StdFunctions.base64encode(Base64encodeArgs.builder()
.input("{\"foo\":\"bar\"}")
.build()).result())
.headers(Map.of("Content-Type", "application/json"))
.build())
.build());
}
}
resources:
job:
type: gcp:cloudscheduler:Job
properties:
paused: true
name: test-job
description: test http job with updated fields
schedule: '*/8 * * * *'
timeZone: America/New_York
attemptDeadline: 320s
retryConfig:
retryCount: 1
httpTarget:
httpMethod: POST
uri: https://example.com/ping
body:
fn::invoke:
function: std:base64encode
arguments:
input: '{"foo":"bar"}'
return: result
headers:
Content-Type: application/json
Setting paused to true prevents the job from executing on its schedule. This extends the HTTP configuration pattern by adding state control, useful when deploying jobs that need review before activation.
Route requests to App Engine services
App Engine applications can receive scheduled requests routed to specific services, versions, or instances, enabling targeted task execution within the App Engine environment.
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
const job = new gcp.cloudscheduler.Job("job", {
name: "test-job",
schedule: "*/4 * * * *",
description: "test app engine job",
timeZone: "Europe/London",
attemptDeadline: "320s",
retryConfig: {
minBackoffDuration: "1s",
maxRetryDuration: "10s",
maxDoublings: 2,
retryCount: 3,
},
appEngineHttpTarget: {
httpMethod: "POST",
appEngineRouting: {
service: "web",
version: "prod",
instance: "my-instance-001",
},
relativeUri: "/ping",
},
});
import pulumi
import pulumi_gcp as gcp
job = gcp.cloudscheduler.Job("job",
name="test-job",
schedule="*/4 * * * *",
description="test app engine job",
time_zone="Europe/London",
attempt_deadline="320s",
retry_config={
"min_backoff_duration": "1s",
"max_retry_duration": "10s",
"max_doublings": 2,
"retry_count": 3,
},
app_engine_http_target={
"http_method": "POST",
"app_engine_routing": {
"service": "web",
"version": "prod",
"instance": "my-instance-001",
},
"relative_uri": "/ping",
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/cloudscheduler"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
_, err := cloudscheduler.NewJob(ctx, "job", &cloudscheduler.JobArgs{
Name: pulumi.String("test-job"),
Schedule: pulumi.String("*/4 * * * *"),
Description: pulumi.String("test app engine job"),
TimeZone: pulumi.String("Europe/London"),
AttemptDeadline: pulumi.String("320s"),
RetryConfig: &cloudscheduler.JobRetryConfigArgs{
MinBackoffDuration: pulumi.String("1s"),
MaxRetryDuration: pulumi.String("10s"),
MaxDoublings: pulumi.Int(2),
RetryCount: pulumi.Int(3),
},
AppEngineHttpTarget: &cloudscheduler.JobAppEngineHttpTargetArgs{
HttpMethod: pulumi.String("POST"),
AppEngineRouting: &cloudscheduler.JobAppEngineHttpTargetAppEngineRoutingArgs{
Service: pulumi.String("web"),
Version: pulumi.String("prod"),
Instance: pulumi.String("my-instance-001"),
},
RelativeUri: pulumi.String("/ping"),
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
return await Deployment.RunAsync(() =>
{
var job = new Gcp.CloudScheduler.Job("job", new()
{
Name = "test-job",
Schedule = "*/4 * * * *",
Description = "test app engine job",
TimeZone = "Europe/London",
AttemptDeadline = "320s",
RetryConfig = new Gcp.CloudScheduler.Inputs.JobRetryConfigArgs
{
MinBackoffDuration = "1s",
MaxRetryDuration = "10s",
MaxDoublings = 2,
RetryCount = 3,
},
AppEngineHttpTarget = new Gcp.CloudScheduler.Inputs.JobAppEngineHttpTargetArgs
{
HttpMethod = "POST",
AppEngineRouting = new Gcp.CloudScheduler.Inputs.JobAppEngineHttpTargetAppEngineRoutingArgs
{
Service = "web",
Version = "prod",
Instance = "my-instance-001",
},
RelativeUri = "/ping",
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.cloudscheduler.Job;
import com.pulumi.gcp.cloudscheduler.JobArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobRetryConfigArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobAppEngineHttpTargetArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobAppEngineHttpTargetAppEngineRoutingArgs;
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 job = new Job("job", JobArgs.builder()
.name("test-job")
.schedule("*/4 * * * *")
.description("test app engine job")
.timeZone("Europe/London")
.attemptDeadline("320s")
.retryConfig(JobRetryConfigArgs.builder()
.minBackoffDuration("1s")
.maxRetryDuration("10s")
.maxDoublings(2)
.retryCount(3)
.build())
.appEngineHttpTarget(JobAppEngineHttpTargetArgs.builder()
.httpMethod("POST")
.appEngineRouting(JobAppEngineHttpTargetAppEngineRoutingArgs.builder()
.service("web")
.version("prod")
.instance("my-instance-001")
.build())
.relativeUri("/ping")
.build())
.build());
}
}
resources:
job:
type: gcp:cloudscheduler:Job
properties:
name: test-job
schedule: '*/4 * * * *'
description: test app engine job
timeZone: Europe/London
attemptDeadline: 320s
retryConfig:
minBackoffDuration: 1s
maxRetryDuration: 10s
maxDoublings: 2
retryCount: 3
appEngineHttpTarget:
httpMethod: POST
appEngineRouting:
service: web
version: prod
instance: my-instance-001
relativeUri: /ping
The appEngineHttpTarget property routes requests within App Engine. The appEngineRouting block specifies which service, version, and instance receive the request. The relativeUri defines the path within that service.
Authenticate HTTP requests with OAuth tokens
When calling Google Cloud APIs or services that require OAuth authentication, Cloud Scheduler can automatically generate and attach OAuth tokens using a service account.
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
const _default = gcp.compute.getDefaultServiceAccount({});
const job = new gcp.cloudscheduler.Job("job", {
name: "test-job",
description: "test http job",
schedule: "*/8 * * * *",
timeZone: "America/New_York",
attemptDeadline: "320s",
httpTarget: {
httpMethod: "GET",
uri: "https://cloudscheduler.googleapis.com/v1/projects/my-project-name/locations/us-west1/jobs",
oauthToken: {
serviceAccountEmail: _default.then(_default => _default.email),
},
},
});
import pulumi
import pulumi_gcp as gcp
default = gcp.compute.get_default_service_account()
job = gcp.cloudscheduler.Job("job",
name="test-job",
description="test http job",
schedule="*/8 * * * *",
time_zone="America/New_York",
attempt_deadline="320s",
http_target={
"http_method": "GET",
"uri": "https://cloudscheduler.googleapis.com/v1/projects/my-project-name/locations/us-west1/jobs",
"oauth_token": {
"service_account_email": default.email,
},
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/cloudscheduler"
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/compute"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
_default, err := compute.GetDefaultServiceAccount(ctx, &compute.GetDefaultServiceAccountArgs{}, nil)
if err != nil {
return err
}
_, err = cloudscheduler.NewJob(ctx, "job", &cloudscheduler.JobArgs{
Name: pulumi.String("test-job"),
Description: pulumi.String("test http job"),
Schedule: pulumi.String("*/8 * * * *"),
TimeZone: pulumi.String("America/New_York"),
AttemptDeadline: pulumi.String("320s"),
HttpTarget: &cloudscheduler.JobHttpTargetArgs{
HttpMethod: pulumi.String("GET"),
Uri: pulumi.String("https://cloudscheduler.googleapis.com/v1/projects/my-project-name/locations/us-west1/jobs"),
OauthToken: &cloudscheduler.JobHttpTargetOauthTokenArgs{
ServiceAccountEmail: pulumi.String(_default.Email),
},
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
return await Deployment.RunAsync(() =>
{
var @default = Gcp.Compute.GetDefaultServiceAccount.Invoke();
var job = new Gcp.CloudScheduler.Job("job", new()
{
Name = "test-job",
Description = "test http job",
Schedule = "*/8 * * * *",
TimeZone = "America/New_York",
AttemptDeadline = "320s",
HttpTarget = new Gcp.CloudScheduler.Inputs.JobHttpTargetArgs
{
HttpMethod = "GET",
Uri = "https://cloudscheduler.googleapis.com/v1/projects/my-project-name/locations/us-west1/jobs",
OauthToken = new Gcp.CloudScheduler.Inputs.JobHttpTargetOauthTokenArgs
{
ServiceAccountEmail = @default.Apply(@default => @default.Apply(getDefaultServiceAccountResult => getDefaultServiceAccountResult.Email)),
},
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.ComputeFunctions;
import com.pulumi.gcp.compute.inputs.GetDefaultServiceAccountArgs;
import com.pulumi.gcp.cloudscheduler.Job;
import com.pulumi.gcp.cloudscheduler.JobArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobHttpTargetArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobHttpTargetOauthTokenArgs;
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 default = ComputeFunctions.getDefaultServiceAccount(GetDefaultServiceAccountArgs.builder()
.build());
var job = new Job("job", JobArgs.builder()
.name("test-job")
.description("test http job")
.schedule("*/8 * * * *")
.timeZone("America/New_York")
.attemptDeadline("320s")
.httpTarget(JobHttpTargetArgs.builder()
.httpMethod("GET")
.uri("https://cloudscheduler.googleapis.com/v1/projects/my-project-name/locations/us-west1/jobs")
.oauthToken(JobHttpTargetOauthTokenArgs.builder()
.serviceAccountEmail(default_.email())
.build())
.build())
.build());
}
}
resources:
job:
type: gcp:cloudscheduler:Job
properties:
name: test-job
description: test http job
schedule: '*/8 * * * *'
timeZone: America/New_York
attemptDeadline: 320s
httpTarget:
httpMethod: GET
uri: https://cloudscheduler.googleapis.com/v1/projects/my-project-name/locations/us-west1/jobs
oauthToken:
serviceAccountEmail: ${default.email}
variables:
default:
fn::invoke:
function: gcp:compute:getDefaultServiceAccount
arguments: {}
The oauthToken property tells Cloud Scheduler to generate an OAuth token using the specified service account. This token is automatically attached to the HTTP request, allowing the job to call Google Cloud APIs without managing credentials manually.
Authenticate HTTP requests with OIDC tokens
OIDC tokens provide identity verification for requests to Cloud Run, Cloud Functions, or other services that validate OIDC authentication.
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
const _default = gcp.compute.getDefaultServiceAccount({});
const job = new gcp.cloudscheduler.Job("job", {
name: "test-job",
description: "test http job",
schedule: "*/8 * * * *",
timeZone: "America/New_York",
attemptDeadline: "320s",
httpTarget: {
httpMethod: "GET",
uri: "https://example.com/ping",
oidcToken: {
serviceAccountEmail: _default.then(_default => _default.email),
},
},
});
import pulumi
import pulumi_gcp as gcp
default = gcp.compute.get_default_service_account()
job = gcp.cloudscheduler.Job("job",
name="test-job",
description="test http job",
schedule="*/8 * * * *",
time_zone="America/New_York",
attempt_deadline="320s",
http_target={
"http_method": "GET",
"uri": "https://example.com/ping",
"oidc_token": {
"service_account_email": default.email,
},
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/cloudscheduler"
"github.com/pulumi/pulumi-gcp/sdk/v9/go/gcp/compute"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
_default, err := compute.GetDefaultServiceAccount(ctx, &compute.GetDefaultServiceAccountArgs{}, nil)
if err != nil {
return err
}
_, err = cloudscheduler.NewJob(ctx, "job", &cloudscheduler.JobArgs{
Name: pulumi.String("test-job"),
Description: pulumi.String("test http job"),
Schedule: pulumi.String("*/8 * * * *"),
TimeZone: pulumi.String("America/New_York"),
AttemptDeadline: pulumi.String("320s"),
HttpTarget: &cloudscheduler.JobHttpTargetArgs{
HttpMethod: pulumi.String("GET"),
Uri: pulumi.String("https://example.com/ping"),
OidcToken: &cloudscheduler.JobHttpTargetOidcTokenArgs{
ServiceAccountEmail: pulumi.String(_default.Email),
},
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
return await Deployment.RunAsync(() =>
{
var @default = Gcp.Compute.GetDefaultServiceAccount.Invoke();
var job = new Gcp.CloudScheduler.Job("job", new()
{
Name = "test-job",
Description = "test http job",
Schedule = "*/8 * * * *",
TimeZone = "America/New_York",
AttemptDeadline = "320s",
HttpTarget = new Gcp.CloudScheduler.Inputs.JobHttpTargetArgs
{
HttpMethod = "GET",
Uri = "https://example.com/ping",
OidcToken = new Gcp.CloudScheduler.Inputs.JobHttpTargetOidcTokenArgs
{
ServiceAccountEmail = @default.Apply(@default => @default.Apply(getDefaultServiceAccountResult => getDefaultServiceAccountResult.Email)),
},
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.ComputeFunctions;
import com.pulumi.gcp.compute.inputs.GetDefaultServiceAccountArgs;
import com.pulumi.gcp.cloudscheduler.Job;
import com.pulumi.gcp.cloudscheduler.JobArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobHttpTargetArgs;
import com.pulumi.gcp.cloudscheduler.inputs.JobHttpTargetOidcTokenArgs;
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 default = ComputeFunctions.getDefaultServiceAccount(GetDefaultServiceAccountArgs.builder()
.build());
var job = new Job("job", JobArgs.builder()
.name("test-job")
.description("test http job")
.schedule("*/8 * * * *")
.timeZone("America/New_York")
.attemptDeadline("320s")
.httpTarget(JobHttpTargetArgs.builder()
.httpMethod("GET")
.uri("https://example.com/ping")
.oidcToken(JobHttpTargetOidcTokenArgs.builder()
.serviceAccountEmail(default_.email())
.build())
.build())
.build());
}
}
resources:
job:
type: gcp:cloudscheduler:Job
properties:
name: test-job
description: test http job
schedule: '*/8 * * * *'
timeZone: America/New_York
attemptDeadline: 320s
httpTarget:
httpMethod: GET
uri: https://example.com/ping
oidcToken:
serviceAccountEmail: ${default.email}
variables:
default:
fn::invoke:
function: gcp:compute:getDefaultServiceAccount
arguments: {}
The oidcToken property generates an OIDC identity token instead of an OAuth token. Cloud Run and Cloud Functions validate these tokens to verify the caller’s identity. The service account must have permissions to generate OIDC tokens and invoke the target service.
Beyond these examples
These snippets focus on specific job-level features: Pub/Sub, HTTP, and App Engine targets, OAuth and OIDC authentication, and retry configuration and job pausing. They’re intentionally minimal rather than full scheduling solutions.
The examples may reference pre-existing infrastructure such as Pub/Sub topics for message delivery, App Engine services, versions, and instances, and service accounts with appropriate IAM permissions. They focus on configuring the job rather than provisioning everything around it.
To keep things focused, common job patterns are omitted, including:
- Time zone configuration (timeZone property)
- Custom retry backoff tuning (minBackoffDuration, maxDoublings)
- Job monitoring and execution logs
- Regional placement considerations
These omissions are intentional: the goal is to illustrate how each job feature is wired, not provide drop-in scheduling modules. See the Cloud Scheduler Job resource reference for all available configuration options.
Let's create GCP Cloud Scheduler Jobs
Get started with Pulumi Cloud, then follow our quick setup guide to deploy this infrastructure.
Try Pulumi Cloud for FREEFrequently Asked Questions
Common Issues & Limitations
attemptDeadline field is ignored for pubsubTarget and setting it will introduce an unresolvable diff. Don’t configure attemptDeadline when using Pub/Sub targets.name, region, and project properties are immutable. Changing any of these after creation will force resource replacement.Target Configuration
You can use three target types:
- httpTarget - Send requests to HTTP/HTTPS endpoints
- pubsubTarget - Publish messages to Pub/Sub topics
- appEngineHttpTarget - Send requests to App Engine services
oauthToken with a service account email for OAuth authentication, or oidcToken for OpenID Connect authentication within your httpTarget configuration.httpTarget.body and pubsubTarget.data fields, as shown in the examples with std.base64encode.Scheduling & Job Control
*/2 * * * * for every 2 minutes, */8 * * * * for every 8 minutes).paused property to true. Jobs are enabled by default when this property isn’t set.timeZone property with a time zone name from the tz database (e.g., America/New_York, Europe/London).Retry & Deadline Settings
Deadline limits vary by target type:
- HTTP targets: 15 seconds to 30 minutes
- App Engine targets: 15 seconds to 24 hours
- PubSub targets: This field is ignored
retryConfig to set retryCount, minBackoffDuration, maxRetryDuration, and maxDoublings for exponential backoff retry logic.Using a different cloud?
Explore integration guides for other cloud providers: