1. Packages
  2. Google Cloud (GCP) Classic
  3. API Docs
  4. compute
  5. URLMap
Google Cloud v8.26.0 published on Thursday, Apr 10, 2025 by Pulumi

gcp.compute.URLMap

Explore with Pulumi AI

UrlMaps are used to route requests to a backend service based on rules that you define for the host and path of an incoming URL.

To get more information about UrlMap, see:

Example Usage

Url Map Bucket And Service

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const _default = new gcp.compute.HttpHealthCheck("default", {
    name: "health-check",
    requestPath: "/",
    checkIntervalSec: 1,
    timeoutSec: 1,
});
const login = new gcp.compute.BackendService("login", {
    name: "login",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: _default.id,
});
const staticBucket = new gcp.storage.Bucket("static", {
    name: "static-asset-bucket",
    location: "US",
});
const static = new gcp.compute.BackendBucket("static", {
    name: "static-asset-backend-bucket",
    bucketName: staticBucket.name,
    enableCdn: true,
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "a description",
    defaultService: static.id,
    hostRules: [
        {
            hosts: ["mysite.com"],
            pathMatcher: "mysite",
        },
        {
            hosts: ["myothersite.com"],
            pathMatcher: "otherpaths",
        },
    ],
    pathMatchers: [
        {
            name: "mysite",
            defaultService: static.id,
            pathRules: [
                {
                    paths: ["/home"],
                    service: static.id,
                },
                {
                    paths: ["/login"],
                    service: login.id,
                },
                {
                    paths: ["/static"],
                    service: static.id,
                },
            ],
        },
        {
            name: "otherpaths",
            defaultService: static.id,
        },
    ],
    tests: [{
        service: static.id,
        host: "example.com",
        path: "/home",
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default = gcp.compute.HttpHealthCheck("default",
    name="health-check",
    request_path="/",
    check_interval_sec=1,
    timeout_sec=1)
login = gcp.compute.BackendService("login",
    name="login",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default.id)
static_bucket = gcp.storage.Bucket("static",
    name="static-asset-bucket",
    location="US")
static = gcp.compute.BackendBucket("static",
    name="static-asset-backend-bucket",
    bucket_name=static_bucket.name,
    enable_cdn=True)
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="a description",
    default_service=static.id,
    host_rules=[
        {
            "hosts": ["mysite.com"],
            "path_matcher": "mysite",
        },
        {
            "hosts": ["myothersite.com"],
            "path_matcher": "otherpaths",
        },
    ],
    path_matchers=[
        {
            "name": "mysite",
            "default_service": static.id,
            "path_rules": [
                {
                    "paths": ["/home"],
                    "service": static.id,
                },
                {
                    "paths": ["/login"],
                    "service": login.id,
                },
                {
                    "paths": ["/static"],
                    "service": static.id,
                },
            ],
        },
        {
            "name": "otherpaths",
            "default_service": static.id,
        },
    ],
    tests=[{
        "service": static.id,
        "host": "example.com",
        "path": "/home",
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/storage"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		_default, err := compute.NewHttpHealthCheck(ctx, "default", &compute.HttpHealthCheckArgs{
			Name:             pulumi.String("health-check"),
			RequestPath:      pulumi.String("/"),
			CheckIntervalSec: pulumi.Int(1),
			TimeoutSec:       pulumi.Int(1),
		})
		if err != nil {
			return err
		}
		login, err := compute.NewBackendService(ctx, "login", &compute.BackendServiceArgs{
			Name:         pulumi.String("login"),
			PortName:     pulumi.String("http"),
			Protocol:     pulumi.String("HTTP"),
			TimeoutSec:   pulumi.Int(10),
			HealthChecks: _default.ID(),
		})
		if err != nil {
			return err
		}
		staticBucket, err := storage.NewBucket(ctx, "static", &storage.BucketArgs{
			Name:     pulumi.String("static-asset-bucket"),
			Location: pulumi.String("US"),
		})
		if err != nil {
			return err
		}
		static, err := compute.NewBackendBucket(ctx, "static", &compute.BackendBucketArgs{
			Name:       pulumi.String("static-asset-backend-bucket"),
			BucketName: staticBucket.Name,
			EnableCdn:  pulumi.Bool(true),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("a description"),
			DefaultService: static.ID(),
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("mysite.com"),
					},
					PathMatcher: pulumi.String("mysite"),
				},
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("myothersite.com"),
					},
					PathMatcher: pulumi.String("otherpaths"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("mysite"),
					DefaultService: static.ID(),
					PathRules: compute.URLMapPathMatcherPathRuleArray{
						&compute.URLMapPathMatcherPathRuleArgs{
							Paths: pulumi.StringArray{
								pulumi.String("/home"),
							},
							Service: static.ID(),
						},
						&compute.URLMapPathMatcherPathRuleArgs{
							Paths: pulumi.StringArray{
								pulumi.String("/login"),
							},
							Service: login.ID(),
						},
						&compute.URLMapPathMatcherPathRuleArgs{
							Paths: pulumi.StringArray{
								pulumi.String("/static"),
							},
							Service: static.ID(),
						},
					},
				},
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("otherpaths"),
					DefaultService: static.ID(),
				},
			},
			Tests: compute.URLMapTestArray{
				&compute.URLMapTestArgs{
					Service: static.ID(),
					Host:    pulumi.String("example.com"),
					Path:    pulumi.String("/home"),
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var @default = new Gcp.Compute.HttpHealthCheck("default", new()
    {
        Name = "health-check",
        RequestPath = "/",
        CheckIntervalSec = 1,
        TimeoutSec = 1,
    });

    var login = new Gcp.Compute.BackendService("login", new()
    {
        Name = "login",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = @default.Id,
    });

    var staticBucket = new Gcp.Storage.Bucket("static", new()
    {
        Name = "static-asset-bucket",
        Location = "US",
    });

    var @static = new Gcp.Compute.BackendBucket("static", new()
    {
        Name = "static-asset-backend-bucket",
        BucketName = staticBucket.Name,
        EnableCdn = true,
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "a description",
        DefaultService = @static.Id,
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "mysite.com",
                },
                PathMatcher = "mysite",
            },
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "myothersite.com",
                },
                PathMatcher = "otherpaths",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "mysite",
                DefaultService = @static.Id,
                PathRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleArgs
                    {
                        Paths = new[]
                        {
                            "/home",
                        },
                        Service = @static.Id,
                    },
                    new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleArgs
                    {
                        Paths = new[]
                        {
                            "/login",
                        },
                        Service = login.Id,
                    },
                    new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleArgs
                    {
                        Paths = new[]
                        {
                            "/static",
                        },
                        Service = @static.Id,
                    },
                },
            },
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "otherpaths",
                DefaultService = @static.Id,
            },
        },
        Tests = new[]
        {
            new Gcp.Compute.Inputs.URLMapTestArgs
            {
                Service = @static.Id,
                Host = "example.com",
                Path = "/home",
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HttpHealthCheck;
import com.pulumi.gcp.compute.HttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.storage.Bucket;
import com.pulumi.gcp.storage.BucketArgs;
import com.pulumi.gcp.compute.BackendBucket;
import com.pulumi.gcp.compute.BackendBucketArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
import com.pulumi.gcp.compute.inputs.URLMapTestArgs;
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 default_ = new HttpHealthCheck("default", HttpHealthCheckArgs.builder()
            .name("health-check")
            .requestPath("/")
            .checkIntervalSec(1)
            .timeoutSec(1)
            .build());

        var login = new BackendService("login", BackendServiceArgs.builder()
            .name("login")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(default_.id())
            .build());

        var staticBucket = new Bucket("staticBucket", BucketArgs.builder()
            .name("static-asset-bucket")
            .location("US")
            .build());

        var static_ = new BackendBucket("static", BackendBucketArgs.builder()
            .name("static-asset-backend-bucket")
            .bucketName(staticBucket.name())
            .enableCdn(true)
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("a description")
            .defaultService(static_.id())
            .hostRules(            
                URLMapHostRuleArgs.builder()
                    .hosts("mysite.com")
                    .pathMatcher("mysite")
                    .build(),
                URLMapHostRuleArgs.builder()
                    .hosts("myothersite.com")
                    .pathMatcher("otherpaths")
                    .build())
            .pathMatchers(            
                URLMapPathMatcherArgs.builder()
                    .name("mysite")
                    .defaultService(static_.id())
                    .pathRules(                    
                        URLMapPathMatcherPathRuleArgs.builder()
                            .paths("/home")
                            .service(static_.id())
                            .build(),
                        URLMapPathMatcherPathRuleArgs.builder()
                            .paths("/login")
                            .service(login.id())
                            .build(),
                        URLMapPathMatcherPathRuleArgs.builder()
                            .paths("/static")
                            .service(static_.id())
                            .build())
                    .build(),
                URLMapPathMatcherArgs.builder()
                    .name("otherpaths")
                    .defaultService(static_.id())
                    .build())
            .tests(URLMapTestArgs.builder()
                .service(static_.id())
                .host("example.com")
                .path("/home")
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: a description
      defaultService: ${static.id}
      hostRules:
        - hosts:
            - mysite.com
          pathMatcher: mysite
        - hosts:
            - myothersite.com
          pathMatcher: otherpaths
      pathMatchers:
        - name: mysite
          defaultService: ${static.id}
          pathRules:
            - paths:
                - /home
              service: ${static.id}
            - paths:
                - /login
              service: ${login.id}
            - paths:
                - /static
              service: ${static.id}
        - name: otherpaths
          defaultService: ${static.id}
      tests:
        - service: ${static.id}
          host: example.com
          path: /home
  login:
    type: gcp:compute:BackendService
    properties:
      name: login
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${default.id}
  default:
    type: gcp:compute:HttpHealthCheck
    properties:
      name: health-check
      requestPath: /
      checkIntervalSec: 1
      timeoutSec: 1
  static:
    type: gcp:compute:BackendBucket
    properties:
      name: static-asset-backend-bucket
      bucketName: ${staticBucket.name}
      enableCdn: true
  staticBucket:
    type: gcp:storage:Bucket
    name: static
    properties:
      name: static-asset-bucket
      location: US
Copy

Url Map Traffic Director Route

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const _default = new gcp.compute.HealthCheck("default", {
    name: "health-check",
    httpHealthCheck: {
        port: 80,
    },
});
const home = new gcp.compute.BackendService("home", {
    name: "home",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: _default.id,
    loadBalancingScheme: "INTERNAL_SELF_MANAGED",
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "a description",
    defaultService: home.id,
    hostRules: [{
        hosts: ["mysite.com"],
        pathMatcher: "allpaths",
    }],
    pathMatchers: [{
        name: "allpaths",
        defaultService: home.id,
        routeRules: [{
            priority: 1,
            headerAction: {
                requestHeadersToRemoves: ["RemoveMe2"],
                requestHeadersToAdds: [{
                    headerName: "AddSomethingElse",
                    headerValue: "MyOtherValue",
                    replace: true,
                }],
                responseHeadersToRemoves: ["RemoveMe3"],
                responseHeadersToAdds: [{
                    headerName: "AddMe",
                    headerValue: "MyValue",
                    replace: false,
                }],
            },
            matchRules: [{
                fullPathMatch: "a full path",
                headerMatches: [{
                    headerName: "someheader",
                    exactMatch: "match this exactly",
                    invertMatch: true,
                }],
                ignoreCase: true,
                metadataFilters: [{
                    filterMatchCriteria: "MATCH_ANY",
                    filterLabels: [{
                        name: "PLANET",
                        value: "MARS",
                    }],
                }],
                queryParameterMatches: [{
                    name: "a query parameter",
                    presentMatch: true,
                }],
            }],
            urlRedirect: {
                hostRedirect: "A host",
                httpsRedirect: false,
                pathRedirect: "some/path",
                redirectResponseCode: "TEMPORARY_REDIRECT",
                stripQuery: true,
            },
        }],
    }],
    tests: [{
        service: home.id,
        host: "hi.com",
        path: "/home",
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default = gcp.compute.HealthCheck("default",
    name="health-check",
    http_health_check={
        "port": 80,
    })
home = gcp.compute.BackendService("home",
    name="home",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default.id,
    load_balancing_scheme="INTERNAL_SELF_MANAGED")
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="a description",
    default_service=home.id,
    host_rules=[{
        "hosts": ["mysite.com"],
        "path_matcher": "allpaths",
    }],
    path_matchers=[{
        "name": "allpaths",
        "default_service": home.id,
        "route_rules": [{
            "priority": 1,
            "header_action": {
                "request_headers_to_removes": ["RemoveMe2"],
                "request_headers_to_adds": [{
                    "header_name": "AddSomethingElse",
                    "header_value": "MyOtherValue",
                    "replace": True,
                }],
                "response_headers_to_removes": ["RemoveMe3"],
                "response_headers_to_adds": [{
                    "header_name": "AddMe",
                    "header_value": "MyValue",
                    "replace": False,
                }],
            },
            "match_rules": [{
                "full_path_match": "a full path",
                "header_matches": [{
                    "header_name": "someheader",
                    "exact_match": "match this exactly",
                    "invert_match": True,
                }],
                "ignore_case": True,
                "metadata_filters": [{
                    "filter_match_criteria": "MATCH_ANY",
                    "filter_labels": [{
                        "name": "PLANET",
                        "value": "MARS",
                    }],
                }],
                "query_parameter_matches": [{
                    "name": "a query parameter",
                    "present_match": True,
                }],
            }],
            "url_redirect": {
                "host_redirect": "A host",
                "https_redirect": False,
                "path_redirect": "some/path",
                "redirect_response_code": "TEMPORARY_REDIRECT",
                "strip_query": True,
            },
        }],
    }],
    tests=[{
        "service": home.id,
        "host": "hi.com",
        "path": "/home",
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		_default, err := compute.NewHealthCheck(ctx, "default", &compute.HealthCheckArgs{
			Name: pulumi.String("health-check"),
			HttpHealthCheck: &compute.HealthCheckHttpHealthCheckArgs{
				Port: pulumi.Int(80),
			},
		})
		if err != nil {
			return err
		}
		home, err := compute.NewBackendService(ctx, "home", &compute.BackendServiceArgs{
			Name:                pulumi.String("home"),
			PortName:            pulumi.String("http"),
			Protocol:            pulumi.String("HTTP"),
			TimeoutSec:          pulumi.Int(10),
			HealthChecks:        _default.ID(),
			LoadBalancingScheme: pulumi.String("INTERNAL_SELF_MANAGED"),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("a description"),
			DefaultService: home.ID(),
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("mysite.com"),
					},
					PathMatcher: pulumi.String("allpaths"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("allpaths"),
					DefaultService: home.ID(),
					RouteRules: compute.URLMapPathMatcherRouteRuleArray{
						&compute.URLMapPathMatcherRouteRuleArgs{
							Priority: pulumi.Int(1),
							HeaderAction: &compute.URLMapPathMatcherRouteRuleHeaderActionArgs{
								RequestHeadersToRemoves: pulumi.StringArray{
									pulumi.String("RemoveMe2"),
								},
								RequestHeadersToAdds: compute.URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArray{
									&compute.URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArgs{
										HeaderName:  pulumi.String("AddSomethingElse"),
										HeaderValue: pulumi.String("MyOtherValue"),
										Replace:     pulumi.Bool(true),
									},
								},
								ResponseHeadersToRemoves: pulumi.StringArray{
									pulumi.String("RemoveMe3"),
								},
								ResponseHeadersToAdds: compute.URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArray{
									&compute.URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArgs{
										HeaderName:  pulumi.String("AddMe"),
										HeaderValue: pulumi.String("MyValue"),
										Replace:     pulumi.Bool(false),
									},
								},
							},
							MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
									FullPathMatch: pulumi.String("a full path"),
									HeaderMatches: compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs{
											HeaderName:  pulumi.String("someheader"),
											ExactMatch:  pulumi.String("match this exactly"),
											InvertMatch: pulumi.Bool(true),
										},
									},
									IgnoreCase: pulumi.Bool(true),
									MetadataFilters: compute.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArgs{
											FilterMatchCriteria: pulumi.String("MATCH_ANY"),
											FilterLabels: compute.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArray{
												&compute.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArgs{
													Name:  pulumi.String("PLANET"),
													Value: pulumi.String("MARS"),
												},
											},
										},
									},
									QueryParameterMatches: compute.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs{
											Name:         pulumi.String("a query parameter"),
											PresentMatch: pulumi.Bool(true),
										},
									},
								},
							},
							UrlRedirect: &compute.URLMapPathMatcherRouteRuleUrlRedirectArgs{
								HostRedirect:         pulumi.String("A host"),
								HttpsRedirect:        pulumi.Bool(false),
								PathRedirect:         pulumi.String("some/path"),
								RedirectResponseCode: pulumi.String("TEMPORARY_REDIRECT"),
								StripQuery:           pulumi.Bool(true),
							},
						},
					},
				},
			},
			Tests: compute.URLMapTestArray{
				&compute.URLMapTestArgs{
					Service: home.ID(),
					Host:    pulumi.String("hi.com"),
					Path:    pulumi.String("/home"),
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var @default = new Gcp.Compute.HealthCheck("default", new()
    {
        Name = "health-check",
        HttpHealthCheck = new Gcp.Compute.Inputs.HealthCheckHttpHealthCheckArgs
        {
            Port = 80,
        },
    });

    var home = new Gcp.Compute.BackendService("home", new()
    {
        Name = "home",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = @default.Id,
        LoadBalancingScheme = "INTERNAL_SELF_MANAGED",
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "a description",
        DefaultService = home.Id,
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "mysite.com",
                },
                PathMatcher = "allpaths",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "allpaths",
                DefaultService = home.Id,
                RouteRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                    {
                        Priority = 1,
                        HeaderAction = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleHeaderActionArgs
                        {
                            RequestHeadersToRemoves = new[]
                            {
                                "RemoveMe2",
                            },
                            RequestHeadersToAdds = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArgs
                                {
                                    HeaderName = "AddSomethingElse",
                                    HeaderValue = "MyOtherValue",
                                    Replace = true,
                                },
                            },
                            ResponseHeadersToRemoves = new[]
                            {
                                "RemoveMe3",
                            },
                            ResponseHeadersToAdds = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArgs
                                {
                                    HeaderName = "AddMe",
                                    HeaderValue = "MyValue",
                                    Replace = false,
                                },
                            },
                        },
                        MatchRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                            {
                                FullPathMatch = "a full path",
                                HeaderMatches = new[]
                                {
                                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs
                                    {
                                        HeaderName = "someheader",
                                        ExactMatch = "match this exactly",
                                        InvertMatch = true,
                                    },
                                },
                                IgnoreCase = true,
                                MetadataFilters = new[]
                                {
                                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArgs
                                    {
                                        FilterMatchCriteria = "MATCH_ANY",
                                        FilterLabels = new[]
                                        {
                                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArgs
                                            {
                                                Name = "PLANET",
                                                Value = "MARS",
                                            },
                                        },
                                    },
                                },
                                QueryParameterMatches = new[]
                                {
                                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs
                                    {
                                        Name = "a query parameter",
                                        PresentMatch = true,
                                    },
                                },
                            },
                        },
                        UrlRedirect = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleUrlRedirectArgs
                        {
                            HostRedirect = "A host",
                            HttpsRedirect = false,
                            PathRedirect = "some/path",
                            RedirectResponseCode = "TEMPORARY_REDIRECT",
                            StripQuery = true,
                        },
                    },
                },
            },
        },
        Tests = new[]
        {
            new Gcp.Compute.Inputs.URLMapTestArgs
            {
                Service = home.Id,
                Host = "hi.com",
                Path = "/home",
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HealthCheck;
import com.pulumi.gcp.compute.HealthCheckArgs;
import com.pulumi.gcp.compute.inputs.HealthCheckHttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
import com.pulumi.gcp.compute.inputs.URLMapTestArgs;
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 default_ = new HealthCheck("default", HealthCheckArgs.builder()
            .name("health-check")
            .httpHealthCheck(HealthCheckHttpHealthCheckArgs.builder()
                .port(80)
                .build())
            .build());

        var home = new BackendService("home", BackendServiceArgs.builder()
            .name("home")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(default_.id())
            .loadBalancingScheme("INTERNAL_SELF_MANAGED")
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("a description")
            .defaultService(home.id())
            .hostRules(URLMapHostRuleArgs.builder()
                .hosts("mysite.com")
                .pathMatcher("allpaths")
                .build())
            .pathMatchers(URLMapPathMatcherArgs.builder()
                .name("allpaths")
                .defaultService(home.id())
                .routeRules(URLMapPathMatcherRouteRuleArgs.builder()
                    .priority(1)
                    .headerAction(URLMapPathMatcherRouteRuleHeaderActionArgs.builder()
                        .requestHeadersToRemoves("RemoveMe2")
                        .requestHeadersToAdds(URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArgs.builder()
                            .headerName("AddSomethingElse")
                            .headerValue("MyOtherValue")
                            .replace(true)
                            .build())
                        .responseHeadersToRemoves("RemoveMe3")
                        .responseHeadersToAdds(URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArgs.builder()
                            .headerName("AddMe")
                            .headerValue("MyValue")
                            .replace(false)
                            .build())
                        .build())
                    .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                        .fullPathMatch("a full path")
                        .headerMatches(URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs.builder()
                            .headerName("someheader")
                            .exactMatch("match this exactly")
                            .invertMatch(true)
                            .build())
                        .ignoreCase(true)
                        .metadataFilters(URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArgs.builder()
                            .filterMatchCriteria("MATCH_ANY")
                            .filterLabels(URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArgs.builder()
                                .name("PLANET")
                                .value("MARS")
                                .build())
                            .build())
                        .queryParameterMatches(URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs.builder()
                            .name("a query parameter")
                            .presentMatch(true)
                            .build())
                        .build())
                    .urlRedirect(URLMapPathMatcherRouteRuleUrlRedirectArgs.builder()
                        .hostRedirect("A host")
                        .httpsRedirect(false)
                        .pathRedirect("some/path")
                        .redirectResponseCode("TEMPORARY_REDIRECT")
                        .stripQuery(true)
                        .build())
                    .build())
                .build())
            .tests(URLMapTestArgs.builder()
                .service(home.id())
                .host("hi.com")
                .path("/home")
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: a description
      defaultService: ${home.id}
      hostRules:
        - hosts:
            - mysite.com
          pathMatcher: allpaths
      pathMatchers:
        - name: allpaths
          defaultService: ${home.id}
          routeRules:
            - priority: 1
              headerAction:
                requestHeadersToRemoves:
                  - RemoveMe2
                requestHeadersToAdds:
                  - headerName: AddSomethingElse
                    headerValue: MyOtherValue
                    replace: true
                responseHeadersToRemoves:
                  - RemoveMe3
                responseHeadersToAdds:
                  - headerName: AddMe
                    headerValue: MyValue
                    replace: false
              matchRules:
                - fullPathMatch: a full path
                  headerMatches:
                    - headerName: someheader
                      exactMatch: match this exactly
                      invertMatch: true
                  ignoreCase: true
                  metadataFilters:
                    - filterMatchCriteria: MATCH_ANY
                      filterLabels:
                        - name: PLANET
                          value: MARS
                  queryParameterMatches:
                    - name: a query parameter
                      presentMatch: true
              urlRedirect:
                hostRedirect: A host
                httpsRedirect: false
                pathRedirect: some/path
                redirectResponseCode: TEMPORARY_REDIRECT
                stripQuery: true
      tests:
        - service: ${home.id}
          host: hi.com
          path: /home
  home:
    type: gcp:compute:BackendService
    properties:
      name: home
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${default.id}
      loadBalancingScheme: INTERNAL_SELF_MANAGED
  default:
    type: gcp:compute:HealthCheck
    properties:
      name: health-check
      httpHealthCheck:
        port: 80
Copy

Url Map Traffic Director Route Partial

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const _default = new gcp.compute.HealthCheck("default", {
    name: "health-check",
    httpHealthCheck: {
        port: 80,
    },
});
const home = new gcp.compute.BackendService("home", {
    name: "home",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: _default.id,
    loadBalancingScheme: "INTERNAL_SELF_MANAGED",
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "a description",
    defaultService: home.id,
    hostRules: [{
        hosts: ["mysite.com"],
        pathMatcher: "allpaths",
    }],
    pathMatchers: [{
        name: "allpaths",
        defaultService: home.id,
        routeRules: [{
            priority: 1,
            matchRules: [{
                prefixMatch: "/someprefix",
                headerMatches: [{
                    headerName: "someheader",
                    exactMatch: "match this exactly",
                    invertMatch: true,
                }],
            }],
            urlRedirect: {
                pathRedirect: "some/path",
                redirectResponseCode: "TEMPORARY_REDIRECT",
            },
        }],
    }],
    tests: [{
        service: home.id,
        host: "hi.com",
        path: "/home",
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default = gcp.compute.HealthCheck("default",
    name="health-check",
    http_health_check={
        "port": 80,
    })
home = gcp.compute.BackendService("home",
    name="home",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default.id,
    load_balancing_scheme="INTERNAL_SELF_MANAGED")
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="a description",
    default_service=home.id,
    host_rules=[{
        "hosts": ["mysite.com"],
        "path_matcher": "allpaths",
    }],
    path_matchers=[{
        "name": "allpaths",
        "default_service": home.id,
        "route_rules": [{
            "priority": 1,
            "match_rules": [{
                "prefix_match": "/someprefix",
                "header_matches": [{
                    "header_name": "someheader",
                    "exact_match": "match this exactly",
                    "invert_match": True,
                }],
            }],
            "url_redirect": {
                "path_redirect": "some/path",
                "redirect_response_code": "TEMPORARY_REDIRECT",
            },
        }],
    }],
    tests=[{
        "service": home.id,
        "host": "hi.com",
        "path": "/home",
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		_default, err := compute.NewHealthCheck(ctx, "default", &compute.HealthCheckArgs{
			Name: pulumi.String("health-check"),
			HttpHealthCheck: &compute.HealthCheckHttpHealthCheckArgs{
				Port: pulumi.Int(80),
			},
		})
		if err != nil {
			return err
		}
		home, err := compute.NewBackendService(ctx, "home", &compute.BackendServiceArgs{
			Name:                pulumi.String("home"),
			PortName:            pulumi.String("http"),
			Protocol:            pulumi.String("HTTP"),
			TimeoutSec:          pulumi.Int(10),
			HealthChecks:        _default.ID(),
			LoadBalancingScheme: pulumi.String("INTERNAL_SELF_MANAGED"),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("a description"),
			DefaultService: home.ID(),
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("mysite.com"),
					},
					PathMatcher: pulumi.String("allpaths"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("allpaths"),
					DefaultService: home.ID(),
					RouteRules: compute.URLMapPathMatcherRouteRuleArray{
						&compute.URLMapPathMatcherRouteRuleArgs{
							Priority: pulumi.Int(1),
							MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
									PrefixMatch: pulumi.String("/someprefix"),
									HeaderMatches: compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs{
											HeaderName:  pulumi.String("someheader"),
											ExactMatch:  pulumi.String("match this exactly"),
											InvertMatch: pulumi.Bool(true),
										},
									},
								},
							},
							UrlRedirect: &compute.URLMapPathMatcherRouteRuleUrlRedirectArgs{
								PathRedirect:         pulumi.String("some/path"),
								RedirectResponseCode: pulumi.String("TEMPORARY_REDIRECT"),
							},
						},
					},
				},
			},
			Tests: compute.URLMapTestArray{
				&compute.URLMapTestArgs{
					Service: home.ID(),
					Host:    pulumi.String("hi.com"),
					Path:    pulumi.String("/home"),
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var @default = new Gcp.Compute.HealthCheck("default", new()
    {
        Name = "health-check",
        HttpHealthCheck = new Gcp.Compute.Inputs.HealthCheckHttpHealthCheckArgs
        {
            Port = 80,
        },
    });

    var home = new Gcp.Compute.BackendService("home", new()
    {
        Name = "home",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = @default.Id,
        LoadBalancingScheme = "INTERNAL_SELF_MANAGED",
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "a description",
        DefaultService = home.Id,
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "mysite.com",
                },
                PathMatcher = "allpaths",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "allpaths",
                DefaultService = home.Id,
                RouteRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                    {
                        Priority = 1,
                        MatchRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                            {
                                PrefixMatch = "/someprefix",
                                HeaderMatches = new[]
                                {
                                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs
                                    {
                                        HeaderName = "someheader",
                                        ExactMatch = "match this exactly",
                                        InvertMatch = true,
                                    },
                                },
                            },
                        },
                        UrlRedirect = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleUrlRedirectArgs
                        {
                            PathRedirect = "some/path",
                            RedirectResponseCode = "TEMPORARY_REDIRECT",
                        },
                    },
                },
            },
        },
        Tests = new[]
        {
            new Gcp.Compute.Inputs.URLMapTestArgs
            {
                Service = home.Id,
                Host = "hi.com",
                Path = "/home",
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HealthCheck;
import com.pulumi.gcp.compute.HealthCheckArgs;
import com.pulumi.gcp.compute.inputs.HealthCheckHttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
import com.pulumi.gcp.compute.inputs.URLMapTestArgs;
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 default_ = new HealthCheck("default", HealthCheckArgs.builder()
            .name("health-check")
            .httpHealthCheck(HealthCheckHttpHealthCheckArgs.builder()
                .port(80)
                .build())
            .build());

        var home = new BackendService("home", BackendServiceArgs.builder()
            .name("home")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(default_.id())
            .loadBalancingScheme("INTERNAL_SELF_MANAGED")
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("a description")
            .defaultService(home.id())
            .hostRules(URLMapHostRuleArgs.builder()
                .hosts("mysite.com")
                .pathMatcher("allpaths")
                .build())
            .pathMatchers(URLMapPathMatcherArgs.builder()
                .name("allpaths")
                .defaultService(home.id())
                .routeRules(URLMapPathMatcherRouteRuleArgs.builder()
                    .priority(1)
                    .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                        .prefixMatch("/someprefix")
                        .headerMatches(URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs.builder()
                            .headerName("someheader")
                            .exactMatch("match this exactly")
                            .invertMatch(true)
                            .build())
                        .build())
                    .urlRedirect(URLMapPathMatcherRouteRuleUrlRedirectArgs.builder()
                        .pathRedirect("some/path")
                        .redirectResponseCode("TEMPORARY_REDIRECT")
                        .build())
                    .build())
                .build())
            .tests(URLMapTestArgs.builder()
                .service(home.id())
                .host("hi.com")
                .path("/home")
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: a description
      defaultService: ${home.id}
      hostRules:
        - hosts:
            - mysite.com
          pathMatcher: allpaths
      pathMatchers:
        - name: allpaths
          defaultService: ${home.id}
          routeRules:
            - priority: 1
              matchRules:
                - prefixMatch: /someprefix
                  headerMatches:
                    - headerName: someheader
                      exactMatch: match this exactly
                      invertMatch: true
              urlRedirect:
                pathRedirect: some/path
                redirectResponseCode: TEMPORARY_REDIRECT
      tests:
        - service: ${home.id}
          host: hi.com
          path: /home
  home:
    type: gcp:compute:BackendService
    properties:
      name: home
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${default.id}
      loadBalancingScheme: INTERNAL_SELF_MANAGED
  default:
    type: gcp:compute:HealthCheck
    properties:
      name: health-check
      httpHealthCheck:
        port: 80
Copy

Url Map Traffic Director Path

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const _default = new gcp.compute.HealthCheck("default", {
    name: "health-check",
    httpHealthCheck: {
        port: 80,
    },
});
const home = new gcp.compute.BackendService("home", {
    name: "home",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: _default.id,
    loadBalancingScheme: "INTERNAL_SELF_MANAGED",
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "a description",
    defaultService: home.id,
    hostRules: [{
        hosts: ["mysite.com"],
        pathMatcher: "allpaths",
    }],
    pathMatchers: [{
        name: "allpaths",
        defaultService: home.id,
        pathRules: [{
            paths: ["/home"],
            routeAction: {
                corsPolicy: {
                    allowCredentials: true,
                    allowHeaders: ["Allowed content"],
                    allowMethods: ["GET"],
                    allowOriginRegexes: ["abc.*"],
                    allowOrigins: ["Allowed origin"],
                    exposeHeaders: ["Exposed header"],
                    maxAge: 30,
                    disabled: false,
                },
                faultInjectionPolicy: {
                    abort: {
                        httpStatus: 234,
                        percentage: 5.6,
                    },
                    delay: {
                        fixedDelay: {
                            seconds: "0",
                            nanos: 50000,
                        },
                        percentage: 7.8,
                    },
                },
                requestMirrorPolicy: {
                    backendService: home.id,
                },
                retryPolicy: {
                    numRetries: 4,
                    perTryTimeout: {
                        seconds: "30",
                    },
                    retryConditions: [
                        "5xx",
                        "deadline-exceeded",
                    ],
                },
                timeout: {
                    seconds: "20",
                    nanos: 750000000,
                },
                urlRewrite: {
                    hostRewrite: "dev.example.com",
                    pathPrefixRewrite: "/v1/api/",
                },
                weightedBackendServices: [{
                    backendService: home.id,
                    weight: 400,
                    headerAction: {
                        requestHeadersToRemoves: ["RemoveMe"],
                        requestHeadersToAdds: [{
                            headerName: "AddMe",
                            headerValue: "MyValue",
                            replace: true,
                        }],
                        responseHeadersToRemoves: ["RemoveMe"],
                        responseHeadersToAdds: [{
                            headerName: "AddMe",
                            headerValue: "MyValue",
                            replace: false,
                        }],
                    },
                }],
            },
        }],
    }],
    tests: [{
        service: home.id,
        host: "hi.com",
        path: "/home",
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default = gcp.compute.HealthCheck("default",
    name="health-check",
    http_health_check={
        "port": 80,
    })
home = gcp.compute.BackendService("home",
    name="home",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default.id,
    load_balancing_scheme="INTERNAL_SELF_MANAGED")
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="a description",
    default_service=home.id,
    host_rules=[{
        "hosts": ["mysite.com"],
        "path_matcher": "allpaths",
    }],
    path_matchers=[{
        "name": "allpaths",
        "default_service": home.id,
        "path_rules": [{
            "paths": ["/home"],
            "route_action": {
                "cors_policy": {
                    "allow_credentials": True,
                    "allow_headers": ["Allowed content"],
                    "allow_methods": ["GET"],
                    "allow_origin_regexes": ["abc.*"],
                    "allow_origins": ["Allowed origin"],
                    "expose_headers": ["Exposed header"],
                    "max_age": 30,
                    "disabled": False,
                },
                "fault_injection_policy": {
                    "abort": {
                        "http_status": 234,
                        "percentage": 5.6,
                    },
                    "delay": {
                        "fixed_delay": {
                            "seconds": "0",
                            "nanos": 50000,
                        },
                        "percentage": 7.8,
                    },
                },
                "request_mirror_policy": {
                    "backend_service": home.id,
                },
                "retry_policy": {
                    "num_retries": 4,
                    "per_try_timeout": {
                        "seconds": "30",
                    },
                    "retry_conditions": [
                        "5xx",
                        "deadline-exceeded",
                    ],
                },
                "timeout": {
                    "seconds": "20",
                    "nanos": 750000000,
                },
                "url_rewrite": {
                    "host_rewrite": "dev.example.com",
                    "path_prefix_rewrite": "/v1/api/",
                },
                "weighted_backend_services": [{
                    "backend_service": home.id,
                    "weight": 400,
                    "header_action": {
                        "request_headers_to_removes": ["RemoveMe"],
                        "request_headers_to_adds": [{
                            "header_name": "AddMe",
                            "header_value": "MyValue",
                            "replace": True,
                        }],
                        "response_headers_to_removes": ["RemoveMe"],
                        "response_headers_to_adds": [{
                            "header_name": "AddMe",
                            "header_value": "MyValue",
                            "replace": False,
                        }],
                    },
                }],
            },
        }],
    }],
    tests=[{
        "service": home.id,
        "host": "hi.com",
        "path": "/home",
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		_default, err := compute.NewHealthCheck(ctx, "default", &compute.HealthCheckArgs{
			Name: pulumi.String("health-check"),
			HttpHealthCheck: &compute.HealthCheckHttpHealthCheckArgs{
				Port: pulumi.Int(80),
			},
		})
		if err != nil {
			return err
		}
		home, err := compute.NewBackendService(ctx, "home", &compute.BackendServiceArgs{
			Name:                pulumi.String("home"),
			PortName:            pulumi.String("http"),
			Protocol:            pulumi.String("HTTP"),
			TimeoutSec:          pulumi.Int(10),
			HealthChecks:        _default.ID(),
			LoadBalancingScheme: pulumi.String("INTERNAL_SELF_MANAGED"),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("a description"),
			DefaultService: home.ID(),
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("mysite.com"),
					},
					PathMatcher: pulumi.String("allpaths"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("allpaths"),
					DefaultService: home.ID(),
					PathRules: compute.URLMapPathMatcherPathRuleArray{
						&compute.URLMapPathMatcherPathRuleArgs{
							Paths: pulumi.StringArray{
								pulumi.String("/home"),
							},
							RouteAction: &compute.URLMapPathMatcherPathRuleRouteActionArgs{
								CorsPolicy: &compute.URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs{
									AllowCredentials: pulumi.Bool(true),
									AllowHeaders: pulumi.StringArray{
										pulumi.String("Allowed content"),
									},
									AllowMethods: pulumi.StringArray{
										pulumi.String("GET"),
									},
									AllowOriginRegexes: pulumi.StringArray{
										pulumi.String("abc.*"),
									},
									AllowOrigins: pulumi.StringArray{
										pulumi.String("Allowed origin"),
									},
									ExposeHeaders: pulumi.StringArray{
										pulumi.String("Exposed header"),
									},
									MaxAge:   pulumi.Int(30),
									Disabled: pulumi.Bool(false),
								},
								FaultInjectionPolicy: &compute.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyArgs{
									Abort: &compute.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbortArgs{
										HttpStatus: pulumi.Int(234),
										Percentage: pulumi.Float64(5.6),
									},
									Delay: &compute.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayArgs{
										FixedDelay: &compute.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs{
											Seconds: pulumi.String("0"),
											Nanos:   pulumi.Int(50000),
										},
										Percentage: pulumi.Float64(7.8),
									},
								},
								RequestMirrorPolicy: &compute.URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicyArgs{
									BackendService: home.ID(),
								},
								RetryPolicy: &compute.URLMapPathMatcherPathRuleRouteActionRetryPolicyArgs{
									NumRetries: pulumi.Int(4),
									PerTryTimeout: &compute.URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeoutArgs{
										Seconds: pulumi.String("30"),
									},
									RetryConditions: pulumi.StringArray{
										pulumi.String("5xx"),
										pulumi.String("deadline-exceeded"),
									},
								},
								Timeout: &compute.URLMapPathMatcherPathRuleRouteActionTimeoutArgs{
									Seconds: pulumi.String("20"),
									Nanos:   pulumi.Int(750000000),
								},
								UrlRewrite: &compute.URLMapPathMatcherPathRuleRouteActionUrlRewriteArgs{
									HostRewrite:       pulumi.String("dev.example.com"),
									PathPrefixRewrite: pulumi.String("/v1/api/"),
								},
								WeightedBackendServices: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArray{
									&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs{
										BackendService: home.ID(),
										Weight:         pulumi.Int(400),
										HeaderAction: &compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs{
											RequestHeadersToRemoves: pulumi.StringArray{
												pulumi.String("RemoveMe"),
											},
											RequestHeadersToAdds: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArray{
												&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs{
													HeaderName:  pulumi.String("AddMe"),
													HeaderValue: pulumi.String("MyValue"),
													Replace:     pulumi.Bool(true),
												},
											},
											ResponseHeadersToRemoves: pulumi.StringArray{
												pulumi.String("RemoveMe"),
											},
											ResponseHeadersToAdds: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArray{
												&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs{
													HeaderName:  pulumi.String("AddMe"),
													HeaderValue: pulumi.String("MyValue"),
													Replace:     pulumi.Bool(false),
												},
											},
										},
									},
								},
							},
						},
					},
				},
			},
			Tests: compute.URLMapTestArray{
				&compute.URLMapTestArgs{
					Service: home.ID(),
					Host:    pulumi.String("hi.com"),
					Path:    pulumi.String("/home"),
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var @default = new Gcp.Compute.HealthCheck("default", new()
    {
        Name = "health-check",
        HttpHealthCheck = new Gcp.Compute.Inputs.HealthCheckHttpHealthCheckArgs
        {
            Port = 80,
        },
    });

    var home = new Gcp.Compute.BackendService("home", new()
    {
        Name = "home",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = @default.Id,
        LoadBalancingScheme = "INTERNAL_SELF_MANAGED",
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "a description",
        DefaultService = home.Id,
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "mysite.com",
                },
                PathMatcher = "allpaths",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "allpaths",
                DefaultService = home.Id,
                PathRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleArgs
                    {
                        Paths = new[]
                        {
                            "/home",
                        },
                        RouteAction = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionArgs
                        {
                            CorsPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs
                            {
                                AllowCredentials = true,
                                AllowHeaders = new[]
                                {
                                    "Allowed content",
                                },
                                AllowMethods = new[]
                                {
                                    "GET",
                                },
                                AllowOriginRegexes = new[]
                                {
                                    "abc.*",
                                },
                                AllowOrigins = new[]
                                {
                                    "Allowed origin",
                                },
                                ExposeHeaders = new[]
                                {
                                    "Exposed header",
                                },
                                MaxAge = 30,
                                Disabled = false,
                            },
                            FaultInjectionPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyArgs
                            {
                                Abort = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbortArgs
                                {
                                    HttpStatus = 234,
                                    Percentage = 5.6,
                                },
                                Delay = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayArgs
                                {
                                    FixedDelay = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs
                                    {
                                        Seconds = "0",
                                        Nanos = 50000,
                                    },
                                    Percentage = 7.8,
                                },
                            },
                            RequestMirrorPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicyArgs
                            {
                                BackendService = home.Id,
                            },
                            RetryPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionRetryPolicyArgs
                            {
                                NumRetries = 4,
                                PerTryTimeout = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeoutArgs
                                {
                                    Seconds = "30",
                                },
                                RetryConditions = new[]
                                {
                                    "5xx",
                                    "deadline-exceeded",
                                },
                            },
                            Timeout = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionTimeoutArgs
                            {
                                Seconds = "20",
                                Nanos = 750000000,
                            },
                            UrlRewrite = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionUrlRewriteArgs
                            {
                                HostRewrite = "dev.example.com",
                                PathPrefixRewrite = "/v1/api/",
                            },
                            WeightedBackendServices = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs
                                {
                                    BackendService = home.Id,
                                    Weight = 400,
                                    HeaderAction = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs
                                    {
                                        RequestHeadersToRemoves = new[]
                                        {
                                            "RemoveMe",
                                        },
                                        RequestHeadersToAdds = new[]
                                        {
                                            new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs
                                            {
                                                HeaderName = "AddMe",
                                                HeaderValue = "MyValue",
                                                Replace = true,
                                            },
                                        },
                                        ResponseHeadersToRemoves = new[]
                                        {
                                            "RemoveMe",
                                        },
                                        ResponseHeadersToAdds = new[]
                                        {
                                            new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs
                                            {
                                                HeaderName = "AddMe",
                                                HeaderValue = "MyValue",
                                                Replace = false,
                                            },
                                        },
                                    },
                                },
                            },
                        },
                    },
                },
            },
        },
        Tests = new[]
        {
            new Gcp.Compute.Inputs.URLMapTestArgs
            {
                Service = home.Id,
                Host = "hi.com",
                Path = "/home",
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HealthCheck;
import com.pulumi.gcp.compute.HealthCheckArgs;
import com.pulumi.gcp.compute.inputs.HealthCheckHttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
import com.pulumi.gcp.compute.inputs.URLMapTestArgs;
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 default_ = new HealthCheck("default", HealthCheckArgs.builder()
            .name("health-check")
            .httpHealthCheck(HealthCheckHttpHealthCheckArgs.builder()
                .port(80)
                .build())
            .build());

        var home = new BackendService("home", BackendServiceArgs.builder()
            .name("home")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(default_.id())
            .loadBalancingScheme("INTERNAL_SELF_MANAGED")
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("a description")
            .defaultService(home.id())
            .hostRules(URLMapHostRuleArgs.builder()
                .hosts("mysite.com")
                .pathMatcher("allpaths")
                .build())
            .pathMatchers(URLMapPathMatcherArgs.builder()
                .name("allpaths")
                .defaultService(home.id())
                .pathRules(URLMapPathMatcherPathRuleArgs.builder()
                    .paths("/home")
                    .routeAction(URLMapPathMatcherPathRuleRouteActionArgs.builder()
                        .corsPolicy(URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs.builder()
                            .allowCredentials(true)
                            .allowHeaders("Allowed content")
                            .allowMethods("GET")
                            .allowOriginRegexes("abc.*")
                            .allowOrigins("Allowed origin")
                            .exposeHeaders("Exposed header")
                            .maxAge(30)
                            .disabled(false)
                            .build())
                        .faultInjectionPolicy(URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyArgs.builder()
                            .abort(URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbortArgs.builder()
                                .httpStatus(234)
                                .percentage(5.6)
                                .build())
                            .delay(URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayArgs.builder()
                                .fixedDelay(URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs.builder()
                                    .seconds("0")
                                    .nanos(50000)
                                    .build())
                                .percentage(7.8)
                                .build())
                            .build())
                        .requestMirrorPolicy(URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicyArgs.builder()
                            .backendService(home.id())
                            .build())
                        .retryPolicy(URLMapPathMatcherPathRuleRouteActionRetryPolicyArgs.builder()
                            .numRetries(4)
                            .perTryTimeout(URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeoutArgs.builder()
                                .seconds("30")
                                .build())
                            .retryConditions(                            
                                "5xx",
                                "deadline-exceeded")
                            .build())
                        .timeout(URLMapPathMatcherPathRuleRouteActionTimeoutArgs.builder()
                            .seconds("20")
                            .nanos(750000000)
                            .build())
                        .urlRewrite(URLMapPathMatcherPathRuleRouteActionUrlRewriteArgs.builder()
                            .hostRewrite("dev.example.com")
                            .pathPrefixRewrite("/v1/api/")
                            .build())
                        .weightedBackendServices(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs.builder()
                            .backendService(home.id())
                            .weight(400)
                            .headerAction(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs.builder()
                                .requestHeadersToRemoves("RemoveMe")
                                .requestHeadersToAdds(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs.builder()
                                    .headerName("AddMe")
                                    .headerValue("MyValue")
                                    .replace(true)
                                    .build())
                                .responseHeadersToRemoves("RemoveMe")
                                .responseHeadersToAdds(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs.builder()
                                    .headerName("AddMe")
                                    .headerValue("MyValue")
                                    .replace(false)
                                    .build())
                                .build())
                            .build())
                        .build())
                    .build())
                .build())
            .tests(URLMapTestArgs.builder()
                .service(home.id())
                .host("hi.com")
                .path("/home")
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: a description
      defaultService: ${home.id}
      hostRules:
        - hosts:
            - mysite.com
          pathMatcher: allpaths
      pathMatchers:
        - name: allpaths
          defaultService: ${home.id}
          pathRules:
            - paths:
                - /home
              routeAction:
                corsPolicy:
                  allowCredentials: true
                  allowHeaders:
                    - Allowed content
                  allowMethods:
                    - GET
                  allowOriginRegexes:
                    - abc.*
                  allowOrigins:
                    - Allowed origin
                  exposeHeaders:
                    - Exposed header
                  maxAge: 30
                  disabled: false
                faultInjectionPolicy:
                  abort:
                    httpStatus: 234
                    percentage: 5.6
                  delay:
                    fixedDelay:
                      seconds: 0
                      nanos: 50000
                    percentage: 7.8
                requestMirrorPolicy:
                  backendService: ${home.id}
                retryPolicy:
                  numRetries: 4
                  perTryTimeout:
                    seconds: 30
                  retryConditions:
                    - 5xx
                    - deadline-exceeded
                timeout:
                  seconds: 20
                  nanos: 7.5e+08
                urlRewrite:
                  hostRewrite: dev.example.com
                  pathPrefixRewrite: /v1/api/
                weightedBackendServices:
                  - backendService: ${home.id}
                    weight: 400
                    headerAction:
                      requestHeadersToRemoves:
                        - RemoveMe
                      requestHeadersToAdds:
                        - headerName: AddMe
                          headerValue: MyValue
                          replace: true
                      responseHeadersToRemoves:
                        - RemoveMe
                      responseHeadersToAdds:
                        - headerName: AddMe
                          headerValue: MyValue
                          replace: false
      tests:
        - service: ${home.id}
          host: hi.com
          path: /home
  home:
    type: gcp:compute:BackendService
    properties:
      name: home
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${default.id}
      loadBalancingScheme: INTERNAL_SELF_MANAGED
  default:
    type: gcp:compute:HealthCheck
    properties:
      name: health-check
      httpHealthCheck:
        port: 80
Copy

Url Map Traffic Director Path Partial

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const _default = new gcp.compute.HealthCheck("default", {
    name: "health-check",
    httpHealthCheck: {
        port: 80,
    },
});
const home = new gcp.compute.BackendService("home", {
    name: "home",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: _default.id,
    loadBalancingScheme: "INTERNAL_SELF_MANAGED",
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "a description",
    defaultService: home.id,
    hostRules: [{
        hosts: ["mysite.com"],
        pathMatcher: "allpaths",
    }],
    pathMatchers: [{
        name: "allpaths",
        defaultService: home.id,
        pathRules: [{
            paths: ["/home"],
            routeAction: {
                corsPolicy: {
                    allowCredentials: true,
                    allowHeaders: ["Allowed content"],
                    allowMethods: ["GET"],
                    allowOriginRegexes: ["abc.*"],
                    allowOrigins: ["Allowed origin"],
                    exposeHeaders: ["Exposed header"],
                    maxAge: 30,
                    disabled: false,
                },
                weightedBackendServices: [{
                    backendService: home.id,
                    weight: 400,
                    headerAction: {
                        requestHeadersToRemoves: ["RemoveMe"],
                        requestHeadersToAdds: [{
                            headerName: "AddMe",
                            headerValue: "MyValue",
                            replace: true,
                        }],
                        responseHeadersToRemoves: ["RemoveMe"],
                        responseHeadersToAdds: [{
                            headerName: "AddMe",
                            headerValue: "MyValue",
                            replace: false,
                        }],
                    },
                }],
                maxStreamDuration: {
                    nanos: 500000,
                    seconds: "9",
                },
            },
        }],
    }],
    tests: [{
        service: home.id,
        host: "hi.com",
        path: "/home",
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default = gcp.compute.HealthCheck("default",
    name="health-check",
    http_health_check={
        "port": 80,
    })
home = gcp.compute.BackendService("home",
    name="home",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default.id,
    load_balancing_scheme="INTERNAL_SELF_MANAGED")
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="a description",
    default_service=home.id,
    host_rules=[{
        "hosts": ["mysite.com"],
        "path_matcher": "allpaths",
    }],
    path_matchers=[{
        "name": "allpaths",
        "default_service": home.id,
        "path_rules": [{
            "paths": ["/home"],
            "route_action": {
                "cors_policy": {
                    "allow_credentials": True,
                    "allow_headers": ["Allowed content"],
                    "allow_methods": ["GET"],
                    "allow_origin_regexes": ["abc.*"],
                    "allow_origins": ["Allowed origin"],
                    "expose_headers": ["Exposed header"],
                    "max_age": 30,
                    "disabled": False,
                },
                "weighted_backend_services": [{
                    "backend_service": home.id,
                    "weight": 400,
                    "header_action": {
                        "request_headers_to_removes": ["RemoveMe"],
                        "request_headers_to_adds": [{
                            "header_name": "AddMe",
                            "header_value": "MyValue",
                            "replace": True,
                        }],
                        "response_headers_to_removes": ["RemoveMe"],
                        "response_headers_to_adds": [{
                            "header_name": "AddMe",
                            "header_value": "MyValue",
                            "replace": False,
                        }],
                    },
                }],
                "max_stream_duration": {
                    "nanos": 500000,
                    "seconds": "9",
                },
            },
        }],
    }],
    tests=[{
        "service": home.id,
        "host": "hi.com",
        "path": "/home",
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		_default, err := compute.NewHealthCheck(ctx, "default", &compute.HealthCheckArgs{
			Name: pulumi.String("health-check"),
			HttpHealthCheck: &compute.HealthCheckHttpHealthCheckArgs{
				Port: pulumi.Int(80),
			},
		})
		if err != nil {
			return err
		}
		home, err := compute.NewBackendService(ctx, "home", &compute.BackendServiceArgs{
			Name:                pulumi.String("home"),
			PortName:            pulumi.String("http"),
			Protocol:            pulumi.String("HTTP"),
			TimeoutSec:          pulumi.Int(10),
			HealthChecks:        _default.ID(),
			LoadBalancingScheme: pulumi.String("INTERNAL_SELF_MANAGED"),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("a description"),
			DefaultService: home.ID(),
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("mysite.com"),
					},
					PathMatcher: pulumi.String("allpaths"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("allpaths"),
					DefaultService: home.ID(),
					PathRules: compute.URLMapPathMatcherPathRuleArray{
						&compute.URLMapPathMatcherPathRuleArgs{
							Paths: pulumi.StringArray{
								pulumi.String("/home"),
							},
							RouteAction: &compute.URLMapPathMatcherPathRuleRouteActionArgs{
								CorsPolicy: &compute.URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs{
									AllowCredentials: pulumi.Bool(true),
									AllowHeaders: pulumi.StringArray{
										pulumi.String("Allowed content"),
									},
									AllowMethods: pulumi.StringArray{
										pulumi.String("GET"),
									},
									AllowOriginRegexes: pulumi.StringArray{
										pulumi.String("abc.*"),
									},
									AllowOrigins: pulumi.StringArray{
										pulumi.String("Allowed origin"),
									},
									ExposeHeaders: pulumi.StringArray{
										pulumi.String("Exposed header"),
									},
									MaxAge:   pulumi.Int(30),
									Disabled: pulumi.Bool(false),
								},
								WeightedBackendServices: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArray{
									&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs{
										BackendService: home.ID(),
										Weight:         pulumi.Int(400),
										HeaderAction: &compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs{
											RequestHeadersToRemoves: pulumi.StringArray{
												pulumi.String("RemoveMe"),
											},
											RequestHeadersToAdds: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArray{
												&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs{
													HeaderName:  pulumi.String("AddMe"),
													HeaderValue: pulumi.String("MyValue"),
													Replace:     pulumi.Bool(true),
												},
											},
											ResponseHeadersToRemoves: pulumi.StringArray{
												pulumi.String("RemoveMe"),
											},
											ResponseHeadersToAdds: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArray{
												&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs{
													HeaderName:  pulumi.String("AddMe"),
													HeaderValue: pulumi.String("MyValue"),
													Replace:     pulumi.Bool(false),
												},
											},
										},
									},
								},
								MaxStreamDuration: &compute.URLMapPathMatcherPathRuleRouteActionMaxStreamDurationArgs{
									Nanos:   pulumi.Int(500000),
									Seconds: pulumi.String("9"),
								},
							},
						},
					},
				},
			},
			Tests: compute.URLMapTestArray{
				&compute.URLMapTestArgs{
					Service: home.ID(),
					Host:    pulumi.String("hi.com"),
					Path:    pulumi.String("/home"),
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var @default = new Gcp.Compute.HealthCheck("default", new()
    {
        Name = "health-check",
        HttpHealthCheck = new Gcp.Compute.Inputs.HealthCheckHttpHealthCheckArgs
        {
            Port = 80,
        },
    });

    var home = new Gcp.Compute.BackendService("home", new()
    {
        Name = "home",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = @default.Id,
        LoadBalancingScheme = "INTERNAL_SELF_MANAGED",
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "a description",
        DefaultService = home.Id,
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "mysite.com",
                },
                PathMatcher = "allpaths",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "allpaths",
                DefaultService = home.Id,
                PathRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleArgs
                    {
                        Paths = new[]
                        {
                            "/home",
                        },
                        RouteAction = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionArgs
                        {
                            CorsPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs
                            {
                                AllowCredentials = true,
                                AllowHeaders = new[]
                                {
                                    "Allowed content",
                                },
                                AllowMethods = new[]
                                {
                                    "GET",
                                },
                                AllowOriginRegexes = new[]
                                {
                                    "abc.*",
                                },
                                AllowOrigins = new[]
                                {
                                    "Allowed origin",
                                },
                                ExposeHeaders = new[]
                                {
                                    "Exposed header",
                                },
                                MaxAge = 30,
                                Disabled = false,
                            },
                            WeightedBackendServices = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs
                                {
                                    BackendService = home.Id,
                                    Weight = 400,
                                    HeaderAction = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs
                                    {
                                        RequestHeadersToRemoves = new[]
                                        {
                                            "RemoveMe",
                                        },
                                        RequestHeadersToAdds = new[]
                                        {
                                            new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs
                                            {
                                                HeaderName = "AddMe",
                                                HeaderValue = "MyValue",
                                                Replace = true,
                                            },
                                        },
                                        ResponseHeadersToRemoves = new[]
                                        {
                                            "RemoveMe",
                                        },
                                        ResponseHeadersToAdds = new[]
                                        {
                                            new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs
                                            {
                                                HeaderName = "AddMe",
                                                HeaderValue = "MyValue",
                                                Replace = false,
                                            },
                                        },
                                    },
                                },
                            },
                            MaxStreamDuration = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionMaxStreamDurationArgs
                            {
                                Nanos = 500000,
                                Seconds = "9",
                            },
                        },
                    },
                },
            },
        },
        Tests = new[]
        {
            new Gcp.Compute.Inputs.URLMapTestArgs
            {
                Service = home.Id,
                Host = "hi.com",
                Path = "/home",
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HealthCheck;
import com.pulumi.gcp.compute.HealthCheckArgs;
import com.pulumi.gcp.compute.inputs.HealthCheckHttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
import com.pulumi.gcp.compute.inputs.URLMapTestArgs;
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 default_ = new HealthCheck("default", HealthCheckArgs.builder()
            .name("health-check")
            .httpHealthCheck(HealthCheckHttpHealthCheckArgs.builder()
                .port(80)
                .build())
            .build());

        var home = new BackendService("home", BackendServiceArgs.builder()
            .name("home")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(default_.id())
            .loadBalancingScheme("INTERNAL_SELF_MANAGED")
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("a description")
            .defaultService(home.id())
            .hostRules(URLMapHostRuleArgs.builder()
                .hosts("mysite.com")
                .pathMatcher("allpaths")
                .build())
            .pathMatchers(URLMapPathMatcherArgs.builder()
                .name("allpaths")
                .defaultService(home.id())
                .pathRules(URLMapPathMatcherPathRuleArgs.builder()
                    .paths("/home")
                    .routeAction(URLMapPathMatcherPathRuleRouteActionArgs.builder()
                        .corsPolicy(URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs.builder()
                            .allowCredentials(true)
                            .allowHeaders("Allowed content")
                            .allowMethods("GET")
                            .allowOriginRegexes("abc.*")
                            .allowOrigins("Allowed origin")
                            .exposeHeaders("Exposed header")
                            .maxAge(30)
                            .disabled(false)
                            .build())
                        .weightedBackendServices(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs.builder()
                            .backendService(home.id())
                            .weight(400)
                            .headerAction(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs.builder()
                                .requestHeadersToRemoves("RemoveMe")
                                .requestHeadersToAdds(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs.builder()
                                    .headerName("AddMe")
                                    .headerValue("MyValue")
                                    .replace(true)
                                    .build())
                                .responseHeadersToRemoves("RemoveMe")
                                .responseHeadersToAdds(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs.builder()
                                    .headerName("AddMe")
                                    .headerValue("MyValue")
                                    .replace(false)
                                    .build())
                                .build())
                            .build())
                        .maxStreamDuration(URLMapPathMatcherPathRuleRouteActionMaxStreamDurationArgs.builder()
                            .nanos(500000)
                            .seconds("9")
                            .build())
                        .build())
                    .build())
                .build())
            .tests(URLMapTestArgs.builder()
                .service(home.id())
                .host("hi.com")
                .path("/home")
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: a description
      defaultService: ${home.id}
      hostRules:
        - hosts:
            - mysite.com
          pathMatcher: allpaths
      pathMatchers:
        - name: allpaths
          defaultService: ${home.id}
          pathRules:
            - paths:
                - /home
              routeAction:
                corsPolicy:
                  allowCredentials: true
                  allowHeaders:
                    - Allowed content
                  allowMethods:
                    - GET
                  allowOriginRegexes:
                    - abc.*
                  allowOrigins:
                    - Allowed origin
                  exposeHeaders:
                    - Exposed header
                  maxAge: 30
                  disabled: false
                weightedBackendServices:
                  - backendService: ${home.id}
                    weight: 400
                    headerAction:
                      requestHeadersToRemoves:
                        - RemoveMe
                      requestHeadersToAdds:
                        - headerName: AddMe
                          headerValue: MyValue
                          replace: true
                      responseHeadersToRemoves:
                        - RemoveMe
                      responseHeadersToAdds:
                        - headerName: AddMe
                          headerValue: MyValue
                          replace: false
                maxStreamDuration:
                  nanos: 500000
                  seconds: 9
      tests:
        - service: ${home.id}
          host: hi.com
          path: /home
  home:
    type: gcp:compute:BackendService
    properties:
      name: home
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${default.id}
      loadBalancingScheme: INTERNAL_SELF_MANAGED
  default:
    type: gcp:compute:HealthCheck
    properties:
      name: health-check
      httpHealthCheck:
        port: 80
Copy

Url Map Header Based Routing

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const defaultHttpHealthCheck = new gcp.compute.HttpHealthCheck("default", {
    name: "health-check",
    requestPath: "/",
    checkIntervalSec: 1,
    timeoutSec: 1,
});
const _default = new gcp.compute.BackendService("default", {
    name: "default",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: defaultHttpHealthCheck.id,
});
const service_a = new gcp.compute.BackendService("service-a", {
    name: "service-a",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: defaultHttpHealthCheck.id,
});
const service_b = new gcp.compute.BackendService("service-b", {
    name: "service-b",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: defaultHttpHealthCheck.id,
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "header-based routing example",
    defaultService: _default.id,
    hostRules: [{
        hosts: ["*"],
        pathMatcher: "allpaths",
    }],
    pathMatchers: [{
        name: "allpaths",
        defaultService: _default.id,
        routeRules: [
            {
                priority: 1,
                service: service_a.id,
                matchRules: [{
                    prefixMatch: "/",
                    ignoreCase: true,
                    headerMatches: [{
                        headerName: "abtest",
                        exactMatch: "a",
                    }],
                }],
            },
            {
                priority: 2,
                service: service_b.id,
                matchRules: [{
                    ignoreCase: true,
                    prefixMatch: "/",
                    headerMatches: [{
                        headerName: "abtest",
                        exactMatch: "b",
                    }],
                }],
            },
        ],
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default_http_health_check = gcp.compute.HttpHealthCheck("default",
    name="health-check",
    request_path="/",
    check_interval_sec=1,
    timeout_sec=1)
default = gcp.compute.BackendService("default",
    name="default",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default_http_health_check.id)
service_a = gcp.compute.BackendService("service-a",
    name="service-a",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default_http_health_check.id)
service_b = gcp.compute.BackendService("service-b",
    name="service-b",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default_http_health_check.id)
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="header-based routing example",
    default_service=default.id,
    host_rules=[{
        "hosts": ["*"],
        "path_matcher": "allpaths",
    }],
    path_matchers=[{
        "name": "allpaths",
        "default_service": default.id,
        "route_rules": [
            {
                "priority": 1,
                "service": service_a.id,
                "match_rules": [{
                    "prefix_match": "/",
                    "ignore_case": True,
                    "header_matches": [{
                        "header_name": "abtest",
                        "exact_match": "a",
                    }],
                }],
            },
            {
                "priority": 2,
                "service": service_b.id,
                "match_rules": [{
                    "ignore_case": True,
                    "prefix_match": "/",
                    "header_matches": [{
                        "header_name": "abtest",
                        "exact_match": "b",
                    }],
                }],
            },
        ],
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		defaultHttpHealthCheck, err := compute.NewHttpHealthCheck(ctx, "default", &compute.HttpHealthCheckArgs{
			Name:             pulumi.String("health-check"),
			RequestPath:      pulumi.String("/"),
			CheckIntervalSec: pulumi.Int(1),
			TimeoutSec:       pulumi.Int(1),
		})
		if err != nil {
			return err
		}
		_default, err := compute.NewBackendService(ctx, "default", &compute.BackendServiceArgs{
			Name:         pulumi.String("default"),
			PortName:     pulumi.String("http"),
			Protocol:     pulumi.String("HTTP"),
			TimeoutSec:   pulumi.Int(10),
			HealthChecks: defaultHttpHealthCheck.ID(),
		})
		if err != nil {
			return err
		}
		service_a, err := compute.NewBackendService(ctx, "service-a", &compute.BackendServiceArgs{
			Name:         pulumi.String("service-a"),
			PortName:     pulumi.String("http"),
			Protocol:     pulumi.String("HTTP"),
			TimeoutSec:   pulumi.Int(10),
			HealthChecks: defaultHttpHealthCheck.ID(),
		})
		if err != nil {
			return err
		}
		service_b, err := compute.NewBackendService(ctx, "service-b", &compute.BackendServiceArgs{
			Name:         pulumi.String("service-b"),
			PortName:     pulumi.String("http"),
			Protocol:     pulumi.String("HTTP"),
			TimeoutSec:   pulumi.Int(10),
			HealthChecks: defaultHttpHealthCheck.ID(),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("header-based routing example"),
			DefaultService: _default.ID(),
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("*"),
					},
					PathMatcher: pulumi.String("allpaths"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("allpaths"),
					DefaultService: _default.ID(),
					RouteRules: compute.URLMapPathMatcherRouteRuleArray{
						&compute.URLMapPathMatcherRouteRuleArgs{
							Priority: pulumi.Int(1),
							Service:  service_a.ID(),
							MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
									PrefixMatch: pulumi.String("/"),
									IgnoreCase:  pulumi.Bool(true),
									HeaderMatches: compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs{
											HeaderName: pulumi.String("abtest"),
											ExactMatch: pulumi.String("a"),
										},
									},
								},
							},
						},
						&compute.URLMapPathMatcherRouteRuleArgs{
							Priority: pulumi.Int(2),
							Service:  service_b.ID(),
							MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
									IgnoreCase:  pulumi.Bool(true),
									PrefixMatch: pulumi.String("/"),
									HeaderMatches: compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs{
											HeaderName: pulumi.String("abtest"),
											ExactMatch: pulumi.String("b"),
										},
									},
								},
							},
						},
					},
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var defaultHttpHealthCheck = new Gcp.Compute.HttpHealthCheck("default", new()
    {
        Name = "health-check",
        RequestPath = "/",
        CheckIntervalSec = 1,
        TimeoutSec = 1,
    });

    var @default = new Gcp.Compute.BackendService("default", new()
    {
        Name = "default",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = defaultHttpHealthCheck.Id,
    });

    var service_a = new Gcp.Compute.BackendService("service-a", new()
    {
        Name = "service-a",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = defaultHttpHealthCheck.Id,
    });

    var service_b = new Gcp.Compute.BackendService("service-b", new()
    {
        Name = "service-b",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = defaultHttpHealthCheck.Id,
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "header-based routing example",
        DefaultService = @default.Id,
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "*",
                },
                PathMatcher = "allpaths",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "allpaths",
                DefaultService = @default.Id,
                RouteRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                    {
                        Priority = 1,
                        Service = service_a.Id,
                        MatchRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                            {
                                PrefixMatch = "/",
                                IgnoreCase = true,
                                HeaderMatches = new[]
                                {
                                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs
                                    {
                                        HeaderName = "abtest",
                                        ExactMatch = "a",
                                    },
                                },
                            },
                        },
                    },
                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                    {
                        Priority = 2,
                        Service = service_b.Id,
                        MatchRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                            {
                                IgnoreCase = true,
                                PrefixMatch = "/",
                                HeaderMatches = new[]
                                {
                                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs
                                    {
                                        HeaderName = "abtest",
                                        ExactMatch = "b",
                                    },
                                },
                            },
                        },
                    },
                },
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HttpHealthCheck;
import com.pulumi.gcp.compute.HttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
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 defaultHttpHealthCheck = new HttpHealthCheck("defaultHttpHealthCheck", HttpHealthCheckArgs.builder()
            .name("health-check")
            .requestPath("/")
            .checkIntervalSec(1)
            .timeoutSec(1)
            .build());

        var default_ = new BackendService("default", BackendServiceArgs.builder()
            .name("default")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(defaultHttpHealthCheck.id())
            .build());

        var service_a = new BackendService("service-a", BackendServiceArgs.builder()
            .name("service-a")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(defaultHttpHealthCheck.id())
            .build());

        var service_b = new BackendService("service-b", BackendServiceArgs.builder()
            .name("service-b")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(defaultHttpHealthCheck.id())
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("header-based routing example")
            .defaultService(default_.id())
            .hostRules(URLMapHostRuleArgs.builder()
                .hosts("*")
                .pathMatcher("allpaths")
                .build())
            .pathMatchers(URLMapPathMatcherArgs.builder()
                .name("allpaths")
                .defaultService(default_.id())
                .routeRules(                
                    URLMapPathMatcherRouteRuleArgs.builder()
                        .priority(1)
                        .service(service_a.id())
                        .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                            .prefixMatch("/")
                            .ignoreCase(true)
                            .headerMatches(URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs.builder()
                                .headerName("abtest")
                                .exactMatch("a")
                                .build())
                            .build())
                        .build(),
                    URLMapPathMatcherRouteRuleArgs.builder()
                        .priority(2)
                        .service(service_b.id())
                        .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                            .ignoreCase(true)
                            .prefixMatch("/")
                            .headerMatches(URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs.builder()
                                .headerName("abtest")
                                .exactMatch("b")
                                .build())
                            .build())
                        .build())
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: header-based routing example
      defaultService: ${default.id}
      hostRules:
        - hosts:
            - '*'
          pathMatcher: allpaths
      pathMatchers:
        - name: allpaths
          defaultService: ${default.id}
          routeRules:
            - priority: 1
              service: ${["service-a"].id}
              matchRules:
                - prefixMatch: /
                  ignoreCase: true
                  headerMatches:
                    - headerName: abtest
                      exactMatch: a
            - priority: 2
              service: ${["service-b"].id}
              matchRules:
                - ignoreCase: true
                  prefixMatch: /
                  headerMatches:
                    - headerName: abtest
                      exactMatch: b
  default:
    type: gcp:compute:BackendService
    properties:
      name: default
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${defaultHttpHealthCheck.id}
  service-a:
    type: gcp:compute:BackendService
    properties:
      name: service-a
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${defaultHttpHealthCheck.id}
  service-b:
    type: gcp:compute:BackendService
    properties:
      name: service-b
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${defaultHttpHealthCheck.id}
  defaultHttpHealthCheck:
    type: gcp:compute:HttpHealthCheck
    name: default
    properties:
      name: health-check
      requestPath: /
      checkIntervalSec: 1
      timeoutSec: 1
Copy

Url Map Parameter Based Routing

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const defaultHttpHealthCheck = new gcp.compute.HttpHealthCheck("default", {
    name: "health-check",
    requestPath: "/",
    checkIntervalSec: 1,
    timeoutSec: 1,
});
const _default = new gcp.compute.BackendService("default", {
    name: "default",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: defaultHttpHealthCheck.id,
});
const service_a = new gcp.compute.BackendService("service-a", {
    name: "service-a",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: defaultHttpHealthCheck.id,
});
const service_b = new gcp.compute.BackendService("service-b", {
    name: "service-b",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    healthChecks: defaultHttpHealthCheck.id,
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "parameter-based routing example",
    defaultService: _default.id,
    hostRules: [{
        hosts: ["*"],
        pathMatcher: "allpaths",
    }],
    pathMatchers: [{
        name: "allpaths",
        defaultService: _default.id,
        routeRules: [
            {
                priority: 1,
                service: service_a.id,
                matchRules: [{
                    prefixMatch: "/",
                    ignoreCase: true,
                    queryParameterMatches: [{
                        name: "abtest",
                        exactMatch: "a",
                    }],
                }],
            },
            {
                priority: 2,
                service: service_b.id,
                matchRules: [{
                    ignoreCase: true,
                    prefixMatch: "/",
                    queryParameterMatches: [{
                        name: "abtest",
                        exactMatch: "b",
                    }],
                }],
            },
        ],
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default_http_health_check = gcp.compute.HttpHealthCheck("default",
    name="health-check",
    request_path="/",
    check_interval_sec=1,
    timeout_sec=1)
default = gcp.compute.BackendService("default",
    name="default",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default_http_health_check.id)
service_a = gcp.compute.BackendService("service-a",
    name="service-a",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default_http_health_check.id)
service_b = gcp.compute.BackendService("service-b",
    name="service-b",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    health_checks=default_http_health_check.id)
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="parameter-based routing example",
    default_service=default.id,
    host_rules=[{
        "hosts": ["*"],
        "path_matcher": "allpaths",
    }],
    path_matchers=[{
        "name": "allpaths",
        "default_service": default.id,
        "route_rules": [
            {
                "priority": 1,
                "service": service_a.id,
                "match_rules": [{
                    "prefix_match": "/",
                    "ignore_case": True,
                    "query_parameter_matches": [{
                        "name": "abtest",
                        "exact_match": "a",
                    }],
                }],
            },
            {
                "priority": 2,
                "service": service_b.id,
                "match_rules": [{
                    "ignore_case": True,
                    "prefix_match": "/",
                    "query_parameter_matches": [{
                        "name": "abtest",
                        "exact_match": "b",
                    }],
                }],
            },
        ],
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		defaultHttpHealthCheck, err := compute.NewHttpHealthCheck(ctx, "default", &compute.HttpHealthCheckArgs{
			Name:             pulumi.String("health-check"),
			RequestPath:      pulumi.String("/"),
			CheckIntervalSec: pulumi.Int(1),
			TimeoutSec:       pulumi.Int(1),
		})
		if err != nil {
			return err
		}
		_default, err := compute.NewBackendService(ctx, "default", &compute.BackendServiceArgs{
			Name:         pulumi.String("default"),
			PortName:     pulumi.String("http"),
			Protocol:     pulumi.String("HTTP"),
			TimeoutSec:   pulumi.Int(10),
			HealthChecks: defaultHttpHealthCheck.ID(),
		})
		if err != nil {
			return err
		}
		service_a, err := compute.NewBackendService(ctx, "service-a", &compute.BackendServiceArgs{
			Name:         pulumi.String("service-a"),
			PortName:     pulumi.String("http"),
			Protocol:     pulumi.String("HTTP"),
			TimeoutSec:   pulumi.Int(10),
			HealthChecks: defaultHttpHealthCheck.ID(),
		})
		if err != nil {
			return err
		}
		service_b, err := compute.NewBackendService(ctx, "service-b", &compute.BackendServiceArgs{
			Name:         pulumi.String("service-b"),
			PortName:     pulumi.String("http"),
			Protocol:     pulumi.String("HTTP"),
			TimeoutSec:   pulumi.Int(10),
			HealthChecks: defaultHttpHealthCheck.ID(),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("parameter-based routing example"),
			DefaultService: _default.ID(),
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("*"),
					},
					PathMatcher: pulumi.String("allpaths"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("allpaths"),
					DefaultService: _default.ID(),
					RouteRules: compute.URLMapPathMatcherRouteRuleArray{
						&compute.URLMapPathMatcherRouteRuleArgs{
							Priority: pulumi.Int(1),
							Service:  service_a.ID(),
							MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
									PrefixMatch: pulumi.String("/"),
									IgnoreCase:  pulumi.Bool(true),
									QueryParameterMatches: compute.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs{
											Name:       pulumi.String("abtest"),
											ExactMatch: pulumi.String("a"),
										},
									},
								},
							},
						},
						&compute.URLMapPathMatcherRouteRuleArgs{
							Priority: pulumi.Int(2),
							Service:  service_b.ID(),
							MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
									IgnoreCase:  pulumi.Bool(true),
									PrefixMatch: pulumi.String("/"),
									QueryParameterMatches: compute.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs{
											Name:       pulumi.String("abtest"),
											ExactMatch: pulumi.String("b"),
										},
									},
								},
							},
						},
					},
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var defaultHttpHealthCheck = new Gcp.Compute.HttpHealthCheck("default", new()
    {
        Name = "health-check",
        RequestPath = "/",
        CheckIntervalSec = 1,
        TimeoutSec = 1,
    });

    var @default = new Gcp.Compute.BackendService("default", new()
    {
        Name = "default",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = defaultHttpHealthCheck.Id,
    });

    var service_a = new Gcp.Compute.BackendService("service-a", new()
    {
        Name = "service-a",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = defaultHttpHealthCheck.Id,
    });

    var service_b = new Gcp.Compute.BackendService("service-b", new()
    {
        Name = "service-b",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        HealthChecks = defaultHttpHealthCheck.Id,
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "parameter-based routing example",
        DefaultService = @default.Id,
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "*",
                },
                PathMatcher = "allpaths",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "allpaths",
                DefaultService = @default.Id,
                RouteRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                    {
                        Priority = 1,
                        Service = service_a.Id,
                        MatchRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                            {
                                PrefixMatch = "/",
                                IgnoreCase = true,
                                QueryParameterMatches = new[]
                                {
                                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs
                                    {
                                        Name = "abtest",
                                        ExactMatch = "a",
                                    },
                                },
                            },
                        },
                    },
                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                    {
                        Priority = 2,
                        Service = service_b.Id,
                        MatchRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                            {
                                IgnoreCase = true,
                                PrefixMatch = "/",
                                QueryParameterMatches = new[]
                                {
                                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs
                                    {
                                        Name = "abtest",
                                        ExactMatch = "b",
                                    },
                                },
                            },
                        },
                    },
                },
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HttpHealthCheck;
import com.pulumi.gcp.compute.HttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
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 defaultHttpHealthCheck = new HttpHealthCheck("defaultHttpHealthCheck", HttpHealthCheckArgs.builder()
            .name("health-check")
            .requestPath("/")
            .checkIntervalSec(1)
            .timeoutSec(1)
            .build());

        var default_ = new BackendService("default", BackendServiceArgs.builder()
            .name("default")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(defaultHttpHealthCheck.id())
            .build());

        var service_a = new BackendService("service-a", BackendServiceArgs.builder()
            .name("service-a")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(defaultHttpHealthCheck.id())
            .build());

        var service_b = new BackendService("service-b", BackendServiceArgs.builder()
            .name("service-b")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .healthChecks(defaultHttpHealthCheck.id())
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("parameter-based routing example")
            .defaultService(default_.id())
            .hostRules(URLMapHostRuleArgs.builder()
                .hosts("*")
                .pathMatcher("allpaths")
                .build())
            .pathMatchers(URLMapPathMatcherArgs.builder()
                .name("allpaths")
                .defaultService(default_.id())
                .routeRules(                
                    URLMapPathMatcherRouteRuleArgs.builder()
                        .priority(1)
                        .service(service_a.id())
                        .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                            .prefixMatch("/")
                            .ignoreCase(true)
                            .queryParameterMatches(URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs.builder()
                                .name("abtest")
                                .exactMatch("a")
                                .build())
                            .build())
                        .build(),
                    URLMapPathMatcherRouteRuleArgs.builder()
                        .priority(2)
                        .service(service_b.id())
                        .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                            .ignoreCase(true)
                            .prefixMatch("/")
                            .queryParameterMatches(URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs.builder()
                                .name("abtest")
                                .exactMatch("b")
                                .build())
                            .build())
                        .build())
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: parameter-based routing example
      defaultService: ${default.id}
      hostRules:
        - hosts:
            - '*'
          pathMatcher: allpaths
      pathMatchers:
        - name: allpaths
          defaultService: ${default.id}
          routeRules:
            - priority: 1
              service: ${["service-a"].id}
              matchRules:
                - prefixMatch: /
                  ignoreCase: true
                  queryParameterMatches:
                    - name: abtest
                      exactMatch: a
            - priority: 2
              service: ${["service-b"].id}
              matchRules:
                - ignoreCase: true
                  prefixMatch: /
                  queryParameterMatches:
                    - name: abtest
                      exactMatch: b
  default:
    type: gcp:compute:BackendService
    properties:
      name: default
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${defaultHttpHealthCheck.id}
  service-a:
    type: gcp:compute:BackendService
    properties:
      name: service-a
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${defaultHttpHealthCheck.id}
  service-b:
    type: gcp:compute:BackendService
    properties:
      name: service-b
      portName: http
      protocol: HTTP
      timeoutSec: 10
      healthChecks: ${defaultHttpHealthCheck.id}
  defaultHttpHealthCheck:
    type: gcp:compute:HttpHealthCheck
    name: default
    properties:
      name: health-check
      requestPath: /
      checkIntervalSec: 1
      timeoutSec: 1
Copy

Url Map Path Template Match

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const _default = new gcp.compute.HttpHealthCheck("default", {
    name: "health-check",
    requestPath: "/",
    checkIntervalSec: 1,
    timeoutSec: 1,
});
const cart_backend = new gcp.compute.BackendService("cart-backend", {
    name: "cart-service",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    loadBalancingScheme: "EXTERNAL_MANAGED",
    healthChecks: _default.id,
});
const user_backend = new gcp.compute.BackendService("user-backend", {
    name: "user-service",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    loadBalancingScheme: "EXTERNAL_MANAGED",
    healthChecks: _default.id,
});
const staticBucket = new gcp.storage.Bucket("static", {
    name: "static-asset-bucket",
    location: "US",
});
const static = new gcp.compute.BackendBucket("static", {
    name: "static-asset-backend-bucket",
    bucketName: staticBucket.name,
    enableCdn: true,
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "a description",
    defaultService: static.id,
    hostRules: [{
        hosts: ["mysite.com"],
        pathMatcher: "mysite",
    }],
    pathMatchers: [{
        name: "mysite",
        defaultService: static.id,
        routeRules: [
            {
                matchRules: [{
                    pathTemplateMatch: "/xyzwebservices/v2/xyz/users/{username=*}/carts/{cartid=**}",
                }],
                service: cart_backend.id,
                priority: 1,
                routeAction: {
                    urlRewrite: {
                        pathTemplateRewrite: "/{username}-{cartid}/",
                    },
                },
            },
            {
                matchRules: [{
                    pathTemplateMatch: "/xyzwebservices/v2/xyz/users/*/accountinfo/*",
                }],
                service: user_backend.id,
                priority: 2,
            },
        ],
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default = gcp.compute.HttpHealthCheck("default",
    name="health-check",
    request_path="/",
    check_interval_sec=1,
    timeout_sec=1)
cart_backend = gcp.compute.BackendService("cart-backend",
    name="cart-service",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    load_balancing_scheme="EXTERNAL_MANAGED",
    health_checks=default.id)
user_backend = gcp.compute.BackendService("user-backend",
    name="user-service",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    load_balancing_scheme="EXTERNAL_MANAGED",
    health_checks=default.id)
static_bucket = gcp.storage.Bucket("static",
    name="static-asset-bucket",
    location="US")
static = gcp.compute.BackendBucket("static",
    name="static-asset-backend-bucket",
    bucket_name=static_bucket.name,
    enable_cdn=True)
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="a description",
    default_service=static.id,
    host_rules=[{
        "hosts": ["mysite.com"],
        "path_matcher": "mysite",
    }],
    path_matchers=[{
        "name": "mysite",
        "default_service": static.id,
        "route_rules": [
            {
                "match_rules": [{
                    "path_template_match": "/xyzwebservices/v2/xyz/users/{username=*}/carts/{cartid=**}",
                }],
                "service": cart_backend.id,
                "priority": 1,
                "route_action": {
                    "url_rewrite": {
                        "path_template_rewrite": "/{username}-{cartid}/",
                    },
                },
            },
            {
                "match_rules": [{
                    "path_template_match": "/xyzwebservices/v2/xyz/users/*/accountinfo/*",
                }],
                "service": user_backend.id,
                "priority": 2,
            },
        ],
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/storage"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		_default, err := compute.NewHttpHealthCheck(ctx, "default", &compute.HttpHealthCheckArgs{
			Name:             pulumi.String("health-check"),
			RequestPath:      pulumi.String("/"),
			CheckIntervalSec: pulumi.Int(1),
			TimeoutSec:       pulumi.Int(1),
		})
		if err != nil {
			return err
		}
		cart_backend, err := compute.NewBackendService(ctx, "cart-backend", &compute.BackendServiceArgs{
			Name:                pulumi.String("cart-service"),
			PortName:            pulumi.String("http"),
			Protocol:            pulumi.String("HTTP"),
			TimeoutSec:          pulumi.Int(10),
			LoadBalancingScheme: pulumi.String("EXTERNAL_MANAGED"),
			HealthChecks:        _default.ID(),
		})
		if err != nil {
			return err
		}
		user_backend, err := compute.NewBackendService(ctx, "user-backend", &compute.BackendServiceArgs{
			Name:                pulumi.String("user-service"),
			PortName:            pulumi.String("http"),
			Protocol:            pulumi.String("HTTP"),
			TimeoutSec:          pulumi.Int(10),
			LoadBalancingScheme: pulumi.String("EXTERNAL_MANAGED"),
			HealthChecks:        _default.ID(),
		})
		if err != nil {
			return err
		}
		staticBucket, err := storage.NewBucket(ctx, "static", &storage.BucketArgs{
			Name:     pulumi.String("static-asset-bucket"),
			Location: pulumi.String("US"),
		})
		if err != nil {
			return err
		}
		static, err := compute.NewBackendBucket(ctx, "static", &compute.BackendBucketArgs{
			Name:       pulumi.String("static-asset-backend-bucket"),
			BucketName: staticBucket.Name,
			EnableCdn:  pulumi.Bool(true),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("a description"),
			DefaultService: static.ID(),
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("mysite.com"),
					},
					PathMatcher: pulumi.String("mysite"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("mysite"),
					DefaultService: static.ID(),
					RouteRules: compute.URLMapPathMatcherRouteRuleArray{
						&compute.URLMapPathMatcherRouteRuleArgs{
							MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
									PathTemplateMatch: pulumi.String("/xyzwebservices/v2/xyz/users/{username=*}/carts/{cartid=**}"),
								},
							},
							Service:  cart_backend.ID(),
							Priority: pulumi.Int(1),
							RouteAction: &compute.URLMapPathMatcherRouteRuleRouteActionArgs{
								UrlRewrite: &compute.URLMapPathMatcherRouteRuleRouteActionUrlRewriteArgs{
									PathTemplateRewrite: pulumi.String("/{username}-{cartid}/"),
								},
							},
						},
						&compute.URLMapPathMatcherRouteRuleArgs{
							MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
									PathTemplateMatch: pulumi.String("/xyzwebservices/v2/xyz/users/*/accountinfo/*"),
								},
							},
							Service:  user_backend.ID(),
							Priority: pulumi.Int(2),
						},
					},
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var @default = new Gcp.Compute.HttpHealthCheck("default", new()
    {
        Name = "health-check",
        RequestPath = "/",
        CheckIntervalSec = 1,
        TimeoutSec = 1,
    });

    var cart_backend = new Gcp.Compute.BackendService("cart-backend", new()
    {
        Name = "cart-service",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        LoadBalancingScheme = "EXTERNAL_MANAGED",
        HealthChecks = @default.Id,
    });

    var user_backend = new Gcp.Compute.BackendService("user-backend", new()
    {
        Name = "user-service",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        LoadBalancingScheme = "EXTERNAL_MANAGED",
        HealthChecks = @default.Id,
    });

    var staticBucket = new Gcp.Storage.Bucket("static", new()
    {
        Name = "static-asset-bucket",
        Location = "US",
    });

    var @static = new Gcp.Compute.BackendBucket("static", new()
    {
        Name = "static-asset-backend-bucket",
        BucketName = staticBucket.Name,
        EnableCdn = true,
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "a description",
        DefaultService = @static.Id,
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "mysite.com",
                },
                PathMatcher = "mysite",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "mysite",
                DefaultService = @static.Id,
                RouteRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                    {
                        MatchRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                            {
                                PathTemplateMatch = "/xyzwebservices/v2/xyz/users/{username=*}/carts/{cartid=**}",
                            },
                        },
                        Service = cart_backend.Id,
                        Priority = 1,
                        RouteAction = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionArgs
                        {
                            UrlRewrite = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionUrlRewriteArgs
                            {
                                PathTemplateRewrite = "/{username}-{cartid}/",
                            },
                        },
                    },
                    new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                    {
                        MatchRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                            {
                                PathTemplateMatch = "/xyzwebservices/v2/xyz/users/*/accountinfo/*",
                            },
                        },
                        Service = user_backend.Id,
                        Priority = 2,
                    },
                },
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HttpHealthCheck;
import com.pulumi.gcp.compute.HttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.storage.Bucket;
import com.pulumi.gcp.storage.BucketArgs;
import com.pulumi.gcp.compute.BackendBucket;
import com.pulumi.gcp.compute.BackendBucketArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
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 default_ = new HttpHealthCheck("default", HttpHealthCheckArgs.builder()
            .name("health-check")
            .requestPath("/")
            .checkIntervalSec(1)
            .timeoutSec(1)
            .build());

        var cart_backend = new BackendService("cart-backend", BackendServiceArgs.builder()
            .name("cart-service")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .loadBalancingScheme("EXTERNAL_MANAGED")
            .healthChecks(default_.id())
            .build());

        var user_backend = new BackendService("user-backend", BackendServiceArgs.builder()
            .name("user-service")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .loadBalancingScheme("EXTERNAL_MANAGED")
            .healthChecks(default_.id())
            .build());

        var staticBucket = new Bucket("staticBucket", BucketArgs.builder()
            .name("static-asset-bucket")
            .location("US")
            .build());

        var static_ = new BackendBucket("static", BackendBucketArgs.builder()
            .name("static-asset-backend-bucket")
            .bucketName(staticBucket.name())
            .enableCdn(true)
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("a description")
            .defaultService(static_.id())
            .hostRules(URLMapHostRuleArgs.builder()
                .hosts("mysite.com")
                .pathMatcher("mysite")
                .build())
            .pathMatchers(URLMapPathMatcherArgs.builder()
                .name("mysite")
                .defaultService(static_.id())
                .routeRules(                
                    URLMapPathMatcherRouteRuleArgs.builder()
                        .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                            .pathTemplateMatch("/xyzwebservices/v2/xyz/users/{username=*}/carts/{cartid=**}")
                            .build())
                        .service(cart_backend.id())
                        .priority(1)
                        .routeAction(URLMapPathMatcherRouteRuleRouteActionArgs.builder()
                            .urlRewrite(URLMapPathMatcherRouteRuleRouteActionUrlRewriteArgs.builder()
                                .pathTemplateRewrite("/{username}-{cartid}/")
                                .build())
                            .build())
                        .build(),
                    URLMapPathMatcherRouteRuleArgs.builder()
                        .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                            .pathTemplateMatch("/xyzwebservices/v2/xyz/users/*/accountinfo/*")
                            .build())
                        .service(user_backend.id())
                        .priority(2)
                        .build())
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: a description
      defaultService: ${static.id}
      hostRules:
        - hosts:
            - mysite.com
          pathMatcher: mysite
      pathMatchers:
        - name: mysite
          defaultService: ${static.id}
          routeRules:
            - matchRules:
                - pathTemplateMatch: /xyzwebservices/v2/xyz/users/{username=*}/carts/{cartid=**}
              service: ${["cart-backend"].id}
              priority: 1
              routeAction:
                urlRewrite:
                  pathTemplateRewrite: /{username}-{cartid}/
            - matchRules:
                - pathTemplateMatch: /xyzwebservices/v2/xyz/users/*/accountinfo/*
              service: ${["user-backend"].id}
              priority: 2
  cart-backend:
    type: gcp:compute:BackendService
    properties:
      name: cart-service
      portName: http
      protocol: HTTP
      timeoutSec: 10
      loadBalancingScheme: EXTERNAL_MANAGED
      healthChecks: ${default.id}
  user-backend:
    type: gcp:compute:BackendService
    properties:
      name: user-service
      portName: http
      protocol: HTTP
      timeoutSec: 10
      loadBalancingScheme: EXTERNAL_MANAGED
      healthChecks: ${default.id}
  default:
    type: gcp:compute:HttpHealthCheck
    properties:
      name: health-check
      requestPath: /
      checkIntervalSec: 1
      timeoutSec: 1
  static:
    type: gcp:compute:BackendBucket
    properties:
      name: static-asset-backend-bucket
      bucketName: ${staticBucket.name}
      enableCdn: true
  staticBucket:
    type: gcp:storage:Bucket
    name: static
    properties:
      name: static-asset-bucket
      location: US
Copy

Url Map Custom Error Response Policy

import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";

const _default = new gcp.compute.HttpHealthCheck("default", {
    name: "health-check",
    requestPath: "/",
    checkIntervalSec: 1,
    timeoutSec: 1,
});
const example = new gcp.compute.BackendService("example", {
    name: "login",
    portName: "http",
    protocol: "HTTP",
    timeoutSec: 10,
    loadBalancingScheme: "EXTERNAL_MANAGED",
    healthChecks: _default.id,
});
const errorBucket = new gcp.storage.Bucket("error", {
    name: "static-asset-bucket",
    location: "US",
});
const error = new gcp.compute.BackendBucket("error", {
    name: "error-backend-bucket",
    bucketName: errorBucket.name,
    enableCdn: true,
});
const urlmap = new gcp.compute.URLMap("urlmap", {
    name: "urlmap",
    description: "a description",
    defaultService: example.id,
    defaultCustomErrorResponsePolicy: {
        errorResponseRules: [{
            matchResponseCodes: ["5xx"],
            path: "/internal_error.html",
            overrideResponseCode: 502,
        }],
        errorService: error.id,
    },
    hostRules: [{
        hosts: ["mysite.com"],
        pathMatcher: "mysite",
    }],
    pathMatchers: [{
        name: "mysite",
        defaultService: example.id,
        defaultCustomErrorResponsePolicy: {
            errorResponseRules: [
                {
                    matchResponseCodes: [
                        "4xx",
                        "5xx",
                    ],
                    path: "/login_error.html",
                    overrideResponseCode: 404,
                },
                {
                    matchResponseCodes: ["503"],
                    path: "/bad_gateway.html",
                    overrideResponseCode: 502,
                },
            ],
            errorService: error.id,
        },
        pathRules: [{
            paths: ["/private/*"],
            service: example.id,
            customErrorResponsePolicy: {
                errorResponseRules: [{
                    matchResponseCodes: ["4xx"],
                    path: "/login.html",
                    overrideResponseCode: 401,
                }],
                errorService: error.id,
            },
        }],
    }],
});
Copy
import pulumi
import pulumi_gcp as gcp

default = gcp.compute.HttpHealthCheck("default",
    name="health-check",
    request_path="/",
    check_interval_sec=1,
    timeout_sec=1)
example = gcp.compute.BackendService("example",
    name="login",
    port_name="http",
    protocol="HTTP",
    timeout_sec=10,
    load_balancing_scheme="EXTERNAL_MANAGED",
    health_checks=default.id)
error_bucket = gcp.storage.Bucket("error",
    name="static-asset-bucket",
    location="US")
error = gcp.compute.BackendBucket("error",
    name="error-backend-bucket",
    bucket_name=error_bucket.name,
    enable_cdn=True)
urlmap = gcp.compute.URLMap("urlmap",
    name="urlmap",
    description="a description",
    default_service=example.id,
    default_custom_error_response_policy={
        "error_response_rules": [{
            "match_response_codes": ["5xx"],
            "path": "/internal_error.html",
            "override_response_code": 502,
        }],
        "error_service": error.id,
    },
    host_rules=[{
        "hosts": ["mysite.com"],
        "path_matcher": "mysite",
    }],
    path_matchers=[{
        "name": "mysite",
        "default_service": example.id,
        "default_custom_error_response_policy": {
            "error_response_rules": [
                {
                    "match_response_codes": [
                        "4xx",
                        "5xx",
                    ],
                    "path": "/login_error.html",
                    "override_response_code": 404,
                },
                {
                    "match_response_codes": ["503"],
                    "path": "/bad_gateway.html",
                    "override_response_code": 502,
                },
            ],
            "error_service": error.id,
        },
        "path_rules": [{
            "paths": ["/private/*"],
            "service": example.id,
            "custom_error_response_policy": {
                "error_response_rules": [{
                    "match_response_codes": ["4xx"],
                    "path": "/login.html",
                    "override_response_code": 401,
                }],
                "error_service": error.id,
            },
        }],
    }])
Copy
package main

import (
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
	"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/storage"
	"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)

func main() {
	pulumi.Run(func(ctx *pulumi.Context) error {
		_default, err := compute.NewHttpHealthCheck(ctx, "default", &compute.HttpHealthCheckArgs{
			Name:             pulumi.String("health-check"),
			RequestPath:      pulumi.String("/"),
			CheckIntervalSec: pulumi.Int(1),
			TimeoutSec:       pulumi.Int(1),
		})
		if err != nil {
			return err
		}
		example, err := compute.NewBackendService(ctx, "example", &compute.BackendServiceArgs{
			Name:                pulumi.String("login"),
			PortName:            pulumi.String("http"),
			Protocol:            pulumi.String("HTTP"),
			TimeoutSec:          pulumi.Int(10),
			LoadBalancingScheme: pulumi.String("EXTERNAL_MANAGED"),
			HealthChecks:        _default.ID(),
		})
		if err != nil {
			return err
		}
		errorBucket, err := storage.NewBucket(ctx, "error", &storage.BucketArgs{
			Name:     pulumi.String("static-asset-bucket"),
			Location: pulumi.String("US"),
		})
		if err != nil {
			return err
		}
		error, err := compute.NewBackendBucket(ctx, "error", &compute.BackendBucketArgs{
			Name:       pulumi.String("error-backend-bucket"),
			BucketName: errorBucket.Name,
			EnableCdn:  pulumi.Bool(true),
		})
		if err != nil {
			return err
		}
		_, err = compute.NewURLMap(ctx, "urlmap", &compute.URLMapArgs{
			Name:           pulumi.String("urlmap"),
			Description:    pulumi.String("a description"),
			DefaultService: example.ID(),
			DefaultCustomErrorResponsePolicy: &compute.URLMapDefaultCustomErrorResponsePolicyArgs{
				ErrorResponseRules: compute.URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArray{
					&compute.URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArgs{
						MatchResponseCodes: pulumi.StringArray{
							pulumi.String("5xx"),
						},
						Path:                 pulumi.String("/internal_error.html"),
						OverrideResponseCode: pulumi.Int(502),
					},
				},
				ErrorService: error.ID(),
			},
			HostRules: compute.URLMapHostRuleArray{
				&compute.URLMapHostRuleArgs{
					Hosts: pulumi.StringArray{
						pulumi.String("mysite.com"),
					},
					PathMatcher: pulumi.String("mysite"),
				},
			},
			PathMatchers: compute.URLMapPathMatcherArray{
				&compute.URLMapPathMatcherArgs{
					Name:           pulumi.String("mysite"),
					DefaultService: example.ID(),
					DefaultCustomErrorResponsePolicy: &compute.URLMapPathMatcherDefaultCustomErrorResponsePolicyArgs{
						ErrorResponseRules: compute.URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArray{
							&compute.URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs{
								MatchResponseCodes: pulumi.StringArray{
									pulumi.String("4xx"),
									pulumi.String("5xx"),
								},
								Path:                 pulumi.String("/login_error.html"),
								OverrideResponseCode: pulumi.Int(404),
							},
							&compute.URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs{
								MatchResponseCodes: pulumi.StringArray{
									pulumi.String("503"),
								},
								Path:                 pulumi.String("/bad_gateway.html"),
								OverrideResponseCode: pulumi.Int(502),
							},
						},
						ErrorService: error.ID(),
					},
					PathRules: compute.URLMapPathMatcherPathRuleArray{
						&compute.URLMapPathMatcherPathRuleArgs{
							Paths: pulumi.StringArray{
								pulumi.String("/private/*"),
							},
							Service: example.ID(),
							CustomErrorResponsePolicy: &compute.URLMapPathMatcherPathRuleCustomErrorResponsePolicyArgs{
								ErrorResponseRules: compute.URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArray{
									&compute.URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArgs{
										MatchResponseCodes: pulumi.StringArray{
											pulumi.String("4xx"),
										},
										Path:                 pulumi.String("/login.html"),
										OverrideResponseCode: pulumi.Int(401),
									},
								},
								ErrorService: error.ID(),
							},
						},
					},
				},
			},
		})
		if err != nil {
			return err
		}
		return nil
	})
}
Copy
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;

return await Deployment.RunAsync(() => 
{
    var @default = new Gcp.Compute.HttpHealthCheck("default", new()
    {
        Name = "health-check",
        RequestPath = "/",
        CheckIntervalSec = 1,
        TimeoutSec = 1,
    });

    var example = new Gcp.Compute.BackendService("example", new()
    {
        Name = "login",
        PortName = "http",
        Protocol = "HTTP",
        TimeoutSec = 10,
        LoadBalancingScheme = "EXTERNAL_MANAGED",
        HealthChecks = @default.Id,
    });

    var errorBucket = new Gcp.Storage.Bucket("error", new()
    {
        Name = "static-asset-bucket",
        Location = "US",
    });

    var error = new Gcp.Compute.BackendBucket("error", new()
    {
        Name = "error-backend-bucket",
        BucketName = errorBucket.Name,
        EnableCdn = true,
    });

    var urlmap = new Gcp.Compute.URLMap("urlmap", new()
    {
        Name = "urlmap",
        Description = "a description",
        DefaultService = example.Id,
        DefaultCustomErrorResponsePolicy = new Gcp.Compute.Inputs.URLMapDefaultCustomErrorResponsePolicyArgs
        {
            ErrorResponseRules = new[]
            {
                new Gcp.Compute.Inputs.URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArgs
                {
                    MatchResponseCodes = new[]
                    {
                        "5xx",
                    },
                    Path = "/internal_error.html",
                    OverrideResponseCode = 502,
                },
            },
            ErrorService = error.Id,
        },
        HostRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapHostRuleArgs
            {
                Hosts = new[]
                {
                    "mysite.com",
                },
                PathMatcher = "mysite",
            },
        },
        PathMatchers = new[]
        {
            new Gcp.Compute.Inputs.URLMapPathMatcherArgs
            {
                Name = "mysite",
                DefaultService = example.Id,
                DefaultCustomErrorResponsePolicy = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultCustomErrorResponsePolicyArgs
                {
                    ErrorResponseRules = new[]
                    {
                        new Gcp.Compute.Inputs.URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs
                        {
                            MatchResponseCodes = new[]
                            {
                                "4xx",
                                "5xx",
                            },
                            Path = "/login_error.html",
                            OverrideResponseCode = 404,
                        },
                        new Gcp.Compute.Inputs.URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs
                        {
                            MatchResponseCodes = new[]
                            {
                                "503",
                            },
                            Path = "/bad_gateway.html",
                            OverrideResponseCode = 502,
                        },
                    },
                    ErrorService = error.Id,
                },
                PathRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleArgs
                    {
                        Paths = new[]
                        {
                            "/private/*",
                        },
                        Service = example.Id,
                        CustomErrorResponsePolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleCustomErrorResponsePolicyArgs
                        {
                            ErrorResponseRules = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArgs
                                {
                                    MatchResponseCodes = new[]
                                    {
                                        "4xx",
                                    },
                                    Path = "/login.html",
                                    OverrideResponseCode = 401,
                                },
                            },
                            ErrorService = error.Id,
                        },
                    },
                },
            },
        },
    });

});
Copy
package generated_program;

import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.HttpHealthCheck;
import com.pulumi.gcp.compute.HttpHealthCheckArgs;
import com.pulumi.gcp.compute.BackendService;
import com.pulumi.gcp.compute.BackendServiceArgs;
import com.pulumi.gcp.storage.Bucket;
import com.pulumi.gcp.storage.BucketArgs;
import com.pulumi.gcp.compute.BackendBucket;
import com.pulumi.gcp.compute.BackendBucketArgs;
import com.pulumi.gcp.compute.URLMap;
import com.pulumi.gcp.compute.URLMapArgs;
import com.pulumi.gcp.compute.inputs.URLMapDefaultCustomErrorResponsePolicyArgs;
import com.pulumi.gcp.compute.inputs.URLMapHostRuleArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherArgs;
import com.pulumi.gcp.compute.inputs.URLMapPathMatcherDefaultCustomErrorResponsePolicyArgs;
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 default_ = new HttpHealthCheck("default", HttpHealthCheckArgs.builder()
            .name("health-check")
            .requestPath("/")
            .checkIntervalSec(1)
            .timeoutSec(1)
            .build());

        var example = new BackendService("example", BackendServiceArgs.builder()
            .name("login")
            .portName("http")
            .protocol("HTTP")
            .timeoutSec(10)
            .loadBalancingScheme("EXTERNAL_MANAGED")
            .healthChecks(default_.id())
            .build());

        var errorBucket = new Bucket("errorBucket", BucketArgs.builder()
            .name("static-asset-bucket")
            .location("US")
            .build());

        var error = new BackendBucket("error", BackendBucketArgs.builder()
            .name("error-backend-bucket")
            .bucketName(errorBucket.name())
            .enableCdn(true)
            .build());

        var urlmap = new URLMap("urlmap", URLMapArgs.builder()
            .name("urlmap")
            .description("a description")
            .defaultService(example.id())
            .defaultCustomErrorResponsePolicy(URLMapDefaultCustomErrorResponsePolicyArgs.builder()
                .errorResponseRules(URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArgs.builder()
                    .matchResponseCodes("5xx")
                    .path("/internal_error.html")
                    .overrideResponseCode(502)
                    .build())
                .errorService(error.id())
                .build())
            .hostRules(URLMapHostRuleArgs.builder()
                .hosts("mysite.com")
                .pathMatcher("mysite")
                .build())
            .pathMatchers(URLMapPathMatcherArgs.builder()
                .name("mysite")
                .defaultService(example.id())
                .defaultCustomErrorResponsePolicy(URLMapPathMatcherDefaultCustomErrorResponsePolicyArgs.builder()
                    .errorResponseRules(                    
                        URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs.builder()
                            .matchResponseCodes(                            
                                "4xx",
                                "5xx")
                            .path("/login_error.html")
                            .overrideResponseCode(404)
                            .build(),
                        URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs.builder()
                            .matchResponseCodes("503")
                            .path("/bad_gateway.html")
                            .overrideResponseCode(502)
                            .build())
                    .errorService(error.id())
                    .build())
                .pathRules(URLMapPathMatcherPathRuleArgs.builder()
                    .paths("/private/*")
                    .service(example.id())
                    .customErrorResponsePolicy(URLMapPathMatcherPathRuleCustomErrorResponsePolicyArgs.builder()
                        .errorResponseRules(URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArgs.builder()
                            .matchResponseCodes("4xx")
                            .path("/login.html")
                            .overrideResponseCode(401)
                            .build())
                        .errorService(error.id())
                        .build())
                    .build())
                .build())
            .build());

    }
}
Copy
resources:
  urlmap:
    type: gcp:compute:URLMap
    properties:
      name: urlmap
      description: a description
      defaultService: ${example.id}
      defaultCustomErrorResponsePolicy:
        errorResponseRules:
          - matchResponseCodes:
              - 5xx
            path: /internal_error.html
            overrideResponseCode: 502
        errorService: ${error.id}
      hostRules:
        - hosts:
            - mysite.com
          pathMatcher: mysite
      pathMatchers:
        - name: mysite
          defaultService: ${example.id}
          defaultCustomErrorResponsePolicy:
            errorResponseRules:
              - matchResponseCodes:
                  - 4xx
                  - 5xx
                path: /login_error.html
                overrideResponseCode: 404
              - matchResponseCodes:
                  - '503'
                path: /bad_gateway.html
                overrideResponseCode: 502
            errorService: ${error.id}
          pathRules:
            - paths:
                - /private/*
              service: ${example.id}
              customErrorResponsePolicy:
                errorResponseRules:
                  - matchResponseCodes:
                      - 4xx
                    path: /login.html
                    overrideResponseCode: 401
                errorService: ${error.id}
  example:
    type: gcp:compute:BackendService
    properties:
      name: login
      portName: http
      protocol: HTTP
      timeoutSec: 10
      loadBalancingScheme: EXTERNAL_MANAGED
      healthChecks: ${default.id}
  default:
    type: gcp:compute:HttpHealthCheck
    properties:
      name: health-check
      requestPath: /
      checkIntervalSec: 1
      timeoutSec: 1
  error:
    type: gcp:compute:BackendBucket
    properties:
      name: error-backend-bucket
      bucketName: ${errorBucket.name}
      enableCdn: true
  errorBucket:
    type: gcp:storage:Bucket
    name: error
    properties:
      name: static-asset-bucket
      location: US
Copy

Create URLMap Resource

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

Constructor syntax

new URLMap(name: string, args?: URLMapArgs, opts?: CustomResourceOptions);
@overload
def URLMap(resource_name: str,
           args: Optional[URLMapArgs] = None,
           opts: Optional[ResourceOptions] = None)

@overload
def URLMap(resource_name: str,
           opts: Optional[ResourceOptions] = None,
           default_custom_error_response_policy: Optional[URLMapDefaultCustomErrorResponsePolicyArgs] = None,
           default_route_action: Optional[URLMapDefaultRouteActionArgs] = None,
           default_service: Optional[str] = None,
           default_url_redirect: Optional[URLMapDefaultUrlRedirectArgs] = None,
           description: Optional[str] = None,
           header_action: Optional[URLMapHeaderActionArgs] = None,
           host_rules: Optional[Sequence[URLMapHostRuleArgs]] = None,
           name: Optional[str] = None,
           path_matchers: Optional[Sequence[URLMapPathMatcherArgs]] = None,
           project: Optional[str] = None,
           tests: Optional[Sequence[URLMapTestArgs]] = None)
func NewURLMap(ctx *Context, name string, args *URLMapArgs, opts ...ResourceOption) (*URLMap, error)
public URLMap(string name, URLMapArgs? args = null, CustomResourceOptions? opts = null)
public URLMap(String name, URLMapArgs args)
public URLMap(String name, URLMapArgs args, CustomResourceOptions options)
type: gcp:compute:URLMap
properties: # The arguments to resource properties.
options: # Bag of options to control resource's behavior.

Parameters

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

Constructor example

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

var urlmapResource = new Gcp.Compute.URLMap("urlmapResource", new()
{
    DefaultCustomErrorResponsePolicy = new Gcp.Compute.Inputs.URLMapDefaultCustomErrorResponsePolicyArgs
    {
        ErrorResponseRules = new[]
        {
            new Gcp.Compute.Inputs.URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArgs
            {
                MatchResponseCodes = new[]
                {
                    "string",
                },
                OverrideResponseCode = 0,
                Path = "string",
            },
        },
        ErrorService = "string",
    },
    DefaultRouteAction = new Gcp.Compute.Inputs.URLMapDefaultRouteActionArgs
    {
        CorsPolicy = new Gcp.Compute.Inputs.URLMapDefaultRouteActionCorsPolicyArgs
        {
            AllowCredentials = false,
            AllowHeaders = new[]
            {
                "string",
            },
            AllowMethods = new[]
            {
                "string",
            },
            AllowOriginRegexes = new[]
            {
                "string",
            },
            AllowOrigins = new[]
            {
                "string",
            },
            Disabled = false,
            ExposeHeaders = new[]
            {
                "string",
            },
            MaxAge = 0,
        },
        FaultInjectionPolicy = new Gcp.Compute.Inputs.URLMapDefaultRouteActionFaultInjectionPolicyArgs
        {
            Abort = new Gcp.Compute.Inputs.URLMapDefaultRouteActionFaultInjectionPolicyAbortArgs
            {
                HttpStatus = 0,
                Percentage = 0,
            },
            Delay = new Gcp.Compute.Inputs.URLMapDefaultRouteActionFaultInjectionPolicyDelayArgs
            {
                FixedDelay = new Gcp.Compute.Inputs.URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelayArgs
                {
                    Nanos = 0,
                    Seconds = "string",
                },
                Percentage = 0,
            },
        },
        MaxStreamDuration = new Gcp.Compute.Inputs.URLMapDefaultRouteActionMaxStreamDurationArgs
        {
            Seconds = "string",
            Nanos = 0,
        },
        RequestMirrorPolicy = new Gcp.Compute.Inputs.URLMapDefaultRouteActionRequestMirrorPolicyArgs
        {
            BackendService = "string",
        },
        RetryPolicy = new Gcp.Compute.Inputs.URLMapDefaultRouteActionRetryPolicyArgs
        {
            NumRetries = 0,
            PerTryTimeout = new Gcp.Compute.Inputs.URLMapDefaultRouteActionRetryPolicyPerTryTimeoutArgs
            {
                Nanos = 0,
                Seconds = "string",
            },
            RetryConditions = new[]
            {
                "string",
            },
        },
        Timeout = new Gcp.Compute.Inputs.URLMapDefaultRouteActionTimeoutArgs
        {
            Nanos = 0,
            Seconds = "string",
        },
        UrlRewrite = new Gcp.Compute.Inputs.URLMapDefaultRouteActionUrlRewriteArgs
        {
            HostRewrite = "string",
            PathPrefixRewrite = "string",
        },
        WeightedBackendServices = new[]
        {
            new Gcp.Compute.Inputs.URLMapDefaultRouteActionWeightedBackendServiceArgs
            {
                BackendService = "string",
                HeaderAction = new Gcp.Compute.Inputs.URLMapDefaultRouteActionWeightedBackendServiceHeaderActionArgs
                {
                    RequestHeadersToAdds = new[]
                    {
                        new Gcp.Compute.Inputs.URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs
                        {
                            HeaderName = "string",
                            HeaderValue = "string",
                            Replace = false,
                        },
                    },
                    RequestHeadersToRemoves = new[]
                    {
                        "string",
                    },
                    ResponseHeadersToAdds = new[]
                    {
                        new Gcp.Compute.Inputs.URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs
                        {
                            HeaderName = "string",
                            HeaderValue = "string",
                            Replace = false,
                        },
                    },
                    ResponseHeadersToRemoves = new[]
                    {
                        "string",
                    },
                },
                Weight = 0,
            },
        },
    },
    DefaultService = "string",
    DefaultUrlRedirect = new Gcp.Compute.Inputs.URLMapDefaultUrlRedirectArgs
    {
        StripQuery = false,
        HostRedirect = "string",
        HttpsRedirect = false,
        PathRedirect = "string",
        PrefixRedirect = "string",
        RedirectResponseCode = "string",
    },
    Description = "string",
    HeaderAction = new Gcp.Compute.Inputs.URLMapHeaderActionArgs
    {
        RequestHeadersToAdds = new[]
        {
            new Gcp.Compute.Inputs.URLMapHeaderActionRequestHeadersToAddArgs
            {
                HeaderName = "string",
                HeaderValue = "string",
                Replace = false,
            },
        },
        RequestHeadersToRemoves = new[]
        {
            "string",
        },
        ResponseHeadersToAdds = new[]
        {
            new Gcp.Compute.Inputs.URLMapHeaderActionResponseHeadersToAddArgs
            {
                HeaderName = "string",
                HeaderValue = "string",
                Replace = false,
            },
        },
        ResponseHeadersToRemoves = new[]
        {
            "string",
        },
    },
    HostRules = new[]
    {
        new Gcp.Compute.Inputs.URLMapHostRuleArgs
        {
            Hosts = new[]
            {
                "string",
            },
            PathMatcher = "string",
            Description = "string",
        },
    },
    Name = "string",
    PathMatchers = new[]
    {
        new Gcp.Compute.Inputs.URLMapPathMatcherArgs
        {
            Name = "string",
            DefaultCustomErrorResponsePolicy = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultCustomErrorResponsePolicyArgs
            {
                ErrorResponseRules = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs
                    {
                        MatchResponseCodes = new[]
                        {
                            "string",
                        },
                        OverrideResponseCode = 0,
                        Path = "string",
                    },
                },
                ErrorService = "string",
            },
            DefaultRouteAction = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionArgs
            {
                CorsPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionCorsPolicyArgs
                {
                    AllowCredentials = false,
                    AllowHeaders = new[]
                    {
                        "string",
                    },
                    AllowMethods = new[]
                    {
                        "string",
                    },
                    AllowOriginRegexes = new[]
                    {
                        "string",
                    },
                    AllowOrigins = new[]
                    {
                        "string",
                    },
                    Disabled = false,
                    ExposeHeaders = new[]
                    {
                        "string",
                    },
                    MaxAge = 0,
                },
                FaultInjectionPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyArgs
                {
                    Abort = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbortArgs
                    {
                        HttpStatus = 0,
                        Percentage = 0,
                    },
                    Delay = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayArgs
                    {
                        FixedDelay = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelayArgs
                        {
                            Nanos = 0,
                            Seconds = "string",
                        },
                        Percentage = 0,
                    },
                },
                MaxStreamDuration = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionMaxStreamDurationArgs
                {
                    Seconds = "string",
                    Nanos = 0,
                },
                RequestMirrorPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionRequestMirrorPolicyArgs
                {
                    BackendService = "string",
                },
                RetryPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionRetryPolicyArgs
                {
                    NumRetries = 0,
                    PerTryTimeout = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeoutArgs
                    {
                        Nanos = 0,
                        Seconds = "string",
                    },
                    RetryConditions = new[]
                    {
                        "string",
                    },
                },
                Timeout = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionTimeoutArgs
                {
                    Nanos = 0,
                    Seconds = "string",
                },
                UrlRewrite = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionUrlRewriteArgs
                {
                    HostRewrite = "string",
                    PathPrefixRewrite = "string",
                },
                WeightedBackendServices = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceArgs
                    {
                        BackendService = "string",
                        HeaderAction = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionArgs
                        {
                            RequestHeadersToAdds = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs
                                {
                                    HeaderName = "string",
                                    HeaderValue = "string",
                                    Replace = false,
                                },
                            },
                            RequestHeadersToRemoves = new[]
                            {
                                "string",
                            },
                            ResponseHeadersToAdds = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs
                                {
                                    HeaderName = "string",
                                    HeaderValue = "string",
                                    Replace = false,
                                },
                            },
                            ResponseHeadersToRemoves = new[]
                            {
                                "string",
                            },
                        },
                        Weight = 0,
                    },
                },
            },
            DefaultService = "string",
            DefaultUrlRedirect = new Gcp.Compute.Inputs.URLMapPathMatcherDefaultUrlRedirectArgs
            {
                StripQuery = false,
                HostRedirect = "string",
                HttpsRedirect = false,
                PathRedirect = "string",
                PrefixRedirect = "string",
                RedirectResponseCode = "string",
            },
            Description = "string",
            HeaderAction = new Gcp.Compute.Inputs.URLMapPathMatcherHeaderActionArgs
            {
                RequestHeadersToAdds = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherHeaderActionRequestHeadersToAddArgs
                    {
                        HeaderName = "string",
                        HeaderValue = "string",
                        Replace = false,
                    },
                },
                RequestHeadersToRemoves = new[]
                {
                    "string",
                },
                ResponseHeadersToAdds = new[]
                {
                    new Gcp.Compute.Inputs.URLMapPathMatcherHeaderActionResponseHeadersToAddArgs
                    {
                        HeaderName = "string",
                        HeaderValue = "string",
                        Replace = false,
                    },
                },
                ResponseHeadersToRemoves = new[]
                {
                    "string",
                },
            },
            PathRules = new[]
            {
                new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleArgs
                {
                    Paths = new[]
                    {
                        "string",
                    },
                    CustomErrorResponsePolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleCustomErrorResponsePolicyArgs
                    {
                        ErrorResponseRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArgs
                            {
                                MatchResponseCodes = new[]
                                {
                                    "string",
                                },
                                OverrideResponseCode = 0,
                                Path = "string",
                            },
                        },
                        ErrorService = "string",
                    },
                    RouteAction = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionArgs
                    {
                        CorsPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs
                        {
                            Disabled = false,
                            AllowCredentials = false,
                            AllowHeaders = new[]
                            {
                                "string",
                            },
                            AllowMethods = new[]
                            {
                                "string",
                            },
                            AllowOriginRegexes = new[]
                            {
                                "string",
                            },
                            AllowOrigins = new[]
                            {
                                "string",
                            },
                            ExposeHeaders = new[]
                            {
                                "string",
                            },
                            MaxAge = 0,
                        },
                        FaultInjectionPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyArgs
                        {
                            Abort = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbortArgs
                            {
                                HttpStatus = 0,
                                Percentage = 0,
                            },
                            Delay = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayArgs
                            {
                                FixedDelay = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs
                                {
                                    Seconds = "string",
                                    Nanos = 0,
                                },
                                Percentage = 0,
                            },
                        },
                        MaxStreamDuration = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionMaxStreamDurationArgs
                        {
                            Seconds = "string",
                            Nanos = 0,
                        },
                        RequestMirrorPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicyArgs
                        {
                            BackendService = "string",
                        },
                        RetryPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionRetryPolicyArgs
                        {
                            NumRetries = 0,
                            PerTryTimeout = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeoutArgs
                            {
                                Seconds = "string",
                                Nanos = 0,
                            },
                            RetryConditions = new[]
                            {
                                "string",
                            },
                        },
                        Timeout = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionTimeoutArgs
                        {
                            Seconds = "string",
                            Nanos = 0,
                        },
                        UrlRewrite = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionUrlRewriteArgs
                        {
                            HostRewrite = "string",
                            PathPrefixRewrite = "string",
                        },
                        WeightedBackendServices = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs
                            {
                                BackendService = "string",
                                Weight = 0,
                                HeaderAction = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs
                                {
                                    RequestHeadersToAdds = new[]
                                    {
                                        new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs
                                        {
                                            HeaderName = "string",
                                            HeaderValue = "string",
                                            Replace = false,
                                        },
                                    },
                                    RequestHeadersToRemoves = new[]
                                    {
                                        "string",
                                    },
                                    ResponseHeadersToAdds = new[]
                                    {
                                        new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs
                                        {
                                            HeaderName = "string",
                                            HeaderValue = "string",
                                            Replace = false,
                                        },
                                    },
                                    ResponseHeadersToRemoves = new[]
                                    {
                                        "string",
                                    },
                                },
                            },
                        },
                    },
                    Service = "string",
                    UrlRedirect = new Gcp.Compute.Inputs.URLMapPathMatcherPathRuleUrlRedirectArgs
                    {
                        StripQuery = false,
                        HostRedirect = "string",
                        HttpsRedirect = false,
                        PathRedirect = "string",
                        PrefixRedirect = "string",
                        RedirectResponseCode = "string",
                    },
                },
            },
            RouteRules = new[]
            {
                new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleArgs
                {
                    Priority = 0,
                    CustomErrorResponsePolicy = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleCustomErrorResponsePolicyArgs
                    {
                        ErrorResponseRules = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRuleArgs
                            {
                                MatchResponseCodes = new[]
                                {
                                    "string",
                                },
                                OverrideResponseCode = 0,
                                Path = "string",
                            },
                        },
                        ErrorService = "string",
                    },
                    HeaderAction = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleHeaderActionArgs
                    {
                        RequestHeadersToAdds = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArgs
                            {
                                HeaderName = "string",
                                HeaderValue = "string",
                                Replace = false,
                            },
                        },
                        RequestHeadersToRemoves = new[]
                        {
                            "string",
                        },
                        ResponseHeadersToAdds = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArgs
                            {
                                HeaderName = "string",
                                HeaderValue = "string",
                                Replace = false,
                            },
                        },
                        ResponseHeadersToRemoves = new[]
                        {
                            "string",
                        },
                    },
                    MatchRules = new[]
                    {
                        new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleArgs
                        {
                            FullPathMatch = "string",
                            HeaderMatches = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs
                                {
                                    HeaderName = "string",
                                    ExactMatch = "string",
                                    InvertMatch = false,
                                    PrefixMatch = "string",
                                    PresentMatch = false,
                                    RangeMatch = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatchArgs
                                    {
                                        RangeEnd = 0,
                                        RangeStart = 0,
                                    },
                                    RegexMatch = "string",
                                    SuffixMatch = "string",
                                },
                            },
                            IgnoreCase = false,
                            MetadataFilters = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArgs
                                {
                                    FilterLabels = new[]
                                    {
                                        new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArgs
                                        {
                                            Name = "string",
                                            Value = "string",
                                        },
                                    },
                                    FilterMatchCriteria = "string",
                                },
                            },
                            PathTemplateMatch = "string",
                            PrefixMatch = "string",
                            QueryParameterMatches = new[]
                            {
                                new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs
                                {
                                    Name = "string",
                                    ExactMatch = "string",
                                    PresentMatch = false,
                                    RegexMatch = "string",
                                },
                            },
                            RegexMatch = "string",
                        },
                    },
                    RouteAction = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionArgs
                    {
                        CorsPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionCorsPolicyArgs
                        {
                            AllowCredentials = false,
                            AllowHeaders = new[]
                            {
                                "string",
                            },
                            AllowMethods = new[]
                            {
                                "string",
                            },
                            AllowOriginRegexes = new[]
                            {
                                "string",
                            },
                            AllowOrigins = new[]
                            {
                                "string",
                            },
                            Disabled = false,
                            ExposeHeaders = new[]
                            {
                                "string",
                            },
                            MaxAge = 0,
                        },
                        FaultInjectionPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyArgs
                        {
                            Abort = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbortArgs
                            {
                                HttpStatus = 0,
                                Percentage = 0,
                            },
                            Delay = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayArgs
                            {
                                FixedDelay = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs
                                {
                                    Seconds = "string",
                                    Nanos = 0,
                                },
                                Percentage = 0,
                            },
                        },
                        MaxStreamDuration = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionMaxStreamDurationArgs
                        {
                            Seconds = "string",
                            Nanos = 0,
                        },
                        RequestMirrorPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicyArgs
                        {
                            BackendService = "string",
                        },
                        RetryPolicy = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionRetryPolicyArgs
                        {
                            NumRetries = 0,
                            PerTryTimeout = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeoutArgs
                            {
                                Seconds = "string",
                                Nanos = 0,
                            },
                            RetryConditions = new[]
                            {
                                "string",
                            },
                        },
                        Timeout = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionTimeoutArgs
                        {
                            Seconds = "string",
                            Nanos = 0,
                        },
                        UrlRewrite = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionUrlRewriteArgs
                        {
                            HostRewrite = "string",
                            PathPrefixRewrite = "string",
                            PathTemplateRewrite = "string",
                        },
                        WeightedBackendServices = new[]
                        {
                            new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceArgs
                            {
                                BackendService = "string",
                                Weight = 0,
                                HeaderAction = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionArgs
                                {
                                    RequestHeadersToAdds = new[]
                                    {
                                        new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs
                                        {
                                            HeaderName = "string",
                                            HeaderValue = "string",
                                            Replace = false,
                                        },
                                    },
                                    RequestHeadersToRemoves = new[]
                                    {
                                        "string",
                                    },
                                    ResponseHeadersToAdds = new[]
                                    {
                                        new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs
                                        {
                                            HeaderName = "string",
                                            HeaderValue = "string",
                                            Replace = false,
                                        },
                                    },
                                    ResponseHeadersToRemoves = new[]
                                    {
                                        "string",
                                    },
                                },
                            },
                        },
                    },
                    Service = "string",
                    UrlRedirect = new Gcp.Compute.Inputs.URLMapPathMatcherRouteRuleUrlRedirectArgs
                    {
                        HostRedirect = "string",
                        HttpsRedirect = false,
                        PathRedirect = "string",
                        PrefixRedirect = "string",
                        RedirectResponseCode = "string",
                        StripQuery = false,
                    },
                },
            },
        },
    },
    Project = "string",
    Tests = new[]
    {
        new Gcp.Compute.Inputs.URLMapTestArgs
        {
            Host = "string",
            Path = "string",
            Service = "string",
            Description = "string",
        },
    },
});
Copy
example, err := compute.NewURLMap(ctx, "urlmapResource", &compute.URLMapArgs{
	DefaultCustomErrorResponsePolicy: &compute.URLMapDefaultCustomErrorResponsePolicyArgs{
		ErrorResponseRules: compute.URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArray{
			&compute.URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArgs{
				MatchResponseCodes: pulumi.StringArray{
					pulumi.String("string"),
				},
				OverrideResponseCode: pulumi.Int(0),
				Path:                 pulumi.String("string"),
			},
		},
		ErrorService: pulumi.String("string"),
	},
	DefaultRouteAction: &compute.URLMapDefaultRouteActionArgs{
		CorsPolicy: &compute.URLMapDefaultRouteActionCorsPolicyArgs{
			AllowCredentials: pulumi.Bool(false),
			AllowHeaders: pulumi.StringArray{
				pulumi.String("string"),
			},
			AllowMethods: pulumi.StringArray{
				pulumi.String("string"),
			},
			AllowOriginRegexes: pulumi.StringArray{
				pulumi.String("string"),
			},
			AllowOrigins: pulumi.StringArray{
				pulumi.String("string"),
			},
			Disabled: pulumi.Bool(false),
			ExposeHeaders: pulumi.StringArray{
				pulumi.String("string"),
			},
			MaxAge: pulumi.Int(0),
		},
		FaultInjectionPolicy: &compute.URLMapDefaultRouteActionFaultInjectionPolicyArgs{
			Abort: &compute.URLMapDefaultRouteActionFaultInjectionPolicyAbortArgs{
				HttpStatus: pulumi.Int(0),
				Percentage: pulumi.Float64(0),
			},
			Delay: &compute.URLMapDefaultRouteActionFaultInjectionPolicyDelayArgs{
				FixedDelay: &compute.URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelayArgs{
					Nanos:   pulumi.Int(0),
					Seconds: pulumi.String("string"),
				},
				Percentage: pulumi.Float64(0),
			},
		},
		MaxStreamDuration: &compute.URLMapDefaultRouteActionMaxStreamDurationArgs{
			Seconds: pulumi.String("string"),
			Nanos:   pulumi.Int(0),
		},
		RequestMirrorPolicy: &compute.URLMapDefaultRouteActionRequestMirrorPolicyArgs{
			BackendService: pulumi.String("string"),
		},
		RetryPolicy: &compute.URLMapDefaultRouteActionRetryPolicyArgs{
			NumRetries: pulumi.Int(0),
			PerTryTimeout: &compute.URLMapDefaultRouteActionRetryPolicyPerTryTimeoutArgs{
				Nanos:   pulumi.Int(0),
				Seconds: pulumi.String("string"),
			},
			RetryConditions: pulumi.StringArray{
				pulumi.String("string"),
			},
		},
		Timeout: &compute.URLMapDefaultRouteActionTimeoutArgs{
			Nanos:   pulumi.Int(0),
			Seconds: pulumi.String("string"),
		},
		UrlRewrite: &compute.URLMapDefaultRouteActionUrlRewriteArgs{
			HostRewrite:       pulumi.String("string"),
			PathPrefixRewrite: pulumi.String("string"),
		},
		WeightedBackendServices: compute.URLMapDefaultRouteActionWeightedBackendServiceArray{
			&compute.URLMapDefaultRouteActionWeightedBackendServiceArgs{
				BackendService: pulumi.String("string"),
				HeaderAction: &compute.URLMapDefaultRouteActionWeightedBackendServiceHeaderActionArgs{
					RequestHeadersToAdds: compute.URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArray{
						&compute.URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs{
							HeaderName:  pulumi.String("string"),
							HeaderValue: pulumi.String("string"),
							Replace:     pulumi.Bool(false),
						},
					},
					RequestHeadersToRemoves: pulumi.StringArray{
						pulumi.String("string"),
					},
					ResponseHeadersToAdds: compute.URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArray{
						&compute.URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs{
							HeaderName:  pulumi.String("string"),
							HeaderValue: pulumi.String("string"),
							Replace:     pulumi.Bool(false),
						},
					},
					ResponseHeadersToRemoves: pulumi.StringArray{
						pulumi.String("string"),
					},
				},
				Weight: pulumi.Int(0),
			},
		},
	},
	DefaultService: pulumi.String("string"),
	DefaultUrlRedirect: &compute.URLMapDefaultUrlRedirectArgs{
		StripQuery:           pulumi.Bool(false),
		HostRedirect:         pulumi.String("string"),
		HttpsRedirect:        pulumi.Bool(false),
		PathRedirect:         pulumi.String("string"),
		PrefixRedirect:       pulumi.String("string"),
		RedirectResponseCode: pulumi.String("string"),
	},
	Description: pulumi.String("string"),
	HeaderAction: &compute.URLMapHeaderActionArgs{
		RequestHeadersToAdds: compute.URLMapHeaderActionRequestHeadersToAddArray{
			&compute.URLMapHeaderActionRequestHeadersToAddArgs{
				HeaderName:  pulumi.String("string"),
				HeaderValue: pulumi.String("string"),
				Replace:     pulumi.Bool(false),
			},
		},
		RequestHeadersToRemoves: pulumi.StringArray{
			pulumi.String("string"),
		},
		ResponseHeadersToAdds: compute.URLMapHeaderActionResponseHeadersToAddArray{
			&compute.URLMapHeaderActionResponseHeadersToAddArgs{
				HeaderName:  pulumi.String("string"),
				HeaderValue: pulumi.String("string"),
				Replace:     pulumi.Bool(false),
			},
		},
		ResponseHeadersToRemoves: pulumi.StringArray{
			pulumi.String("string"),
		},
	},
	HostRules: compute.URLMapHostRuleArray{
		&compute.URLMapHostRuleArgs{
			Hosts: pulumi.StringArray{
				pulumi.String("string"),
			},
			PathMatcher: pulumi.String("string"),
			Description: pulumi.String("string"),
		},
	},
	Name: pulumi.String("string"),
	PathMatchers: compute.URLMapPathMatcherArray{
		&compute.URLMapPathMatcherArgs{
			Name: pulumi.String("string"),
			DefaultCustomErrorResponsePolicy: &compute.URLMapPathMatcherDefaultCustomErrorResponsePolicyArgs{
				ErrorResponseRules: compute.URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArray{
					&compute.URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs{
						MatchResponseCodes: pulumi.StringArray{
							pulumi.String("string"),
						},
						OverrideResponseCode: pulumi.Int(0),
						Path:                 pulumi.String("string"),
					},
				},
				ErrorService: pulumi.String("string"),
			},
			DefaultRouteAction: &compute.URLMapPathMatcherDefaultRouteActionArgs{
				CorsPolicy: &compute.URLMapPathMatcherDefaultRouteActionCorsPolicyArgs{
					AllowCredentials: pulumi.Bool(false),
					AllowHeaders: pulumi.StringArray{
						pulumi.String("string"),
					},
					AllowMethods: pulumi.StringArray{
						pulumi.String("string"),
					},
					AllowOriginRegexes: pulumi.StringArray{
						pulumi.String("string"),
					},
					AllowOrigins: pulumi.StringArray{
						pulumi.String("string"),
					},
					Disabled: pulumi.Bool(false),
					ExposeHeaders: pulumi.StringArray{
						pulumi.String("string"),
					},
					MaxAge: pulumi.Int(0),
				},
				FaultInjectionPolicy: &compute.URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyArgs{
					Abort: &compute.URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbortArgs{
						HttpStatus: pulumi.Int(0),
						Percentage: pulumi.Float64(0),
					},
					Delay: &compute.URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayArgs{
						FixedDelay: &compute.URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelayArgs{
							Nanos:   pulumi.Int(0),
							Seconds: pulumi.String("string"),
						},
						Percentage: pulumi.Float64(0),
					},
				},
				MaxStreamDuration: &compute.URLMapPathMatcherDefaultRouteActionMaxStreamDurationArgs{
					Seconds: pulumi.String("string"),
					Nanos:   pulumi.Int(0),
				},
				RequestMirrorPolicy: &compute.URLMapPathMatcherDefaultRouteActionRequestMirrorPolicyArgs{
					BackendService: pulumi.String("string"),
				},
				RetryPolicy: &compute.URLMapPathMatcherDefaultRouteActionRetryPolicyArgs{
					NumRetries: pulumi.Int(0),
					PerTryTimeout: &compute.URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeoutArgs{
						Nanos:   pulumi.Int(0),
						Seconds: pulumi.String("string"),
					},
					RetryConditions: pulumi.StringArray{
						pulumi.String("string"),
					},
				},
				Timeout: &compute.URLMapPathMatcherDefaultRouteActionTimeoutArgs{
					Nanos:   pulumi.Int(0),
					Seconds: pulumi.String("string"),
				},
				UrlRewrite: &compute.URLMapPathMatcherDefaultRouteActionUrlRewriteArgs{
					HostRewrite:       pulumi.String("string"),
					PathPrefixRewrite: pulumi.String("string"),
				},
				WeightedBackendServices: compute.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceArray{
					&compute.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceArgs{
						BackendService: pulumi.String("string"),
						HeaderAction: &compute.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionArgs{
							RequestHeadersToAdds: compute.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArray{
								&compute.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs{
									HeaderName:  pulumi.String("string"),
									HeaderValue: pulumi.String("string"),
									Replace:     pulumi.Bool(false),
								},
							},
							RequestHeadersToRemoves: pulumi.StringArray{
								pulumi.String("string"),
							},
							ResponseHeadersToAdds: compute.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArray{
								&compute.URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs{
									HeaderName:  pulumi.String("string"),
									HeaderValue: pulumi.String("string"),
									Replace:     pulumi.Bool(false),
								},
							},
							ResponseHeadersToRemoves: pulumi.StringArray{
								pulumi.String("string"),
							},
						},
						Weight: pulumi.Int(0),
					},
				},
			},
			DefaultService: pulumi.String("string"),
			DefaultUrlRedirect: &compute.URLMapPathMatcherDefaultUrlRedirectArgs{
				StripQuery:           pulumi.Bool(false),
				HostRedirect:         pulumi.String("string"),
				HttpsRedirect:        pulumi.Bool(false),
				PathRedirect:         pulumi.String("string"),
				PrefixRedirect:       pulumi.String("string"),
				RedirectResponseCode: pulumi.String("string"),
			},
			Description: pulumi.String("string"),
			HeaderAction: &compute.URLMapPathMatcherHeaderActionArgs{
				RequestHeadersToAdds: compute.URLMapPathMatcherHeaderActionRequestHeadersToAddArray{
					&compute.URLMapPathMatcherHeaderActionRequestHeadersToAddArgs{
						HeaderName:  pulumi.String("string"),
						HeaderValue: pulumi.String("string"),
						Replace:     pulumi.Bool(false),
					},
				},
				RequestHeadersToRemoves: pulumi.StringArray{
					pulumi.String("string"),
				},
				ResponseHeadersToAdds: compute.URLMapPathMatcherHeaderActionResponseHeadersToAddArray{
					&compute.URLMapPathMatcherHeaderActionResponseHeadersToAddArgs{
						HeaderName:  pulumi.String("string"),
						HeaderValue: pulumi.String("string"),
						Replace:     pulumi.Bool(false),
					},
				},
				ResponseHeadersToRemoves: pulumi.StringArray{
					pulumi.String("string"),
				},
			},
			PathRules: compute.URLMapPathMatcherPathRuleArray{
				&compute.URLMapPathMatcherPathRuleArgs{
					Paths: pulumi.StringArray{
						pulumi.String("string"),
					},
					CustomErrorResponsePolicy: &compute.URLMapPathMatcherPathRuleCustomErrorResponsePolicyArgs{
						ErrorResponseRules: compute.URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArray{
							&compute.URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArgs{
								MatchResponseCodes: pulumi.StringArray{
									pulumi.String("string"),
								},
								OverrideResponseCode: pulumi.Int(0),
								Path:                 pulumi.String("string"),
							},
						},
						ErrorService: pulumi.String("string"),
					},
					RouteAction: &compute.URLMapPathMatcherPathRuleRouteActionArgs{
						CorsPolicy: &compute.URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs{
							Disabled:         pulumi.Bool(false),
							AllowCredentials: pulumi.Bool(false),
							AllowHeaders: pulumi.StringArray{
								pulumi.String("string"),
							},
							AllowMethods: pulumi.StringArray{
								pulumi.String("string"),
							},
							AllowOriginRegexes: pulumi.StringArray{
								pulumi.String("string"),
							},
							AllowOrigins: pulumi.StringArray{
								pulumi.String("string"),
							},
							ExposeHeaders: pulumi.StringArray{
								pulumi.String("string"),
							},
							MaxAge: pulumi.Int(0),
						},
						FaultInjectionPolicy: &compute.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyArgs{
							Abort: &compute.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbortArgs{
								HttpStatus: pulumi.Int(0),
								Percentage: pulumi.Float64(0),
							},
							Delay: &compute.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayArgs{
								FixedDelay: &compute.URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs{
									Seconds: pulumi.String("string"),
									Nanos:   pulumi.Int(0),
								},
								Percentage: pulumi.Float64(0),
							},
						},
						MaxStreamDuration: &compute.URLMapPathMatcherPathRuleRouteActionMaxStreamDurationArgs{
							Seconds: pulumi.String("string"),
							Nanos:   pulumi.Int(0),
						},
						RequestMirrorPolicy: &compute.URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicyArgs{
							BackendService: pulumi.String("string"),
						},
						RetryPolicy: &compute.URLMapPathMatcherPathRuleRouteActionRetryPolicyArgs{
							NumRetries: pulumi.Int(0),
							PerTryTimeout: &compute.URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeoutArgs{
								Seconds: pulumi.String("string"),
								Nanos:   pulumi.Int(0),
							},
							RetryConditions: pulumi.StringArray{
								pulumi.String("string"),
							},
						},
						Timeout: &compute.URLMapPathMatcherPathRuleRouteActionTimeoutArgs{
							Seconds: pulumi.String("string"),
							Nanos:   pulumi.Int(0),
						},
						UrlRewrite: &compute.URLMapPathMatcherPathRuleRouteActionUrlRewriteArgs{
							HostRewrite:       pulumi.String("string"),
							PathPrefixRewrite: pulumi.String("string"),
						},
						WeightedBackendServices: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArray{
							&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs{
								BackendService: pulumi.String("string"),
								Weight:         pulumi.Int(0),
								HeaderAction: &compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs{
									RequestHeadersToAdds: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArray{
										&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs{
											HeaderName:  pulumi.String("string"),
											HeaderValue: pulumi.String("string"),
											Replace:     pulumi.Bool(false),
										},
									},
									RequestHeadersToRemoves: pulumi.StringArray{
										pulumi.String("string"),
									},
									ResponseHeadersToAdds: compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArray{
										&compute.URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs{
											HeaderName:  pulumi.String("string"),
											HeaderValue: pulumi.String("string"),
											Replace:     pulumi.Bool(false),
										},
									},
									ResponseHeadersToRemoves: pulumi.StringArray{
										pulumi.String("string"),
									},
								},
							},
						},
					},
					Service: pulumi.String("string"),
					UrlRedirect: &compute.URLMapPathMatcherPathRuleUrlRedirectArgs{
						StripQuery:           pulumi.Bool(false),
						HostRedirect:         pulumi.String("string"),
						HttpsRedirect:        pulumi.Bool(false),
						PathRedirect:         pulumi.String("string"),
						PrefixRedirect:       pulumi.String("string"),
						RedirectResponseCode: pulumi.String("string"),
					},
				},
			},
			RouteRules: compute.URLMapPathMatcherRouteRuleArray{
				&compute.URLMapPathMatcherRouteRuleArgs{
					Priority: pulumi.Int(0),
					CustomErrorResponsePolicy: &compute.URLMapPathMatcherRouteRuleCustomErrorResponsePolicyArgs{
						ErrorResponseRules: compute.URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRuleArray{
							&compute.URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRuleArgs{
								MatchResponseCodes: pulumi.StringArray{
									pulumi.String("string"),
								},
								OverrideResponseCode: pulumi.Int(0),
								Path:                 pulumi.String("string"),
							},
						},
						ErrorService: pulumi.String("string"),
					},
					HeaderAction: &compute.URLMapPathMatcherRouteRuleHeaderActionArgs{
						RequestHeadersToAdds: compute.URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArray{
							&compute.URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArgs{
								HeaderName:  pulumi.String("string"),
								HeaderValue: pulumi.String("string"),
								Replace:     pulumi.Bool(false),
							},
						},
						RequestHeadersToRemoves: pulumi.StringArray{
							pulumi.String("string"),
						},
						ResponseHeadersToAdds: compute.URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArray{
							&compute.URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArgs{
								HeaderName:  pulumi.String("string"),
								HeaderValue: pulumi.String("string"),
								Replace:     pulumi.Bool(false),
							},
						},
						ResponseHeadersToRemoves: pulumi.StringArray{
							pulumi.String("string"),
						},
					},
					MatchRules: compute.URLMapPathMatcherRouteRuleMatchRuleArray{
						&compute.URLMapPathMatcherRouteRuleMatchRuleArgs{
							FullPathMatch: pulumi.String("string"),
							HeaderMatches: compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs{
									HeaderName:   pulumi.String("string"),
									ExactMatch:   pulumi.String("string"),
									InvertMatch:  pulumi.Bool(false),
									PrefixMatch:  pulumi.String("string"),
									PresentMatch: pulumi.Bool(false),
									RangeMatch: &compute.URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatchArgs{
										RangeEnd:   pulumi.Int(0),
										RangeStart: pulumi.Int(0),
									},
									RegexMatch:  pulumi.String("string"),
									SuffixMatch: pulumi.String("string"),
								},
							},
							IgnoreCase: pulumi.Bool(false),
							MetadataFilters: compute.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArgs{
									FilterLabels: compute.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArray{
										&compute.URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArgs{
											Name:  pulumi.String("string"),
											Value: pulumi.String("string"),
										},
									},
									FilterMatchCriteria: pulumi.String("string"),
								},
							},
							PathTemplateMatch: pulumi.String("string"),
							PrefixMatch:       pulumi.String("string"),
							QueryParameterMatches: compute.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArray{
								&compute.URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs{
									Name:         pulumi.String("string"),
									ExactMatch:   pulumi.String("string"),
									PresentMatch: pulumi.Bool(false),
									RegexMatch:   pulumi.String("string"),
								},
							},
							RegexMatch: pulumi.String("string"),
						},
					},
					RouteAction: &compute.URLMapPathMatcherRouteRuleRouteActionArgs{
						CorsPolicy: &compute.URLMapPathMatcherRouteRuleRouteActionCorsPolicyArgs{
							AllowCredentials: pulumi.Bool(false),
							AllowHeaders: pulumi.StringArray{
								pulumi.String("string"),
							},
							AllowMethods: pulumi.StringArray{
								pulumi.String("string"),
							},
							AllowOriginRegexes: pulumi.StringArray{
								pulumi.String("string"),
							},
							AllowOrigins: pulumi.StringArray{
								pulumi.String("string"),
							},
							Disabled: pulumi.Bool(false),
							ExposeHeaders: pulumi.StringArray{
								pulumi.String("string"),
							},
							MaxAge: pulumi.Int(0),
						},
						FaultInjectionPolicy: &compute.URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyArgs{
							Abort: &compute.URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbortArgs{
								HttpStatus: pulumi.Int(0),
								Percentage: pulumi.Float64(0),
							},
							Delay: &compute.URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayArgs{
								FixedDelay: &compute.URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs{
									Seconds: pulumi.String("string"),
									Nanos:   pulumi.Int(0),
								},
								Percentage: pulumi.Float64(0),
							},
						},
						MaxStreamDuration: &compute.URLMapPathMatcherRouteRuleRouteActionMaxStreamDurationArgs{
							Seconds: pulumi.String("string"),
							Nanos:   pulumi.Int(0),
						},
						RequestMirrorPolicy: &compute.URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicyArgs{
							BackendService: pulumi.String("string"),
						},
						RetryPolicy: &compute.URLMapPathMatcherRouteRuleRouteActionRetryPolicyArgs{
							NumRetries: pulumi.Int(0),
							PerTryTimeout: &compute.URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeoutArgs{
								Seconds: pulumi.String("string"),
								Nanos:   pulumi.Int(0),
							},
							RetryConditions: pulumi.StringArray{
								pulumi.String("string"),
							},
						},
						Timeout: &compute.URLMapPathMatcherRouteRuleRouteActionTimeoutArgs{
							Seconds: pulumi.String("string"),
							Nanos:   pulumi.Int(0),
						},
						UrlRewrite: &compute.URLMapPathMatcherRouteRuleRouteActionUrlRewriteArgs{
							HostRewrite:         pulumi.String("string"),
							PathPrefixRewrite:   pulumi.String("string"),
							PathTemplateRewrite: pulumi.String("string"),
						},
						WeightedBackendServices: compute.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceArray{
							&compute.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceArgs{
								BackendService: pulumi.String("string"),
								Weight:         pulumi.Int(0),
								HeaderAction: &compute.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionArgs{
									RequestHeadersToAdds: compute.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArray{
										&compute.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs{
											HeaderName:  pulumi.String("string"),
											HeaderValue: pulumi.String("string"),
											Replace:     pulumi.Bool(false),
										},
									},
									RequestHeadersToRemoves: pulumi.StringArray{
										pulumi.String("string"),
									},
									ResponseHeadersToAdds: compute.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArray{
										&compute.URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs{
											HeaderName:  pulumi.String("string"),
											HeaderValue: pulumi.String("string"),
											Replace:     pulumi.Bool(false),
										},
									},
									ResponseHeadersToRemoves: pulumi.StringArray{
										pulumi.String("string"),
									},
								},
							},
						},
					},
					Service: pulumi.String("string"),
					UrlRedirect: &compute.URLMapPathMatcherRouteRuleUrlRedirectArgs{
						HostRedirect:         pulumi.String("string"),
						HttpsRedirect:        pulumi.Bool(false),
						PathRedirect:         pulumi.String("string"),
						PrefixRedirect:       pulumi.String("string"),
						RedirectResponseCode: pulumi.String("string"),
						StripQuery:           pulumi.Bool(false),
					},
				},
			},
		},
	},
	Project: pulumi.String("string"),
	Tests: compute.URLMapTestArray{
		&compute.URLMapTestArgs{
			Host:        pulumi.String("string"),
			Path:        pulumi.String("string"),
			Service:     pulumi.String("string"),
			Description: pulumi.String("string"),
		},
	},
})
Copy
var urlmapResource = new URLMap("urlmapResource", URLMapArgs.builder()
    .defaultCustomErrorResponsePolicy(URLMapDefaultCustomErrorResponsePolicyArgs.builder()
        .errorResponseRules(URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArgs.builder()
            .matchResponseCodes("string")
            .overrideResponseCode(0)
            .path("string")
            .build())
        .errorService("string")
        .build())
    .defaultRouteAction(URLMapDefaultRouteActionArgs.builder()
        .corsPolicy(URLMapDefaultRouteActionCorsPolicyArgs.builder()
            .allowCredentials(false)
            .allowHeaders("string")
            .allowMethods("string")
            .allowOriginRegexes("string")
            .allowOrigins("string")
            .disabled(false)
            .exposeHeaders("string")
            .maxAge(0)
            .build())
        .faultInjectionPolicy(URLMapDefaultRouteActionFaultInjectionPolicyArgs.builder()
            .abort(URLMapDefaultRouteActionFaultInjectionPolicyAbortArgs.builder()
                .httpStatus(0)
                .percentage(0)
                .build())
            .delay(URLMapDefaultRouteActionFaultInjectionPolicyDelayArgs.builder()
                .fixedDelay(URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelayArgs.builder()
                    .nanos(0)
                    .seconds("string")
                    .build())
                .percentage(0)
                .build())
            .build())
        .maxStreamDuration(URLMapDefaultRouteActionMaxStreamDurationArgs.builder()
            .seconds("string")
            .nanos(0)
            .build())
        .requestMirrorPolicy(URLMapDefaultRouteActionRequestMirrorPolicyArgs.builder()
            .backendService("string")
            .build())
        .retryPolicy(URLMapDefaultRouteActionRetryPolicyArgs.builder()
            .numRetries(0)
            .perTryTimeout(URLMapDefaultRouteActionRetryPolicyPerTryTimeoutArgs.builder()
                .nanos(0)
                .seconds("string")
                .build())
            .retryConditions("string")
            .build())
        .timeout(URLMapDefaultRouteActionTimeoutArgs.builder()
            .nanos(0)
            .seconds("string")
            .build())
        .urlRewrite(URLMapDefaultRouteActionUrlRewriteArgs.builder()
            .hostRewrite("string")
            .pathPrefixRewrite("string")
            .build())
        .weightedBackendServices(URLMapDefaultRouteActionWeightedBackendServiceArgs.builder()
            .backendService("string")
            .headerAction(URLMapDefaultRouteActionWeightedBackendServiceHeaderActionArgs.builder()
                .requestHeadersToAdds(URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs.builder()
                    .headerName("string")
                    .headerValue("string")
                    .replace(false)
                    .build())
                .requestHeadersToRemoves("string")
                .responseHeadersToAdds(URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs.builder()
                    .headerName("string")
                    .headerValue("string")
                    .replace(false)
                    .build())
                .responseHeadersToRemoves("string")
                .build())
            .weight(0)
            .build())
        .build())
    .defaultService("string")
    .defaultUrlRedirect(URLMapDefaultUrlRedirectArgs.builder()
        .stripQuery(false)
        .hostRedirect("string")
        .httpsRedirect(false)
        .pathRedirect("string")
        .prefixRedirect("string")
        .redirectResponseCode("string")
        .build())
    .description("string")
    .headerAction(URLMapHeaderActionArgs.builder()
        .requestHeadersToAdds(URLMapHeaderActionRequestHeadersToAddArgs.builder()
            .headerName("string")
            .headerValue("string")
            .replace(false)
            .build())
        .requestHeadersToRemoves("string")
        .responseHeadersToAdds(URLMapHeaderActionResponseHeadersToAddArgs.builder()
            .headerName("string")
            .headerValue("string")
            .replace(false)
            .build())
        .responseHeadersToRemoves("string")
        .build())
    .hostRules(URLMapHostRuleArgs.builder()
        .hosts("string")
        .pathMatcher("string")
        .description("string")
        .build())
    .name("string")
    .pathMatchers(URLMapPathMatcherArgs.builder()
        .name("string")
        .defaultCustomErrorResponsePolicy(URLMapPathMatcherDefaultCustomErrorResponsePolicyArgs.builder()
            .errorResponseRules(URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs.builder()
                .matchResponseCodes("string")
                .overrideResponseCode(0)
                .path("string")
                .build())
            .errorService("string")
            .build())
        .defaultRouteAction(URLMapPathMatcherDefaultRouteActionArgs.builder()
            .corsPolicy(URLMapPathMatcherDefaultRouteActionCorsPolicyArgs.builder()
                .allowCredentials(false)
                .allowHeaders("string")
                .allowMethods("string")
                .allowOriginRegexes("string")
                .allowOrigins("string")
                .disabled(false)
                .exposeHeaders("string")
                .maxAge(0)
                .build())
            .faultInjectionPolicy(URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyArgs.builder()
                .abort(URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbortArgs.builder()
                    .httpStatus(0)
                    .percentage(0)
                    .build())
                .delay(URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayArgs.builder()
                    .fixedDelay(URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelayArgs.builder()
                        .nanos(0)
                        .seconds("string")
                        .build())
                    .percentage(0)
                    .build())
                .build())
            .maxStreamDuration(URLMapPathMatcherDefaultRouteActionMaxStreamDurationArgs.builder()
                .seconds("string")
                .nanos(0)
                .build())
            .requestMirrorPolicy(URLMapPathMatcherDefaultRouteActionRequestMirrorPolicyArgs.builder()
                .backendService("string")
                .build())
            .retryPolicy(URLMapPathMatcherDefaultRouteActionRetryPolicyArgs.builder()
                .numRetries(0)
                .perTryTimeout(URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeoutArgs.builder()
                    .nanos(0)
                    .seconds("string")
                    .build())
                .retryConditions("string")
                .build())
            .timeout(URLMapPathMatcherDefaultRouteActionTimeoutArgs.builder()
                .nanos(0)
                .seconds("string")
                .build())
            .urlRewrite(URLMapPathMatcherDefaultRouteActionUrlRewriteArgs.builder()
                .hostRewrite("string")
                .pathPrefixRewrite("string")
                .build())
            .weightedBackendServices(URLMapPathMatcherDefaultRouteActionWeightedBackendServiceArgs.builder()
                .backendService("string")
                .headerAction(URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionArgs.builder()
                    .requestHeadersToAdds(URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs.builder()
                        .headerName("string")
                        .headerValue("string")
                        .replace(false)
                        .build())
                    .requestHeadersToRemoves("string")
                    .responseHeadersToAdds(URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs.builder()
                        .headerName("string")
                        .headerValue("string")
                        .replace(false)
                        .build())
                    .responseHeadersToRemoves("string")
                    .build())
                .weight(0)
                .build())
            .build())
        .defaultService("string")
        .defaultUrlRedirect(URLMapPathMatcherDefaultUrlRedirectArgs.builder()
            .stripQuery(false)
            .hostRedirect("string")
            .httpsRedirect(false)
            .pathRedirect("string")
            .prefixRedirect("string")
            .redirectResponseCode("string")
            .build())
        .description("string")
        .headerAction(URLMapPathMatcherHeaderActionArgs.builder()
            .requestHeadersToAdds(URLMapPathMatcherHeaderActionRequestHeadersToAddArgs.builder()
                .headerName("string")
                .headerValue("string")
                .replace(false)
                .build())
            .requestHeadersToRemoves("string")
            .responseHeadersToAdds(URLMapPathMatcherHeaderActionResponseHeadersToAddArgs.builder()
                .headerName("string")
                .headerValue("string")
                .replace(false)
                .build())
            .responseHeadersToRemoves("string")
            .build())
        .pathRules(URLMapPathMatcherPathRuleArgs.builder()
            .paths("string")
            .customErrorResponsePolicy(URLMapPathMatcherPathRuleCustomErrorResponsePolicyArgs.builder()
                .errorResponseRules(URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArgs.builder()
                    .matchResponseCodes("string")
                    .overrideResponseCode(0)
                    .path("string")
                    .build())
                .errorService("string")
                .build())
            .routeAction(URLMapPathMatcherPathRuleRouteActionArgs.builder()
                .corsPolicy(URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs.builder()
                    .disabled(false)
                    .allowCredentials(false)
                    .allowHeaders("string")
                    .allowMethods("string")
                    .allowOriginRegexes("string")
                    .allowOrigins("string")
                    .exposeHeaders("string")
                    .maxAge(0)
                    .build())
                .faultInjectionPolicy(URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyArgs.builder()
                    .abort(URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbortArgs.builder()
                        .httpStatus(0)
                        .percentage(0)
                        .build())
                    .delay(URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayArgs.builder()
                        .fixedDelay(URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs.builder()
                            .seconds("string")
                            .nanos(0)
                            .build())
                        .percentage(0)
                        .build())
                    .build())
                .maxStreamDuration(URLMapPathMatcherPathRuleRouteActionMaxStreamDurationArgs.builder()
                    .seconds("string")
                    .nanos(0)
                    .build())
                .requestMirrorPolicy(URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicyArgs.builder()
                    .backendService("string")
                    .build())
                .retryPolicy(URLMapPathMatcherPathRuleRouteActionRetryPolicyArgs.builder()
                    .numRetries(0)
                    .perTryTimeout(URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeoutArgs.builder()
                        .seconds("string")
                        .nanos(0)
                        .build())
                    .retryConditions("string")
                    .build())
                .timeout(URLMapPathMatcherPathRuleRouteActionTimeoutArgs.builder()
                    .seconds("string")
                    .nanos(0)
                    .build())
                .urlRewrite(URLMapPathMatcherPathRuleRouteActionUrlRewriteArgs.builder()
                    .hostRewrite("string")
                    .pathPrefixRewrite("string")
                    .build())
                .weightedBackendServices(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs.builder()
                    .backendService("string")
                    .weight(0)
                    .headerAction(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs.builder()
                        .requestHeadersToAdds(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs.builder()
                            .headerName("string")
                            .headerValue("string")
                            .replace(false)
                            .build())
                        .requestHeadersToRemoves("string")
                        .responseHeadersToAdds(URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs.builder()
                            .headerName("string")
                            .headerValue("string")
                            .replace(false)
                            .build())
                        .responseHeadersToRemoves("string")
                        .build())
                    .build())
                .build())
            .service("string")
            .urlRedirect(URLMapPathMatcherPathRuleUrlRedirectArgs.builder()
                .stripQuery(false)
                .hostRedirect("string")
                .httpsRedirect(false)
                .pathRedirect("string")
                .prefixRedirect("string")
                .redirectResponseCode("string")
                .build())
            .build())
        .routeRules(URLMapPathMatcherRouteRuleArgs.builder()
            .priority(0)
            .customErrorResponsePolicy(URLMapPathMatcherRouteRuleCustomErrorResponsePolicyArgs.builder()
                .errorResponseRules(URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRuleArgs.builder()
                    .matchResponseCodes("string")
                    .overrideResponseCode(0)
                    .path("string")
                    .build())
                .errorService("string")
                .build())
            .headerAction(URLMapPathMatcherRouteRuleHeaderActionArgs.builder()
                .requestHeadersToAdds(URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArgs.builder()
                    .headerName("string")
                    .headerValue("string")
                    .replace(false)
                    .build())
                .requestHeadersToRemoves("string")
                .responseHeadersToAdds(URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArgs.builder()
                    .headerName("string")
                    .headerValue("string")
                    .replace(false)
                    .build())
                .responseHeadersToRemoves("string")
                .build())
            .matchRules(URLMapPathMatcherRouteRuleMatchRuleArgs.builder()
                .fullPathMatch("string")
                .headerMatches(URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs.builder()
                    .headerName("string")
                    .exactMatch("string")
                    .invertMatch(false)
                    .prefixMatch("string")
                    .presentMatch(false)
                    .rangeMatch(URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatchArgs.builder()
                        .rangeEnd(0)
                        .rangeStart(0)
                        .build())
                    .regexMatch("string")
                    .suffixMatch("string")
                    .build())
                .ignoreCase(false)
                .metadataFilters(URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArgs.builder()
                    .filterLabels(URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArgs.builder()
                        .name("string")
                        .value("string")
                        .build())
                    .filterMatchCriteria("string")
                    .build())
                .pathTemplateMatch("string")
                .prefixMatch("string")
                .queryParameterMatches(URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs.builder()
                    .name("string")
                    .exactMatch("string")
                    .presentMatch(false)
                    .regexMatch("string")
                    .build())
                .regexMatch("string")
                .build())
            .routeAction(URLMapPathMatcherRouteRuleRouteActionArgs.builder()
                .corsPolicy(URLMapPathMatcherRouteRuleRouteActionCorsPolicyArgs.builder()
                    .allowCredentials(false)
                    .allowHeaders("string")
                    .allowMethods("string")
                    .allowOriginRegexes("string")
                    .allowOrigins("string")
                    .disabled(false)
                    .exposeHeaders("string")
                    .maxAge(0)
                    .build())
                .faultInjectionPolicy(URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyArgs.builder()
                    .abort(URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbortArgs.builder()
                        .httpStatus(0)
                        .percentage(0)
                        .build())
                    .delay(URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayArgs.builder()
                        .fixedDelay(URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs.builder()
                            .seconds("string")
                            .nanos(0)
                            .build())
                        .percentage(0)
                        .build())
                    .build())
                .maxStreamDuration(URLMapPathMatcherRouteRuleRouteActionMaxStreamDurationArgs.builder()
                    .seconds("string")
                    .nanos(0)
                    .build())
                .requestMirrorPolicy(URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicyArgs.builder()
                    .backendService("string")
                    .build())
                .retryPolicy(URLMapPathMatcherRouteRuleRouteActionRetryPolicyArgs.builder()
                    .numRetries(0)
                    .perTryTimeout(URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeoutArgs.builder()
                        .seconds("string")
                        .nanos(0)
                        .build())
                    .retryConditions("string")
                    .build())
                .timeout(URLMapPathMatcherRouteRuleRouteActionTimeoutArgs.builder()
                    .seconds("string")
                    .nanos(0)
                    .build())
                .urlRewrite(URLMapPathMatcherRouteRuleRouteActionUrlRewriteArgs.builder()
                    .hostRewrite("string")
                    .pathPrefixRewrite("string")
                    .pathTemplateRewrite("string")
                    .build())
                .weightedBackendServices(URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceArgs.builder()
                    .backendService("string")
                    .weight(0)
                    .headerAction(URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionArgs.builder()
                        .requestHeadersToAdds(URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs.builder()
                            .headerName("string")
                            .headerValue("string")
                            .replace(false)
                            .build())
                        .requestHeadersToRemoves("string")
                        .responseHeadersToAdds(URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs.builder()
                            .headerName("string")
                            .headerValue("string")
                            .replace(false)
                            .build())
                        .responseHeadersToRemoves("string")
                        .build())
                    .build())
                .build())
            .service("string")
            .urlRedirect(URLMapPathMatcherRouteRuleUrlRedirectArgs.builder()
                .hostRedirect("string")
                .httpsRedirect(false)
                .pathRedirect("string")
                .prefixRedirect("string")
                .redirectResponseCode("string")
                .stripQuery(false)
                .build())
            .build())
        .build())
    .project("string")
    .tests(URLMapTestArgs.builder()
        .host("string")
        .path("string")
        .service("string")
        .description("string")
        .build())
    .build());
Copy
urlmap_resource = gcp.compute.URLMap("urlmapResource",
    default_custom_error_response_policy={
        "error_response_rules": [{
            "match_response_codes": ["string"],
            "override_response_code": 0,
            "path": "string",
        }],
        "error_service": "string",
    },
    default_route_action={
        "cors_policy": {
            "allow_credentials": False,
            "allow_headers": ["string"],
            "allow_methods": ["string"],
            "allow_origin_regexes": ["string"],
            "allow_origins": ["string"],
            "disabled": False,
            "expose_headers": ["string"],
            "max_age": 0,
        },
        "fault_injection_policy": {
            "abort": {
                "http_status": 0,
                "percentage": 0,
            },
            "delay": {
                "fixed_delay": {
                    "nanos": 0,
                    "seconds": "string",
                },
                "percentage": 0,
            },
        },
        "max_stream_duration": {
            "seconds": "string",
            "nanos": 0,
        },
        "request_mirror_policy": {
            "backend_service": "string",
        },
        "retry_policy": {
            "num_retries": 0,
            "per_try_timeout": {
                "nanos": 0,
                "seconds": "string",
            },
            "retry_conditions": ["string"],
        },
        "timeout": {
            "nanos": 0,
            "seconds": "string",
        },
        "url_rewrite": {
            "host_rewrite": "string",
            "path_prefix_rewrite": "string",
        },
        "weighted_backend_services": [{
            "backend_service": "string",
            "header_action": {
                "request_headers_to_adds": [{
                    "header_name": "string",
                    "header_value": "string",
                    "replace": False,
                }],
                "request_headers_to_removes": ["string"],
                "response_headers_to_adds": [{
                    "header_name": "string",
                    "header_value": "string",
                    "replace": False,
                }],
                "response_headers_to_removes": ["string"],
            },
            "weight": 0,
        }],
    },
    default_service="string",
    default_url_redirect={
        "strip_query": False,
        "host_redirect": "string",
        "https_redirect": False,
        "path_redirect": "string",
        "prefix_redirect": "string",
        "redirect_response_code": "string",
    },
    description="string",
    header_action={
        "request_headers_to_adds": [{
            "header_name": "string",
            "header_value": "string",
            "replace": False,
        }],
        "request_headers_to_removes": ["string"],
        "response_headers_to_adds": [{
            "header_name": "string",
            "header_value": "string",
            "replace": False,
        }],
        "response_headers_to_removes": ["string"],
    },
    host_rules=[{
        "hosts": ["string"],
        "path_matcher": "string",
        "description": "string",
    }],
    name="string",
    path_matchers=[{
        "name": "string",
        "default_custom_error_response_policy": {
            "error_response_rules": [{
                "match_response_codes": ["string"],
                "override_response_code": 0,
                "path": "string",
            }],
            "error_service": "string",
        },
        "default_route_action": {
            "cors_policy": {
                "allow_credentials": False,
                "allow_headers": ["string"],
                "allow_methods": ["string"],
                "allow_origin_regexes": ["string"],
                "allow_origins": ["string"],
                "disabled": False,
                "expose_headers": ["string"],
                "max_age": 0,
            },
            "fault_injection_policy": {
                "abort": {
                    "http_status": 0,
                    "percentage": 0,
                },
                "delay": {
                    "fixed_delay": {
                        "nanos": 0,
                        "seconds": "string",
                    },
                    "percentage": 0,
                },
            },
            "max_stream_duration": {
                "seconds": "string",
                "nanos": 0,
            },
            "request_mirror_policy": {
                "backend_service": "string",
            },
            "retry_policy": {
                "num_retries": 0,
                "per_try_timeout": {
                    "nanos": 0,
                    "seconds": "string",
                },
                "retry_conditions": ["string"],
            },
            "timeout": {
                "nanos": 0,
                "seconds": "string",
            },
            "url_rewrite": {
                "host_rewrite": "string",
                "path_prefix_rewrite": "string",
            },
            "weighted_backend_services": [{
                "backend_service": "string",
                "header_action": {
                    "request_headers_to_adds": [{
                        "header_name": "string",
                        "header_value": "string",
                        "replace": False,
                    }],
                    "request_headers_to_removes": ["string"],
                    "response_headers_to_adds": [{
                        "header_name": "string",
                        "header_value": "string",
                        "replace": False,
                    }],
                    "response_headers_to_removes": ["string"],
                },
                "weight": 0,
            }],
        },
        "default_service": "string",
        "default_url_redirect": {
            "strip_query": False,
            "host_redirect": "string",
            "https_redirect": False,
            "path_redirect": "string",
            "prefix_redirect": "string",
            "redirect_response_code": "string",
        },
        "description": "string",
        "header_action": {
            "request_headers_to_adds": [{
                "header_name": "string",
                "header_value": "string",
                "replace": False,
            }],
            "request_headers_to_removes": ["string"],
            "response_headers_to_adds": [{
                "header_name": "string",
                "header_value": "string",
                "replace": False,
            }],
            "response_headers_to_removes": ["string"],
        },
        "path_rules": [{
            "paths": ["string"],
            "custom_error_response_policy": {
                "error_response_rules": [{
                    "match_response_codes": ["string"],
                    "override_response_code": 0,
                    "path": "string",
                }],
                "error_service": "string",
            },
            "route_action": {
                "cors_policy": {
                    "disabled": False,
                    "allow_credentials": False,
                    "allow_headers": ["string"],
                    "allow_methods": ["string"],
                    "allow_origin_regexes": ["string"],
                    "allow_origins": ["string"],
                    "expose_headers": ["string"],
                    "max_age": 0,
                },
                "fault_injection_policy": {
                    "abort": {
                        "http_status": 0,
                        "percentage": 0,
                    },
                    "delay": {
                        "fixed_delay": {
                            "seconds": "string",
                            "nanos": 0,
                        },
                        "percentage": 0,
                    },
                },
                "max_stream_duration": {
                    "seconds": "string",
                    "nanos": 0,
                },
                "request_mirror_policy": {
                    "backend_service": "string",
                },
                "retry_policy": {
                    "num_retries": 0,
                    "per_try_timeout": {
                        "seconds": "string",
                        "nanos": 0,
                    },
                    "retry_conditions": ["string"],
                },
                "timeout": {
                    "seconds": "string",
                    "nanos": 0,
                },
                "url_rewrite": {
                    "host_rewrite": "string",
                    "path_prefix_rewrite": "string",
                },
                "weighted_backend_services": [{
                    "backend_service": "string",
                    "weight": 0,
                    "header_action": {
                        "request_headers_to_adds": [{
                            "header_name": "string",
                            "header_value": "string",
                            "replace": False,
                        }],
                        "request_headers_to_removes": ["string"],
                        "response_headers_to_adds": [{
                            "header_name": "string",
                            "header_value": "string",
                            "replace": False,
                        }],
                        "response_headers_to_removes": ["string"],
                    },
                }],
            },
            "service": "string",
            "url_redirect": {
                "strip_query": False,
                "host_redirect": "string",
                "https_redirect": False,
                "path_redirect": "string",
                "prefix_redirect": "string",
                "redirect_response_code": "string",
            },
        }],
        "route_rules": [{
            "priority": 0,
            "custom_error_response_policy": {
                "error_response_rules": [{
                    "match_response_codes": ["string"],
                    "override_response_code": 0,
                    "path": "string",
                }],
                "error_service": "string",
            },
            "header_action": {
                "request_headers_to_adds": [{
                    "header_name": "string",
                    "header_value": "string",
                    "replace": False,
                }],
                "request_headers_to_removes": ["string"],
                "response_headers_to_adds": [{
                    "header_name": "string",
                    "header_value": "string",
                    "replace": False,
                }],
                "response_headers_to_removes": ["string"],
            },
            "match_rules": [{
                "full_path_match": "string",
                "header_matches": [{
                    "header_name": "string",
                    "exact_match": "string",
                    "invert_match": False,
                    "prefix_match": "string",
                    "present_match": False,
                    "range_match": {
                        "range_end": 0,
                        "range_start": 0,
                    },
                    "regex_match": "string",
                    "suffix_match": "string",
                }],
                "ignore_case": False,
                "metadata_filters": [{
                    "filter_labels": [{
                        "name": "string",
                        "value": "string",
                    }],
                    "filter_match_criteria": "string",
                }],
                "path_template_match": "string",
                "prefix_match": "string",
                "query_parameter_matches": [{
                    "name": "string",
                    "exact_match": "string",
                    "present_match": False,
                    "regex_match": "string",
                }],
                "regex_match": "string",
            }],
            "route_action": {
                "cors_policy": {
                    "allow_credentials": False,
                    "allow_headers": ["string"],
                    "allow_methods": ["string"],
                    "allow_origin_regexes": ["string"],
                    "allow_origins": ["string"],
                    "disabled": False,
                    "expose_headers": ["string"],
                    "max_age": 0,
                },
                "fault_injection_policy": {
                    "abort": {
                        "http_status": 0,
                        "percentage": 0,
                    },
                    "delay": {
                        "fixed_delay": {
                            "seconds": "string",
                            "nanos": 0,
                        },
                        "percentage": 0,
                    },
                },
                "max_stream_duration": {
                    "seconds": "string",
                    "nanos": 0,
                },
                "request_mirror_policy": {
                    "backend_service": "string",
                },
                "retry_policy": {
                    "num_retries": 0,
                    "per_try_timeout": {
                        "seconds": "string",
                        "nanos": 0,
                    },
                    "retry_conditions": ["string"],
                },
                "timeout": {
                    "seconds": "string",
                    "nanos": 0,
                },
                "url_rewrite": {
                    "host_rewrite": "string",
                    "path_prefix_rewrite": "string",
                    "path_template_rewrite": "string",
                },
                "weighted_backend_services": [{
                    "backend_service": "string",
                    "weight": 0,
                    "header_action": {
                        "request_headers_to_adds": [{
                            "header_name": "string",
                            "header_value": "string",
                            "replace": False,
                        }],
                        "request_headers_to_removes": ["string"],
                        "response_headers_to_adds": [{
                            "header_name": "string",
                            "header_value": "string",
                            "replace": False,
                        }],
                        "response_headers_to_removes": ["string"],
                    },
                }],
            },
            "service": "string",
            "url_redirect": {
                "host_redirect": "string",
                "https_redirect": False,
                "path_redirect": "string",
                "prefix_redirect": "string",
                "redirect_response_code": "string",
                "strip_query": False,
            },
        }],
    }],
    project="string",
    tests=[{
        "host": "string",
        "path": "string",
        "service": "string",
        "description": "string",
    }])
Copy
const urlmapResource = new gcp.compute.URLMap("urlmapResource", {
    defaultCustomErrorResponsePolicy: {
        errorResponseRules: [{
            matchResponseCodes: ["string"],
            overrideResponseCode: 0,
            path: "string",
        }],
        errorService: "string",
    },
    defaultRouteAction: {
        corsPolicy: {
            allowCredentials: false,
            allowHeaders: ["string"],
            allowMethods: ["string"],
            allowOriginRegexes: ["string"],
            allowOrigins: ["string"],
            disabled: false,
            exposeHeaders: ["string"],
            maxAge: 0,
        },
        faultInjectionPolicy: {
            abort: {
                httpStatus: 0,
                percentage: 0,
            },
            delay: {
                fixedDelay: {
                    nanos: 0,
                    seconds: "string",
                },
                percentage: 0,
            },
        },
        maxStreamDuration: {
            seconds: "string",
            nanos: 0,
        },
        requestMirrorPolicy: {
            backendService: "string",
        },
        retryPolicy: {
            numRetries: 0,
            perTryTimeout: {
                nanos: 0,
                seconds: "string",
            },
            retryConditions: ["string"],
        },
        timeout: {
            nanos: 0,
            seconds: "string",
        },
        urlRewrite: {
            hostRewrite: "string",
            pathPrefixRewrite: "string",
        },
        weightedBackendServices: [{
            backendService: "string",
            headerAction: {
                requestHeadersToAdds: [{
                    headerName: "string",
                    headerValue: "string",
                    replace: false,
                }],
                requestHeadersToRemoves: ["string"],
                responseHeadersToAdds: [{
                    headerName: "string",
                    headerValue: "string",
                    replace: false,
                }],
                responseHeadersToRemoves: ["string"],
            },
            weight: 0,
        }],
    },
    defaultService: "string",
    defaultUrlRedirect: {
        stripQuery: false,
        hostRedirect: "string",
        httpsRedirect: false,
        pathRedirect: "string",
        prefixRedirect: "string",
        redirectResponseCode: "string",
    },
    description: "string",
    headerAction: {
        requestHeadersToAdds: [{
            headerName: "string",
            headerValue: "string",
            replace: false,
        }],
        requestHeadersToRemoves: ["string"],
        responseHeadersToAdds: [{
            headerName: "string",
            headerValue: "string",
            replace: false,
        }],
        responseHeadersToRemoves: ["string"],
    },
    hostRules: [{
        hosts: ["string"],
        pathMatcher: "string",
        description: "string",
    }],
    name: "string",
    pathMatchers: [{
        name: "string",
        defaultCustomErrorResponsePolicy: {
            errorResponseRules: [{
                matchResponseCodes: ["string"],
                overrideResponseCode: 0,
                path: "string",
            }],
            errorService: "string",
        },
        defaultRouteAction: {
            corsPolicy: {
                allowCredentials: false,
                allowHeaders: ["string"],
                allowMethods: ["string"],
                allowOriginRegexes: ["string"],
                allowOrigins: ["string"],
                disabled: false,
                exposeHeaders: ["string"],
                maxAge: 0,
            },
            faultInjectionPolicy: {
                abort: {
                    httpStatus: 0,
                    percentage: 0,
                },
                delay: {
                    fixedDelay: {
                        nanos: 0,
                        seconds: "string",
                    },
                    percentage: 0,
                },
            },
            maxStreamDuration: {
                seconds: "string",
                nanos: 0,
            },
            requestMirrorPolicy: {
                backendService: "string",
            },
            retryPolicy: {
                numRetries: 0,
                perTryTimeout: {
                    nanos: 0,
                    seconds: "string",
                },
                retryConditions: ["string"],
            },
            timeout: {
                nanos: 0,
                seconds: "string",
            },
            urlRewrite: {
                hostRewrite: "string",
                pathPrefixRewrite: "string",
            },
            weightedBackendServices: [{
                backendService: "string",
                headerAction: {
                    requestHeadersToAdds: [{
                        headerName: "string",
                        headerValue: "string",
                        replace: false,
                    }],
                    requestHeadersToRemoves: ["string"],
                    responseHeadersToAdds: [{
                        headerName: "string",
                        headerValue: "string",
                        replace: false,
                    }],
                    responseHeadersToRemoves: ["string"],
                },
                weight: 0,
            }],
        },
        defaultService: "string",
        defaultUrlRedirect: {
            stripQuery: false,
            hostRedirect: "string",
            httpsRedirect: false,
            pathRedirect: "string",
            prefixRedirect: "string",
            redirectResponseCode: "string",
        },
        description: "string",
        headerAction: {
            requestHeadersToAdds: [{
                headerName: "string",
                headerValue: "string",
                replace: false,
            }],
            requestHeadersToRemoves: ["string"],
            responseHeadersToAdds: [{
                headerName: "string",
                headerValue: "string",
                replace: false,
            }],
            responseHeadersToRemoves: ["string"],
        },
        pathRules: [{
            paths: ["string"],
            customErrorResponsePolicy: {
                errorResponseRules: [{
                    matchResponseCodes: ["string"],
                    overrideResponseCode: 0,
                    path: "string",
                }],
                errorService: "string",
            },
            routeAction: {
                corsPolicy: {
                    disabled: false,
                    allowCredentials: false,
                    allowHeaders: ["string"],
                    allowMethods: ["string"],
                    allowOriginRegexes: ["string"],
                    allowOrigins: ["string"],
                    exposeHeaders: ["string"],
                    maxAge: 0,
                },
                faultInjectionPolicy: {
                    abort: {
                        httpStatus: 0,
                        percentage: 0,
                    },
                    delay: {
                        fixedDelay: {
                            seconds: "string",
                            nanos: 0,
                        },
                        percentage: 0,
                    },
                },
                maxStreamDuration: {
                    seconds: "string",
                    nanos: 0,
                },
                requestMirrorPolicy: {
                    backendService: "string",
                },
                retryPolicy: {
                    numRetries: 0,
                    perTryTimeout: {
                        seconds: "string",
                        nanos: 0,
                    },
                    retryConditions: ["string"],
                },
                timeout: {
                    seconds: "string",
                    nanos: 0,
                },
                urlRewrite: {
                    hostRewrite: "string",
                    pathPrefixRewrite: "string",
                },
                weightedBackendServices: [{
                    backendService: "string",
                    weight: 0,
                    headerAction: {
                        requestHeadersToAdds: [{
                            headerName: "string",
                            headerValue: "string",
                            replace: false,
                        }],
                        requestHeadersToRemoves: ["string"],
                        responseHeadersToAdds: [{
                            headerName: "string",
                            headerValue: "string",
                            replace: false,
                        }],
                        responseHeadersToRemoves: ["string"],
                    },
                }],
            },
            service: "string",
            urlRedirect: {
                stripQuery: false,
                hostRedirect: "string",
                httpsRedirect: false,
                pathRedirect: "string",
                prefixRedirect: "string",
                redirectResponseCode: "string",
            },
        }],
        routeRules: [{
            priority: 0,
            customErrorResponsePolicy: {
                errorResponseRules: [{
                    matchResponseCodes: ["string"],
                    overrideResponseCode: 0,
                    path: "string",
                }],
                errorService: "string",
            },
            headerAction: {
                requestHeadersToAdds: [{
                    headerName: "string",
                    headerValue: "string",
                    replace: false,
                }],
                requestHeadersToRemoves: ["string"],
                responseHeadersToAdds: [{
                    headerName: "string",
                    headerValue: "string",
                    replace: false,
                }],
                responseHeadersToRemoves: ["string"],
            },
            matchRules: [{
                fullPathMatch: "string",
                headerMatches: [{
                    headerName: "string",
                    exactMatch: "string",
                    invertMatch: false,
                    prefixMatch: "string",
                    presentMatch: false,
                    rangeMatch: {
                        rangeEnd: 0,
                        rangeStart: 0,
                    },
                    regexMatch: "string",
                    suffixMatch: "string",
                }],
                ignoreCase: false,
                metadataFilters: [{
                    filterLabels: [{
                        name: "string",
                        value: "string",
                    }],
                    filterMatchCriteria: "string",
                }],
                pathTemplateMatch: "string",
                prefixMatch: "string",
                queryParameterMatches: [{
                    name: "string",
                    exactMatch: "string",
                    presentMatch: false,
                    regexMatch: "string",
                }],
                regexMatch: "string",
            }],
            routeAction: {
                corsPolicy: {
                    allowCredentials: false,
                    allowHeaders: ["string"],
                    allowMethods: ["string"],
                    allowOriginRegexes: ["string"],
                    allowOrigins: ["string"],
                    disabled: false,
                    exposeHeaders: ["string"],
                    maxAge: 0,
                },
                faultInjectionPolicy: {
                    abort: {
                        httpStatus: 0,
                        percentage: 0,
                    },
                    delay: {
                        fixedDelay: {
                            seconds: "string",
                            nanos: 0,
                        },
                        percentage: 0,
                    },
                },
                maxStreamDuration: {
                    seconds: "string",
                    nanos: 0,
                },
                requestMirrorPolicy: {
                    backendService: "string",
                },
                retryPolicy: {
                    numRetries: 0,
                    perTryTimeout: {
                        seconds: "string",
                        nanos: 0,
                    },
                    retryConditions: ["string"],
                },
                timeout: {
                    seconds: "string",
                    nanos: 0,
                },
                urlRewrite: {
                    hostRewrite: "string",
                    pathPrefixRewrite: "string",
                    pathTemplateRewrite: "string",
                },
                weightedBackendServices: [{
                    backendService: "string",
                    weight: 0,
                    headerAction: {
                        requestHeadersToAdds: [{
                            headerName: "string",
                            headerValue: "string",
                            replace: false,
                        }],
                        requestHeadersToRemoves: ["string"],
                        responseHeadersToAdds: [{
                            headerName: "string",
                            headerValue: "string",
                            replace: false,
                        }],
                        responseHeadersToRemoves: ["string"],
                    },
                }],
            },
            service: "string",
            urlRedirect: {
                hostRedirect: "string",
                httpsRedirect: false,
                pathRedirect: "string",
                prefixRedirect: "string",
                redirectResponseCode: "string",
                stripQuery: false,
            },
        }],
    }],
    project: "string",
    tests: [{
        host: "string",
        path: "string",
        service: "string",
        description: "string",
    }],
});
Copy
type: gcp:compute:URLMap
properties:
    defaultCustomErrorResponsePolicy:
        errorResponseRules:
            - matchResponseCodes:
                - string
              overrideResponseCode: 0
              path: string
        errorService: string
    defaultRouteAction:
        corsPolicy:
            allowCredentials: false
            allowHeaders:
                - string
            allowMethods:
                - string
            allowOriginRegexes:
                - string
            allowOrigins:
                - string
            disabled: false
            exposeHeaders:
                - string
            maxAge: 0
        faultInjectionPolicy:
            abort:
                httpStatus: 0
                percentage: 0
            delay:
                fixedDelay:
                    nanos: 0
                    seconds: string
                percentage: 0
        maxStreamDuration:
            nanos: 0
            seconds: string
        requestMirrorPolicy:
            backendService: string
        retryPolicy:
            numRetries: 0
            perTryTimeout:
                nanos: 0
                seconds: string
            retryConditions:
                - string
        timeout:
            nanos: 0
            seconds: string
        urlRewrite:
            hostRewrite: string
            pathPrefixRewrite: string
        weightedBackendServices:
            - backendService: string
              headerAction:
                requestHeadersToAdds:
                    - headerName: string
                      headerValue: string
                      replace: false
                requestHeadersToRemoves:
                    - string
                responseHeadersToAdds:
                    - headerName: string
                      headerValue: string
                      replace: false
                responseHeadersToRemoves:
                    - string
              weight: 0
    defaultService: string
    defaultUrlRedirect:
        hostRedirect: string
        httpsRedirect: false
        pathRedirect: string
        prefixRedirect: string
        redirectResponseCode: string
        stripQuery: false
    description: string
    headerAction:
        requestHeadersToAdds:
            - headerName: string
              headerValue: string
              replace: false
        requestHeadersToRemoves:
            - string
        responseHeadersToAdds:
            - headerName: string
              headerValue: string
              replace: false
        responseHeadersToRemoves:
            - string
    hostRules:
        - description: string
          hosts:
            - string
          pathMatcher: string
    name: string
    pathMatchers:
        - defaultCustomErrorResponsePolicy:
            errorResponseRules:
                - matchResponseCodes:
                    - string
                  overrideResponseCode: 0
                  path: string
            errorService: string
          defaultRouteAction:
            corsPolicy:
                allowCredentials: false
                allowHeaders:
                    - string
                allowMethods:
                    - string
                allowOriginRegexes:
                    - string
                allowOrigins:
                    - string
                disabled: false
                exposeHeaders:
                    - string
                maxAge: 0
            faultInjectionPolicy:
                abort:
                    httpStatus: 0
                    percentage: 0
                delay:
                    fixedDelay:
                        nanos: 0
                        seconds: string
                    percentage: 0
            maxStreamDuration:
                nanos: 0
                seconds: string
            requestMirrorPolicy:
                backendService: string
            retryPolicy:
                numRetries: 0
                perTryTimeout:
                    nanos: 0
                    seconds: string
                retryConditions:
                    - string
            timeout:
                nanos: 0
                seconds: string
            urlRewrite:
                hostRewrite: string
                pathPrefixRewrite: string
            weightedBackendServices:
                - backendService: string
                  headerAction:
                    requestHeadersToAdds:
                        - headerName: string
                          headerValue: string
                          replace: false
                    requestHeadersToRemoves:
                        - string
                    responseHeadersToAdds:
                        - headerName: string
                          headerValue: string
                          replace: false
                    responseHeadersToRemoves:
                        - string
                  weight: 0
          defaultService: string
          defaultUrlRedirect:
            hostRedirect: string
            httpsRedirect: false
            pathRedirect: string
            prefixRedirect: string
            redirectResponseCode: string
            stripQuery: false
          description: string
          headerAction:
            requestHeadersToAdds:
                - headerName: string
                  headerValue: string
                  replace: false
            requestHeadersToRemoves:
                - string
            responseHeadersToAdds:
                - headerName: string
                  headerValue: string
                  replace: false
            responseHeadersToRemoves:
                - string
          name: string
          pathRules:
            - customErrorResponsePolicy:
                errorResponseRules:
                    - matchResponseCodes:
                        - string
                      overrideResponseCode: 0
                      path: string
                errorService: string
              paths:
                - string
              routeAction:
                corsPolicy:
                    allowCredentials: false
                    allowHeaders:
                        - string
                    allowMethods:
                        - string
                    allowOriginRegexes:
                        - string
                    allowOrigins:
                        - string
                    disabled: false
                    exposeHeaders:
                        - string
                    maxAge: 0
                faultInjectionPolicy:
                    abort:
                        httpStatus: 0
                        percentage: 0
                    delay:
                        fixedDelay:
                            nanos: 0
                            seconds: string
                        percentage: 0
                maxStreamDuration:
                    nanos: 0
                    seconds: string
                requestMirrorPolicy:
                    backendService: string
                retryPolicy:
                    numRetries: 0
                    perTryTimeout:
                        nanos: 0
                        seconds: string
                    retryConditions:
                        - string
                timeout:
                    nanos: 0
                    seconds: string
                urlRewrite:
                    hostRewrite: string
                    pathPrefixRewrite: string
                weightedBackendServices:
                    - backendService: string
                      headerAction:
                        requestHeadersToAdds:
                            - headerName: string
                              headerValue: string
                              replace: false
                        requestHeadersToRemoves:
                            - string
                        responseHeadersToAdds:
                            - headerName: string
                              headerValue: string
                              replace: false
                        responseHeadersToRemoves:
                            - string
                      weight: 0
              service: string
              urlRedirect:
                hostRedirect: string
                httpsRedirect: false
                pathRedirect: string
                prefixRedirect: string
                redirectResponseCode: string
                stripQuery: false
          routeRules:
            - customErrorResponsePolicy:
                errorResponseRules:
                    - matchResponseCodes:
                        - string
                      overrideResponseCode: 0
                      path: string
                errorService: string
              headerAction:
                requestHeadersToAdds:
                    - headerName: string
                      headerValue: string
                      replace: false
                requestHeadersToRemoves:
                    - string
                responseHeadersToAdds:
                    - headerName: string
                      headerValue: string
                      replace: false
                responseHeadersToRemoves:
                    - string
              matchRules:
                - fullPathMatch: string
                  headerMatches:
                    - exactMatch: string
                      headerName: string
                      invertMatch: false
                      prefixMatch: string
                      presentMatch: false
                      rangeMatch:
                        rangeEnd: 0
                        rangeStart: 0
                      regexMatch: string
                      suffixMatch: string
                  ignoreCase: false
                  metadataFilters:
                    - filterLabels:
                        - name: string
                          value: string
                      filterMatchCriteria: string
                  pathTemplateMatch: string
                  prefixMatch: string
                  queryParameterMatches:
                    - exactMatch: string
                      name: string
                      presentMatch: false
                      regexMatch: string
                  regexMatch: string
              priority: 0
              routeAction:
                corsPolicy:
                    allowCredentials: false
                    allowHeaders:
                        - string
                    allowMethods:
                        - string
                    allowOriginRegexes:
                        - string
                    allowOrigins:
                        - string
                    disabled: false
                    exposeHeaders:
                        - string
                    maxAge: 0
                faultInjectionPolicy:
                    abort:
                        httpStatus: 0
                        percentage: 0
                    delay:
                        fixedDelay:
                            nanos: 0
                            seconds: string
                        percentage: 0
                maxStreamDuration:
                    nanos: 0
                    seconds: string
                requestMirrorPolicy:
                    backendService: string
                retryPolicy:
                    numRetries: 0
                    perTryTimeout:
                        nanos: 0
                        seconds: string
                    retryConditions:
                        - string
                timeout:
                    nanos: 0
                    seconds: string
                urlRewrite:
                    hostRewrite: string
                    pathPrefixRewrite: string
                    pathTemplateRewrite: string
                weightedBackendServices:
                    - backendService: string
                      headerAction:
                        requestHeadersToAdds:
                            - headerName: string
                              headerValue: string
                              replace: false
                        requestHeadersToRemoves:
                            - string
                        responseHeadersToAdds:
                            - headerName: string
                              headerValue: string
                              replace: false
                        responseHeadersToRemoves:
                            - string
                      weight: 0
              service: string
              urlRedirect:
                hostRedirect: string
                httpsRedirect: false
                pathRedirect: string
                prefixRedirect: string
                redirectResponseCode: string
                stripQuery: false
    project: string
    tests:
        - description: string
          host: string
          path: string
          service: string
Copy

URLMap Resource Properties

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

Inputs

In Python, inputs that are objects can be passed either as argument classes or as dictionary literals.

The URLMap resource accepts the following input properties:

DefaultCustomErrorResponsePolicy URLMapDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
DefaultRouteAction URLMapDefaultRouteAction
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
DefaultService string
The backend service or backend bucket to use when none of the given rules match.
DefaultUrlRedirect URLMapDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
Description string
An optional description of this resource. Provide this property when you create the resource.
HeaderAction URLMapHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
HostRules List<URLMapHostRule>
The list of HostRules to use against the URL. Structure is documented below.
Name Changes to this property will trigger replacement. string
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


PathMatchers List<URLMapPathMatcher>
The list of named PathMatchers to use against the URL. Structure is documented below.
Project Changes to this property will trigger replacement. string
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
Tests List<URLMapTest>
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
DefaultCustomErrorResponsePolicy URLMapDefaultCustomErrorResponsePolicyArgs
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
DefaultRouteAction URLMapDefaultRouteActionArgs
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
DefaultService string
The backend service or backend bucket to use when none of the given rules match.
DefaultUrlRedirect URLMapDefaultUrlRedirectArgs
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
Description string
An optional description of this resource. Provide this property when you create the resource.
HeaderAction URLMapHeaderActionArgs
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
HostRules []URLMapHostRuleArgs
The list of HostRules to use against the URL. Structure is documented below.
Name Changes to this property will trigger replacement. string
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


PathMatchers []URLMapPathMatcherArgs
The list of named PathMatchers to use against the URL. Structure is documented below.
Project Changes to this property will trigger replacement. string
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
Tests []URLMapTestArgs
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
defaultCustomErrorResponsePolicy URLMapDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction URLMapDefaultRouteAction
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService String
The backend service or backend bucket to use when none of the given rules match.
defaultUrlRedirect URLMapDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description String
An optional description of this resource. Provide this property when you create the resource.
headerAction URLMapHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
hostRules List<URLMapHostRule>
The list of HostRules to use against the URL. Structure is documented below.
name Changes to this property will trigger replacement. String
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


pathMatchers List<URLMapPathMatcher>
The list of named PathMatchers to use against the URL. Structure is documented below.
project Changes to this property will trigger replacement. String
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
tests List<URLMapTest>
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
defaultCustomErrorResponsePolicy URLMapDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction URLMapDefaultRouteAction
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService string
The backend service or backend bucket to use when none of the given rules match.
defaultUrlRedirect URLMapDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description string
An optional description of this resource. Provide this property when you create the resource.
headerAction URLMapHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
hostRules URLMapHostRule[]
The list of HostRules to use against the URL. Structure is documented below.
name Changes to this property will trigger replacement. string
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


pathMatchers URLMapPathMatcher[]
The list of named PathMatchers to use against the URL. Structure is documented below.
project Changes to this property will trigger replacement. string
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
tests URLMapTest[]
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
default_custom_error_response_policy URLMapDefaultCustomErrorResponsePolicyArgs
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
default_route_action URLMapDefaultRouteActionArgs
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
default_service str
The backend service or backend bucket to use when none of the given rules match.
default_url_redirect URLMapDefaultUrlRedirectArgs
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description str
An optional description of this resource. Provide this property when you create the resource.
header_action URLMapHeaderActionArgs
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
host_rules Sequence[URLMapHostRuleArgs]
The list of HostRules to use against the URL. Structure is documented below.
name Changes to this property will trigger replacement. str
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


path_matchers Sequence[URLMapPathMatcherArgs]
The list of named PathMatchers to use against the URL. Structure is documented below.
project Changes to this property will trigger replacement. str
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
tests Sequence[URLMapTestArgs]
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
defaultCustomErrorResponsePolicy Property Map
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction Property Map
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService String
The backend service or backend bucket to use when none of the given rules match.
defaultUrlRedirect Property Map
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description String
An optional description of this resource. Provide this property when you create the resource.
headerAction Property Map
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
hostRules List<Property Map>
The list of HostRules to use against the URL. Structure is documented below.
name Changes to this property will trigger replacement. String
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


pathMatchers List<Property Map>
The list of named PathMatchers to use against the URL. Structure is documented below.
project Changes to this property will trigger replacement. String
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
tests List<Property Map>
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.

Outputs

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

CreationTimestamp string
Creation timestamp in RFC3339 text format.
Fingerprint string
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
Id string
The provider-assigned unique ID for this managed resource.
MapId int
The unique identifier for the resource.
SelfLink string
The URI of the created resource.
CreationTimestamp string
Creation timestamp in RFC3339 text format.
Fingerprint string
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
Id string
The provider-assigned unique ID for this managed resource.
MapId int
The unique identifier for the resource.
SelfLink string
The URI of the created resource.
creationTimestamp String
Creation timestamp in RFC3339 text format.
fingerprint String
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
id String
The provider-assigned unique ID for this managed resource.
mapId Integer
The unique identifier for the resource.
selfLink String
The URI of the created resource.
creationTimestamp string
Creation timestamp in RFC3339 text format.
fingerprint string
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
id string
The provider-assigned unique ID for this managed resource.
mapId number
The unique identifier for the resource.
selfLink string
The URI of the created resource.
creation_timestamp str
Creation timestamp in RFC3339 text format.
fingerprint str
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
id str
The provider-assigned unique ID for this managed resource.
map_id int
The unique identifier for the resource.
self_link str
The URI of the created resource.
creationTimestamp String
Creation timestamp in RFC3339 text format.
fingerprint String
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
id String
The provider-assigned unique ID for this managed resource.
mapId Number
The unique identifier for the resource.
selfLink String
The URI of the created resource.

Look up Existing URLMap Resource

Get an existing URLMap 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?: URLMapState, opts?: CustomResourceOptions): URLMap
@staticmethod
def get(resource_name: str,
        id: str,
        opts: Optional[ResourceOptions] = None,
        creation_timestamp: Optional[str] = None,
        default_custom_error_response_policy: Optional[URLMapDefaultCustomErrorResponsePolicyArgs] = None,
        default_route_action: Optional[URLMapDefaultRouteActionArgs] = None,
        default_service: Optional[str] = None,
        default_url_redirect: Optional[URLMapDefaultUrlRedirectArgs] = None,
        description: Optional[str] = None,
        fingerprint: Optional[str] = None,
        header_action: Optional[URLMapHeaderActionArgs] = None,
        host_rules: Optional[Sequence[URLMapHostRuleArgs]] = None,
        map_id: Optional[int] = None,
        name: Optional[str] = None,
        path_matchers: Optional[Sequence[URLMapPathMatcherArgs]] = None,
        project: Optional[str] = None,
        self_link: Optional[str] = None,
        tests: Optional[Sequence[URLMapTestArgs]] = None) -> URLMap
func GetURLMap(ctx *Context, name string, id IDInput, state *URLMapState, opts ...ResourceOption) (*URLMap, error)
public static URLMap Get(string name, Input<string> id, URLMapState? state, CustomResourceOptions? opts = null)
public static URLMap get(String name, Output<String> id, URLMapState state, CustomResourceOptions options)
resources:  _:    type: gcp:compute:URLMap    get:      id: ${id}
name This property is required.
The unique name of the resulting resource.
id This property is required.
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 This property is required.
The unique name of the resulting resource.
id This property is required.
The unique provider ID of the resource to lookup.
name This property is required.
The unique name of the resulting resource.
id This property is required.
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 This property is required.
The unique name of the resulting resource.
id This property is required.
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 This property is required.
The unique name of the resulting resource.
id This property is required.
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:
CreationTimestamp string
Creation timestamp in RFC3339 text format.
DefaultCustomErrorResponsePolicy URLMapDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
DefaultRouteAction URLMapDefaultRouteAction
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
DefaultService string
The backend service or backend bucket to use when none of the given rules match.
DefaultUrlRedirect URLMapDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
Description string
An optional description of this resource. Provide this property when you create the resource.
Fingerprint string
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
HeaderAction URLMapHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
HostRules List<URLMapHostRule>
The list of HostRules to use against the URL. Structure is documented below.
MapId int
The unique identifier for the resource.
Name Changes to this property will trigger replacement. string
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


PathMatchers List<URLMapPathMatcher>
The list of named PathMatchers to use against the URL. Structure is documented below.
Project Changes to this property will trigger replacement. string
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
SelfLink string
The URI of the created resource.
Tests List<URLMapTest>
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
CreationTimestamp string
Creation timestamp in RFC3339 text format.
DefaultCustomErrorResponsePolicy URLMapDefaultCustomErrorResponsePolicyArgs
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
DefaultRouteAction URLMapDefaultRouteActionArgs
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
DefaultService string
The backend service or backend bucket to use when none of the given rules match.
DefaultUrlRedirect URLMapDefaultUrlRedirectArgs
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
Description string
An optional description of this resource. Provide this property when you create the resource.
Fingerprint string
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
HeaderAction URLMapHeaderActionArgs
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
HostRules []URLMapHostRuleArgs
The list of HostRules to use against the URL. Structure is documented below.
MapId int
The unique identifier for the resource.
Name Changes to this property will trigger replacement. string
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


PathMatchers []URLMapPathMatcherArgs
The list of named PathMatchers to use against the URL. Structure is documented below.
Project Changes to this property will trigger replacement. string
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
SelfLink string
The URI of the created resource.
Tests []URLMapTestArgs
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
creationTimestamp String
Creation timestamp in RFC3339 text format.
defaultCustomErrorResponsePolicy URLMapDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction URLMapDefaultRouteAction
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService String
The backend service or backend bucket to use when none of the given rules match.
defaultUrlRedirect URLMapDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description String
An optional description of this resource. Provide this property when you create the resource.
fingerprint String
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
headerAction URLMapHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
hostRules List<URLMapHostRule>
The list of HostRules to use against the URL. Structure is documented below.
mapId Integer
The unique identifier for the resource.
name Changes to this property will trigger replacement. String
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


pathMatchers List<URLMapPathMatcher>
The list of named PathMatchers to use against the URL. Structure is documented below.
project Changes to this property will trigger replacement. String
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
selfLink String
The URI of the created resource.
tests List<URLMapTest>
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
creationTimestamp string
Creation timestamp in RFC3339 text format.
defaultCustomErrorResponsePolicy URLMapDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction URLMapDefaultRouteAction
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService string
The backend service or backend bucket to use when none of the given rules match.
defaultUrlRedirect URLMapDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description string
An optional description of this resource. Provide this property when you create the resource.
fingerprint string
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
headerAction URLMapHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
hostRules URLMapHostRule[]
The list of HostRules to use against the URL. Structure is documented below.
mapId number
The unique identifier for the resource.
name Changes to this property will trigger replacement. string
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


pathMatchers URLMapPathMatcher[]
The list of named PathMatchers to use against the URL. Structure is documented below.
project Changes to this property will trigger replacement. string
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
selfLink string
The URI of the created resource.
tests URLMapTest[]
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
creation_timestamp str
Creation timestamp in RFC3339 text format.
default_custom_error_response_policy URLMapDefaultCustomErrorResponsePolicyArgs
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
default_route_action URLMapDefaultRouteActionArgs
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
default_service str
The backend service or backend bucket to use when none of the given rules match.
default_url_redirect URLMapDefaultUrlRedirectArgs
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description str
An optional description of this resource. Provide this property when you create the resource.
fingerprint str
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
header_action URLMapHeaderActionArgs
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
host_rules Sequence[URLMapHostRuleArgs]
The list of HostRules to use against the URL. Structure is documented below.
map_id int
The unique identifier for the resource.
name Changes to this property will trigger replacement. str
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


path_matchers Sequence[URLMapPathMatcherArgs]
The list of named PathMatchers to use against the URL. Structure is documented below.
project Changes to this property will trigger replacement. str
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
self_link str
The URI of the created resource.
tests Sequence[URLMapTestArgs]
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.
creationTimestamp String
Creation timestamp in RFC3339 text format.
defaultCustomErrorResponsePolicy Property Map
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction Property Map
defaultRouteAction takes effect when none of the hostRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService String
The backend service or backend bucket to use when none of the given rules match.
defaultUrlRedirect Property Map
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description String
An optional description of this resource. Provide this property when you create the resource.
fingerprint String
Fingerprint of this resource. A hash of the contents stored in this object. This field is used in optimistic locking.
headerAction Property Map
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here take effect after headerAction specified under pathMatcher. Structure is documented below.
hostRules List<Property Map>
The list of HostRules to use against the URL. Structure is documented below.
mapId Number
The unique identifier for the resource.
name Changes to this property will trigger replacement. String
Name of the resource. Provided by the client when the resource is created. The name must be 1-63 characters long, and comply with RFC1035. Specifically, the name must be 1-63 characters long and match the regular expression a-z? which means the first character must be a lowercase letter, and all following characters must be a dash, lowercase letter, or digit, except the last character, which cannot be a dash.


pathMatchers List<Property Map>
The list of named PathMatchers to use against the URL. Structure is documented below.
project Changes to this property will trigger replacement. String
The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
selfLink String
The URI of the created resource.
tests List<Property Map>
The list of expected URL mapping tests. Request to update this UrlMap will succeed only if all of the test cases pass. You can specify a maximum of 100 tests per UrlMap. Structure is documented below.

Supporting Types

URLMapDefaultCustomErrorResponsePolicy
, URLMapDefaultCustomErrorResponsePolicyArgs

ErrorResponseRules List<URLMapDefaultCustomErrorResponsePolicyErrorResponseRule>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
ErrorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
ErrorResponseRules []URLMapDefaultCustomErrorResponsePolicyErrorResponseRule
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
ErrorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules List<URLMapDefaultCustomErrorResponsePolicyErrorResponseRule>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService String
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules URLMapDefaultCustomErrorResponsePolicyErrorResponseRule[]
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
error_response_rules Sequence[URLMapDefaultCustomErrorResponsePolicyErrorResponseRule]
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
error_service str
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules List<Property Map>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService String
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).

URLMapDefaultCustomErrorResponsePolicyErrorResponseRule
, URLMapDefaultCustomErrorResponsePolicyErrorResponseRuleArgs

MatchResponseCodes List<string>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
OverrideResponseCode int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
Path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
MatchResponseCodes []string
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
OverrideResponseCode int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
Path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes List<String>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode Integer
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path String
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes string[]
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode number
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
match_response_codes Sequence[str]
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
override_response_code int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path str
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes List<String>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode Number
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path String
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.

URLMapDefaultRouteAction
, URLMapDefaultRouteActionArgs

CorsPolicy URLMapDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
FaultInjectionPolicy URLMapDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
MaxStreamDuration URLMapDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
RequestMirrorPolicy URLMapDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
RetryPolicy URLMapDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
Timeout URLMapDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
UrlRewrite URLMapDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
WeightedBackendServices List<URLMapDefaultRouteActionWeightedBackendService>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
CorsPolicy URLMapDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
FaultInjectionPolicy URLMapDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
MaxStreamDuration URLMapDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
RequestMirrorPolicy URLMapDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
RetryPolicy URLMapDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
Timeout URLMapDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
UrlRewrite URLMapDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
WeightedBackendServices []URLMapDefaultRouteActionWeightedBackendService
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy URLMapDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy URLMapDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
maxStreamDuration URLMapDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy URLMapDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy URLMapDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
urlRewrite URLMapDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
weightedBackendServices List<URLMapDefaultRouteActionWeightedBackendService>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy URLMapDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy URLMapDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
maxStreamDuration URLMapDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy URLMapDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy URLMapDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
urlRewrite URLMapDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
weightedBackendServices URLMapDefaultRouteActionWeightedBackendService[]
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
cors_policy URLMapDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
fault_injection_policy URLMapDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
max_stream_duration URLMapDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
request_mirror_policy URLMapDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retry_policy URLMapDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
url_rewrite URLMapDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
weighted_backend_services Sequence[URLMapDefaultRouteActionWeightedBackendService]
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy Property Map
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy Property Map
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
maxStreamDuration Property Map
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy Property Map
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy Property Map
Specifies the retry policy associated with this route. Structure is documented below.
timeout Property Map
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
urlRewrite Property Map
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
weightedBackendServices List<Property Map>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.

URLMapDefaultRouteActionCorsPolicy
, URLMapDefaultRouteActionCorsPolicyArgs

AllowCredentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
AllowHeaders List<string>
Specifies the content for the Access-Control-Allow-Headers header.
AllowMethods List<string>
Specifies the content for the Access-Control-Allow-Methods header.
AllowOriginRegexes List<string>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
AllowOrigins List<string>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
Disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
ExposeHeaders List<string>
Specifies the content for the Access-Control-Expose-Headers header.
MaxAge int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
AllowCredentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
AllowHeaders []string
Specifies the content for the Access-Control-Allow-Headers header.
AllowMethods []string
Specifies the content for the Access-Control-Allow-Methods header.
AllowOriginRegexes []string
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
AllowOrigins []string
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
Disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
ExposeHeaders []string
Specifies the content for the Access-Control-Expose-Headers header.
MaxAge int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials Boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders List<String>
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods List<String>
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes List<String>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins List<String>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled Boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders List<String>
Specifies the content for the Access-Control-Expose-Headers header.
maxAge Integer
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders string[]
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods string[]
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes string[]
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins string[]
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders string[]
Specifies the content for the Access-Control-Expose-Headers header.
maxAge number
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allow_credentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allow_headers Sequence[str]
Specifies the content for the Access-Control-Allow-Headers header.
allow_methods Sequence[str]
Specifies the content for the Access-Control-Allow-Methods header.
allow_origin_regexes Sequence[str]
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allow_origins Sequence[str]
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
expose_headers Sequence[str]
Specifies the content for the Access-Control-Expose-Headers header.
max_age int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials Boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders List<String>
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods List<String>
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes List<String>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins List<String>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled Boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders List<String>
Specifies the content for the Access-Control-Expose-Headers header.
maxAge Number
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.

URLMapDefaultRouteActionFaultInjectionPolicy
, URLMapDefaultRouteActionFaultInjectionPolicyArgs

Abort URLMapDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
Delay URLMapDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
Abort URLMapDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
Delay URLMapDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort Property Map
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay Property Map
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.

URLMapDefaultRouteActionFaultInjectionPolicyAbort
, URLMapDefaultRouteActionFaultInjectionPolicyAbortArgs

HttpStatus int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
Percentage double
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
HttpStatus int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
Percentage float64
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus Integer
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage Double
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus number
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage number
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
http_status int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage float
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus Number
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage Number
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.

URLMapDefaultRouteActionFaultInjectionPolicyDelay
, URLMapDefaultRouteActionFaultInjectionPolicyDelayArgs

FixedDelay URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
Percentage double
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
FixedDelay URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
Percentage float64
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage Double
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage number
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixed_delay URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage float
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay Property Map
Specifies the value of the fixed delay interval. Structure is documented below.
percentage Number
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.

URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
, URLMapDefaultRouteActionFaultInjectionPolicyDelayFixedDelayArgs

Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years

URLMapDefaultRouteActionMaxStreamDuration
, URLMapDefaultRouteActionMaxStreamDurationArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapDefaultRouteActionRequestMirrorPolicy
, URLMapDefaultRouteActionRequestMirrorPolicyArgs

BackendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
BackendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. String
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
backend_service This property is required. str
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. String
The full or partial URL to the BackendService resource being mirrored to.

URLMapDefaultRouteActionRetryPolicy
, URLMapDefaultRouteActionRetryPolicyArgs

NumRetries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
PerTryTimeout URLMapDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
RetryConditions List<string>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
NumRetries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
PerTryTimeout URLMapDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
RetryConditions []string
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries Integer
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout URLMapDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions List<String>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries number
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout URLMapDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions string[]
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
num_retries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
per_try_timeout URLMapDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retry_conditions Sequence[str]
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries Number
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout Property Map
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions List<String>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable

URLMapDefaultRouteActionRetryPolicyPerTryTimeout
, URLMapDefaultRouteActionRetryPolicyPerTryTimeoutArgs

Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years

URLMapDefaultRouteActionTimeout
, URLMapDefaultRouteActionTimeoutArgs

Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years

URLMapDefaultRouteActionUrlRewrite
, URLMapDefaultRouteActionUrlRewriteArgs

HostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
PathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
HostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
PathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite String
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite String
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
host_rewrite str
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
path_prefix_rewrite str
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite String
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite String
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.

URLMapDefaultRouteActionWeightedBackendService
, URLMapDefaultRouteActionWeightedBackendServiceArgs

BackendService string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
HeaderAction URLMapDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
Weight int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
BackendService string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
HeaderAction URLMapDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
Weight int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
backendService String
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
headerAction URLMapDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
weight Integer
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
backendService string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
headerAction URLMapDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
weight number
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
backend_service str
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
header_action URLMapDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
weight int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
backendService String
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
headerAction Property Map
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
weight Number
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000

URLMapDefaultRouteActionWeightedBackendServiceHeaderAction
, URLMapDefaultRouteActionWeightedBackendServiceHeaderActionArgs

RequestHeadersToAdds List<URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds List<URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
RequestHeadersToAdds []URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves []string
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds []URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves []string
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd[]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves string[]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd[]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves string[]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
request_headers_to_adds Sequence[URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
request_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
response_headers_to_adds Sequence[URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
response_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<Property Map>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<Property Map>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.

URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd
, URLMapDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs

HeaderName string
The name of the header to add.
HeaderValue string
The value of the header to add.
Replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName string
The name of the header to add.
HeaderValue string
The value of the header to add.
Replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName String
The name of the header to add.
headerValue String
The value of the header to add.
replace Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName string
The name of the header to add.
headerValue string
The value of the header to add.
replace boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name str
The name of the header to add.
header_value str
The value of the header to add.
replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName String
The name of the header to add.
headerValue String
The value of the header to add.
replace Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd
, URLMapDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs

HeaderName string
The name of the header to add.
HeaderValue string
The value of the header to add.
Replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName string
The name of the header to add.
HeaderValue string
The value of the header to add.
Replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName String
The name of the header to add.
headerValue String
The value of the header to add.
replace Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName string
The name of the header to add.
headerValue string
The value of the header to add.
replace boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name str
The name of the header to add.
header_value str
The value of the header to add.
replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName String
The name of the header to add.
headerValue String
The value of the header to add.
replace Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapDefaultUrlRedirect
, URLMapDefaultUrlRedirectArgs

StripQuery This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
HostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
HttpsRedirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
PathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
PrefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
RedirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
StripQuery This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
HostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
HttpsRedirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
PathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
PrefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
RedirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. Boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
hostRedirect String
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect Boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
pathRedirect String
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
prefixRedirect String
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
redirectResponseCode String
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
hostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
pathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
prefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
redirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
strip_query This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
host_redirect str
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
https_redirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
path_redirect str
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
prefix_redirect str
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
redirect_response_code str
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. Boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
hostRedirect String
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect Boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
pathRedirect String
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
prefixRedirect String
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
redirectResponseCode String
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.

URLMapHeaderAction
, URLMapHeaderActionArgs

RequestHeadersToAdds List<URLMapHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds List<URLMapHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
RequestHeadersToAdds []URLMapHeaderActionRequestHeadersToAdd
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves []string
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds []URLMapHeaderActionResponseHeadersToAdd
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves []string
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<URLMapHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<URLMapHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds URLMapHeaderActionRequestHeadersToAdd[]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves string[]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds URLMapHeaderActionResponseHeadersToAdd[]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves string[]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
request_headers_to_adds Sequence[URLMapHeaderActionRequestHeadersToAdd]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
request_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
response_headers_to_adds Sequence[URLMapHeaderActionResponseHeadersToAdd]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
response_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<Property Map>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<Property Map>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.

URLMapHeaderActionRequestHeadersToAdd
, URLMapHeaderActionRequestHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapHeaderActionResponseHeadersToAdd
, URLMapHeaderActionResponseHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapHostRule
, URLMapHostRuleArgs

Hosts This property is required. List<string>
The list of host patterns to match. They must be valid hostnames, except * will match any string of ([a-z0-9-.]*). In that case, * must be the first character and must be followed in the pattern by either - or ..
PathMatcher This property is required. string
The name of the PathMatcher to use to match the path portion of the URL if the hostRule matches the URL's host portion.
Description string
An optional description of this resource. Provide this property when you create the resource.
Hosts This property is required. []string
The list of host patterns to match. They must be valid hostnames, except * will match any string of ([a-z0-9-.]*). In that case, * must be the first character and must be followed in the pattern by either - or ..
PathMatcher This property is required. string
The name of the PathMatcher to use to match the path portion of the URL if the hostRule matches the URL's host portion.
Description string
An optional description of this resource. Provide this property when you create the resource.
hosts This property is required. List<String>
The list of host patterns to match. They must be valid hostnames, except * will match any string of ([a-z0-9-.]*). In that case, * must be the first character and must be followed in the pattern by either - or ..
pathMatcher This property is required. String
The name of the PathMatcher to use to match the path portion of the URL if the hostRule matches the URL's host portion.
description String
An optional description of this resource. Provide this property when you create the resource.
hosts This property is required. string[]
The list of host patterns to match. They must be valid hostnames, except * will match any string of ([a-z0-9-.]*). In that case, * must be the first character and must be followed in the pattern by either - or ..
pathMatcher This property is required. string
The name of the PathMatcher to use to match the path portion of the URL if the hostRule matches the URL's host portion.
description string
An optional description of this resource. Provide this property when you create the resource.
hosts This property is required. Sequence[str]
The list of host patterns to match. They must be valid hostnames, except * will match any string of ([a-z0-9-.]*). In that case, * must be the first character and must be followed in the pattern by either - or ..
path_matcher This property is required. str
The name of the PathMatcher to use to match the path portion of the URL if the hostRule matches the URL's host portion.
description str
An optional description of this resource. Provide this property when you create the resource.
hosts This property is required. List<String>
The list of host patterns to match. They must be valid hostnames, except * will match any string of ([a-z0-9-.]*). In that case, * must be the first character and must be followed in the pattern by either - or ..
pathMatcher This property is required. String
The name of the PathMatcher to use to match the path portion of the URL if the hostRule matches the URL's host portion.
description String
An optional description of this resource. Provide this property when you create the resource.

URLMapPathMatcher
, URLMapPathMatcherArgs

Name This property is required. string
The name to which this PathMatcher is referred by the HostRule.
DefaultCustomErrorResponsePolicy URLMapPathMatcherDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
DefaultRouteAction URLMapPathMatcherDefaultRouteAction
defaultRouteAction takes effect when none of the pathRules or routeRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
DefaultService string
The backend service or backend bucket to use when none of the given paths match.
DefaultUrlRedirect URLMapPathMatcherDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
Description string
An optional description of this resource. Provide this property when you create the resource.
HeaderAction URLMapPathMatcherHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. HeaderAction specified here are applied after the matching HttpRouteRule HeaderAction and before the HeaderAction in the UrlMap Structure is documented below.
PathRules List<URLMapPathMatcherPathRule>
The list of path rules. Use this list instead of routeRules when routing based on simple path matching is all that's required. The order by which path rules are specified does not matter. Matches are always done on the longest-path-first basis. For example: a pathRule with a path /a/b/c/* will match before /a/b/* irrespective of the order in which those paths appear in this list. Within a given pathMatcher, only one of pathRules or routeRules must be set. Structure is documented below.
RouteRules List<URLMapPathMatcherRouteRule>
The list of ordered HTTP route rules. Use this list instead of pathRules when advanced route matching and routing actions are desired. The order of specifying routeRules matters: the first rule that matches will cause its specified routing action to take effect. Within a given pathMatcher, only one of pathRules or routeRules must be set. routeRules are not supported in UrlMaps intended for External load balancers. Structure is documented below.
Name This property is required. string
The name to which this PathMatcher is referred by the HostRule.
DefaultCustomErrorResponsePolicy URLMapPathMatcherDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
DefaultRouteAction URLMapPathMatcherDefaultRouteAction
defaultRouteAction takes effect when none of the pathRules or routeRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
DefaultService string
The backend service or backend bucket to use when none of the given paths match.
DefaultUrlRedirect URLMapPathMatcherDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
Description string
An optional description of this resource. Provide this property when you create the resource.
HeaderAction URLMapPathMatcherHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. HeaderAction specified here are applied after the matching HttpRouteRule HeaderAction and before the HeaderAction in the UrlMap Structure is documented below.
PathRules []URLMapPathMatcherPathRule
The list of path rules. Use this list instead of routeRules when routing based on simple path matching is all that's required. The order by which path rules are specified does not matter. Matches are always done on the longest-path-first basis. For example: a pathRule with a path /a/b/c/* will match before /a/b/* irrespective of the order in which those paths appear in this list. Within a given pathMatcher, only one of pathRules or routeRules must be set. Structure is documented below.
RouteRules []URLMapPathMatcherRouteRule
The list of ordered HTTP route rules. Use this list instead of pathRules when advanced route matching and routing actions are desired. The order of specifying routeRules matters: the first rule that matches will cause its specified routing action to take effect. Within a given pathMatcher, only one of pathRules or routeRules must be set. routeRules are not supported in UrlMaps intended for External load balancers. Structure is documented below.
name This property is required. String
The name to which this PathMatcher is referred by the HostRule.
defaultCustomErrorResponsePolicy URLMapPathMatcherDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction URLMapPathMatcherDefaultRouteAction
defaultRouteAction takes effect when none of the pathRules or routeRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService String
The backend service or backend bucket to use when none of the given paths match.
defaultUrlRedirect URLMapPathMatcherDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description String
An optional description of this resource. Provide this property when you create the resource.
headerAction URLMapPathMatcherHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. HeaderAction specified here are applied after the matching HttpRouteRule HeaderAction and before the HeaderAction in the UrlMap Structure is documented below.
pathRules List<URLMapPathMatcherPathRule>
The list of path rules. Use this list instead of routeRules when routing based on simple path matching is all that's required. The order by which path rules are specified does not matter. Matches are always done on the longest-path-first basis. For example: a pathRule with a path /a/b/c/* will match before /a/b/* irrespective of the order in which those paths appear in this list. Within a given pathMatcher, only one of pathRules or routeRules must be set. Structure is documented below.
routeRules List<URLMapPathMatcherRouteRule>
The list of ordered HTTP route rules. Use this list instead of pathRules when advanced route matching and routing actions are desired. The order of specifying routeRules matters: the first rule that matches will cause its specified routing action to take effect. Within a given pathMatcher, only one of pathRules or routeRules must be set. routeRules are not supported in UrlMaps intended for External load balancers. Structure is documented below.
name This property is required. string
The name to which this PathMatcher is referred by the HostRule.
defaultCustomErrorResponsePolicy URLMapPathMatcherDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction URLMapPathMatcherDefaultRouteAction
defaultRouteAction takes effect when none of the pathRules or routeRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService string
The backend service or backend bucket to use when none of the given paths match.
defaultUrlRedirect URLMapPathMatcherDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description string
An optional description of this resource. Provide this property when you create the resource.
headerAction URLMapPathMatcherHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. HeaderAction specified here are applied after the matching HttpRouteRule HeaderAction and before the HeaderAction in the UrlMap Structure is documented below.
pathRules URLMapPathMatcherPathRule[]
The list of path rules. Use this list instead of routeRules when routing based on simple path matching is all that's required. The order by which path rules are specified does not matter. Matches are always done on the longest-path-first basis. For example: a pathRule with a path /a/b/c/* will match before /a/b/* irrespective of the order in which those paths appear in this list. Within a given pathMatcher, only one of pathRules or routeRules must be set. Structure is documented below.
routeRules URLMapPathMatcherRouteRule[]
The list of ordered HTTP route rules. Use this list instead of pathRules when advanced route matching and routing actions are desired. The order of specifying routeRules matters: the first rule that matches will cause its specified routing action to take effect. Within a given pathMatcher, only one of pathRules or routeRules must be set. routeRules are not supported in UrlMaps intended for External load balancers. Structure is documented below.
name This property is required. str
The name to which this PathMatcher is referred by the HostRule.
default_custom_error_response_policy URLMapPathMatcherDefaultCustomErrorResponsePolicy
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
default_route_action URLMapPathMatcherDefaultRouteAction
defaultRouteAction takes effect when none of the pathRules or routeRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
default_service str
The backend service or backend bucket to use when none of the given paths match.
default_url_redirect URLMapPathMatcherDefaultUrlRedirect
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description str
An optional description of this resource. Provide this property when you create the resource.
header_action URLMapPathMatcherHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. HeaderAction specified here are applied after the matching HttpRouteRule HeaderAction and before the HeaderAction in the UrlMap Structure is documented below.
path_rules Sequence[URLMapPathMatcherPathRule]
The list of path rules. Use this list instead of routeRules when routing based on simple path matching is all that's required. The order by which path rules are specified does not matter. Matches are always done on the longest-path-first basis. For example: a pathRule with a path /a/b/c/* will match before /a/b/* irrespective of the order in which those paths appear in this list. Within a given pathMatcher, only one of pathRules or routeRules must be set. Structure is documented below.
route_rules Sequence[URLMapPathMatcherRouteRule]
The list of ordered HTTP route rules. Use this list instead of pathRules when advanced route matching and routing actions are desired. The order of specifying routeRules matters: the first rule that matches will cause its specified routing action to take effect. Within a given pathMatcher, only one of pathRules or routeRules must be set. routeRules are not supported in UrlMaps intended for External load balancers. Structure is documented below.
name This property is required. String
The name to which this PathMatcher is referred by the HostRule.
defaultCustomErrorResponsePolicy Property Map
defaultCustomErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. This policy takes effect at the PathMatcher level and applies only when no policy has been defined for the error code at lower levels like RouteRule and PathRule within this PathMatcher. If an error code does not have a policy defined in defaultCustomErrorResponsePolicy, then a policy defined for the error code in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy is configured with policies for 5xx and 4xx errors A RouteRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in RouteRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. When used in conjunction with pathMatcher.defaultRouteAction.retryPolicy, retries take precedence. Only once all retries are exhausted, the defaultCustomErrorResponsePolicy is applied. While attempting a retry, if load balancer is successful in reaching the service, the defaultCustomErrorResponsePolicy is ignored and the response from the service is returned to the client. defaultCustomErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
defaultRouteAction Property Map
defaultRouteAction takes effect when none of the pathRules or routeRules match. The load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If defaultRouteAction specifies any weightedBackendServices, defaultService must not be set. Conversely if defaultService is set, defaultRouteAction cannot contain any weightedBackendServices. Only one of defaultRouteAction or defaultUrlRedirect must be set. Structure is documented below.
defaultService String
The backend service or backend bucket to use when none of the given paths match.
defaultUrlRedirect Property Map
When none of the specified hostRules match, the request is redirected to a URL specified by defaultUrlRedirect. If defaultUrlRedirect is specified, defaultService or defaultRouteAction must not be set. Structure is documented below.
description String
An optional description of this resource. Provide this property when you create the resource.
headerAction Property Map
Specifies changes to request and response headers that need to take effect for the selected backendService. HeaderAction specified here are applied after the matching HttpRouteRule HeaderAction and before the HeaderAction in the UrlMap Structure is documented below.
pathRules List<Property Map>
The list of path rules. Use this list instead of routeRules when routing based on simple path matching is all that's required. The order by which path rules are specified does not matter. Matches are always done on the longest-path-first basis. For example: a pathRule with a path /a/b/c/* will match before /a/b/* irrespective of the order in which those paths appear in this list. Within a given pathMatcher, only one of pathRules or routeRules must be set. Structure is documented below.
routeRules List<Property Map>
The list of ordered HTTP route rules. Use this list instead of pathRules when advanced route matching and routing actions are desired. The order of specifying routeRules matters: the first rule that matches will cause its specified routing action to take effect. Within a given pathMatcher, only one of pathRules or routeRules must be set. routeRules are not supported in UrlMaps intended for External load balancers. Structure is documented below.

URLMapPathMatcherDefaultCustomErrorResponsePolicy
, URLMapPathMatcherDefaultCustomErrorResponsePolicyArgs

ErrorResponseRules List<URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRule>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
ErrorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
ErrorResponseRules []URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRule
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
ErrorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules List<URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRule>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService String
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRule[]
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
error_response_rules Sequence[URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRule]
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
error_service str
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules List<Property Map>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService String
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).

URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRule
, URLMapPathMatcherDefaultCustomErrorResponsePolicyErrorResponseRuleArgs

MatchResponseCodes List<string>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
OverrideResponseCode int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
Path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
MatchResponseCodes []string
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
OverrideResponseCode int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
Path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes List<String>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode Integer
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path String
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes string[]
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode number
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
match_response_codes Sequence[str]
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
override_response_code int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path str
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes List<String>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode Number
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path String
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.

URLMapPathMatcherDefaultRouteAction
, URLMapPathMatcherDefaultRouteActionArgs

CorsPolicy URLMapPathMatcherDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
FaultInjectionPolicy URLMapPathMatcherDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
MaxStreamDuration URLMapPathMatcherDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
RequestMirrorPolicy URLMapPathMatcherDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
RetryPolicy URLMapPathMatcherDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
Timeout URLMapPathMatcherDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
UrlRewrite URLMapPathMatcherDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
WeightedBackendServices List<URLMapPathMatcherDefaultRouteActionWeightedBackendService>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
CorsPolicy URLMapPathMatcherDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
FaultInjectionPolicy URLMapPathMatcherDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
MaxStreamDuration URLMapPathMatcherDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
RequestMirrorPolicy URLMapPathMatcherDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
RetryPolicy URLMapPathMatcherDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
Timeout URLMapPathMatcherDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
UrlRewrite URLMapPathMatcherDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
WeightedBackendServices []URLMapPathMatcherDefaultRouteActionWeightedBackendService
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy URLMapPathMatcherDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy URLMapPathMatcherDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
maxStreamDuration URLMapPathMatcherDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy URLMapPathMatcherDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy URLMapPathMatcherDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
urlRewrite URLMapPathMatcherDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
weightedBackendServices List<URLMapPathMatcherDefaultRouteActionWeightedBackendService>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy URLMapPathMatcherDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy URLMapPathMatcherDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
maxStreamDuration URLMapPathMatcherDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy URLMapPathMatcherDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy URLMapPathMatcherDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
urlRewrite URLMapPathMatcherDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
weightedBackendServices URLMapPathMatcherDefaultRouteActionWeightedBackendService[]
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
cors_policy URLMapPathMatcherDefaultRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
fault_injection_policy URLMapPathMatcherDefaultRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
max_stream_duration URLMapPathMatcherDefaultRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
request_mirror_policy URLMapPathMatcherDefaultRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retry_policy URLMapPathMatcherDefaultRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherDefaultRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
url_rewrite URLMapPathMatcherDefaultRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
weighted_backend_services Sequence[URLMapPathMatcherDefaultRouteActionWeightedBackendService]
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy Property Map
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy Property Map
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retryPolicy will be ignored by clients that are configured with a faultInjectionPolicy. Structure is documented below.
maxStreamDuration Property Map
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy Property Map
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy Property Map
Specifies the retry policy associated with this route. Structure is documented below.
timeout Property Map
Specifies the timeout for the selected route. Timeout is computed from the time the request has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, will use the largest timeout among all backend services associated with the route. Structure is documented below.
urlRewrite Property Map
The spec to modify the URL of the request, prior to forwarding the request to the matched service. Structure is documented below.
weightedBackendServices List<Property Map>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.

URLMapPathMatcherDefaultRouteActionCorsPolicy
, URLMapPathMatcherDefaultRouteActionCorsPolicyArgs

AllowCredentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
AllowHeaders List<string>
Specifies the content for the Access-Control-Allow-Headers header.
AllowMethods List<string>
Specifies the content for the Access-Control-Allow-Methods header.
AllowOriginRegexes List<string>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
AllowOrigins List<string>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
Disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
ExposeHeaders List<string>
Specifies the content for the Access-Control-Expose-Headers header.
MaxAge int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
AllowCredentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
AllowHeaders []string
Specifies the content for the Access-Control-Allow-Headers header.
AllowMethods []string
Specifies the content for the Access-Control-Allow-Methods header.
AllowOriginRegexes []string
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
AllowOrigins []string
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
Disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
ExposeHeaders []string
Specifies the content for the Access-Control-Expose-Headers header.
MaxAge int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials Boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders List<String>
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods List<String>
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes List<String>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins List<String>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled Boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders List<String>
Specifies the content for the Access-Control-Expose-Headers header.
maxAge Integer
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders string[]
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods string[]
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes string[]
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins string[]
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders string[]
Specifies the content for the Access-Control-Expose-Headers header.
maxAge number
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allow_credentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allow_headers Sequence[str]
Specifies the content for the Access-Control-Allow-Headers header.
allow_methods Sequence[str]
Specifies the content for the Access-Control-Allow-Methods header.
allow_origin_regexes Sequence[str]
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allow_origins Sequence[str]
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
expose_headers Sequence[str]
Specifies the content for the Access-Control-Expose-Headers header.
max_age int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials Boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders List<String>
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods List<String>
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes List<String>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins List<String>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled Boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders List<String>
Specifies the content for the Access-Control-Expose-Headers header.
maxAge Number
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.

URLMapPathMatcherDefaultRouteActionFaultInjectionPolicy
, URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyArgs

Abort URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
Delay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
Abort URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
Delay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort Property Map
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay Property Map
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.

URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbort
, URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyAbortArgs

HttpStatus int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
Percentage double
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
HttpStatus int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
Percentage float64
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus Integer
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage Double
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus number
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage number
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
http_status int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage float
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus Number
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage Number
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.

URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelay
, URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayArgs

FixedDelay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
Percentage double
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
FixedDelay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
Percentage float64
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage Double
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage number
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixed_delay URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage float
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay Property Map
Specifies the value of the fixed delay interval. Structure is documented below.
percentage Number
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.

URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelay
, URLMapPathMatcherDefaultRouteActionFaultInjectionPolicyDelayFixedDelayArgs

Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years

URLMapPathMatcherDefaultRouteActionMaxStreamDuration
, URLMapPathMatcherDefaultRouteActionMaxStreamDurationArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherDefaultRouteActionRequestMirrorPolicy
, URLMapPathMatcherDefaultRouteActionRequestMirrorPolicyArgs

BackendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
BackendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. String
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
backend_service This property is required. str
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. String
The full or partial URL to the BackendService resource being mirrored to.

URLMapPathMatcherDefaultRouteActionRetryPolicy
, URLMapPathMatcherDefaultRouteActionRetryPolicyArgs

NumRetries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
PerTryTimeout URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
RetryConditions List<string>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
NumRetries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
PerTryTimeout URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
RetryConditions []string
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries Integer
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions List<String>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries number
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions string[]
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
num_retries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
per_try_timeout URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retry_conditions Sequence[str]
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries Number
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout Property Map
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions List<String>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable

URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeout
, URLMapPathMatcherDefaultRouteActionRetryPolicyPerTryTimeoutArgs

Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years

URLMapPathMatcherDefaultRouteActionTimeout
, URLMapPathMatcherDefaultRouteActionTimeoutArgs

Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years

URLMapPathMatcherDefaultRouteActionUrlRewrite
, URLMapPathMatcherDefaultRouteActionUrlRewriteArgs

HostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
PathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
HostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
PathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite String
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite String
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
host_rewrite str
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
path_prefix_rewrite str
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite String
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite String
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.

URLMapPathMatcherDefaultRouteActionWeightedBackendService
, URLMapPathMatcherDefaultRouteActionWeightedBackendServiceArgs

BackendService string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
HeaderAction URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
Weight int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
BackendService string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
HeaderAction URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
Weight int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
backendService String
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
headerAction URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
weight Integer
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
backendService string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
headerAction URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
weight number
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
backend_service str
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
header_action URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
weight int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
backendService String
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
headerAction Property Map
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
weight Number
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000

URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderAction
, URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionArgs

RequestHeadersToAdds List<URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds List<URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
RequestHeadersToAdds []URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves []string
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds []URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves []string
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd[]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves string[]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd[]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves string[]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
request_headers_to_adds Sequence[URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
request_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
response_headers_to_adds Sequence[URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
response_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<Property Map>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<Property Map>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.

URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd
, URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs

HeaderName string
The name of the header to add.
HeaderValue string
The value of the header to add.
Replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName string
The name of the header to add.
HeaderValue string
The value of the header to add.
Replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName String
The name of the header to add.
headerValue String
The value of the header to add.
replace Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName string
The name of the header to add.
headerValue string
The value of the header to add.
replace boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name str
The name of the header to add.
header_value str
The value of the header to add.
replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName String
The name of the header to add.
headerValue String
The value of the header to add.
replace Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd
, URLMapPathMatcherDefaultRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs

HeaderName string
The name of the header to add.
HeaderValue string
The value of the header to add.
Replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName string
The name of the header to add.
HeaderValue string
The value of the header to add.
Replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName String
The name of the header to add.
headerValue String
The value of the header to add.
replace Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName string
The name of the header to add.
headerValue string
The value of the header to add.
replace boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name str
The name of the header to add.
header_value str
The value of the header to add.
replace bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName String
The name of the header to add.
headerValue String
The value of the header to add.
replace Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherDefaultUrlRedirect
, URLMapPathMatcherDefaultUrlRedirectArgs

StripQuery This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
HostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
HttpsRedirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
PathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
PrefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
RedirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
StripQuery This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
HostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
HttpsRedirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
PathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
PrefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
RedirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. Boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
hostRedirect String
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect Boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
pathRedirect String
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
prefixRedirect String
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
redirectResponseCode String
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
hostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
pathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
prefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
redirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
strip_query This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
host_redirect str
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
https_redirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
path_redirect str
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
prefix_redirect str
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
redirect_response_code str
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. Boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. The default is set to false. This field is required to ensure an empty block is not set. The normal default value is false.
hostRedirect String
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect Boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. The default is set to false.
pathRedirect String
The path that will be used in the redirect response instead of the one that was supplied in the request. pathRedirect cannot be supplied together with prefixRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
prefixRedirect String
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request. prefixRedirect cannot be supplied together with pathRedirect. Supply one alone or neither. If neither is supplied, the path of the original request will be used for the redirect. The value must be between 1 and 1024 characters.
redirectResponseCode String
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.

URLMapPathMatcherHeaderAction
, URLMapPathMatcherHeaderActionArgs

RequestHeadersToAdds List<URLMapPathMatcherHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds List<URLMapPathMatcherHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
RequestHeadersToAdds []URLMapPathMatcherHeaderActionRequestHeadersToAdd
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves []string
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds []URLMapPathMatcherHeaderActionResponseHeadersToAdd
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves []string
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<URLMapPathMatcherHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<URLMapPathMatcherHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds URLMapPathMatcherHeaderActionRequestHeadersToAdd[]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves string[]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds URLMapPathMatcherHeaderActionResponseHeadersToAdd[]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves string[]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
request_headers_to_adds Sequence[URLMapPathMatcherHeaderActionRequestHeadersToAdd]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
request_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
response_headers_to_adds Sequence[URLMapPathMatcherHeaderActionResponseHeadersToAdd]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
response_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<Property Map>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<Property Map>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.

URLMapPathMatcherHeaderActionRequestHeadersToAdd
, URLMapPathMatcherHeaderActionRequestHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherHeaderActionResponseHeadersToAdd
, URLMapPathMatcherHeaderActionResponseHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherPathRule
, URLMapPathMatcherPathRuleArgs

Paths This property is required. List<string>
The list of path patterns to match. Each must start with / and the only place a * is allowed is at the end following a /. The string fed to the path matcher does not include any text after the first ? or #, and those chars are not allowed here.
CustomErrorResponsePolicy URLMapPathMatcherPathRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. If a policy for an error code is not configured for the PathRule, a policy for the error code configured in pathMatcher.defaultCustomErrorResponsePolicy is applied. If one is not specified in pathMatcher.defaultCustomErrorResponsePolicy, the policy configured in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy are configured with policies for 5xx and 4xx errors A PathRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in PathRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. customErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
RouteAction URLMapPathMatcherPathRuleRouteAction
In response to a matching path, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
Service string
The backend service or backend bucket to use if any of the given paths match.
UrlRedirect URLMapPathMatcherPathRuleUrlRedirect
When a path pattern is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
Paths This property is required. []string
The list of path patterns to match. Each must start with / and the only place a * is allowed is at the end following a /. The string fed to the path matcher does not include any text after the first ? or #, and those chars are not allowed here.
CustomErrorResponsePolicy URLMapPathMatcherPathRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. If a policy for an error code is not configured for the PathRule, a policy for the error code configured in pathMatcher.defaultCustomErrorResponsePolicy is applied. If one is not specified in pathMatcher.defaultCustomErrorResponsePolicy, the policy configured in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy are configured with policies for 5xx and 4xx errors A PathRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in PathRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. customErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
RouteAction URLMapPathMatcherPathRuleRouteAction
In response to a matching path, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
Service string
The backend service or backend bucket to use if any of the given paths match.
UrlRedirect URLMapPathMatcherPathRuleUrlRedirect
When a path pattern is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
paths This property is required. List<String>
The list of path patterns to match. Each must start with / and the only place a * is allowed is at the end following a /. The string fed to the path matcher does not include any text after the first ? or #, and those chars are not allowed here.
customErrorResponsePolicy URLMapPathMatcherPathRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. If a policy for an error code is not configured for the PathRule, a policy for the error code configured in pathMatcher.defaultCustomErrorResponsePolicy is applied. If one is not specified in pathMatcher.defaultCustomErrorResponsePolicy, the policy configured in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy are configured with policies for 5xx and 4xx errors A PathRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in PathRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. customErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
routeAction URLMapPathMatcherPathRuleRouteAction
In response to a matching path, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
service String
The backend service or backend bucket to use if any of the given paths match.
urlRedirect URLMapPathMatcherPathRuleUrlRedirect
When a path pattern is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
paths This property is required. string[]
The list of path patterns to match. Each must start with / and the only place a * is allowed is at the end following a /. The string fed to the path matcher does not include any text after the first ? or #, and those chars are not allowed here.
customErrorResponsePolicy URLMapPathMatcherPathRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. If a policy for an error code is not configured for the PathRule, a policy for the error code configured in pathMatcher.defaultCustomErrorResponsePolicy is applied. If one is not specified in pathMatcher.defaultCustomErrorResponsePolicy, the policy configured in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy are configured with policies for 5xx and 4xx errors A PathRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in PathRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. customErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
routeAction URLMapPathMatcherPathRuleRouteAction
In response to a matching path, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
service string
The backend service or backend bucket to use if any of the given paths match.
urlRedirect URLMapPathMatcherPathRuleUrlRedirect
When a path pattern is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
paths This property is required. Sequence[str]
The list of path patterns to match. Each must start with / and the only place a * is allowed is at the end following a /. The string fed to the path matcher does not include any text after the first ? or #, and those chars are not allowed here.
custom_error_response_policy URLMapPathMatcherPathRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. If a policy for an error code is not configured for the PathRule, a policy for the error code configured in pathMatcher.defaultCustomErrorResponsePolicy is applied. If one is not specified in pathMatcher.defaultCustomErrorResponsePolicy, the policy configured in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy are configured with policies for 5xx and 4xx errors A PathRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in PathRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. customErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
route_action URLMapPathMatcherPathRuleRouteAction
In response to a matching path, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
service str
The backend service or backend bucket to use if any of the given paths match.
url_redirect URLMapPathMatcherPathRuleUrlRedirect
When a path pattern is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
paths This property is required. List<String>
The list of path patterns to match. Each must start with / and the only place a * is allowed is at the end following a /. The string fed to the path matcher does not include any text after the first ? or #, and those chars are not allowed here.
customErrorResponsePolicy Property Map
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. If a policy for an error code is not configured for the PathRule, a policy for the error code configured in pathMatcher.defaultCustomErrorResponsePolicy is applied. If one is not specified in pathMatcher.defaultCustomErrorResponsePolicy, the policy configured in UrlMap.defaultCustomErrorResponsePolicy takes effect. For example, consider a UrlMap with the following configuration: UrlMap.defaultCustomErrorResponsePolicy are configured with policies for 5xx and 4xx errors A PathRule for /coming_soon/ is configured for the error code 404. If the request is for www.myotherdomain.com and a 404 is encountered, the policy under UrlMap.defaultCustomErrorResponsePolicy takes effect. If a 404 response is encountered for the request www.example.com/current_events/, the pathMatcher's policy takes effect. If however, the request for www.example.com/coming_soon/ encounters a 404, the policy in PathRule.customErrorResponsePolicy takes effect. If any of the requests in this example encounter a 500 error code, the policy at UrlMap.defaultCustomErrorResponsePolicy takes effect. customErrorResponsePolicy is supported only for global external Application Load Balancers. Structure is documented below.
routeAction Property Map
In response to a matching path, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
service String
The backend service or backend bucket to use if any of the given paths match.
urlRedirect Property Map
When a path pattern is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.

URLMapPathMatcherPathRuleCustomErrorResponsePolicy
, URLMapPathMatcherPathRuleCustomErrorResponsePolicyArgs

ErrorResponseRules List<URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRule>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
ErrorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
ErrorResponseRules []URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRule
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
ErrorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules List<URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRule>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService String
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRule[]
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
error_response_rules Sequence[URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRule]
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
error_service str
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules List<Property Map>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService String
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).

URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRule
, URLMapPathMatcherPathRuleCustomErrorResponsePolicyErrorResponseRuleArgs

MatchResponseCodes List<string>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
OverrideResponseCode int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
Path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
MatchResponseCodes []string
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
OverrideResponseCode int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
Path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes List<String>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode Integer
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path String
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes string[]
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode number
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
match_response_codes Sequence[str]
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
override_response_code int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path str
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes List<String>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode Number
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path String
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.

URLMapPathMatcherPathRuleRouteAction
, URLMapPathMatcherPathRuleRouteActionArgs

CorsPolicy URLMapPathMatcherPathRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
FaultInjectionPolicy URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
MaxStreamDuration URLMapPathMatcherPathRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
RequestMirrorPolicy URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
RetryPolicy URLMapPathMatcherPathRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
Timeout URLMapPathMatcherPathRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
UrlRewrite URLMapPathMatcherPathRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
WeightedBackendServices List<URLMapPathMatcherPathRuleRouteActionWeightedBackendService>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
CorsPolicy URLMapPathMatcherPathRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
FaultInjectionPolicy URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
MaxStreamDuration URLMapPathMatcherPathRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
RequestMirrorPolicy URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
RetryPolicy URLMapPathMatcherPathRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
Timeout URLMapPathMatcherPathRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
UrlRewrite URLMapPathMatcherPathRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
WeightedBackendServices []URLMapPathMatcherPathRuleRouteActionWeightedBackendService
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy URLMapPathMatcherPathRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
maxStreamDuration URLMapPathMatcherPathRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy URLMapPathMatcherPathRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherPathRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
urlRewrite URLMapPathMatcherPathRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
weightedBackendServices List<URLMapPathMatcherPathRuleRouteActionWeightedBackendService>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy URLMapPathMatcherPathRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
maxStreamDuration URLMapPathMatcherPathRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy URLMapPathMatcherPathRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherPathRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
urlRewrite URLMapPathMatcherPathRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
weightedBackendServices URLMapPathMatcherPathRuleRouteActionWeightedBackendService[]
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
cors_policy URLMapPathMatcherPathRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
fault_injection_policy URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
max_stream_duration URLMapPathMatcherPathRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
request_mirror_policy URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retry_policy URLMapPathMatcherPathRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherPathRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
url_rewrite URLMapPathMatcherPathRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
weighted_backend_services Sequence[URLMapPathMatcherPathRuleRouteActionWeightedBackendService]
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy Property Map
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy Property Map
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
maxStreamDuration Property Map
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy Property Map
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy Property Map
Specifies the retry policy associated with this route. Structure is documented below.
timeout Property Map
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
urlRewrite Property Map
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
weightedBackendServices List<Property Map>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.

URLMapPathMatcherPathRuleRouteActionCorsPolicy
, URLMapPathMatcherPathRuleRouteActionCorsPolicyArgs

Disabled This property is required. bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
AllowCredentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
AllowHeaders List<string>
Specifies the content for the Access-Control-Allow-Headers header.
AllowMethods List<string>
Specifies the content for the Access-Control-Allow-Methods header.
AllowOriginRegexes List<string>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
AllowOrigins List<string>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
ExposeHeaders List<string>
Specifies the content for the Access-Control-Expose-Headers header.
MaxAge int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
Disabled This property is required. bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
AllowCredentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
AllowHeaders []string
Specifies the content for the Access-Control-Allow-Headers header.
AllowMethods []string
Specifies the content for the Access-Control-Allow-Methods header.
AllowOriginRegexes []string
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
AllowOrigins []string
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
ExposeHeaders []string
Specifies the content for the Access-Control-Expose-Headers header.
MaxAge int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
disabled This property is required. Boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
allowCredentials Boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders List<String>
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods List<String>
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes List<String>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins List<String>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
exposeHeaders List<String>
Specifies the content for the Access-Control-Expose-Headers header.
maxAge Integer
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
disabled This property is required. boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
allowCredentials boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders string[]
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods string[]
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes string[]
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins string[]
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
exposeHeaders string[]
Specifies the content for the Access-Control-Expose-Headers header.
maxAge number
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
disabled This property is required. bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
allow_credentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allow_headers Sequence[str]
Specifies the content for the Access-Control-Allow-Headers header.
allow_methods Sequence[str]
Specifies the content for the Access-Control-Allow-Methods header.
allow_origin_regexes Sequence[str]
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allow_origins Sequence[str]
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
expose_headers Sequence[str]
Specifies the content for the Access-Control-Expose-Headers header.
max_age int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
disabled This property is required. Boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
allowCredentials Boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders List<String>
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods List<String>
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes List<String>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins List<String>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
exposeHeaders List<String>
Specifies the content for the Access-Control-Expose-Headers header.
maxAge Number
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.

URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicy
, URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyArgs

Abort URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
Delay URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
Abort URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
Delay URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort Property Map
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay Property Map
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.

URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbort
, URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyAbortArgs

HttpStatus This property is required. int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
Percentage This property is required. double
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
HttpStatus This property is required. int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
Percentage This property is required. float64
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus This property is required. Integer
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage This property is required. Double
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus This property is required. number
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage This property is required. number
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
http_status This property is required. int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage This property is required. float
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus This property is required. Number
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage This property is required. Number
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.

URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelay
, URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayArgs

FixedDelay This property is required. URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
Percentage This property is required. double
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
FixedDelay This property is required. URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
Percentage This property is required. float64
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay This property is required. URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage This property is required. Double
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay This property is required. URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage This property is required. number
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixed_delay This property is required. URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage This property is required. float
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay This property is required. Property Map
Specifies the value of the fixed delay interval. Structure is documented below.
percentage This property is required. Number
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.

URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelay
, URLMapPathMatcherPathRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherPathRuleRouteActionMaxStreamDuration
, URLMapPathMatcherPathRuleRouteActionMaxStreamDurationArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicy
, URLMapPathMatcherPathRuleRouteActionRequestMirrorPolicyArgs

BackendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
BackendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. String
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
backend_service This property is required. str
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. String
The full or partial URL to the BackendService resource being mirrored to.

URLMapPathMatcherPathRuleRouteActionRetryPolicy
, URLMapPathMatcherPathRuleRouteActionRetryPolicyArgs

NumRetries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
PerTryTimeout URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
RetryConditions List<string>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
NumRetries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
PerTryTimeout URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
RetryConditions []string
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries Integer
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions List<String>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries number
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions string[]
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
num_retries int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
per_try_timeout URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retry_conditions Sequence[str]
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries Number
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout Property Map
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions List<String>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable

URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeout
, URLMapPathMatcherPathRuleRouteActionRetryPolicyPerTryTimeoutArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherPathRuleRouteActionTimeout
, URLMapPathMatcherPathRuleRouteActionTimeoutArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherPathRuleRouteActionUrlRewrite
, URLMapPathMatcherPathRuleRouteActionUrlRewriteArgs

HostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
PathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
HostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
PathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite String
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite String
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
host_rewrite str
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
path_prefix_rewrite str
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
hostRewrite String
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite String
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.

URLMapPathMatcherPathRuleRouteActionWeightedBackendService
, URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceArgs

BackendService This property is required. string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
Weight This property is required. int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
HeaderAction URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
BackendService This property is required. string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
Weight This property is required. int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
HeaderAction URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
backendService This property is required. String
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
weight This property is required. Integer
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
headerAction URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
backendService This property is required. string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
weight This property is required. number
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
headerAction URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
backend_service This property is required. str
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
weight This property is required. int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
header_action URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
backendService This property is required. String
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
weight This property is required. Number
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
headerAction Property Map
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.

URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderAction
, URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionArgs

RequestHeadersToAdds List<URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds List<URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
RequestHeadersToAdds []URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves []string
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds []URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves []string
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd[]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves string[]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd[]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves string[]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
request_headers_to_adds Sequence[URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
request_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
response_headers_to_adds Sequence[URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
response_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<Property Map>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<Property Map>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.

URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd
, URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd
, URLMapPathMatcherPathRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherPathRuleUrlRedirect
, URLMapPathMatcherPathRuleUrlRedirectArgs

StripQuery This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
HostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
HttpsRedirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
PathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
PrefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
RedirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
StripQuery This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
HostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
HttpsRedirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
PathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
PrefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
RedirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. Boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
hostRedirect String
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect Boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
pathRedirect String
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
prefixRedirect String
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
redirectResponseCode String
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
hostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
pathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
prefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
redirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
strip_query This property is required. bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
host_redirect str
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
https_redirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
path_redirect str
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
prefix_redirect str
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
redirect_response_code str
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery This property is required. Boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
hostRedirect String
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect Boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
pathRedirect String
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
prefixRedirect String
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
redirectResponseCode String
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.

URLMapPathMatcherRouteRule
, URLMapPathMatcherRouteRuleArgs

Priority This property is required. int
For routeRules within a given pathMatcher, priority determines the order in which load balancer will interpret routeRules. RouteRules are evaluated in order of priority, from the lowest to highest number. The priority of a rule decreases as its number increases (1, 2, 3, N+1). The first rule that matches the request is applied. You cannot configure two or more routeRules with the same priority. Priority for each rule must be set to a number between 0 and 2147483647 inclusive. Priority numbers can have gaps, which enable you to add or remove rules in the future without affecting the rest of the rules. For example, 1, 2, 3, 4, 5, 9, 12, 16 is a valid series of priority numbers to which you could add rules numbered from 6 to 8, 10 to 11, and 13 to 15 in the future without any impact on existing rules.
CustomErrorResponsePolicy URLMapPathMatcherRouteRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. Structure is documented below.
HeaderAction URLMapPathMatcherRouteRuleHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here are applied before the matching pathMatchers[].headerAction and after pathMatchers[].routeRules[].r outeAction.weightedBackendService.backendServiceWeightAction[].headerAction Structure is documented below.
MatchRules List<URLMapPathMatcherRouteRuleMatchRule>
The rules for determining a match. Structure is documented below.
RouteAction URLMapPathMatcherRouteRuleRouteAction
In response to a matching matchRule, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
Service string
The backend service resource to which traffic is directed if this rule is matched. If routeAction is additionally specified, advanced routing actions like URL Rewrites, etc. take effect prior to sending the request to the backend. However, if service is specified, routeAction cannot contain any weightedBackendService s. Conversely, if routeAction specifies any weightedBackendServices, service must not be specified. Only one of urlRedirect, service or routeAction.weightedBackendService must be set.
UrlRedirect URLMapPathMatcherRouteRuleUrlRedirect
When this rule is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
Priority This property is required. int
For routeRules within a given pathMatcher, priority determines the order in which load balancer will interpret routeRules. RouteRules are evaluated in order of priority, from the lowest to highest number. The priority of a rule decreases as its number increases (1, 2, 3, N+1). The first rule that matches the request is applied. You cannot configure two or more routeRules with the same priority. Priority for each rule must be set to a number between 0 and 2147483647 inclusive. Priority numbers can have gaps, which enable you to add or remove rules in the future without affecting the rest of the rules. For example, 1, 2, 3, 4, 5, 9, 12, 16 is a valid series of priority numbers to which you could add rules numbered from 6 to 8, 10 to 11, and 13 to 15 in the future without any impact on existing rules.
CustomErrorResponsePolicy URLMapPathMatcherRouteRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. Structure is documented below.
HeaderAction URLMapPathMatcherRouteRuleHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here are applied before the matching pathMatchers[].headerAction and after pathMatchers[].routeRules[].r outeAction.weightedBackendService.backendServiceWeightAction[].headerAction Structure is documented below.
MatchRules []URLMapPathMatcherRouteRuleMatchRule
The rules for determining a match. Structure is documented below.
RouteAction URLMapPathMatcherRouteRuleRouteAction
In response to a matching matchRule, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
Service string
The backend service resource to which traffic is directed if this rule is matched. If routeAction is additionally specified, advanced routing actions like URL Rewrites, etc. take effect prior to sending the request to the backend. However, if service is specified, routeAction cannot contain any weightedBackendService s. Conversely, if routeAction specifies any weightedBackendServices, service must not be specified. Only one of urlRedirect, service or routeAction.weightedBackendService must be set.
UrlRedirect URLMapPathMatcherRouteRuleUrlRedirect
When this rule is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
priority This property is required. Integer
For routeRules within a given pathMatcher, priority determines the order in which load balancer will interpret routeRules. RouteRules are evaluated in order of priority, from the lowest to highest number. The priority of a rule decreases as its number increases (1, 2, 3, N+1). The first rule that matches the request is applied. You cannot configure two or more routeRules with the same priority. Priority for each rule must be set to a number between 0 and 2147483647 inclusive. Priority numbers can have gaps, which enable you to add or remove rules in the future without affecting the rest of the rules. For example, 1, 2, 3, 4, 5, 9, 12, 16 is a valid series of priority numbers to which you could add rules numbered from 6 to 8, 10 to 11, and 13 to 15 in the future without any impact on existing rules.
customErrorResponsePolicy URLMapPathMatcherRouteRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. Structure is documented below.
headerAction URLMapPathMatcherRouteRuleHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here are applied before the matching pathMatchers[].headerAction and after pathMatchers[].routeRules[].r outeAction.weightedBackendService.backendServiceWeightAction[].headerAction Structure is documented below.
matchRules List<URLMapPathMatcherRouteRuleMatchRule>
The rules for determining a match. Structure is documented below.
routeAction URLMapPathMatcherRouteRuleRouteAction
In response to a matching matchRule, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
service String
The backend service resource to which traffic is directed if this rule is matched. If routeAction is additionally specified, advanced routing actions like URL Rewrites, etc. take effect prior to sending the request to the backend. However, if service is specified, routeAction cannot contain any weightedBackendService s. Conversely, if routeAction specifies any weightedBackendServices, service must not be specified. Only one of urlRedirect, service or routeAction.weightedBackendService must be set.
urlRedirect URLMapPathMatcherRouteRuleUrlRedirect
When this rule is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
priority This property is required. number
For routeRules within a given pathMatcher, priority determines the order in which load balancer will interpret routeRules. RouteRules are evaluated in order of priority, from the lowest to highest number. The priority of a rule decreases as its number increases (1, 2, 3, N+1). The first rule that matches the request is applied. You cannot configure two or more routeRules with the same priority. Priority for each rule must be set to a number between 0 and 2147483647 inclusive. Priority numbers can have gaps, which enable you to add or remove rules in the future without affecting the rest of the rules. For example, 1, 2, 3, 4, 5, 9, 12, 16 is a valid series of priority numbers to which you could add rules numbered from 6 to 8, 10 to 11, and 13 to 15 in the future without any impact on existing rules.
customErrorResponsePolicy URLMapPathMatcherRouteRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. Structure is documented below.
headerAction URLMapPathMatcherRouteRuleHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here are applied before the matching pathMatchers[].headerAction and after pathMatchers[].routeRules[].r outeAction.weightedBackendService.backendServiceWeightAction[].headerAction Structure is documented below.
matchRules URLMapPathMatcherRouteRuleMatchRule[]
The rules for determining a match. Structure is documented below.
routeAction URLMapPathMatcherRouteRuleRouteAction
In response to a matching matchRule, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
service string
The backend service resource to which traffic is directed if this rule is matched. If routeAction is additionally specified, advanced routing actions like URL Rewrites, etc. take effect prior to sending the request to the backend. However, if service is specified, routeAction cannot contain any weightedBackendService s. Conversely, if routeAction specifies any weightedBackendServices, service must not be specified. Only one of urlRedirect, service or routeAction.weightedBackendService must be set.
urlRedirect URLMapPathMatcherRouteRuleUrlRedirect
When this rule is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
priority This property is required. int
For routeRules within a given pathMatcher, priority determines the order in which load balancer will interpret routeRules. RouteRules are evaluated in order of priority, from the lowest to highest number. The priority of a rule decreases as its number increases (1, 2, 3, N+1). The first rule that matches the request is applied. You cannot configure two or more routeRules with the same priority. Priority for each rule must be set to a number between 0 and 2147483647 inclusive. Priority numbers can have gaps, which enable you to add or remove rules in the future without affecting the rest of the rules. For example, 1, 2, 3, 4, 5, 9, 12, 16 is a valid series of priority numbers to which you could add rules numbered from 6 to 8, 10 to 11, and 13 to 15 in the future without any impact on existing rules.
custom_error_response_policy URLMapPathMatcherRouteRuleCustomErrorResponsePolicy
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. Structure is documented below.
header_action URLMapPathMatcherRouteRuleHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here are applied before the matching pathMatchers[].headerAction and after pathMatchers[].routeRules[].r outeAction.weightedBackendService.backendServiceWeightAction[].headerAction Structure is documented below.
match_rules Sequence[URLMapPathMatcherRouteRuleMatchRule]
The rules for determining a match. Structure is documented below.
route_action URLMapPathMatcherRouteRuleRouteAction
In response to a matching matchRule, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
service str
The backend service resource to which traffic is directed if this rule is matched. If routeAction is additionally specified, advanced routing actions like URL Rewrites, etc. take effect prior to sending the request to the backend. However, if service is specified, routeAction cannot contain any weightedBackendService s. Conversely, if routeAction specifies any weightedBackendServices, service must not be specified. Only one of urlRedirect, service or routeAction.weightedBackendService must be set.
url_redirect URLMapPathMatcherRouteRuleUrlRedirect
When this rule is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.
priority This property is required. Number
For routeRules within a given pathMatcher, priority determines the order in which load balancer will interpret routeRules. RouteRules are evaluated in order of priority, from the lowest to highest number. The priority of a rule decreases as its number increases (1, 2, 3, N+1). The first rule that matches the request is applied. You cannot configure two or more routeRules with the same priority. Priority for each rule must be set to a number between 0 and 2147483647 inclusive. Priority numbers can have gaps, which enable you to add or remove rules in the future without affecting the rest of the rules. For example, 1, 2, 3, 4, 5, 9, 12, 16 is a valid series of priority numbers to which you could add rules numbered from 6 to 8, 10 to 11, and 13 to 15 in the future without any impact on existing rules.
customErrorResponsePolicy Property Map
customErrorResponsePolicy specifies how the Load Balancer returns error responses when BackendService or BackendBucket responds with an error. Structure is documented below.
headerAction Property Map
Specifies changes to request and response headers that need to take effect for the selected backendService. The headerAction specified here are applied before the matching pathMatchers[].headerAction and after pathMatchers[].routeRules[].r outeAction.weightedBackendService.backendServiceWeightAction[].headerAction Structure is documented below.
matchRules List<Property Map>
The rules for determining a match. Structure is documented below.
routeAction Property Map
In response to a matching matchRule, the load balancer performs advanced routing actions like URL rewrites, header transformations, etc. prior to forwarding the request to the selected backend. If routeAction specifies any weightedBackendServices, service must not be set. Conversely if service is set, routeAction cannot contain any weightedBackendServices. Only one of routeAction or urlRedirect must be set. Structure is documented below.
service String
The backend service resource to which traffic is directed if this rule is matched. If routeAction is additionally specified, advanced routing actions like URL Rewrites, etc. take effect prior to sending the request to the backend. However, if service is specified, routeAction cannot contain any weightedBackendService s. Conversely, if routeAction specifies any weightedBackendServices, service must not be specified. Only one of urlRedirect, service or routeAction.weightedBackendService must be set.
urlRedirect Property Map
When this rule is matched, the request is redirected to a URL specified by urlRedirect. If urlRedirect is specified, service or routeAction must not be set. Structure is documented below.

URLMapPathMatcherRouteRuleCustomErrorResponsePolicy
, URLMapPathMatcherRouteRuleCustomErrorResponsePolicyArgs

ErrorResponseRules List<URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRule>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
ErrorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
ErrorResponseRules []URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRule
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
ErrorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules List<URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRule>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService String
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRule[]
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService string
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
error_response_rules Sequence[URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRule]
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
error_service str
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).
errorResponseRules List<Property Map>
Specifies rules for returning error responses. In a given policy, if you specify rules for both a range of error codes as well as rules for specific error codes then rules with specific error codes have a higher priority. For example, assume that you configure a rule for 401 (Un-authorized) code, and another for all 4 series error codes (4XX). If the backend service returns a 401, then the rule for 401 will be applied. However if the backend service returns a 403, the rule for 4xx takes effect. Structure is documented below.
errorService String
The full or partial URL to the BackendBucket resource that contains the custom error content. Examples are: https://www.googleapis.com/compute/v1/projects/project/global/backendBuckets/myBackendBucket compute/v1/projects/project/global/backendBuckets/myBackendBucket global/backendBuckets/myBackendBucket If errorService is not specified at lower levels like pathMatcher, pathRule and routeRule, an errorService specified at a higher level in the UrlMap will be used. If UrlMap.defaultCustomErrorResponsePolicy contains one or more errorResponseRules[], it must specify errorService. If load balancer cannot reach the backendBucket, a simple Not Found Error will be returned, with the original response code (or overrideResponseCode if configured).

URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRule
, URLMapPathMatcherRouteRuleCustomErrorResponsePolicyErrorResponseRuleArgs

MatchResponseCodes List<string>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
OverrideResponseCode int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
Path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
MatchResponseCodes []string
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
OverrideResponseCode int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
Path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes List<String>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode Integer
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path String
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes string[]
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode number
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path string
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
match_response_codes Sequence[str]
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
override_response_code int
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path str
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.
matchResponseCodes List<String>
Valid values include:

  • A number between 400 and 599: For example 401 or 503, in which case the load balancer applies the policy if the error code exactly matches this value.
  • 5xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 500 to 599.
  • 4xx: Load Balancer will apply the policy if the backend service responds with any response code in the range of 400 to 499. Values must be unique within matchResponseCodes and across all errorResponseRules of CustomErrorResponsePolicy.
overrideResponseCode Number
The HTTP status code returned with the response containing the custom error content. If overrideResponseCode is not supplied, the same response code returned by the original backend bucket or backend service is returned to the client.
path String
The full path to a file within backendBucket. For example: /errors/defaultError.html path must start with a leading slash. path cannot have trailing slashes. If the file is not available in backendBucket or the load balancer cannot reach the BackendBucket, a simple Not Found Error is returned to the client. The value must be from 1 to 1024 characters.

URLMapPathMatcherRouteRuleHeaderAction
, URLMapPathMatcherRouteRuleHeaderActionArgs

RequestHeadersToAdds List<URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds List<URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
RequestHeadersToAdds []URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAdd
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves []string
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds []URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAdd
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves []string
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAdd[]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves string[]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAdd[]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves string[]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
request_headers_to_adds Sequence[URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAdd]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
request_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
response_headers_to_adds Sequence[URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAdd]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
response_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<Property Map>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<Property Map>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.

URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAdd
, URLMapPathMatcherRouteRuleHeaderActionRequestHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAdd
, URLMapPathMatcherRouteRuleHeaderActionResponseHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherRouteRuleMatchRule
, URLMapPathMatcherRouteRuleMatchRuleArgs

FullPathMatch string
For satisfying the matchRule condition, the path of the request must exactly match the value specified in fullPathMatch after removing any query parameters and anchor that may be part of the original URL. FullPathMatch must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
HeaderMatches List<URLMapPathMatcherRouteRuleMatchRuleHeaderMatch>
Specifies a list of header match criteria, all of which must match corresponding headers in the request. Structure is documented below.
IgnoreCase bool
Specifies that prefixMatch and fullPathMatch matches are case sensitive. Defaults to false.
MetadataFilters List<URLMapPathMatcherRouteRuleMatchRuleMetadataFilter>
Opaque filter criteria used by Loadbalancer to restrict routing configuration to a limited set xDS compliant clients. In their xDS requests to Loadbalancer, xDS clients present node metadata. If a match takes place, the relevant routing configuration is made available to those proxies. For each metadataFilter in this list, if its filterMatchCriteria is set to MATCH_ANY, at least one of the filterLabels must match the corresponding label provided in the metadata. If its filterMatchCriteria is set to MATCH_ALL, then all of its filterLabels must match with corresponding labels in the provided metadata. metadataFilters specified here can be overrides those specified in ForwardingRule that refers to this UrlMap. metadataFilters only applies to Loadbalancers that have their loadBalancingScheme set to INTERNAL_SELF_MANAGED. Structure is documented below.
PathTemplateMatch string
For satisfying the matchRule condition, the path of the request must match the wildcard pattern specified in pathTemplateMatch after removing any query parameters and anchor that may be part of the original URL. pathTemplateMatch must be between 1 and 255 characters (inclusive). The pattern specified by pathTemplateMatch may have at most 5 wildcard operators and at most 5 variable captures in total.
PrefixMatch string
For satisfying the matchRule condition, the request's path must begin with the specified prefixMatch. prefixMatch must begin with a /. The value must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
QueryParameterMatches List<URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatch>
Specifies a list of query parameter match criteria, all of which must match corresponding query parameters in the request. Structure is documented below.
RegexMatch string
For satisfying the matchRule condition, the path of the request must satisfy the regular expression specified in regexMatch after removing any query parameters and anchor supplied with the original URL. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
FullPathMatch string
For satisfying the matchRule condition, the path of the request must exactly match the value specified in fullPathMatch after removing any query parameters and anchor that may be part of the original URL. FullPathMatch must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
HeaderMatches []URLMapPathMatcherRouteRuleMatchRuleHeaderMatch
Specifies a list of header match criteria, all of which must match corresponding headers in the request. Structure is documented below.
IgnoreCase bool
Specifies that prefixMatch and fullPathMatch matches are case sensitive. Defaults to false.
MetadataFilters []URLMapPathMatcherRouteRuleMatchRuleMetadataFilter
Opaque filter criteria used by Loadbalancer to restrict routing configuration to a limited set xDS compliant clients. In their xDS requests to Loadbalancer, xDS clients present node metadata. If a match takes place, the relevant routing configuration is made available to those proxies. For each metadataFilter in this list, if its filterMatchCriteria is set to MATCH_ANY, at least one of the filterLabels must match the corresponding label provided in the metadata. If its filterMatchCriteria is set to MATCH_ALL, then all of its filterLabels must match with corresponding labels in the provided metadata. metadataFilters specified here can be overrides those specified in ForwardingRule that refers to this UrlMap. metadataFilters only applies to Loadbalancers that have their loadBalancingScheme set to INTERNAL_SELF_MANAGED. Structure is documented below.
PathTemplateMatch string
For satisfying the matchRule condition, the path of the request must match the wildcard pattern specified in pathTemplateMatch after removing any query parameters and anchor that may be part of the original URL. pathTemplateMatch must be between 1 and 255 characters (inclusive). The pattern specified by pathTemplateMatch may have at most 5 wildcard operators and at most 5 variable captures in total.
PrefixMatch string
For satisfying the matchRule condition, the request's path must begin with the specified prefixMatch. prefixMatch must begin with a /. The value must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
QueryParameterMatches []URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatch
Specifies a list of query parameter match criteria, all of which must match corresponding query parameters in the request. Structure is documented below.
RegexMatch string
For satisfying the matchRule condition, the path of the request must satisfy the regular expression specified in regexMatch after removing any query parameters and anchor supplied with the original URL. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
fullPathMatch String
For satisfying the matchRule condition, the path of the request must exactly match the value specified in fullPathMatch after removing any query parameters and anchor that may be part of the original URL. FullPathMatch must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
headerMatches List<URLMapPathMatcherRouteRuleMatchRuleHeaderMatch>
Specifies a list of header match criteria, all of which must match corresponding headers in the request. Structure is documented below.
ignoreCase Boolean
Specifies that prefixMatch and fullPathMatch matches are case sensitive. Defaults to false.
metadataFilters List<URLMapPathMatcherRouteRuleMatchRuleMetadataFilter>
Opaque filter criteria used by Loadbalancer to restrict routing configuration to a limited set xDS compliant clients. In their xDS requests to Loadbalancer, xDS clients present node metadata. If a match takes place, the relevant routing configuration is made available to those proxies. For each metadataFilter in this list, if its filterMatchCriteria is set to MATCH_ANY, at least one of the filterLabels must match the corresponding label provided in the metadata. If its filterMatchCriteria is set to MATCH_ALL, then all of its filterLabels must match with corresponding labels in the provided metadata. metadataFilters specified here can be overrides those specified in ForwardingRule that refers to this UrlMap. metadataFilters only applies to Loadbalancers that have their loadBalancingScheme set to INTERNAL_SELF_MANAGED. Structure is documented below.
pathTemplateMatch String
For satisfying the matchRule condition, the path of the request must match the wildcard pattern specified in pathTemplateMatch after removing any query parameters and anchor that may be part of the original URL. pathTemplateMatch must be between 1 and 255 characters (inclusive). The pattern specified by pathTemplateMatch may have at most 5 wildcard operators and at most 5 variable captures in total.
prefixMatch String
For satisfying the matchRule condition, the request's path must begin with the specified prefixMatch. prefixMatch must begin with a /. The value must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
queryParameterMatches List<URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatch>
Specifies a list of query parameter match criteria, all of which must match corresponding query parameters in the request. Structure is documented below.
regexMatch String
For satisfying the matchRule condition, the path of the request must satisfy the regular expression specified in regexMatch after removing any query parameters and anchor supplied with the original URL. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
fullPathMatch string
For satisfying the matchRule condition, the path of the request must exactly match the value specified in fullPathMatch after removing any query parameters and anchor that may be part of the original URL. FullPathMatch must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
headerMatches URLMapPathMatcherRouteRuleMatchRuleHeaderMatch[]
Specifies a list of header match criteria, all of which must match corresponding headers in the request. Structure is documented below.
ignoreCase boolean
Specifies that prefixMatch and fullPathMatch matches are case sensitive. Defaults to false.
metadataFilters URLMapPathMatcherRouteRuleMatchRuleMetadataFilter[]
Opaque filter criteria used by Loadbalancer to restrict routing configuration to a limited set xDS compliant clients. In their xDS requests to Loadbalancer, xDS clients present node metadata. If a match takes place, the relevant routing configuration is made available to those proxies. For each metadataFilter in this list, if its filterMatchCriteria is set to MATCH_ANY, at least one of the filterLabels must match the corresponding label provided in the metadata. If its filterMatchCriteria is set to MATCH_ALL, then all of its filterLabels must match with corresponding labels in the provided metadata. metadataFilters specified here can be overrides those specified in ForwardingRule that refers to this UrlMap. metadataFilters only applies to Loadbalancers that have their loadBalancingScheme set to INTERNAL_SELF_MANAGED. Structure is documented below.
pathTemplateMatch string
For satisfying the matchRule condition, the path of the request must match the wildcard pattern specified in pathTemplateMatch after removing any query parameters and anchor that may be part of the original URL. pathTemplateMatch must be between 1 and 255 characters (inclusive). The pattern specified by pathTemplateMatch may have at most 5 wildcard operators and at most 5 variable captures in total.
prefixMatch string
For satisfying the matchRule condition, the request's path must begin with the specified prefixMatch. prefixMatch must begin with a /. The value must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
queryParameterMatches URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatch[]
Specifies a list of query parameter match criteria, all of which must match corresponding query parameters in the request. Structure is documented below.
regexMatch string
For satisfying the matchRule condition, the path of the request must satisfy the regular expression specified in regexMatch after removing any query parameters and anchor supplied with the original URL. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
full_path_match str
For satisfying the matchRule condition, the path of the request must exactly match the value specified in fullPathMatch after removing any query parameters and anchor that may be part of the original URL. FullPathMatch must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
header_matches Sequence[URLMapPathMatcherRouteRuleMatchRuleHeaderMatch]
Specifies a list of header match criteria, all of which must match corresponding headers in the request. Structure is documented below.
ignore_case bool
Specifies that prefixMatch and fullPathMatch matches are case sensitive. Defaults to false.
metadata_filters Sequence[URLMapPathMatcherRouteRuleMatchRuleMetadataFilter]
Opaque filter criteria used by Loadbalancer to restrict routing configuration to a limited set xDS compliant clients. In their xDS requests to Loadbalancer, xDS clients present node metadata. If a match takes place, the relevant routing configuration is made available to those proxies. For each metadataFilter in this list, if its filterMatchCriteria is set to MATCH_ANY, at least one of the filterLabels must match the corresponding label provided in the metadata. If its filterMatchCriteria is set to MATCH_ALL, then all of its filterLabels must match with corresponding labels in the provided metadata. metadataFilters specified here can be overrides those specified in ForwardingRule that refers to this UrlMap. metadataFilters only applies to Loadbalancers that have their loadBalancingScheme set to INTERNAL_SELF_MANAGED. Structure is documented below.
path_template_match str
For satisfying the matchRule condition, the path of the request must match the wildcard pattern specified in pathTemplateMatch after removing any query parameters and anchor that may be part of the original URL. pathTemplateMatch must be between 1 and 255 characters (inclusive). The pattern specified by pathTemplateMatch may have at most 5 wildcard operators and at most 5 variable captures in total.
prefix_match str
For satisfying the matchRule condition, the request's path must begin with the specified prefixMatch. prefixMatch must begin with a /. The value must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
query_parameter_matches Sequence[URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatch]
Specifies a list of query parameter match criteria, all of which must match corresponding query parameters in the request. Structure is documented below.
regex_match str
For satisfying the matchRule condition, the path of the request must satisfy the regular expression specified in regexMatch after removing any query parameters and anchor supplied with the original URL. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
fullPathMatch String
For satisfying the matchRule condition, the path of the request must exactly match the value specified in fullPathMatch after removing any query parameters and anchor that may be part of the original URL. FullPathMatch must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
headerMatches List<Property Map>
Specifies a list of header match criteria, all of which must match corresponding headers in the request. Structure is documented below.
ignoreCase Boolean
Specifies that prefixMatch and fullPathMatch matches are case sensitive. Defaults to false.
metadataFilters List<Property Map>
Opaque filter criteria used by Loadbalancer to restrict routing configuration to a limited set xDS compliant clients. In their xDS requests to Loadbalancer, xDS clients present node metadata. If a match takes place, the relevant routing configuration is made available to those proxies. For each metadataFilter in this list, if its filterMatchCriteria is set to MATCH_ANY, at least one of the filterLabels must match the corresponding label provided in the metadata. If its filterMatchCriteria is set to MATCH_ALL, then all of its filterLabels must match with corresponding labels in the provided metadata. metadataFilters specified here can be overrides those specified in ForwardingRule that refers to this UrlMap. metadataFilters only applies to Loadbalancers that have their loadBalancingScheme set to INTERNAL_SELF_MANAGED. Structure is documented below.
pathTemplateMatch String
For satisfying the matchRule condition, the path of the request must match the wildcard pattern specified in pathTemplateMatch after removing any query parameters and anchor that may be part of the original URL. pathTemplateMatch must be between 1 and 255 characters (inclusive). The pattern specified by pathTemplateMatch may have at most 5 wildcard operators and at most 5 variable captures in total.
prefixMatch String
For satisfying the matchRule condition, the request's path must begin with the specified prefixMatch. prefixMatch must begin with a /. The value must be between 1 and 1024 characters. Only one of prefixMatch, fullPathMatch or regexMatch must be specified.
queryParameterMatches List<Property Map>
Specifies a list of query parameter match criteria, all of which must match corresponding query parameters in the request. Structure is documented below.
regexMatch String
For satisfying the matchRule condition, the path of the request must satisfy the regular expression specified in regexMatch after removing any query parameters and anchor supplied with the original URL. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript Only one of prefixMatch, fullPathMatch or regexMatch must be specified.

URLMapPathMatcherRouteRuleMatchRuleHeaderMatch
, URLMapPathMatcherRouteRuleMatchRuleHeaderMatchArgs

HeaderName This property is required. string
The name of the HTTP header to match. For matching against the HTTP request's authority, use a headerMatch with the header name ":authority". For matching a request's method, use the headerName ":method".
ExactMatch string
The value should exactly match contents of exactMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
InvertMatch bool
If set to false, the headerMatch is considered a match if the match criteria above are met. If set to true, the headerMatch is considered a match if the match criteria above are NOT met. Defaults to false.
PrefixMatch string
The value of the header must start with the contents of prefixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
PresentMatch bool
A header with the contents of headerName must exist. The match takes place whether or not the request's header has a value or not. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
RangeMatch URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatch
The header value must be an integer and its value must be in the range specified in rangeMatch. If the header does not contain an integer, number or is empty, the match fails. For example for a range [-5, 0] - -3 will match. - 0 will not match. - 0.25 will not match. - -3someString will not match. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set. Structure is documented below.
RegexMatch string
The value of the header must match the regular expression specified in regexMatch. For regular expression grammar, please see: en.cppreference.com/w/cpp/regex/ecmascript For matching against a port specified in the HTTP request, use a headerMatch with headerName set to PORT and a regular expression that satisfies the RFC2616 Host header's port specifier. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
SuffixMatch string
The value of the header must end with the contents of suffixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
HeaderName This property is required. string
The name of the HTTP header to match. For matching against the HTTP request's authority, use a headerMatch with the header name ":authority". For matching a request's method, use the headerName ":method".
ExactMatch string
The value should exactly match contents of exactMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
InvertMatch bool
If set to false, the headerMatch is considered a match if the match criteria above are met. If set to true, the headerMatch is considered a match if the match criteria above are NOT met. Defaults to false.
PrefixMatch string
The value of the header must start with the contents of prefixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
PresentMatch bool
A header with the contents of headerName must exist. The match takes place whether or not the request's header has a value or not. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
RangeMatch URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatch
The header value must be an integer and its value must be in the range specified in rangeMatch. If the header does not contain an integer, number or is empty, the match fails. For example for a range [-5, 0] - -3 will match. - 0 will not match. - 0.25 will not match. - -3someString will not match. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set. Structure is documented below.
RegexMatch string
The value of the header must match the regular expression specified in regexMatch. For regular expression grammar, please see: en.cppreference.com/w/cpp/regex/ecmascript For matching against a port specified in the HTTP request, use a headerMatch with headerName set to PORT and a regular expression that satisfies the RFC2616 Host header's port specifier. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
SuffixMatch string
The value of the header must end with the contents of suffixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
headerName This property is required. String
The name of the HTTP header to match. For matching against the HTTP request's authority, use a headerMatch with the header name ":authority". For matching a request's method, use the headerName ":method".
exactMatch String
The value should exactly match contents of exactMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
invertMatch Boolean
If set to false, the headerMatch is considered a match if the match criteria above are met. If set to true, the headerMatch is considered a match if the match criteria above are NOT met. Defaults to false.
prefixMatch String
The value of the header must start with the contents of prefixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
presentMatch Boolean
A header with the contents of headerName must exist. The match takes place whether or not the request's header has a value or not. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
rangeMatch URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatch
The header value must be an integer and its value must be in the range specified in rangeMatch. If the header does not contain an integer, number or is empty, the match fails. For example for a range [-5, 0] - -3 will match. - 0 will not match. - 0.25 will not match. - -3someString will not match. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set. Structure is documented below.
regexMatch String
The value of the header must match the regular expression specified in regexMatch. For regular expression grammar, please see: en.cppreference.com/w/cpp/regex/ecmascript For matching against a port specified in the HTTP request, use a headerMatch with headerName set to PORT and a regular expression that satisfies the RFC2616 Host header's port specifier. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
suffixMatch String
The value of the header must end with the contents of suffixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
headerName This property is required. string
The name of the HTTP header to match. For matching against the HTTP request's authority, use a headerMatch with the header name ":authority". For matching a request's method, use the headerName ":method".
exactMatch string
The value should exactly match contents of exactMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
invertMatch boolean
If set to false, the headerMatch is considered a match if the match criteria above are met. If set to true, the headerMatch is considered a match if the match criteria above are NOT met. Defaults to false.
prefixMatch string
The value of the header must start with the contents of prefixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
presentMatch boolean
A header with the contents of headerName must exist. The match takes place whether or not the request's header has a value or not. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
rangeMatch URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatch
The header value must be an integer and its value must be in the range specified in rangeMatch. If the header does not contain an integer, number or is empty, the match fails. For example for a range [-5, 0] - -3 will match. - 0 will not match. - 0.25 will not match. - -3someString will not match. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set. Structure is documented below.
regexMatch string
The value of the header must match the regular expression specified in regexMatch. For regular expression grammar, please see: en.cppreference.com/w/cpp/regex/ecmascript For matching against a port specified in the HTTP request, use a headerMatch with headerName set to PORT and a regular expression that satisfies the RFC2616 Host header's port specifier. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
suffixMatch string
The value of the header must end with the contents of suffixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
header_name This property is required. str
The name of the HTTP header to match. For matching against the HTTP request's authority, use a headerMatch with the header name ":authority". For matching a request's method, use the headerName ":method".
exact_match str
The value should exactly match contents of exactMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
invert_match bool
If set to false, the headerMatch is considered a match if the match criteria above are met. If set to true, the headerMatch is considered a match if the match criteria above are NOT met. Defaults to false.
prefix_match str
The value of the header must start with the contents of prefixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
present_match bool
A header with the contents of headerName must exist. The match takes place whether or not the request's header has a value or not. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
range_match URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatch
The header value must be an integer and its value must be in the range specified in rangeMatch. If the header does not contain an integer, number or is empty, the match fails. For example for a range [-5, 0] - -3 will match. - 0 will not match. - 0.25 will not match. - -3someString will not match. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set. Structure is documented below.
regex_match str
The value of the header must match the regular expression specified in regexMatch. For regular expression grammar, please see: en.cppreference.com/w/cpp/regex/ecmascript For matching against a port specified in the HTTP request, use a headerMatch with headerName set to PORT and a regular expression that satisfies the RFC2616 Host header's port specifier. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
suffix_match str
The value of the header must end with the contents of suffixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
headerName This property is required. String
The name of the HTTP header to match. For matching against the HTTP request's authority, use a headerMatch with the header name ":authority". For matching a request's method, use the headerName ":method".
exactMatch String
The value should exactly match contents of exactMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
invertMatch Boolean
If set to false, the headerMatch is considered a match if the match criteria above are met. If set to true, the headerMatch is considered a match if the match criteria above are NOT met. Defaults to false.
prefixMatch String
The value of the header must start with the contents of prefixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
presentMatch Boolean
A header with the contents of headerName must exist. The match takes place whether or not the request's header has a value or not. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
rangeMatch Property Map
The header value must be an integer and its value must be in the range specified in rangeMatch. If the header does not contain an integer, number or is empty, the match fails. For example for a range [-5, 0] - -3 will match. - 0 will not match. - 0.25 will not match. - -3someString will not match. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set. Structure is documented below.
regexMatch String
The value of the header must match the regular expression specified in regexMatch. For regular expression grammar, please see: en.cppreference.com/w/cpp/regex/ecmascript For matching against a port specified in the HTTP request, use a headerMatch with headerName set to PORT and a regular expression that satisfies the RFC2616 Host header's port specifier. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.
suffixMatch String
The value of the header must end with the contents of suffixMatch. Only one of exactMatch, prefixMatch, suffixMatch, regexMatch, presentMatch or rangeMatch must be set.

URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatch
, URLMapPathMatcherRouteRuleMatchRuleHeaderMatchRangeMatchArgs

RangeEnd This property is required. int
The end of the range (exclusive).
RangeStart This property is required. int
The start of the range (inclusive).
RangeEnd This property is required. int
The end of the range (exclusive).
RangeStart This property is required. int
The start of the range (inclusive).
rangeEnd This property is required. Integer
The end of the range (exclusive).
rangeStart This property is required. Integer
The start of the range (inclusive).
rangeEnd This property is required. number
The end of the range (exclusive).
rangeStart This property is required. number
The start of the range (inclusive).
range_end This property is required. int
The end of the range (exclusive).
range_start This property is required. int
The start of the range (inclusive).
rangeEnd This property is required. Number
The end of the range (exclusive).
rangeStart This property is required. Number
The start of the range (inclusive).

URLMapPathMatcherRouteRuleMatchRuleMetadataFilter
, URLMapPathMatcherRouteRuleMatchRuleMetadataFilterArgs

FilterLabels This property is required. List<URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabel>
The list of label value pairs that must match labels in the provided metadata based on filterMatchCriteria This list must not be empty and can have at the most 64 entries. Structure is documented below.
FilterMatchCriteria This property is required. string
Specifies how individual filterLabel matches within the list of filterLabels contribute towards the overall metadataFilter match. Supported values are:

  • MATCH_ANY: At least one of the filterLabels must have a matching label in the provided metadata.
  • MATCH_ALL: All filterLabels must have matching labels in the provided metadata. Possible values are: MATCH_ALL, MATCH_ANY.
FilterLabels This property is required. []URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabel
The list of label value pairs that must match labels in the provided metadata based on filterMatchCriteria This list must not be empty and can have at the most 64 entries. Structure is documented below.
FilterMatchCriteria This property is required. string
Specifies how individual filterLabel matches within the list of filterLabels contribute towards the overall metadataFilter match. Supported values are:

  • MATCH_ANY: At least one of the filterLabels must have a matching label in the provided metadata.
  • MATCH_ALL: All filterLabels must have matching labels in the provided metadata. Possible values are: MATCH_ALL, MATCH_ANY.
filterLabels This property is required. List<URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabel>
The list of label value pairs that must match labels in the provided metadata based on filterMatchCriteria This list must not be empty and can have at the most 64 entries. Structure is documented below.
filterMatchCriteria This property is required. String
Specifies how individual filterLabel matches within the list of filterLabels contribute towards the overall metadataFilter match. Supported values are:

  • MATCH_ANY: At least one of the filterLabels must have a matching label in the provided metadata.
  • MATCH_ALL: All filterLabels must have matching labels in the provided metadata. Possible values are: MATCH_ALL, MATCH_ANY.
filterLabels This property is required. URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabel[]
The list of label value pairs that must match labels in the provided metadata based on filterMatchCriteria This list must not be empty and can have at the most 64 entries. Structure is documented below.
filterMatchCriteria This property is required. string
Specifies how individual filterLabel matches within the list of filterLabels contribute towards the overall metadataFilter match. Supported values are:

  • MATCH_ANY: At least one of the filterLabels must have a matching label in the provided metadata.
  • MATCH_ALL: All filterLabels must have matching labels in the provided metadata. Possible values are: MATCH_ALL, MATCH_ANY.
filter_labels This property is required. Sequence[URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabel]
The list of label value pairs that must match labels in the provided metadata based on filterMatchCriteria This list must not be empty and can have at the most 64 entries. Structure is documented below.
filter_match_criteria This property is required. str
Specifies how individual filterLabel matches within the list of filterLabels contribute towards the overall metadataFilter match. Supported values are:

  • MATCH_ANY: At least one of the filterLabels must have a matching label in the provided metadata.
  • MATCH_ALL: All filterLabels must have matching labels in the provided metadata. Possible values are: MATCH_ALL, MATCH_ANY.
filterLabels This property is required. List<Property Map>
The list of label value pairs that must match labels in the provided metadata based on filterMatchCriteria This list must not be empty and can have at the most 64 entries. Structure is documented below.
filterMatchCriteria This property is required. String
Specifies how individual filterLabel matches within the list of filterLabels contribute towards the overall metadataFilter match. Supported values are:

  • MATCH_ANY: At least one of the filterLabels must have a matching label in the provided metadata.
  • MATCH_ALL: All filterLabels must have matching labels in the provided metadata. Possible values are: MATCH_ALL, MATCH_ANY.

URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabel
, URLMapPathMatcherRouteRuleMatchRuleMetadataFilterFilterLabelArgs

Name This property is required. string
Name of metadata label. The name can have a maximum length of 1024 characters and must be at least 1 character long.
Value This property is required. string
The value of the label must match the specified value. value can have a maximum length of 1024 characters.
Name This property is required. string
Name of metadata label. The name can have a maximum length of 1024 characters and must be at least 1 character long.
Value This property is required. string
The value of the label must match the specified value. value can have a maximum length of 1024 characters.
name This property is required. String
Name of metadata label. The name can have a maximum length of 1024 characters and must be at least 1 character long.
value This property is required. String
The value of the label must match the specified value. value can have a maximum length of 1024 characters.
name This property is required. string
Name of metadata label. The name can have a maximum length of 1024 characters and must be at least 1 character long.
value This property is required. string
The value of the label must match the specified value. value can have a maximum length of 1024 characters.
name This property is required. str
Name of metadata label. The name can have a maximum length of 1024 characters and must be at least 1 character long.
value This property is required. str
The value of the label must match the specified value. value can have a maximum length of 1024 characters.
name This property is required. String
Name of metadata label. The name can have a maximum length of 1024 characters and must be at least 1 character long.
value This property is required. String
The value of the label must match the specified value. value can have a maximum length of 1024 characters.

URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatch
, URLMapPathMatcherRouteRuleMatchRuleQueryParameterMatchArgs

Name This property is required. string
The name of the query parameter to match. The query parameter must exist in the request, in the absence of which the request match fails.
ExactMatch string
The queryParameterMatch matches if the value of the parameter exactly matches the contents of exactMatch. Only one of presentMatch, exactMatch and regexMatch must be set.
PresentMatch bool
Specifies that the queryParameterMatch matches if the request contains the query parameter, irrespective of whether the parameter has a value or not. Only one of presentMatch, exactMatch and regexMatch must be set.
RegexMatch string
The queryParameterMatch matches if the value of the parameter matches the regular expression specified by regexMatch. For the regular expression grammar, please see en.cppreference.com/w/cpp/regex/ecmascript Only one of presentMatch, exactMatch and regexMatch must be set.
Name This property is required. string
The name of the query parameter to match. The query parameter must exist in the request, in the absence of which the request match fails.
ExactMatch string
The queryParameterMatch matches if the value of the parameter exactly matches the contents of exactMatch. Only one of presentMatch, exactMatch and regexMatch must be set.
PresentMatch bool
Specifies that the queryParameterMatch matches if the request contains the query parameter, irrespective of whether the parameter has a value or not. Only one of presentMatch, exactMatch and regexMatch must be set.
RegexMatch string
The queryParameterMatch matches if the value of the parameter matches the regular expression specified by regexMatch. For the regular expression grammar, please see en.cppreference.com/w/cpp/regex/ecmascript Only one of presentMatch, exactMatch and regexMatch must be set.
name This property is required. String
The name of the query parameter to match. The query parameter must exist in the request, in the absence of which the request match fails.
exactMatch String
The queryParameterMatch matches if the value of the parameter exactly matches the contents of exactMatch. Only one of presentMatch, exactMatch and regexMatch must be set.
presentMatch Boolean
Specifies that the queryParameterMatch matches if the request contains the query parameter, irrespective of whether the parameter has a value or not. Only one of presentMatch, exactMatch and regexMatch must be set.
regexMatch String
The queryParameterMatch matches if the value of the parameter matches the regular expression specified by regexMatch. For the regular expression grammar, please see en.cppreference.com/w/cpp/regex/ecmascript Only one of presentMatch, exactMatch and regexMatch must be set.
name This property is required. string
The name of the query parameter to match. The query parameter must exist in the request, in the absence of which the request match fails.
exactMatch string
The queryParameterMatch matches if the value of the parameter exactly matches the contents of exactMatch. Only one of presentMatch, exactMatch and regexMatch must be set.
presentMatch boolean
Specifies that the queryParameterMatch matches if the request contains the query parameter, irrespective of whether the parameter has a value or not. Only one of presentMatch, exactMatch and regexMatch must be set.
regexMatch string
The queryParameterMatch matches if the value of the parameter matches the regular expression specified by regexMatch. For the regular expression grammar, please see en.cppreference.com/w/cpp/regex/ecmascript Only one of presentMatch, exactMatch and regexMatch must be set.
name This property is required. str
The name of the query parameter to match. The query parameter must exist in the request, in the absence of which the request match fails.
exact_match str
The queryParameterMatch matches if the value of the parameter exactly matches the contents of exactMatch. Only one of presentMatch, exactMatch and regexMatch must be set.
present_match bool
Specifies that the queryParameterMatch matches if the request contains the query parameter, irrespective of whether the parameter has a value or not. Only one of presentMatch, exactMatch and regexMatch must be set.
regex_match str
The queryParameterMatch matches if the value of the parameter matches the regular expression specified by regexMatch. For the regular expression grammar, please see en.cppreference.com/w/cpp/regex/ecmascript Only one of presentMatch, exactMatch and regexMatch must be set.
name This property is required. String
The name of the query parameter to match. The query parameter must exist in the request, in the absence of which the request match fails.
exactMatch String
The queryParameterMatch matches if the value of the parameter exactly matches the contents of exactMatch. Only one of presentMatch, exactMatch and regexMatch must be set.
presentMatch Boolean
Specifies that the queryParameterMatch matches if the request contains the query parameter, irrespective of whether the parameter has a value or not. Only one of presentMatch, exactMatch and regexMatch must be set.
regexMatch String
The queryParameterMatch matches if the value of the parameter matches the regular expression specified by regexMatch. For the regular expression grammar, please see en.cppreference.com/w/cpp/regex/ecmascript Only one of presentMatch, exactMatch and regexMatch must be set.

URLMapPathMatcherRouteRuleRouteAction
, URLMapPathMatcherRouteRuleRouteActionArgs

CorsPolicy URLMapPathMatcherRouteRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
FaultInjectionPolicy URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
MaxStreamDuration URLMapPathMatcherRouteRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
RequestMirrorPolicy URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
RetryPolicy URLMapPathMatcherRouteRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
Timeout URLMapPathMatcherRouteRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
UrlRewrite URLMapPathMatcherRouteRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
WeightedBackendServices List<URLMapPathMatcherRouteRuleRouteActionWeightedBackendService>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
CorsPolicy URLMapPathMatcherRouteRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
FaultInjectionPolicy URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
MaxStreamDuration URLMapPathMatcherRouteRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
RequestMirrorPolicy URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
RetryPolicy URLMapPathMatcherRouteRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
Timeout URLMapPathMatcherRouteRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
UrlRewrite URLMapPathMatcherRouteRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
WeightedBackendServices []URLMapPathMatcherRouteRuleRouteActionWeightedBackendService
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy URLMapPathMatcherRouteRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
maxStreamDuration URLMapPathMatcherRouteRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy URLMapPathMatcherRouteRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherRouteRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
urlRewrite URLMapPathMatcherRouteRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
weightedBackendServices List<URLMapPathMatcherRouteRuleRouteActionWeightedBackendService>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy URLMapPathMatcherRouteRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
maxStreamDuration URLMapPathMatcherRouteRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy URLMapPathMatcherRouteRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherRouteRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
urlRewrite URLMapPathMatcherRouteRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
weightedBackendServices URLMapPathMatcherRouteRuleRouteActionWeightedBackendService[]
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
cors_policy URLMapPathMatcherRouteRuleRouteActionCorsPolicy
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
fault_injection_policy URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicy
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
max_stream_duration URLMapPathMatcherRouteRuleRouteActionMaxStreamDuration
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
request_mirror_policy URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicy
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retry_policy URLMapPathMatcherRouteRuleRouteActionRetryPolicy
Specifies the retry policy associated with this route. Structure is documented below.
timeout URLMapPathMatcherRouteRuleRouteActionTimeout
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
url_rewrite URLMapPathMatcherRouteRuleRouteActionUrlRewrite
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
weighted_backend_services Sequence[URLMapPathMatcherRouteRuleRouteActionWeightedBackendService]
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.
corsPolicy Property Map
The specification for allowing client side cross-origin requests. Please see W3C Recommendation for Cross Origin Resource Sharing Structure is documented below.
faultInjectionPolicy Property Map
The specification for fault injection introduced into traffic to test the resiliency of clients to backend service failure. As part of fault injection, when clients send requests to a backend service, delays can be introduced by Loadbalancer on a percentage of requests before sending those request to the backend service. Similarly requests from clients can be aborted by the Loadbalancer for a percentage of requests. timeout and retry_policy will be ignored by clients that are configured with a fault_injection_policy. Structure is documented below.
maxStreamDuration Property Map
Specifies the maximum duration (timeout) for streams on the selected route. Unlike the Timeout field where the timeout duration starts from the time the request has been fully processed (known as end-of-stream), the duration in this field is computed from the beginning of the stream until the response has been processed, including all retries. A stream that does not complete in this duration is closed. Structure is documented below.
requestMirrorPolicy Property Map
Specifies the policy on how requests intended for the route's backends are shadowed to a separate mirrored backend service. Loadbalancer does not wait for responses from the shadow service. Prior to sending traffic to the shadow service, the host / authority header is suffixed with -shadow. Structure is documented below.
retryPolicy Property Map
Specifies the retry policy associated with this route. Structure is documented below.
timeout Property Map
Specifies the timeout for the selected route. Timeout is computed from the time the request is has been fully processed (i.e. end-of-stream) up until the response has been completely processed. Timeout includes all retries. If not specified, the default value is 15 seconds. Structure is documented below.
urlRewrite Property Map
The spec to modify the URL of the request, prior to forwarding the request to the matched service Structure is documented below.
weightedBackendServices List<Property Map>
A list of weighted backend services to send traffic to when a route match occurs. The weights determine the fraction of traffic that flows to their corresponding backend service. If all traffic needs to go to a single backend service, there must be one weightedBackendService with weight set to a non 0 number. Once a backendService is identified and before forwarding the request to the backend service, advanced routing actions like Url rewrites and header transformations are applied depending on additional settings specified in this HttpRouteAction. Structure is documented below.

URLMapPathMatcherRouteRuleRouteActionCorsPolicy
, URLMapPathMatcherRouteRuleRouteActionCorsPolicyArgs

AllowCredentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
AllowHeaders List<string>
Specifies the content for the Access-Control-Allow-Headers header.
AllowMethods List<string>
Specifies the content for the Access-Control-Allow-Methods header.
AllowOriginRegexes List<string>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
AllowOrigins List<string>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
Disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
ExposeHeaders List<string>
Specifies the content for the Access-Control-Expose-Headers header.
MaxAge int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
AllowCredentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
AllowHeaders []string
Specifies the content for the Access-Control-Allow-Headers header.
AllowMethods []string
Specifies the content for the Access-Control-Allow-Methods header.
AllowOriginRegexes []string
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
AllowOrigins []string
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
Disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
ExposeHeaders []string
Specifies the content for the Access-Control-Expose-Headers header.
MaxAge int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials Boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders List<String>
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods List<String>
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes List<String>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins List<String>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled Boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders List<String>
Specifies the content for the Access-Control-Expose-Headers header.
maxAge Integer
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders string[]
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods string[]
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes string[]
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins string[]
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders string[]
Specifies the content for the Access-Control-Expose-Headers header.
maxAge number
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allow_credentials bool
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allow_headers Sequence[str]
Specifies the content for the Access-Control-Allow-Headers header.
allow_methods Sequence[str]
Specifies the content for the Access-Control-Allow-Methods header.
allow_origin_regexes Sequence[str]
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allow_origins Sequence[str]
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled bool
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
expose_headers Sequence[str]
Specifies the content for the Access-Control-Expose-Headers header.
max_age int
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.
allowCredentials Boolean
In response to a preflight request, setting this to true indicates that the actual request can include user credentials. This translates to the Access-Control-Allow-Credentials header.
allowHeaders List<String>
Specifies the content for the Access-Control-Allow-Headers header.
allowMethods List<String>
Specifies the content for the Access-Control-Allow-Methods header.
allowOriginRegexes List<String>
Specifies the regular expression patterns that match allowed origins. For regular expression grammar please see en.cppreference.com/w/cpp/regex/ecmascript An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
allowOrigins List<String>
Specifies the list of origins that will be allowed to do CORS requests. An origin is allowed if it matches either an item in allowOrigins or an item in allowOriginRegexes.
disabled Boolean
If true, specifies the CORS policy is disabled. The default value is false, which indicates that the CORS policy is in effect.
exposeHeaders List<String>
Specifies the content for the Access-Control-Expose-Headers header.
maxAge Number
Specifies how long results of a preflight request can be cached in seconds. This translates to the Access-Control-Max-Age header.

URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicy
, URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyArgs

Abort URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
Delay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
Abort URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
Delay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbort
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelay
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.
abort Property Map
The specification for how client requests are aborted as part of fault injection. Structure is documented below.
delay Property Map
The specification for how client requests are delayed as part of fault injection, before being sent to a backend service. Structure is documented below.

URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbort
, URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyAbortArgs

HttpStatus int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
Percentage double
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
HttpStatus int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
Percentage float64
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus Integer
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage Double
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus number
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage number
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
http_status int
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage float
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
httpStatus Number
The HTTP status code used to abort the request. The value must be between 200 and 599 inclusive.
percentage Number
The percentage of traffic (connections/operations/requests) which will be aborted as part of fault injection. The value must be between 0.0 and 100.0 inclusive.

URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelay
, URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayArgs

FixedDelay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
Percentage double
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
FixedDelay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
Percentage float64
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage Double
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage number
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixed_delay URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelay
Specifies the value of the fixed delay interval. Structure is documented below.
percentage float
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.
fixedDelay Property Map
Specifies the value of the fixed delay interval. Structure is documented below.
percentage Number
The percentage of traffic (connections/operations/requests) on which delay will be introduced as part of fault injection. The value must be between 0.0 and 100.0 inclusive.

URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelay
, URLMapPathMatcherRouteRuleRouteActionFaultInjectionPolicyDelayFixedDelayArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherRouteRuleRouteActionMaxStreamDuration
, URLMapPathMatcherRouteRuleRouteActionMaxStreamDurationArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicy
, URLMapPathMatcherRouteRuleRouteActionRequestMirrorPolicyArgs

BackendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
BackendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. String
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. string
The full or partial URL to the BackendService resource being mirrored to.
backend_service This property is required. str
The full or partial URL to the BackendService resource being mirrored to.
backendService This property is required. String
The full or partial URL to the BackendService resource being mirrored to.

URLMapPathMatcherRouteRuleRouteActionRetryPolicy
, URLMapPathMatcherRouteRuleRouteActionRetryPolicyArgs

NumRetries This property is required. int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
PerTryTimeout URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
RetryConditions List<string>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
NumRetries This property is required. int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
PerTryTimeout URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
RetryConditions []string
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries This property is required. Integer
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions List<String>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries This property is required. number
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions string[]
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
num_retries This property is required. int
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
per_try_timeout URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeout
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retry_conditions Sequence[str]
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable
numRetries This property is required. Number
Specifies the allowed number retries. This number must be > 0. If not specified, defaults to 1.
perTryTimeout Property Map
Specifies a non-zero timeout per retry attempt. If not specified, will use the timeout set in HttpRouteAction. If timeout in HttpRouteAction is not set, will use the largest timeout among all backend services associated with the route. Structure is documented below.
retryConditions List<String>
Specfies one or more conditions when this retry rule applies. Valid values are:

  • 5xx: Loadbalancer will attempt a retry if the backend service responds with any 5xx response code, or if the backend service does not respond at all, example: disconnects, reset, read timeout,
  • connection failure, and refused streams.
  • gateway-error: Similar to 5xx, but only applies to response codes 502, 503 or 504.
  • connect-failure: Loadbalancer will retry on failures connecting to backend services, for example due to connection timeouts.
  • retriable-4xx: Loadbalancer will retry for retriable 4xx response codes. Currently the only retriable error supported is 409.
  • refused-stream:Loadbalancer will retry if the backend service resets the stream with a REFUSED_STREAM error code. This reset type indicates that it is safe to retry.
  • cancelled: Loadbalancer will retry if the gRPC status code in the response header is set to cancelled
  • deadline-exceeded: Loadbalancer will retry if the gRPC status code in the response header is set to deadline-exceeded
  • resource-exhausted: Loadbalancer will retry if the gRPC status code in the response header is set to resource-exhausted
  • unavailable: Loadbalancer will retry if the gRPC status code in the response header is set to unavailable

URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeout
, URLMapPathMatcherRouteRuleRouteActionRetryPolicyPerTryTimeoutArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherRouteRuleRouteActionTimeout
, URLMapPathMatcherRouteRuleRouteActionTimeoutArgs

Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
Seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
Nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Integer
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. string
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. str
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos int
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.
seconds This property is required. String
Span of time at a resolution of a second. Must be from 0 to 315,576,000,000 inclusive. Note: these bounds are computed from: 60 sec/min * 60 min/hr * 24 hr/day * 365.25 days/year * 10000 years
nanos Number
Span of time that's a fraction of a second at nanosecond resolution. Durations less than one second are represented with a 0 seconds field and a positive nanos field. Must be from 0 to 999,999,999 inclusive.

URLMapPathMatcherRouteRuleRouteActionUrlRewrite
, URLMapPathMatcherRouteRuleRouteActionUrlRewriteArgs

HostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
PathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
PathTemplateRewrite string
Prior to forwarding the request to the selected origin, if the request matched a pathTemplateMatch, the matching portion of the request's path is replaced re-written using the pattern specified by pathTemplateRewrite. pathTemplateRewrite must be between 1 and 255 characters (inclusive), must start with a '/', and must only use variables captured by the route's pathTemplate matchers. pathTemplateRewrite may only be used when all of a route's MatchRules specify pathTemplate. Only one of pathPrefixRewrite and pathTemplateRewrite may be specified.
HostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
PathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
PathTemplateRewrite string
Prior to forwarding the request to the selected origin, if the request matched a pathTemplateMatch, the matching portion of the request's path is replaced re-written using the pattern specified by pathTemplateRewrite. pathTemplateRewrite must be between 1 and 255 characters (inclusive), must start with a '/', and must only use variables captured by the route's pathTemplate matchers. pathTemplateRewrite may only be used when all of a route's MatchRules specify pathTemplate. Only one of pathPrefixRewrite and pathTemplateRewrite may be specified.
hostRewrite String
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite String
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
pathTemplateRewrite String
Prior to forwarding the request to the selected origin, if the request matched a pathTemplateMatch, the matching portion of the request's path is replaced re-written using the pattern specified by pathTemplateRewrite. pathTemplateRewrite must be between 1 and 255 characters (inclusive), must start with a '/', and must only use variables captured by the route's pathTemplate matchers. pathTemplateRewrite may only be used when all of a route's MatchRules specify pathTemplate. Only one of pathPrefixRewrite and pathTemplateRewrite may be specified.
hostRewrite string
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite string
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
pathTemplateRewrite string
Prior to forwarding the request to the selected origin, if the request matched a pathTemplateMatch, the matching portion of the request's path is replaced re-written using the pattern specified by pathTemplateRewrite. pathTemplateRewrite must be between 1 and 255 characters (inclusive), must start with a '/', and must only use variables captured by the route's pathTemplate matchers. pathTemplateRewrite may only be used when all of a route's MatchRules specify pathTemplate. Only one of pathPrefixRewrite and pathTemplateRewrite may be specified.
host_rewrite str
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
path_prefix_rewrite str
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
path_template_rewrite str
Prior to forwarding the request to the selected origin, if the request matched a pathTemplateMatch, the matching portion of the request's path is replaced re-written using the pattern specified by pathTemplateRewrite. pathTemplateRewrite must be between 1 and 255 characters (inclusive), must start with a '/', and must only use variables captured by the route's pathTemplate matchers. pathTemplateRewrite may only be used when all of a route's MatchRules specify pathTemplate. Only one of pathPrefixRewrite and pathTemplateRewrite may be specified.
hostRewrite String
Prior to forwarding the request to the selected service, the request's host header is replaced with contents of hostRewrite. The value must be between 1 and 255 characters.
pathPrefixRewrite String
Prior to forwarding the request to the selected backend service, the matching portion of the request's path is replaced by pathPrefixRewrite. The value must be between 1 and 1024 characters.
pathTemplateRewrite String
Prior to forwarding the request to the selected origin, if the request matched a pathTemplateMatch, the matching portion of the request's path is replaced re-written using the pattern specified by pathTemplateRewrite. pathTemplateRewrite must be between 1 and 255 characters (inclusive), must start with a '/', and must only use variables captured by the route's pathTemplate matchers. pathTemplateRewrite may only be used when all of a route's MatchRules specify pathTemplate. Only one of pathPrefixRewrite and pathTemplateRewrite may be specified.

URLMapPathMatcherRouteRuleRouteActionWeightedBackendService
, URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceArgs

BackendService This property is required. string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
Weight This property is required. int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
HeaderAction URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
BackendService This property is required. string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
Weight This property is required. int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
HeaderAction URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
backendService This property is required. String
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
weight This property is required. Integer
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
headerAction URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
backendService This property is required. string
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
weight This property is required. number
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
headerAction URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
backend_service This property is required. str
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
weight This property is required. int
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
header_action URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderAction
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.
backendService This property is required. String
The full or partial URL to the default BackendService resource. Before forwarding the request to backendService, the loadbalancer applies any relevant headerActions specified as part of this backendServiceWeight.
weight This property is required. Number
Specifies the fraction of traffic sent to backendService, computed as weight / (sum of all weightedBackendService weights in routeAction) . The selection of a backend service is determined only for new traffic. Once a user's request has been directed to a backendService, subsequent requests will be sent to the same backendService as determined by the BackendService's session affinity policy. The value must be between 0 and 1000
headerAction Property Map
Specifies changes to request and response headers that need to take effect for the selected backendService. headerAction specified here take effect before headerAction in the enclosing HttpRouteRule, PathMatcher and UrlMap. Structure is documented below.

URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderAction
, URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionArgs

RequestHeadersToAdds List<URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds List<URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves List<string>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
RequestHeadersToAdds []URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
RequestHeadersToRemoves []string
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
ResponseHeadersToAdds []URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd
Headers to add the response prior to sending the response back to the client. Structure is documented below.
ResponseHeadersToRemoves []string
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd[]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves string[]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd[]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves string[]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
request_headers_to_adds Sequence[URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd]
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
request_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
response_headers_to_adds Sequence[URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd]
Headers to add the response prior to sending the response back to the client. Structure is documented below.
response_headers_to_removes Sequence[str]
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.
requestHeadersToAdds List<Property Map>
Headers to add to a matching request prior to forwarding the request to the backendService. Structure is documented below.
requestHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the request prior to forwarding the request to the backendService.
responseHeadersToAdds List<Property Map>
Headers to add the response prior to sending the response back to the client. Structure is documented below.
responseHeadersToRemoves List<String>
A list of header names for headers that need to be removed from the response prior to sending the response back to the client.

URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAdd
, URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionRequestHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAdd
, URLMapPathMatcherRouteRuleRouteActionWeightedBackendServiceHeaderActionResponseHeadersToAddArgs

HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
HeaderName This property is required. string
The name of the header to add.
HeaderValue This property is required. string
The value of the header to add.
Replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. string
The name of the header to add.
headerValue This property is required. string
The value of the header to add.
replace This property is required. boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
header_name This property is required. str
The name of the header to add.
header_value This property is required. str
The value of the header to add.
replace This property is required. bool
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.
headerName This property is required. String
The name of the header to add.
headerValue This property is required. String
The value of the header to add.
replace This property is required. Boolean
If false, headerValue is appended to any values that already exist for the header. If true, headerValue is set for the header, discarding any values that were set for that header.

URLMapPathMatcherRouteRuleUrlRedirect
, URLMapPathMatcherRouteRuleUrlRedirectArgs

HostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
HttpsRedirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
PathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
PrefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
RedirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
StripQuery bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
HostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
HttpsRedirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
PathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
PrefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
RedirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
StripQuery bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
hostRedirect String
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect Boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
pathRedirect String
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
prefixRedirect String
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
redirectResponseCode String
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery Boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
hostRedirect string
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
pathRedirect string
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
prefixRedirect string
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
redirectResponseCode string
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
host_redirect str
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
https_redirect bool
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
path_redirect str
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
prefix_redirect str
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
redirect_response_code str
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
strip_query bool
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.
hostRedirect String
The host that will be used in the redirect response instead of the one that was supplied in the request. The value must be between 1 and 255 characters.
httpsRedirect Boolean
If set to true, the URL scheme in the redirected request is set to https. If set to false, the URL scheme of the redirected request will remain the same as that of the request. This must only be set for UrlMaps used in TargetHttpProxys. Setting this true for TargetHttpsProxy is not permitted. Defaults to false.
pathRedirect String
The path that will be used in the redirect response instead of the one that was supplied in the request. Only one of pathRedirect or prefixRedirect must be specified. The value must be between 1 and 1024 characters.
prefixRedirect String
The prefix that replaces the prefixMatch specified in the HttpRouteRuleMatch, retaining the remaining portion of the URL before redirecting the request.
redirectResponseCode String
The HTTP Status code to use for this RedirectAction. Supported values are:

  • MOVED_PERMANENTLY_DEFAULT, which is the default value and corresponds to 301.
  • FOUND, which corresponds to 302.
  • SEE_OTHER which corresponds to 303.
  • TEMPORARY_REDIRECT, which corresponds to 307. In this case, the request method will be retained.
  • PERMANENT_REDIRECT, which corresponds to 308. In this case, the request method will be retained.
stripQuery Boolean
If set to true, any accompanying query portion of the original URL is removed prior to redirecting the request. If set to false, the query portion of the original URL is retained. Defaults to false.

URLMapTest
, URLMapTestArgs

Host This property is required. string
Host portion of the URL.
Path This property is required. string
Path portion of the URL.
Service This property is required. string
The backend service or backend bucket link that should be matched by this test.
Description string
Description of this test case.
Host This property is required. string
Host portion of the URL.
Path This property is required. string
Path portion of the URL.
Service This property is required. string
The backend service or backend bucket link that should be matched by this test.
Description string
Description of this test case.
host This property is required. String
Host portion of the URL.
path This property is required. String
Path portion of the URL.
service This property is required. String
The backend service or backend bucket link that should be matched by this test.
description String
Description of this test case.
host This property is required. string
Host portion of the URL.
path This property is required. string
Path portion of the URL.
service This property is required. string
The backend service or backend bucket link that should be matched by this test.
description string
Description of this test case.
host This property is required. str
Host portion of the URL.
path This property is required. str
Path portion of the URL.
service This property is required. str
The backend service or backend bucket link that should be matched by this test.
description str
Description of this test case.
host This property is required. String
Host portion of the URL.
path This property is required. String
Path portion of the URL.
service This property is required. String
The backend service or backend bucket link that should be matched by this test.
description String
Description of this test case.

Import

UrlMap can be imported using any of these accepted formats:

  • projects/{{project}}/global/urlMaps/{{name}}

  • {{project}}/{{name}}

  • {{name}}

When using the pulumi import command, UrlMap can be imported using one of the formats above. For example:

$ pulumi import gcp:compute/uRLMap:URLMap default projects/{{project}}/global/urlMaps/{{name}}
Copy
$ pulumi import gcp:compute/uRLMap:URLMap default {{project}}/{{name}}
Copy
$ pulumi import gcp:compute/uRLMap:URLMap default {{name}}
Copy

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

Package Details

Repository
Google Cloud (GCP) Classic pulumi/pulumi-gcp
License
Apache-2.0
Notes
This Pulumi package is based on the google-beta Terraform Provider.