gcp.datastream.ConnectionProfile
Explore with Pulumi AI
A set of reusable connection configurations to be used as a source or destination for a stream.
To get more information about ConnectionProfile, see:
- API documentation
- How-to Guides
Example Usage
Datastream Connection Profile Basic
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
const _default = new gcp.datastream.ConnectionProfile("default", {
displayName: "Connection profile",
location: "us-central1",
connectionProfileId: "my-profile",
gcsProfile: {
bucket: "my-bucket",
rootPath: "/path",
},
});
import pulumi
import pulumi_gcp as gcp
default = gcp.datastream.ConnectionProfile("default",
display_name="Connection profile",
location="us-central1",
connection_profile_id="my-profile",
gcs_profile={
"bucket": "my-bucket",
"root_path": "/path",
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/datastream"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
_, err := datastream.NewConnectionProfile(ctx, "default", &datastream.ConnectionProfileArgs{
DisplayName: pulumi.String("Connection profile"),
Location: pulumi.String("us-central1"),
ConnectionProfileId: pulumi.String("my-profile"),
GcsProfile: &datastream.ConnectionProfileGcsProfileArgs{
Bucket: pulumi.String("my-bucket"),
RootPath: pulumi.String("/path"),
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
return await Deployment.RunAsync(() =>
{
var @default = new Gcp.Datastream.ConnectionProfile("default", new()
{
DisplayName = "Connection profile",
Location = "us-central1",
ConnectionProfileId = "my-profile",
GcsProfile = new Gcp.Datastream.Inputs.ConnectionProfileGcsProfileArgs
{
Bucket = "my-bucket",
RootPath = "/path",
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.datastream.ConnectionProfile;
import com.pulumi.gcp.datastream.ConnectionProfileArgs;
import com.pulumi.gcp.datastream.inputs.ConnectionProfileGcsProfileArgs;
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 ConnectionProfile("default", ConnectionProfileArgs.builder()
.displayName("Connection profile")
.location("us-central1")
.connectionProfileId("my-profile")
.gcsProfile(ConnectionProfileGcsProfileArgs.builder()
.bucket("my-bucket")
.rootPath("/path")
.build())
.build());
}
}
resources:
default:
type: gcp:datastream:ConnectionProfile
properties:
displayName: Connection profile
location: us-central1
connectionProfileId: my-profile
gcsProfile:
bucket: my-bucket
rootPath: /path
Datastream Connection Profile Postgresql Private Connection
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
import * as random from "@pulumi/random";
const _default = new gcp.compute.Network("default", {
name: "my-network",
autoCreateSubnetworks: false,
});
const defaultSubnetwork = new gcp.compute.Subnetwork("default", {
name: "my-subnetwork",
ipCidrRange: "10.1.0.0/16",
region: "us-central1",
network: _default.id,
});
const privateConnection = new gcp.datastream.PrivateConnection("private_connection", {
displayName: "Private connection",
location: "us-central1",
privateConnectionId: "my-connection",
vpcPeeringConfig: {
vpc: _default.id,
subnet: "10.0.0.0/29",
},
});
const natVmIp = new gcp.compute.Address("nat_vm_ip", {name: "nat-vm-ip"});
const instance = new gcp.sql.DatabaseInstance("instance", {
name: "my-instance",
databaseVersion: "POSTGRES_14",
region: "us-central1",
settings: {
tier: "db-f1-micro",
ipConfiguration: {
authorizedNetworks: [{
value: natVmIp.address,
}],
},
},
deletionProtection: true,
});
const db = new gcp.sql.Database("db", {
instance: instance.name,
name: "db",
});
const pwd = new random.RandomPassword("pwd", {
length: 16,
special: false,
});
const user = new gcp.sql.User("user", {
name: "user",
instance: instance.name,
password: pwd.result,
});
const natVm = new gcp.compute.Instance("nat_vm", {
name: "nat-vm",
machineType: "e2-medium",
zone: "us-central1-a",
desiredStatus: "RUNNING",
bootDisk: {
initializeParams: {
image: "debian-cloud/debian-12",
},
},
networkInterfaces: [{
network: privateConnection.vpcPeeringConfig.apply(vpcPeeringConfig => vpcPeeringConfig.vpc),
subnetwork: defaultSubnetwork.selfLink,
accessConfigs: [{
natIp: natVmIp.address,
}],
}],
metadataStartupScript: pulumi.interpolate`#! /bin/bash
# See https://cloud.google.com/datastream/docs/private-connectivity#set-up-reverse-proxy
export DB_ADDR=${instance.publicIpAddress}
export DB_PORT=5432
echo 1 > /proc/sys/net/ipv4/ip_forward
md_url_prefix="http://169.254.169.254/computeMetadata/v1/instance"
vm_nic_ip="$(curl -H "Metadata-Flavor: Google" ${md_url_prefix}/network-interfaces/0/ip)"
iptables -t nat -F
iptables -t nat -A PREROUTING \
-p tcp --dport $DB_PORT \
-j DNAT \
--to-destination $DB_ADDR
iptables -t nat -A POSTROUTING \
-p tcp --dport $DB_PORT \
-j SNAT \
--to-source $vm_nic_ip
iptables-save
`,
});
const rules = new gcp.compute.Firewall("rules", {
name: "ingress-rule",
network: privateConnection.vpcPeeringConfig.apply(vpcPeeringConfig => vpcPeeringConfig.vpc),
description: "Allow traffic into NAT VM",
direction: "INGRESS",
allows: [{
protocol: "tcp",
ports: ["5432"],
}],
sourceRanges: [privateConnection.vpcPeeringConfig.apply(vpcPeeringConfig => vpcPeeringConfig.subnet)],
});
const defaultConnectionProfile = new gcp.datastream.ConnectionProfile("default", {
displayName: "Connection profile",
location: "us-central1",
connectionProfileId: "my-profile",
postgresqlProfile: {
hostname: natVm.networkInterfaces.apply(networkInterfaces => networkInterfaces[0].networkIp),
username: user.name,
password: user.password,
database: db.name,
port: 5432,
},
privateConnectivity: {
privateConnection: privateConnection.id,
},
});
import pulumi
import pulumi_gcp as gcp
import pulumi_random as random
default = gcp.compute.Network("default",
name="my-network",
auto_create_subnetworks=False)
default_subnetwork = gcp.compute.Subnetwork("default",
name="my-subnetwork",
ip_cidr_range="10.1.0.0/16",
region="us-central1",
network=default.id)
private_connection = gcp.datastream.PrivateConnection("private_connection",
display_name="Private connection",
location="us-central1",
private_connection_id="my-connection",
vpc_peering_config={
"vpc": default.id,
"subnet": "10.0.0.0/29",
})
nat_vm_ip = gcp.compute.Address("nat_vm_ip", name="nat-vm-ip")
instance = gcp.sql.DatabaseInstance("instance",
name="my-instance",
database_version="POSTGRES_14",
region="us-central1",
settings={
"tier": "db-f1-micro",
"ip_configuration": {
"authorized_networks": [{
"value": nat_vm_ip.address,
}],
},
},
deletion_protection=True)
db = gcp.sql.Database("db",
instance=instance.name,
name="db")
pwd = random.RandomPassword("pwd",
length=16,
special=False)
user = gcp.sql.User("user",
name="user",
instance=instance.name,
password=pwd.result)
nat_vm = gcp.compute.Instance("nat_vm",
name="nat-vm",
machine_type="e2-medium",
zone="us-central1-a",
desired_status="RUNNING",
boot_disk={
"initialize_params": {
"image": "debian-cloud/debian-12",
},
},
network_interfaces=[{
"network": private_connection.vpc_peering_config.vpc,
"subnetwork": default_subnetwork.self_link,
"access_configs": [{
"nat_ip": nat_vm_ip.address,
}],
}],
metadata_startup_script=instance.public_ip_address.apply(lambda public_ip_address: f"""#! /bin/bash
# See https://cloud.google.com/datastream/docs/private-connectivity#set-up-reverse-proxy
export DB_ADDR={public_ip_address}
export DB_PORT=5432
echo 1 > /proc/sys/net/ipv4/ip_forward
md_url_prefix="http://169.254.169.254/computeMetadata/v1/instance"
vm_nic_ip="$(curl -H "Metadata-Flavor: Google" ${{md_url_prefix}}/network-interfaces/0/ip)"
iptables -t nat -F
iptables -t nat -A PREROUTING \
-p tcp --dport $DB_PORT \
-j DNAT \
--to-destination $DB_ADDR
iptables -t nat -A POSTROUTING \
-p tcp --dport $DB_PORT \
-j SNAT \
--to-source $vm_nic_ip
iptables-save
"""))
rules = gcp.compute.Firewall("rules",
name="ingress-rule",
network=private_connection.vpc_peering_config.vpc,
description="Allow traffic into NAT VM",
direction="INGRESS",
allows=[{
"protocol": "tcp",
"ports": ["5432"],
}],
source_ranges=[private_connection.vpc_peering_config.subnet])
default_connection_profile = gcp.datastream.ConnectionProfile("default",
display_name="Connection profile",
location="us-central1",
connection_profile_id="my-profile",
postgresql_profile={
"hostname": nat_vm.network_interfaces[0].network_ip,
"username": user.name,
"password": user.password,
"database": db.name,
"port": 5432,
},
private_connectivity={
"private_connection": private_connection.id,
})
package main
import (
"fmt"
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/compute"
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/datastream"
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/sql"
"github.com/pulumi/pulumi-random/sdk/v4/go/random"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
_default, err := compute.NewNetwork(ctx, "default", &compute.NetworkArgs{
Name: pulumi.String("my-network"),
AutoCreateSubnetworks: pulumi.Bool(false),
})
if err != nil {
return err
}
defaultSubnetwork, err := compute.NewSubnetwork(ctx, "default", &compute.SubnetworkArgs{
Name: pulumi.String("my-subnetwork"),
IpCidrRange: pulumi.String("10.1.0.0/16"),
Region: pulumi.String("us-central1"),
Network: _default.ID(),
})
if err != nil {
return err
}
privateConnection, err := datastream.NewPrivateConnection(ctx, "private_connection", &datastream.PrivateConnectionArgs{
DisplayName: pulumi.String("Private connection"),
Location: pulumi.String("us-central1"),
PrivateConnectionId: pulumi.String("my-connection"),
VpcPeeringConfig: &datastream.PrivateConnectionVpcPeeringConfigArgs{
Vpc: _default.ID(),
Subnet: pulumi.String("10.0.0.0/29"),
},
})
if err != nil {
return err
}
natVmIp, err := compute.NewAddress(ctx, "nat_vm_ip", &compute.AddressArgs{
Name: pulumi.String("nat-vm-ip"),
})
if err != nil {
return err
}
instance, err := sql.NewDatabaseInstance(ctx, "instance", &sql.DatabaseInstanceArgs{
Name: pulumi.String("my-instance"),
DatabaseVersion: pulumi.String("POSTGRES_14"),
Region: pulumi.String("us-central1"),
Settings: &sql.DatabaseInstanceSettingsArgs{
Tier: pulumi.String("db-f1-micro"),
IpConfiguration: &sql.DatabaseInstanceSettingsIpConfigurationArgs{
AuthorizedNetworks: sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArray{
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: natVmIp.Address,
},
},
},
},
DeletionProtection: pulumi.Bool(true),
})
if err != nil {
return err
}
db, err := sql.NewDatabase(ctx, "db", &sql.DatabaseArgs{
Instance: instance.Name,
Name: pulumi.String("db"),
})
if err != nil {
return err
}
pwd, err := random.NewRandomPassword(ctx, "pwd", &random.RandomPasswordArgs{
Length: pulumi.Int(16),
Special: pulumi.Bool(false),
})
if err != nil {
return err
}
user, err := sql.NewUser(ctx, "user", &sql.UserArgs{
Name: pulumi.String("user"),
Instance: instance.Name,
Password: pwd.Result,
})
if err != nil {
return err
}
natVm, err := compute.NewInstance(ctx, "nat_vm", &compute.InstanceArgs{
Name: pulumi.String("nat-vm"),
MachineType: pulumi.String("e2-medium"),
Zone: pulumi.String("us-central1-a"),
DesiredStatus: pulumi.String("RUNNING"),
BootDisk: &compute.InstanceBootDiskArgs{
InitializeParams: &compute.InstanceBootDiskInitializeParamsArgs{
Image: pulumi.String("debian-cloud/debian-12"),
},
},
NetworkInterfaces: compute.InstanceNetworkInterfaceArray{
&compute.InstanceNetworkInterfaceArgs{
Network: privateConnection.VpcPeeringConfig.ApplyT(func(vpcPeeringConfig datastream.PrivateConnectionVpcPeeringConfig) (*string, error) {
return &vpcPeeringConfig.Vpc, nil
}).(pulumi.StringPtrOutput),
Subnetwork: defaultSubnetwork.SelfLink,
AccessConfigs: compute.InstanceNetworkInterfaceAccessConfigArray{
&compute.InstanceNetworkInterfaceAccessConfigArgs{
NatIp: natVmIp.Address,
},
},
},
},
MetadataStartupScript: instance.PublicIpAddress.ApplyT(func(publicIpAddress string) (string, error) {
return fmt.Sprintf(`#! /bin/bash
# See https://cloud.google.com/datastream/docs/private-connectivity#set-up-reverse-proxy
export DB_ADDR=%v
export DB_PORT=5432
echo 1 > /proc/sys/net/ipv4/ip_forward
md_url_prefix="http://169.254.169.254/computeMetadata/v1/instance"
vm_nic_ip="$(curl -H "Metadata-Flavor: Google" ${md_url_prefix}/network-interfaces/0/ip)"
iptables -t nat -F
iptables -t nat -A PREROUTING \
-p tcp --dport $DB_PORT \
-j DNAT \
--to-destination $DB_ADDR
iptables -t nat -A POSTROUTING \
-p tcp --dport $DB_PORT \
-j SNAT \
--to-source $vm_nic_ip
iptables-save
`, publicIpAddress), nil
}).(pulumi.StringOutput),
})
if err != nil {
return err
}
_, err = compute.NewFirewall(ctx, "rules", &compute.FirewallArgs{
Name: pulumi.String("ingress-rule"),
Network: pulumi.String(privateConnection.VpcPeeringConfig.ApplyT(func(vpcPeeringConfig datastream.PrivateConnectionVpcPeeringConfig) (*string, error) {
return &vpcPeeringConfig.Vpc, nil
}).(pulumi.StringPtrOutput)),
Description: pulumi.String("Allow traffic into NAT VM"),
Direction: pulumi.String("INGRESS"),
Allows: compute.FirewallAllowArray{
&compute.FirewallAllowArgs{
Protocol: pulumi.String("tcp"),
Ports: pulumi.StringArray{
pulumi.String("5432"),
},
},
},
SourceRanges: pulumi.StringArray{
pulumi.String(privateConnection.VpcPeeringConfig.ApplyT(func(vpcPeeringConfig datastream.PrivateConnectionVpcPeeringConfig) (*string, error) {
return &vpcPeeringConfig.Subnet, nil
}).(pulumi.StringPtrOutput)),
},
})
if err != nil {
return err
}
_, err = datastream.NewConnectionProfile(ctx, "default", &datastream.ConnectionProfileArgs{
DisplayName: pulumi.String("Connection profile"),
Location: pulumi.String("us-central1"),
ConnectionProfileId: pulumi.String("my-profile"),
PostgresqlProfile: &datastream.ConnectionProfilePostgresqlProfileArgs{
Hostname: natVm.NetworkInterfaces.ApplyT(func(networkInterfaces []compute.InstanceNetworkInterface) (*string, error) {
return &networkInterfaces[0].NetworkIp, nil
}).(pulumi.StringPtrOutput),
Username: user.Name,
Password: user.Password,
Database: db.Name,
Port: pulumi.Int(5432),
},
PrivateConnectivity: &datastream.ConnectionProfilePrivateConnectivityArgs{
PrivateConnection: privateConnection.ID(),
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
using Random = Pulumi.Random;
return await Deployment.RunAsync(() =>
{
var @default = new Gcp.Compute.Network("default", new()
{
Name = "my-network",
AutoCreateSubnetworks = false,
});
var defaultSubnetwork = new Gcp.Compute.Subnetwork("default", new()
{
Name = "my-subnetwork",
IpCidrRange = "10.1.0.0/16",
Region = "us-central1",
Network = @default.Id,
});
var privateConnection = new Gcp.Datastream.PrivateConnection("private_connection", new()
{
DisplayName = "Private connection",
Location = "us-central1",
PrivateConnectionId = "my-connection",
VpcPeeringConfig = new Gcp.Datastream.Inputs.PrivateConnectionVpcPeeringConfigArgs
{
Vpc = @default.Id,
Subnet = "10.0.0.0/29",
},
});
var natVmIp = new Gcp.Compute.Address("nat_vm_ip", new()
{
Name = "nat-vm-ip",
});
var instance = new Gcp.Sql.DatabaseInstance("instance", new()
{
Name = "my-instance",
DatabaseVersion = "POSTGRES_14",
Region = "us-central1",
Settings = new Gcp.Sql.Inputs.DatabaseInstanceSettingsArgs
{
Tier = "db-f1-micro",
IpConfiguration = new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationArgs
{
AuthorizedNetworks = new[]
{
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = natVmIp.IPAddress,
},
},
},
},
DeletionProtection = true,
});
var db = new Gcp.Sql.Database("db", new()
{
Instance = instance.Name,
Name = "db",
});
var pwd = new Random.RandomPassword("pwd", new()
{
Length = 16,
Special = false,
});
var user = new Gcp.Sql.User("user", new()
{
Name = "user",
Instance = instance.Name,
Password = pwd.Result,
});
var natVm = new Gcp.Compute.Instance("nat_vm", new()
{
Name = "nat-vm",
MachineType = "e2-medium",
Zone = "us-central1-a",
DesiredStatus = "RUNNING",
BootDisk = new Gcp.Compute.Inputs.InstanceBootDiskArgs
{
InitializeParams = new Gcp.Compute.Inputs.InstanceBootDiskInitializeParamsArgs
{
Image = "debian-cloud/debian-12",
},
},
NetworkInterfaces = new[]
{
new Gcp.Compute.Inputs.InstanceNetworkInterfaceArgs
{
Network = privateConnection.VpcPeeringConfig.Apply(vpcPeeringConfig => vpcPeeringConfig.Vpc),
Subnetwork = defaultSubnetwork.SelfLink,
AccessConfigs = new[]
{
new Gcp.Compute.Inputs.InstanceNetworkInterfaceAccessConfigArgs
{
NatIp = natVmIp.IPAddress,
},
},
},
},
MetadataStartupScript = instance.PublicIpAddress.Apply(publicIpAddress => @$"#! /bin/bash
# See https://cloud.google.com/datastream/docs/private-connectivity#set-up-reverse-proxy
export DB_ADDR={publicIpAddress}
export DB_PORT=5432
echo 1 > /proc/sys/net/ipv4/ip_forward
md_url_prefix=""http://169.254.169.254/computeMetadata/v1/instance""
vm_nic_ip=""$(curl -H ""Metadata-Flavor: Google"" ${{md_url_prefix}}/network-interfaces/0/ip)""
iptables -t nat -F
iptables -t nat -A PREROUTING \
-p tcp --dport $DB_PORT \
-j DNAT \
--to-destination $DB_ADDR
iptables -t nat -A POSTROUTING \
-p tcp --dport $DB_PORT \
-j SNAT \
--to-source $vm_nic_ip
iptables-save
"),
});
var rules = new Gcp.Compute.Firewall("rules", new()
{
Name = "ingress-rule",
Network = privateConnection.VpcPeeringConfig.Apply(vpcPeeringConfig => vpcPeeringConfig.Vpc),
Description = "Allow traffic into NAT VM",
Direction = "INGRESS",
Allows = new[]
{
new Gcp.Compute.Inputs.FirewallAllowArgs
{
Protocol = "tcp",
Ports = new[]
{
"5432",
},
},
},
SourceRanges = new[]
{
privateConnection.VpcPeeringConfig.Apply(vpcPeeringConfig => vpcPeeringConfig.Subnet),
},
});
var defaultConnectionProfile = new Gcp.Datastream.ConnectionProfile("default", new()
{
DisplayName = "Connection profile",
Location = "us-central1",
ConnectionProfileId = "my-profile",
PostgresqlProfile = new Gcp.Datastream.Inputs.ConnectionProfilePostgresqlProfileArgs
{
Hostname = natVm.NetworkInterfaces.Apply(networkInterfaces => networkInterfaces[0].NetworkIp),
Username = user.Name,
Password = user.Password,
Database = db.Name,
Port = 5432,
},
PrivateConnectivity = new Gcp.Datastream.Inputs.ConnectionProfilePrivateConnectivityArgs
{
PrivateConnection = privateConnection.Id,
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.compute.Network;
import com.pulumi.gcp.compute.NetworkArgs;
import com.pulumi.gcp.compute.Subnetwork;
import com.pulumi.gcp.compute.SubnetworkArgs;
import com.pulumi.gcp.datastream.PrivateConnection;
import com.pulumi.gcp.datastream.PrivateConnectionArgs;
import com.pulumi.gcp.datastream.inputs.PrivateConnectionVpcPeeringConfigArgs;
import com.pulumi.gcp.compute.Address;
import com.pulumi.gcp.compute.AddressArgs;
import com.pulumi.gcp.sql.DatabaseInstance;
import com.pulumi.gcp.sql.DatabaseInstanceArgs;
import com.pulumi.gcp.sql.inputs.DatabaseInstanceSettingsArgs;
import com.pulumi.gcp.sql.inputs.DatabaseInstanceSettingsIpConfigurationArgs;
import com.pulumi.gcp.sql.Database;
import com.pulumi.gcp.sql.DatabaseArgs;
import com.pulumi.random.RandomPassword;
import com.pulumi.random.RandomPasswordArgs;
import com.pulumi.gcp.sql.User;
import com.pulumi.gcp.sql.UserArgs;
import com.pulumi.gcp.compute.Instance;
import com.pulumi.gcp.compute.InstanceArgs;
import com.pulumi.gcp.compute.inputs.InstanceBootDiskArgs;
import com.pulumi.gcp.compute.inputs.InstanceBootDiskInitializeParamsArgs;
import com.pulumi.gcp.compute.inputs.InstanceNetworkInterfaceArgs;
import com.pulumi.gcp.compute.Firewall;
import com.pulumi.gcp.compute.FirewallArgs;
import com.pulumi.gcp.compute.inputs.FirewallAllowArgs;
import com.pulumi.gcp.datastream.ConnectionProfile;
import com.pulumi.gcp.datastream.ConnectionProfileArgs;
import com.pulumi.gcp.datastream.inputs.ConnectionProfilePostgresqlProfileArgs;
import com.pulumi.gcp.datastream.inputs.ConnectionProfilePrivateConnectivityArgs;
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 Network("default", NetworkArgs.builder()
.name("my-network")
.autoCreateSubnetworks(false)
.build());
var defaultSubnetwork = new Subnetwork("defaultSubnetwork", SubnetworkArgs.builder()
.name("my-subnetwork")
.ipCidrRange("10.1.0.0/16")
.region("us-central1")
.network(default_.id())
.build());
var privateConnection = new PrivateConnection("privateConnection", PrivateConnectionArgs.builder()
.displayName("Private connection")
.location("us-central1")
.privateConnectionId("my-connection")
.vpcPeeringConfig(PrivateConnectionVpcPeeringConfigArgs.builder()
.vpc(default_.id())
.subnet("10.0.0.0/29")
.build())
.build());
var natVmIp = new Address("natVmIp", AddressArgs.builder()
.name("nat-vm-ip")
.build());
var instance = new DatabaseInstance("instance", DatabaseInstanceArgs.builder()
.name("my-instance")
.databaseVersion("POSTGRES_14")
.region("us-central1")
.settings(DatabaseInstanceSettingsArgs.builder()
.tier("db-f1-micro")
.ipConfiguration(DatabaseInstanceSettingsIpConfigurationArgs.builder()
.authorizedNetworks(DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value(natVmIp.address())
.build())
.build())
.build())
.deletionProtection(true)
.build());
var db = new Database("db", DatabaseArgs.builder()
.instance(instance.name())
.name("db")
.build());
var pwd = new RandomPassword("pwd", RandomPasswordArgs.builder()
.length(16)
.special(false)
.build());
var user = new User("user", UserArgs.builder()
.name("user")
.instance(instance.name())
.password(pwd.result())
.build());
var natVm = new Instance("natVm", InstanceArgs.builder()
.name("nat-vm")
.machineType("e2-medium")
.zone("us-central1-a")
.desiredStatus("RUNNING")
.bootDisk(InstanceBootDiskArgs.builder()
.initializeParams(InstanceBootDiskInitializeParamsArgs.builder()
.image("debian-cloud/debian-12")
.build())
.build())
.networkInterfaces(InstanceNetworkInterfaceArgs.builder()
.network(privateConnection.vpcPeeringConfig().applyValue(vpcPeeringConfig -> vpcPeeringConfig.vpc()))
.subnetwork(defaultSubnetwork.selfLink())
.accessConfigs(InstanceNetworkInterfaceAccessConfigArgs.builder()
.natIp(natVmIp.address())
.build())
.build())
.metadataStartupScript(instance.publicIpAddress().applyValue(publicIpAddress -> """
#! /bin/bash
# See https://cloud.google.com/datastream/docs/private-connectivity#set-up-reverse-proxy
export DB_ADDR=%s
export DB_PORT=5432
echo 1 > /proc/sys/net/ipv4/ip_forward
md_url_prefix="http://169.254.169.254/computeMetadata/v1/instance"
vm_nic_ip="$(curl -H "Metadata-Flavor: Google" ${md_url_prefix}/network-interfaces/0/ip)"
iptables -t nat -F
iptables -t nat -A PREROUTING \
-p tcp --dport $DB_PORT \
-j DNAT \
--to-destination $DB_ADDR
iptables -t nat -A POSTROUTING \
-p tcp --dport $DB_PORT \
-j SNAT \
--to-source $vm_nic_ip
iptables-save
", publicIpAddress)))
.build());
var rules = new Firewall("rules", FirewallArgs.builder()
.name("ingress-rule")
.network(privateConnection.vpcPeeringConfig().applyValue(vpcPeeringConfig -> vpcPeeringConfig.vpc()))
.description("Allow traffic into NAT VM")
.direction("INGRESS")
.allows(FirewallAllowArgs.builder()
.protocol("tcp")
.ports("5432")
.build())
.sourceRanges(privateConnection.vpcPeeringConfig().applyValue(vpcPeeringConfig -> vpcPeeringConfig.subnet()))
.build());
var defaultConnectionProfile = new ConnectionProfile("defaultConnectionProfile", ConnectionProfileArgs.builder()
.displayName("Connection profile")
.location("us-central1")
.connectionProfileId("my-profile")
.postgresqlProfile(ConnectionProfilePostgresqlProfileArgs.builder()
.hostname(natVm.networkInterfaces().applyValue(networkInterfaces -> networkInterfaces[0].networkIp()))
.username(user.name())
.password(user.password())
.database(db.name())
.port(5432)
.build())
.privateConnectivity(ConnectionProfilePrivateConnectivityArgs.builder()
.privateConnection(privateConnection.id())
.build())
.build());
}
}
resources:
default:
type: gcp:compute:Network
properties:
name: my-network
autoCreateSubnetworks: false
defaultSubnetwork:
type: gcp:compute:Subnetwork
name: default
properties:
name: my-subnetwork
ipCidrRange: 10.1.0.0/16
region: us-central1
network: ${default.id}
privateConnection:
type: gcp:datastream:PrivateConnection
name: private_connection
properties:
displayName: Private connection
location: us-central1
privateConnectionId: my-connection
vpcPeeringConfig:
vpc: ${default.id}
subnet: 10.0.0.0/29
instance:
type: gcp:sql:DatabaseInstance
properties:
name: my-instance
databaseVersion: POSTGRES_14
region: us-central1
settings:
tier: db-f1-micro
ipConfiguration:
authorizedNetworks:
- value: ${natVmIp.address}
deletionProtection: true
db:
type: gcp:sql:Database
properties:
instance: ${instance.name}
name: db
pwd:
type: random:RandomPassword
properties:
length: 16
special: false
user:
type: gcp:sql:User
properties:
name: user
instance: ${instance.name}
password: ${pwd.result}
natVmIp:
type: gcp:compute:Address
name: nat_vm_ip
properties:
name: nat-vm-ip
natVm:
type: gcp:compute:Instance
name: nat_vm
properties:
name: nat-vm
machineType: e2-medium
zone: us-central1-a
desiredStatus: RUNNING
bootDisk:
initializeParams:
image: debian-cloud/debian-12
networkInterfaces:
- network: ${privateConnection.vpcPeeringConfig.vpc}
subnetwork: ${defaultSubnetwork.selfLink}
accessConfigs:
- natIp: ${natVmIp.address}
metadataStartupScript: |
#! /bin/bash
# See https://cloud.google.com/datastream/docs/private-connectivity#set-up-reverse-proxy
export DB_ADDR=${instance.publicIpAddress}
export DB_PORT=5432
echo 1 > /proc/sys/net/ipv4/ip_forward
md_url_prefix="http://169.254.169.254/computeMetadata/v1/instance"
vm_nic_ip="$(curl -H "Metadata-Flavor: Google" $${md_url_prefix}/network-interfaces/0/ip)"
iptables -t nat -F
iptables -t nat -A PREROUTING \
-p tcp --dport $DB_PORT \
-j DNAT \
--to-destination $DB_ADDR
iptables -t nat -A POSTROUTING \
-p tcp --dport $DB_PORT \
-j SNAT \
--to-source $vm_nic_ip
iptables-save
rules:
type: gcp:compute:Firewall
properties:
name: ingress-rule
network: ${privateConnection.vpcPeeringConfig.vpc}
description: Allow traffic into NAT VM
direction: INGRESS
allows:
- protocol: tcp
ports:
- '5432'
sourceRanges:
- ${privateConnection.vpcPeeringConfig.subnet}
defaultConnectionProfile:
type: gcp:datastream:ConnectionProfile
name: default
properties:
displayName: Connection profile
location: us-central1
connectionProfileId: my-profile
postgresqlProfile:
hostname: ${natVm.networkInterfaces[0].networkIp}
username: ${user.name}
password: ${user.password}
database: ${db.name}
port: 5432
privateConnectivity:
privateConnection: ${privateConnection.id}
Datastream Connection Profile Full
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
const _default = new gcp.datastream.ConnectionProfile("default", {
displayName: "Connection profile",
location: "us-central1",
connectionProfileId: "my-profile",
gcsProfile: {
bucket: "my-bucket",
rootPath: "/path",
},
forwardSshConnectivity: {
hostname: "google.com",
username: "my-user",
port: 8022,
password: "swordfish",
},
labels: {
key: "value",
},
});
import pulumi
import pulumi_gcp as gcp
default = gcp.datastream.ConnectionProfile("default",
display_name="Connection profile",
location="us-central1",
connection_profile_id="my-profile",
gcs_profile={
"bucket": "my-bucket",
"root_path": "/path",
},
forward_ssh_connectivity={
"hostname": "google.com",
"username": "my-user",
"port": 8022,
"password": "swordfish",
},
labels={
"key": "value",
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/datastream"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
_, err := datastream.NewConnectionProfile(ctx, "default", &datastream.ConnectionProfileArgs{
DisplayName: pulumi.String("Connection profile"),
Location: pulumi.String("us-central1"),
ConnectionProfileId: pulumi.String("my-profile"),
GcsProfile: &datastream.ConnectionProfileGcsProfileArgs{
Bucket: pulumi.String("my-bucket"),
RootPath: pulumi.String("/path"),
},
ForwardSshConnectivity: &datastream.ConnectionProfileForwardSshConnectivityArgs{
Hostname: pulumi.String("google.com"),
Username: pulumi.String("my-user"),
Port: pulumi.Int(8022),
Password: pulumi.String("swordfish"),
},
Labels: pulumi.StringMap{
"key": pulumi.String("value"),
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
return await Deployment.RunAsync(() =>
{
var @default = new Gcp.Datastream.ConnectionProfile("default", new()
{
DisplayName = "Connection profile",
Location = "us-central1",
ConnectionProfileId = "my-profile",
GcsProfile = new Gcp.Datastream.Inputs.ConnectionProfileGcsProfileArgs
{
Bucket = "my-bucket",
RootPath = "/path",
},
ForwardSshConnectivity = new Gcp.Datastream.Inputs.ConnectionProfileForwardSshConnectivityArgs
{
Hostname = "google.com",
Username = "my-user",
Port = 8022,
Password = "swordfish",
},
Labels =
{
{ "key", "value" },
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.datastream.ConnectionProfile;
import com.pulumi.gcp.datastream.ConnectionProfileArgs;
import com.pulumi.gcp.datastream.inputs.ConnectionProfileGcsProfileArgs;
import com.pulumi.gcp.datastream.inputs.ConnectionProfileForwardSshConnectivityArgs;
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 ConnectionProfile("default", ConnectionProfileArgs.builder()
.displayName("Connection profile")
.location("us-central1")
.connectionProfileId("my-profile")
.gcsProfile(ConnectionProfileGcsProfileArgs.builder()
.bucket("my-bucket")
.rootPath("/path")
.build())
.forwardSshConnectivity(ConnectionProfileForwardSshConnectivityArgs.builder()
.hostname("google.com")
.username("my-user")
.port(8022)
.password("swordfish")
.build())
.labels(Map.of("key", "value"))
.build());
}
}
resources:
default:
type: gcp:datastream:ConnectionProfile
properties:
displayName: Connection profile
location: us-central1
connectionProfileId: my-profile
gcsProfile:
bucket: my-bucket
rootPath: /path
forwardSshConnectivity:
hostname: google.com
username: my-user
port: 8022
password: swordfish
labels:
key: value
Datastream Connection Profile Postgres
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
import * as random from "@pulumi/random";
const instance = new gcp.sql.DatabaseInstance("instance", {
name: "my-instance",
databaseVersion: "POSTGRES_14",
region: "us-central1",
settings: {
tier: "db-f1-micro",
ipConfiguration: {
authorizedNetworks: [
{
value: "34.71.242.81",
},
{
value: "34.72.28.29",
},
{
value: "34.67.6.157",
},
{
value: "34.67.234.134",
},
{
value: "34.72.239.218",
},
],
},
},
deletionProtection: true,
});
const db = new gcp.sql.Database("db", {
instance: instance.name,
name: "db",
});
const pwd = new random.RandomPassword("pwd", {
length: 16,
special: false,
});
const user = new gcp.sql.User("user", {
name: "user",
instance: instance.name,
password: pwd.result,
});
const _default = new gcp.datastream.ConnectionProfile("default", {
displayName: "Connection profile",
location: "us-central1",
connectionProfileId: "my-profile",
postgresqlProfile: {
hostname: instance.publicIpAddress,
username: user.name,
password: user.password,
database: db.name,
},
});
import pulumi
import pulumi_gcp as gcp
import pulumi_random as random
instance = gcp.sql.DatabaseInstance("instance",
name="my-instance",
database_version="POSTGRES_14",
region="us-central1",
settings={
"tier": "db-f1-micro",
"ip_configuration": {
"authorized_networks": [
{
"value": "34.71.242.81",
},
{
"value": "34.72.28.29",
},
{
"value": "34.67.6.157",
},
{
"value": "34.67.234.134",
},
{
"value": "34.72.239.218",
},
],
},
},
deletion_protection=True)
db = gcp.sql.Database("db",
instance=instance.name,
name="db")
pwd = random.RandomPassword("pwd",
length=16,
special=False)
user = gcp.sql.User("user",
name="user",
instance=instance.name,
password=pwd.result)
default = gcp.datastream.ConnectionProfile("default",
display_name="Connection profile",
location="us-central1",
connection_profile_id="my-profile",
postgresql_profile={
"hostname": instance.public_ip_address,
"username": user.name,
"password": user.password,
"database": db.name,
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/datastream"
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/sql"
"github.com/pulumi/pulumi-random/sdk/v4/go/random"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
instance, err := sql.NewDatabaseInstance(ctx, "instance", &sql.DatabaseInstanceArgs{
Name: pulumi.String("my-instance"),
DatabaseVersion: pulumi.String("POSTGRES_14"),
Region: pulumi.String("us-central1"),
Settings: &sql.DatabaseInstanceSettingsArgs{
Tier: pulumi.String("db-f1-micro"),
IpConfiguration: &sql.DatabaseInstanceSettingsIpConfigurationArgs{
AuthorizedNetworks: sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArray{
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.71.242.81"),
},
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.72.28.29"),
},
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.67.6.157"),
},
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.67.234.134"),
},
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.72.239.218"),
},
},
},
},
DeletionProtection: pulumi.Bool(true),
})
if err != nil {
return err
}
db, err := sql.NewDatabase(ctx, "db", &sql.DatabaseArgs{
Instance: instance.Name,
Name: pulumi.String("db"),
})
if err != nil {
return err
}
pwd, err := random.NewRandomPassword(ctx, "pwd", &random.RandomPasswordArgs{
Length: pulumi.Int(16),
Special: pulumi.Bool(false),
})
if err != nil {
return err
}
user, err := sql.NewUser(ctx, "user", &sql.UserArgs{
Name: pulumi.String("user"),
Instance: instance.Name,
Password: pwd.Result,
})
if err != nil {
return err
}
_, err = datastream.NewConnectionProfile(ctx, "default", &datastream.ConnectionProfileArgs{
DisplayName: pulumi.String("Connection profile"),
Location: pulumi.String("us-central1"),
ConnectionProfileId: pulumi.String("my-profile"),
PostgresqlProfile: &datastream.ConnectionProfilePostgresqlProfileArgs{
Hostname: instance.PublicIpAddress,
Username: user.Name,
Password: user.Password,
Database: db.Name,
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
using Random = Pulumi.Random;
return await Deployment.RunAsync(() =>
{
var instance = new Gcp.Sql.DatabaseInstance("instance", new()
{
Name = "my-instance",
DatabaseVersion = "POSTGRES_14",
Region = "us-central1",
Settings = new Gcp.Sql.Inputs.DatabaseInstanceSettingsArgs
{
Tier = "db-f1-micro",
IpConfiguration = new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationArgs
{
AuthorizedNetworks = new[]
{
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.71.242.81",
},
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.72.28.29",
},
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.67.6.157",
},
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.67.234.134",
},
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.72.239.218",
},
},
},
},
DeletionProtection = true,
});
var db = new Gcp.Sql.Database("db", new()
{
Instance = instance.Name,
Name = "db",
});
var pwd = new Random.RandomPassword("pwd", new()
{
Length = 16,
Special = false,
});
var user = new Gcp.Sql.User("user", new()
{
Name = "user",
Instance = instance.Name,
Password = pwd.Result,
});
var @default = new Gcp.Datastream.ConnectionProfile("default", new()
{
DisplayName = "Connection profile",
Location = "us-central1",
ConnectionProfileId = "my-profile",
PostgresqlProfile = new Gcp.Datastream.Inputs.ConnectionProfilePostgresqlProfileArgs
{
Hostname = instance.PublicIpAddress,
Username = user.Name,
Password = user.Password,
Database = db.Name,
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.sql.DatabaseInstance;
import com.pulumi.gcp.sql.DatabaseInstanceArgs;
import com.pulumi.gcp.sql.inputs.DatabaseInstanceSettingsArgs;
import com.pulumi.gcp.sql.inputs.DatabaseInstanceSettingsIpConfigurationArgs;
import com.pulumi.gcp.sql.Database;
import com.pulumi.gcp.sql.DatabaseArgs;
import com.pulumi.random.RandomPassword;
import com.pulumi.random.RandomPasswordArgs;
import com.pulumi.gcp.sql.User;
import com.pulumi.gcp.sql.UserArgs;
import com.pulumi.gcp.datastream.ConnectionProfile;
import com.pulumi.gcp.datastream.ConnectionProfileArgs;
import com.pulumi.gcp.datastream.inputs.ConnectionProfilePostgresqlProfileArgs;
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 instance = new DatabaseInstance("instance", DatabaseInstanceArgs.builder()
.name("my-instance")
.databaseVersion("POSTGRES_14")
.region("us-central1")
.settings(DatabaseInstanceSettingsArgs.builder()
.tier("db-f1-micro")
.ipConfiguration(DatabaseInstanceSettingsIpConfigurationArgs.builder()
.authorizedNetworks(
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.71.242.81")
.build(),
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.72.28.29")
.build(),
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.67.6.157")
.build(),
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.67.234.134")
.build(),
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.72.239.218")
.build())
.build())
.build())
.deletionProtection(true)
.build());
var db = new Database("db", DatabaseArgs.builder()
.instance(instance.name())
.name("db")
.build());
var pwd = new RandomPassword("pwd", RandomPasswordArgs.builder()
.length(16)
.special(false)
.build());
var user = new User("user", UserArgs.builder()
.name("user")
.instance(instance.name())
.password(pwd.result())
.build());
var default_ = new ConnectionProfile("default", ConnectionProfileArgs.builder()
.displayName("Connection profile")
.location("us-central1")
.connectionProfileId("my-profile")
.postgresqlProfile(ConnectionProfilePostgresqlProfileArgs.builder()
.hostname(instance.publicIpAddress())
.username(user.name())
.password(user.password())
.database(db.name())
.build())
.build());
}
}
resources:
instance:
type: gcp:sql:DatabaseInstance
properties:
name: my-instance
databaseVersion: POSTGRES_14
region: us-central1
settings:
tier: db-f1-micro
ipConfiguration:
authorizedNetworks:
- value: 34.71.242.81
- value: 34.72.28.29
- value: 34.67.6.157
- value: 34.67.234.134
- value: 34.72.239.218
deletionProtection: true
db:
type: gcp:sql:Database
properties:
instance: ${instance.name}
name: db
pwd:
type: random:RandomPassword
properties:
length: 16
special: false
user:
type: gcp:sql:User
properties:
name: user
instance: ${instance.name}
password: ${pwd.result}
default:
type: gcp:datastream:ConnectionProfile
properties:
displayName: Connection profile
location: us-central1
connectionProfileId: my-profile
postgresqlProfile:
hostname: ${instance.publicIpAddress}
username: ${user.name}
password: ${user.password}
database: ${db.name}
Datastream Connection Profile Sql Server
import * as pulumi from "@pulumi/pulumi";
import * as gcp from "@pulumi/gcp";
const instance = new gcp.sql.DatabaseInstance("instance", {
name: "sql-server",
databaseVersion: "SQLSERVER_2019_STANDARD",
region: "us-central1",
rootPassword: "root-password",
deletionProtection: true,
settings: {
tier: "db-custom-2-4096",
ipConfiguration: {
authorizedNetworks: [
{
value: "34.71.242.81",
},
{
value: "34.72.28.29",
},
{
value: "34.67.6.157",
},
{
value: "34.67.234.134",
},
{
value: "34.72.239.218",
},
],
},
},
});
const db = new gcp.sql.Database("db", {
name: "db",
instance: instance.name,
});
const user = new gcp.sql.User("user", {
name: "user",
instance: instance.name,
password: "password",
});
const _default = new gcp.datastream.ConnectionProfile("default", {
displayName: "SQL Server Source",
location: "us-central1",
connectionProfileId: "source-profile",
sqlServerProfile: {
hostname: instance.publicIpAddress,
port: 1433,
username: user.name,
password: user.password,
database: db.name,
},
});
import pulumi
import pulumi_gcp as gcp
instance = gcp.sql.DatabaseInstance("instance",
name="sql-server",
database_version="SQLSERVER_2019_STANDARD",
region="us-central1",
root_password="root-password",
deletion_protection=True,
settings={
"tier": "db-custom-2-4096",
"ip_configuration": {
"authorized_networks": [
{
"value": "34.71.242.81",
},
{
"value": "34.72.28.29",
},
{
"value": "34.67.6.157",
},
{
"value": "34.67.234.134",
},
{
"value": "34.72.239.218",
},
],
},
})
db = gcp.sql.Database("db",
name="db",
instance=instance.name)
user = gcp.sql.User("user",
name="user",
instance=instance.name,
password="password")
default = gcp.datastream.ConnectionProfile("default",
display_name="SQL Server Source",
location="us-central1",
connection_profile_id="source-profile",
sql_server_profile={
"hostname": instance.public_ip_address,
"port": 1433,
"username": user.name,
"password": user.password,
"database": db.name,
})
package main
import (
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/datastream"
"github.com/pulumi/pulumi-gcp/sdk/v8/go/gcp/sql"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
instance, err := sql.NewDatabaseInstance(ctx, "instance", &sql.DatabaseInstanceArgs{
Name: pulumi.String("sql-server"),
DatabaseVersion: pulumi.String("SQLSERVER_2019_STANDARD"),
Region: pulumi.String("us-central1"),
RootPassword: pulumi.String("root-password"),
DeletionProtection: pulumi.Bool(true),
Settings: &sql.DatabaseInstanceSettingsArgs{
Tier: pulumi.String("db-custom-2-4096"),
IpConfiguration: &sql.DatabaseInstanceSettingsIpConfigurationArgs{
AuthorizedNetworks: sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArray{
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.71.242.81"),
},
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.72.28.29"),
},
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.67.6.157"),
},
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.67.234.134"),
},
&sql.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs{
Value: pulumi.String("34.72.239.218"),
},
},
},
},
})
if err != nil {
return err
}
db, err := sql.NewDatabase(ctx, "db", &sql.DatabaseArgs{
Name: pulumi.String("db"),
Instance: instance.Name,
})
if err != nil {
return err
}
user, err := sql.NewUser(ctx, "user", &sql.UserArgs{
Name: pulumi.String("user"),
Instance: instance.Name,
Password: pulumi.String("password"),
})
if err != nil {
return err
}
_, err = datastream.NewConnectionProfile(ctx, "default", &datastream.ConnectionProfileArgs{
DisplayName: pulumi.String("SQL Server Source"),
Location: pulumi.String("us-central1"),
ConnectionProfileId: pulumi.String("source-profile"),
SqlServerProfile: &datastream.ConnectionProfileSqlServerProfileArgs{
Hostname: instance.PublicIpAddress,
Port: pulumi.Int(1433),
Username: user.Name,
Password: user.Password,
Database: db.Name,
},
})
if err != nil {
return err
}
return nil
})
}
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using Gcp = Pulumi.Gcp;
return await Deployment.RunAsync(() =>
{
var instance = new Gcp.Sql.DatabaseInstance("instance", new()
{
Name = "sql-server",
DatabaseVersion = "SQLSERVER_2019_STANDARD",
Region = "us-central1",
RootPassword = "root-password",
DeletionProtection = true,
Settings = new Gcp.Sql.Inputs.DatabaseInstanceSettingsArgs
{
Tier = "db-custom-2-4096",
IpConfiguration = new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationArgs
{
AuthorizedNetworks = new[]
{
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.71.242.81",
},
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.72.28.29",
},
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.67.6.157",
},
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.67.234.134",
},
new Gcp.Sql.Inputs.DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs
{
Value = "34.72.239.218",
},
},
},
},
});
var db = new Gcp.Sql.Database("db", new()
{
Name = "db",
Instance = instance.Name,
});
var user = new Gcp.Sql.User("user", new()
{
Name = "user",
Instance = instance.Name,
Password = "password",
});
var @default = new Gcp.Datastream.ConnectionProfile("default", new()
{
DisplayName = "SQL Server Source",
Location = "us-central1",
ConnectionProfileId = "source-profile",
SqlServerProfile = new Gcp.Datastream.Inputs.ConnectionProfileSqlServerProfileArgs
{
Hostname = instance.PublicIpAddress,
Port = 1433,
Username = user.Name,
Password = user.Password,
Database = db.Name,
},
});
});
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.gcp.sql.DatabaseInstance;
import com.pulumi.gcp.sql.DatabaseInstanceArgs;
import com.pulumi.gcp.sql.inputs.DatabaseInstanceSettingsArgs;
import com.pulumi.gcp.sql.inputs.DatabaseInstanceSettingsIpConfigurationArgs;
import com.pulumi.gcp.sql.Database;
import com.pulumi.gcp.sql.DatabaseArgs;
import com.pulumi.gcp.sql.User;
import com.pulumi.gcp.sql.UserArgs;
import com.pulumi.gcp.datastream.ConnectionProfile;
import com.pulumi.gcp.datastream.ConnectionProfileArgs;
import com.pulumi.gcp.datastream.inputs.ConnectionProfileSqlServerProfileArgs;
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 instance = new DatabaseInstance("instance", DatabaseInstanceArgs.builder()
.name("sql-server")
.databaseVersion("SQLSERVER_2019_STANDARD")
.region("us-central1")
.rootPassword("root-password")
.deletionProtection(true)
.settings(DatabaseInstanceSettingsArgs.builder()
.tier("db-custom-2-4096")
.ipConfiguration(DatabaseInstanceSettingsIpConfigurationArgs.builder()
.authorizedNetworks(
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.71.242.81")
.build(),
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.72.28.29")
.build(),
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.67.6.157")
.build(),
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.67.234.134")
.build(),
DatabaseInstanceSettingsIpConfigurationAuthorizedNetworkArgs.builder()
.value("34.72.239.218")
.build())
.build())
.build())
.build());
var db = new Database("db", DatabaseArgs.builder()
.name("db")
.instance(instance.name())
.build());
var user = new User("user", UserArgs.builder()
.name("user")
.instance(instance.name())
.password("password")
.build());
var default_ = new ConnectionProfile("default", ConnectionProfileArgs.builder()
.displayName("SQL Server Source")
.location("us-central1")
.connectionProfileId("source-profile")
.sqlServerProfile(ConnectionProfileSqlServerProfileArgs.builder()
.hostname(instance.publicIpAddress())
.port(1433)
.username(user.name())
.password(user.password())
.database(db.name())
.build())
.build());
}
}
resources:
instance:
type: gcp:sql:DatabaseInstance
properties:
name: sql-server
databaseVersion: SQLSERVER_2019_STANDARD
region: us-central1
rootPassword: root-password
deletionProtection: true
settings:
tier: db-custom-2-4096
ipConfiguration:
authorizedNetworks:
- value: 34.71.242.81
- value: 34.72.28.29
- value: 34.67.6.157
- value: 34.67.234.134
- value: 34.72.239.218
db:
type: gcp:sql:Database
properties:
name: db
instance: ${instance.name}
user:
type: gcp:sql:User
properties:
name: user
instance: ${instance.name}
password: password
default:
type: gcp:datastream:ConnectionProfile
properties:
displayName: SQL Server Source
location: us-central1
connectionProfileId: source-profile
sqlServerProfile:
hostname: ${instance.publicIpAddress}
port: 1433
username: ${user.name}
password: ${user.password}
database: ${db.name}
Import
ConnectionProfile can be imported using any of these accepted formats:
projects/{{project}}/locations/{{location}}/connectionProfiles/{{connection_profile_id}}
{{project}}/{{location}}/{{connection_profile_id}}
{{location}}/{{connection_profile_id}}
When using the pulumi import
command, ConnectionProfile can be imported using one of the formats above. For example:
$ pulumi import gcp:datastream/connectionProfile:ConnectionProfile default projects/{{project}}/locations/{{location}}/connectionProfiles/{{connection_profile_id}}
$ pulumi import gcp:datastream/connectionProfile:ConnectionProfile default {{project}}/{{location}}/{{connection_profile_id}}
$ pulumi import gcp:datastream/connectionProfile:ConnectionProfile default {{location}}/{{connection_profile_id}}
Create ConnectionProfile Resource
Resources are created with functions called constructors. To learn more about declaring and configuring resources, see Resources.
Constructor syntax
new ConnectionProfile(name: string, args: ConnectionProfileArgs, opts?: CustomResourceOptions);
@overload
def ConnectionProfile(resource_name: str,
args: ConnectionProfileArgs,
opts: Optional[ResourceOptions] = None)
@overload
def ConnectionProfile(resource_name: str,
opts: Optional[ResourceOptions] = None,
display_name: Optional[str] = None,
connection_profile_id: Optional[str] = None,
location: Optional[str] = None,
labels: Optional[Mapping[str, str]] = None,
forward_ssh_connectivity: Optional[ConnectionProfileForwardSshConnectivityArgs] = None,
gcs_profile: Optional[ConnectionProfileGcsProfileArgs] = None,
bigquery_profile: Optional[ConnectionProfileBigqueryProfileArgs] = None,
create_without_validation: Optional[bool] = None,
mysql_profile: Optional[ConnectionProfileMysqlProfileArgs] = None,
oracle_profile: Optional[ConnectionProfileOracleProfileArgs] = None,
postgresql_profile: Optional[ConnectionProfilePostgresqlProfileArgs] = None,
private_connectivity: Optional[ConnectionProfilePrivateConnectivityArgs] = None,
project: Optional[str] = None,
salesforce_profile: Optional[ConnectionProfileSalesforceProfileArgs] = None,
sql_server_profile: Optional[ConnectionProfileSqlServerProfileArgs] = None)
func NewConnectionProfile(ctx *Context, name string, args ConnectionProfileArgs, opts ...ResourceOption) (*ConnectionProfile, error)
public ConnectionProfile(string name, ConnectionProfileArgs args, CustomResourceOptions? opts = null)
public ConnectionProfile(String name, ConnectionProfileArgs args)
public ConnectionProfile(String name, ConnectionProfileArgs args, CustomResourceOptions options)
type: gcp:datastream:ConnectionProfile
properties: # The arguments to resource properties.
options: # Bag of options to control resource's behavior.
Parameters
- name string
- The unique name of the resource.
- args ConnectionProfileArgs
- The arguments to resource properties.
- opts CustomResourceOptions
- Bag of options to control resource's behavior.
- resource_name str
- The unique name of the resource.
- args ConnectionProfileArgs
- The arguments to resource properties.
- opts ResourceOptions
- Bag of options to control resource's behavior.
- ctx Context
- Context object for the current deployment.
- name string
- The unique name of the resource.
- args ConnectionProfileArgs
- The arguments to resource properties.
- opts ResourceOption
- Bag of options to control resource's behavior.
- name string
- The unique name of the resource.
- args ConnectionProfileArgs
- The arguments to resource properties.
- opts CustomResourceOptions
- Bag of options to control resource's behavior.
- name String
- The unique name of the resource.
- args ConnectionProfileArgs
- 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 gcpConnectionProfileResource = new Gcp.Datastream.ConnectionProfile("gcpConnectionProfileResource", new()
{
DisplayName = "string",
ConnectionProfileId = "string",
Location = "string",
Labels =
{
{ "string", "string" },
},
ForwardSshConnectivity = new Gcp.Datastream.Inputs.ConnectionProfileForwardSshConnectivityArgs
{
Hostname = "string",
Username = "string",
Password = "string",
Port = 0,
PrivateKey = "string",
},
GcsProfile = new Gcp.Datastream.Inputs.ConnectionProfileGcsProfileArgs
{
Bucket = "string",
RootPath = "string",
},
BigqueryProfile = null,
CreateWithoutValidation = false,
MysqlProfile = new Gcp.Datastream.Inputs.ConnectionProfileMysqlProfileArgs
{
Hostname = "string",
Password = "string",
Username = "string",
Port = 0,
SslConfig = new Gcp.Datastream.Inputs.ConnectionProfileMysqlProfileSslConfigArgs
{
CaCertificate = "string",
CaCertificateSet = false,
ClientCertificate = "string",
ClientCertificateSet = false,
ClientKey = "string",
ClientKeySet = false,
},
},
OracleProfile = new Gcp.Datastream.Inputs.ConnectionProfileOracleProfileArgs
{
DatabaseService = "string",
Hostname = "string",
Password = "string",
Username = "string",
ConnectionAttributes =
{
{ "string", "string" },
},
Port = 0,
},
PostgresqlProfile = new Gcp.Datastream.Inputs.ConnectionProfilePostgresqlProfileArgs
{
Database = "string",
Hostname = "string",
Password = "string",
Username = "string",
Port = 0,
},
PrivateConnectivity = new Gcp.Datastream.Inputs.ConnectionProfilePrivateConnectivityArgs
{
PrivateConnection = "string",
},
Project = "string",
SalesforceProfile = new Gcp.Datastream.Inputs.ConnectionProfileSalesforceProfileArgs
{
Domain = "string",
Oauth2ClientCredentials = new Gcp.Datastream.Inputs.ConnectionProfileSalesforceProfileOauth2ClientCredentialsArgs
{
ClientId = "string",
ClientSecret = "string",
SecretManagerStoredClientSecret = "string",
},
UserCredentials = new Gcp.Datastream.Inputs.ConnectionProfileSalesforceProfileUserCredentialsArgs
{
Password = "string",
SecretManagerStoredPassword = "string",
SecretManagerStoredSecurityToken = "string",
SecurityToken = "string",
Username = "string",
},
},
SqlServerProfile = new Gcp.Datastream.Inputs.ConnectionProfileSqlServerProfileArgs
{
Database = "string",
Hostname = "string",
Password = "string",
Username = "string",
Port = 0,
},
});
example, err := datastream.NewConnectionProfile(ctx, "gcpConnectionProfileResource", &datastream.ConnectionProfileArgs{
DisplayName: pulumi.String("string"),
ConnectionProfileId: pulumi.String("string"),
Location: pulumi.String("string"),
Labels: pulumi.StringMap{
"string": pulumi.String("string"),
},
ForwardSshConnectivity: &datastream.ConnectionProfileForwardSshConnectivityArgs{
Hostname: pulumi.String("string"),
Username: pulumi.String("string"),
Password: pulumi.String("string"),
Port: pulumi.Int(0),
PrivateKey: pulumi.String("string"),
},
GcsProfile: &datastream.ConnectionProfileGcsProfileArgs{
Bucket: pulumi.String("string"),
RootPath: pulumi.String("string"),
},
BigqueryProfile: &datastream.ConnectionProfileBigqueryProfileArgs{},
CreateWithoutValidation: pulumi.Bool(false),
MysqlProfile: &datastream.ConnectionProfileMysqlProfileArgs{
Hostname: pulumi.String("string"),
Password: pulumi.String("string"),
Username: pulumi.String("string"),
Port: pulumi.Int(0),
SslConfig: &datastream.ConnectionProfileMysqlProfileSslConfigArgs{
CaCertificate: pulumi.String("string"),
CaCertificateSet: pulumi.Bool(false),
ClientCertificate: pulumi.String("string"),
ClientCertificateSet: pulumi.Bool(false),
ClientKey: pulumi.String("string"),
ClientKeySet: pulumi.Bool(false),
},
},
OracleProfile: &datastream.ConnectionProfileOracleProfileArgs{
DatabaseService: pulumi.String("string"),
Hostname: pulumi.String("string"),
Password: pulumi.String("string"),
Username: pulumi.String("string"),
ConnectionAttributes: pulumi.StringMap{
"string": pulumi.String("string"),
},
Port: pulumi.Int(0),
},
PostgresqlProfile: &datastream.ConnectionProfilePostgresqlProfileArgs{
Database: pulumi.String("string"),
Hostname: pulumi.String("string"),
Password: pulumi.String("string"),
Username: pulumi.String("string"),
Port: pulumi.Int(0),
},
PrivateConnectivity: &datastream.ConnectionProfilePrivateConnectivityArgs{
PrivateConnection: pulumi.String("string"),
},
Project: pulumi.String("string"),
SalesforceProfile: &datastream.ConnectionProfileSalesforceProfileArgs{
Domain: pulumi.String("string"),
Oauth2ClientCredentials: &datastream.ConnectionProfileSalesforceProfileOauth2ClientCredentialsArgs{
ClientId: pulumi.String("string"),
ClientSecret: pulumi.String("string"),
SecretManagerStoredClientSecret: pulumi.String("string"),
},
UserCredentials: &datastream.ConnectionProfileSalesforceProfileUserCredentialsArgs{
Password: pulumi.String("string"),
SecretManagerStoredPassword: pulumi.String("string"),
SecretManagerStoredSecurityToken: pulumi.String("string"),
SecurityToken: pulumi.String("string"),
Username: pulumi.String("string"),
},
},
SqlServerProfile: &datastream.ConnectionProfileSqlServerProfileArgs{
Database: pulumi.String("string"),
Hostname: pulumi.String("string"),
Password: pulumi.String("string"),
Username: pulumi.String("string"),
Port: pulumi.Int(0),
},
})
var gcpConnectionProfileResource = new ConnectionProfile("gcpConnectionProfileResource", ConnectionProfileArgs.builder()
.displayName("string")
.connectionProfileId("string")
.location("string")
.labels(Map.of("string", "string"))
.forwardSshConnectivity(ConnectionProfileForwardSshConnectivityArgs.builder()
.hostname("string")
.username("string")
.password("string")
.port(0)
.privateKey("string")
.build())
.gcsProfile(ConnectionProfileGcsProfileArgs.builder()
.bucket("string")
.rootPath("string")
.build())
.bigqueryProfile()
.createWithoutValidation(false)
.mysqlProfile(ConnectionProfileMysqlProfileArgs.builder()
.hostname("string")
.password("string")
.username("string")
.port(0)
.sslConfig(ConnectionProfileMysqlProfileSslConfigArgs.builder()
.caCertificate("string")
.caCertificateSet(false)
.clientCertificate("string")
.clientCertificateSet(false)
.clientKey("string")
.clientKeySet(false)
.build())
.build())
.oracleProfile(ConnectionProfileOracleProfileArgs.builder()
.databaseService("string")
.hostname("string")
.password("string")
.username("string")
.connectionAttributes(Map.of("string", "string"))
.port(0)
.build())
.postgresqlProfile(ConnectionProfilePostgresqlProfileArgs.builder()
.database("string")
.hostname("string")
.password("string")
.username("string")
.port(0)
.build())
.privateConnectivity(ConnectionProfilePrivateConnectivityArgs.builder()
.privateConnection("string")
.build())
.project("string")
.salesforceProfile(ConnectionProfileSalesforceProfileArgs.builder()
.domain("string")
.oauth2ClientCredentials(ConnectionProfileSalesforceProfileOauth2ClientCredentialsArgs.builder()
.clientId("string")
.clientSecret("string")
.secretManagerStoredClientSecret("string")
.build())
.userCredentials(ConnectionProfileSalesforceProfileUserCredentialsArgs.builder()
.password("string")
.secretManagerStoredPassword("string")
.secretManagerStoredSecurityToken("string")
.securityToken("string")
.username("string")
.build())
.build())
.sqlServerProfile(ConnectionProfileSqlServerProfileArgs.builder()
.database("string")
.hostname("string")
.password("string")
.username("string")
.port(0)
.build())
.build());
gcp_connection_profile_resource = gcp.datastream.ConnectionProfile("gcpConnectionProfileResource",
display_name="string",
connection_profile_id="string",
location="string",
labels={
"string": "string",
},
forward_ssh_connectivity={
"hostname": "string",
"username": "string",
"password": "string",
"port": 0,
"private_key": "string",
},
gcs_profile={
"bucket": "string",
"root_path": "string",
},
bigquery_profile={},
create_without_validation=False,
mysql_profile={
"hostname": "string",
"password": "string",
"username": "string",
"port": 0,
"ssl_config": {
"ca_certificate": "string",
"ca_certificate_set": False,
"client_certificate": "string",
"client_certificate_set": False,
"client_key": "string",
"client_key_set": False,
},
},
oracle_profile={
"database_service": "string",
"hostname": "string",
"password": "string",
"username": "string",
"connection_attributes": {
"string": "string",
},
"port": 0,
},
postgresql_profile={
"database": "string",
"hostname": "string",
"password": "string",
"username": "string",
"port": 0,
},
private_connectivity={
"private_connection": "string",
},
project="string",
salesforce_profile={
"domain": "string",
"oauth2_client_credentials": {
"client_id": "string",
"client_secret": "string",
"secret_manager_stored_client_secret": "string",
},
"user_credentials": {
"password": "string",
"secret_manager_stored_password": "string",
"secret_manager_stored_security_token": "string",
"security_token": "string",
"username": "string",
},
},
sql_server_profile={
"database": "string",
"hostname": "string",
"password": "string",
"username": "string",
"port": 0,
})
const gcpConnectionProfileResource = new gcp.datastream.ConnectionProfile("gcpConnectionProfileResource", {
displayName: "string",
connectionProfileId: "string",
location: "string",
labels: {
string: "string",
},
forwardSshConnectivity: {
hostname: "string",
username: "string",
password: "string",
port: 0,
privateKey: "string",
},
gcsProfile: {
bucket: "string",
rootPath: "string",
},
bigqueryProfile: {},
createWithoutValidation: false,
mysqlProfile: {
hostname: "string",
password: "string",
username: "string",
port: 0,
sslConfig: {
caCertificate: "string",
caCertificateSet: false,
clientCertificate: "string",
clientCertificateSet: false,
clientKey: "string",
clientKeySet: false,
},
},
oracleProfile: {
databaseService: "string",
hostname: "string",
password: "string",
username: "string",
connectionAttributes: {
string: "string",
},
port: 0,
},
postgresqlProfile: {
database: "string",
hostname: "string",
password: "string",
username: "string",
port: 0,
},
privateConnectivity: {
privateConnection: "string",
},
project: "string",
salesforceProfile: {
domain: "string",
oauth2ClientCredentials: {
clientId: "string",
clientSecret: "string",
secretManagerStoredClientSecret: "string",
},
userCredentials: {
password: "string",
secretManagerStoredPassword: "string",
secretManagerStoredSecurityToken: "string",
securityToken: "string",
username: "string",
},
},
sqlServerProfile: {
database: "string",
hostname: "string",
password: "string",
username: "string",
port: 0,
},
});
type: gcp:datastream:ConnectionProfile
properties:
bigqueryProfile: {}
connectionProfileId: string
createWithoutValidation: false
displayName: string
forwardSshConnectivity:
hostname: string
password: string
port: 0
privateKey: string
username: string
gcsProfile:
bucket: string
rootPath: string
labels:
string: string
location: string
mysqlProfile:
hostname: string
password: string
port: 0
sslConfig:
caCertificate: string
caCertificateSet: false
clientCertificate: string
clientCertificateSet: false
clientKey: string
clientKeySet: false
username: string
oracleProfile:
connectionAttributes:
string: string
databaseService: string
hostname: string
password: string
port: 0
username: string
postgresqlProfile:
database: string
hostname: string
password: string
port: 0
username: string
privateConnectivity:
privateConnection: string
project: string
salesforceProfile:
domain: string
oauth2ClientCredentials:
clientId: string
clientSecret: string
secretManagerStoredClientSecret: string
userCredentials:
password: string
secretManagerStoredPassword: string
secretManagerStoredSecurityToken: string
securityToken: string
username: string
sqlServerProfile:
database: string
hostname: string
password: string
port: 0
username: string
ConnectionProfile 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 ConnectionProfile resource accepts the following input properties:
- Connection
Profile stringId - The connection profile identifier.
- Display
Name string - Display name.
- Location string
- The name of the location this connection profile is located in.
- Bigquery
Profile ConnectionProfile Bigquery Profile - BigQuery warehouse profile.
- Create
Without boolValidation - Create the connection profile without validating it.
- Forward
Ssh ConnectionConnectivity Profile Forward Ssh Connectivity - Forward SSH tunnel connectivity. Structure is documented below.
- Gcs
Profile ConnectionProfile Gcs Profile - Cloud Storage bucket profile. Structure is documented below.
- Labels Dictionary<string, string>
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - Mysql
Profile ConnectionProfile Mysql Profile - MySQL database profile. Structure is documented below.
- Oracle
Profile ConnectionProfile Oracle Profile - Oracle database profile. Structure is documented below.
- Postgresql
Profile ConnectionProfile Postgresql Profile - PostgreSQL database profile. Structure is documented below.
- Private
Connectivity ConnectionProfile Private Connectivity - Private connectivity. Structure is documented below.
- Project string
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- Salesforce
Profile ConnectionProfile Salesforce Profile - Salesforce profile. Structure is documented below.
- Sql
Server ConnectionProfile Profile Sql Server Profile - SQL Server database profile. Structure is documented below.
- Connection
Profile stringId - The connection profile identifier.
- Display
Name string - Display name.
- Location string
- The name of the location this connection profile is located in.
- Bigquery
Profile ConnectionProfile Bigquery Profile Args - BigQuery warehouse profile.
- Create
Without boolValidation - Create the connection profile without validating it.
- Forward
Ssh ConnectionConnectivity Profile Forward Ssh Connectivity Args - Forward SSH tunnel connectivity. Structure is documented below.
- Gcs
Profile ConnectionProfile Gcs Profile Args - Cloud Storage bucket profile. Structure is documented below.
- Labels map[string]string
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - Mysql
Profile ConnectionProfile Mysql Profile Args - MySQL database profile. Structure is documented below.
- Oracle
Profile ConnectionProfile Oracle Profile Args - Oracle database profile. Structure is documented below.
- Postgresql
Profile ConnectionProfile Postgresql Profile Args - PostgreSQL database profile. Structure is documented below.
- Private
Connectivity ConnectionProfile Private Connectivity Args - Private connectivity. Structure is documented below.
- Project string
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- Salesforce
Profile ConnectionProfile Salesforce Profile Args - Salesforce profile. Structure is documented below.
- Sql
Server ConnectionProfile Profile Sql Server Profile Args - SQL Server database profile. Structure is documented below.
- connection
Profile StringId - The connection profile identifier.
- display
Name String - Display name.
- location String
- The name of the location this connection profile is located in.
- bigquery
Profile ConnectionProfile Bigquery Profile - BigQuery warehouse profile.
- create
Without BooleanValidation - Create the connection profile without validating it.
- forward
Ssh ConnectionConnectivity Profile Forward Ssh Connectivity - Forward SSH tunnel connectivity. Structure is documented below.
- gcs
Profile ConnectionProfile Gcs Profile - Cloud Storage bucket profile. Structure is documented below.
- labels Map<String,String>
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - mysql
Profile ConnectionProfile Mysql Profile - MySQL database profile. Structure is documented below.
- oracle
Profile ConnectionProfile Oracle Profile - Oracle database profile. Structure is documented below.
- postgresql
Profile ConnectionProfile Postgresql Profile - PostgreSQL database profile. Structure is documented below.
- private
Connectivity ConnectionProfile Private Connectivity - Private connectivity. Structure is documented below.
- project String
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- salesforce
Profile ConnectionProfile Salesforce Profile - Salesforce profile. Structure is documented below.
- sql
Server ConnectionProfile Profile Sql Server Profile - SQL Server database profile. Structure is documented below.
- connection
Profile stringId - The connection profile identifier.
- display
Name string - Display name.
- location string
- The name of the location this connection profile is located in.
- bigquery
Profile ConnectionProfile Bigquery Profile - BigQuery warehouse profile.
- create
Without booleanValidation - Create the connection profile without validating it.
- forward
Ssh ConnectionConnectivity Profile Forward Ssh Connectivity - Forward SSH tunnel connectivity. Structure is documented below.
- gcs
Profile ConnectionProfile Gcs Profile - Cloud Storage bucket profile. Structure is documented below.
- labels {[key: string]: string}
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - mysql
Profile ConnectionProfile Mysql Profile - MySQL database profile. Structure is documented below.
- oracle
Profile ConnectionProfile Oracle Profile - Oracle database profile. Structure is documented below.
- postgresql
Profile ConnectionProfile Postgresql Profile - PostgreSQL database profile. Structure is documented below.
- private
Connectivity ConnectionProfile Private Connectivity - Private connectivity. Structure is documented below.
- project string
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- salesforce
Profile ConnectionProfile Salesforce Profile - Salesforce profile. Structure is documented below.
- sql
Server ConnectionProfile Profile Sql Server Profile - SQL Server database profile. Structure is documented below.
- connection_
profile_ strid - The connection profile identifier.
- display_
name str - Display name.
- location str
- The name of the location this connection profile is located in.
- bigquery_
profile ConnectionProfile Bigquery Profile Args - BigQuery warehouse profile.
- create_
without_ boolvalidation - Create the connection profile without validating it.
- forward_
ssh_ Connectionconnectivity Profile Forward Ssh Connectivity Args - Forward SSH tunnel connectivity. Structure is documented below.
- gcs_
profile ConnectionProfile Gcs Profile Args - Cloud Storage bucket profile. Structure is documented below.
- labels Mapping[str, str]
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - mysql_
profile ConnectionProfile Mysql Profile Args - MySQL database profile. Structure is documented below.
- oracle_
profile ConnectionProfile Oracle Profile Args - Oracle database profile. Structure is documented below.
- postgresql_
profile ConnectionProfile Postgresql Profile Args - PostgreSQL database profile. Structure is documented below.
- private_
connectivity ConnectionProfile Private Connectivity Args - Private connectivity. Structure is documented below.
- project str
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- salesforce_
profile ConnectionProfile Salesforce Profile Args - Salesforce profile. Structure is documented below.
- sql_
server_ Connectionprofile Profile Sql Server Profile Args - SQL Server database profile. Structure is documented below.
- connection
Profile StringId - The connection profile identifier.
- display
Name String - Display name.
- location String
- The name of the location this connection profile is located in.
- bigquery
Profile Property Map - BigQuery warehouse profile.
- create
Without BooleanValidation - Create the connection profile without validating it.
- forward
Ssh Property MapConnectivity - Forward SSH tunnel connectivity. Structure is documented below.
- gcs
Profile Property Map - Cloud Storage bucket profile. Structure is documented below.
- labels Map<String>
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - mysql
Profile Property Map - MySQL database profile. Structure is documented below.
- oracle
Profile Property Map - Oracle database profile. Structure is documented below.
- postgresql
Profile Property Map - PostgreSQL database profile. Structure is documented below.
- private
Connectivity Property Map - Private connectivity. Structure is documented below.
- project String
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- salesforce
Profile Property Map - Salesforce profile. Structure is documented below.
- sql
Server Property MapProfile - SQL Server database profile. Structure is documented below.
Outputs
All input properties are implicitly available as output properties. Additionally, the ConnectionProfile resource produces the following output properties:
- Effective
Labels Dictionary<string, string> - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- Id string
- The provider-assigned unique ID for this managed resource.
- Name string
- The resource's name.
- Pulumi
Labels Dictionary<string, string> - The combination of labels configured directly on the resource and default labels configured on the provider.
- Effective
Labels map[string]string - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- Id string
- The provider-assigned unique ID for this managed resource.
- Name string
- The resource's name.
- Pulumi
Labels map[string]string - The combination of labels configured directly on the resource and default labels configured on the provider.
- effective
Labels Map<String,String> - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- id String
- The provider-assigned unique ID for this managed resource.
- name String
- The resource's name.
- pulumi
Labels Map<String,String> - The combination of labels configured directly on the resource and default labels configured on the provider.
- effective
Labels {[key: string]: string} - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- id string
- The provider-assigned unique ID for this managed resource.
- name string
- The resource's name.
- pulumi
Labels {[key: string]: string} - The combination of labels configured directly on the resource and default labels configured on the provider.
- effective_
labels Mapping[str, str] - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- id str
- The provider-assigned unique ID for this managed resource.
- name str
- The resource's name.
- pulumi_
labels Mapping[str, str] - The combination of labels configured directly on the resource and default labels configured on the provider.
- effective
Labels Map<String> - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- id String
- The provider-assigned unique ID for this managed resource.
- name String
- The resource's name.
- pulumi
Labels Map<String> - The combination of labels configured directly on the resource and default labels configured on the provider.
Look up Existing ConnectionProfile Resource
Get an existing ConnectionProfile 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?: ConnectionProfileState, opts?: CustomResourceOptions): ConnectionProfile
@staticmethod
def get(resource_name: str,
id: str,
opts: Optional[ResourceOptions] = None,
bigquery_profile: Optional[ConnectionProfileBigqueryProfileArgs] = None,
connection_profile_id: Optional[str] = None,
create_without_validation: Optional[bool] = None,
display_name: Optional[str] = None,
effective_labels: Optional[Mapping[str, str]] = None,
forward_ssh_connectivity: Optional[ConnectionProfileForwardSshConnectivityArgs] = None,
gcs_profile: Optional[ConnectionProfileGcsProfileArgs] = None,
labels: Optional[Mapping[str, str]] = None,
location: Optional[str] = None,
mysql_profile: Optional[ConnectionProfileMysqlProfileArgs] = None,
name: Optional[str] = None,
oracle_profile: Optional[ConnectionProfileOracleProfileArgs] = None,
postgresql_profile: Optional[ConnectionProfilePostgresqlProfileArgs] = None,
private_connectivity: Optional[ConnectionProfilePrivateConnectivityArgs] = None,
project: Optional[str] = None,
pulumi_labels: Optional[Mapping[str, str]] = None,
salesforce_profile: Optional[ConnectionProfileSalesforceProfileArgs] = None,
sql_server_profile: Optional[ConnectionProfileSqlServerProfileArgs] = None) -> ConnectionProfile
func GetConnectionProfile(ctx *Context, name string, id IDInput, state *ConnectionProfileState, opts ...ResourceOption) (*ConnectionProfile, error)
public static ConnectionProfile Get(string name, Input<string> id, ConnectionProfileState? state, CustomResourceOptions? opts = null)
public static ConnectionProfile get(String name, Output<String> id, ConnectionProfileState state, CustomResourceOptions options)
resources: _: type: gcp:datastream:ConnectionProfile get: id: ${id}
- name
- The unique name of the resulting resource.
- id
- The unique provider ID of the resource to lookup.
- state
- Any extra arguments used during the lookup.
- opts
- A bag of options that control this resource's behavior.
- resource_name
- The unique name of the resulting resource.
- id
- The unique provider ID of the resource to lookup.
- name
- The unique name of the resulting resource.
- id
- The unique provider ID of the resource to lookup.
- state
- Any extra arguments used during the lookup.
- opts
- A bag of options that control this resource's behavior.
- name
- The unique name of the resulting resource.
- id
- The unique provider ID of the resource to lookup.
- state
- Any extra arguments used during the lookup.
- opts
- A bag of options that control this resource's behavior.
- name
- The unique name of the resulting resource.
- id
- The unique provider ID of the resource to lookup.
- state
- Any extra arguments used during the lookup.
- opts
- A bag of options that control this resource's behavior.
- Bigquery
Profile ConnectionProfile Bigquery Profile - BigQuery warehouse profile.
- Connection
Profile stringId - The connection profile identifier.
- Create
Without boolValidation - Create the connection profile without validating it.
- Display
Name string - Display name.
- Effective
Labels Dictionary<string, string> - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- Forward
Ssh ConnectionConnectivity Profile Forward Ssh Connectivity - Forward SSH tunnel connectivity. Structure is documented below.
- Gcs
Profile ConnectionProfile Gcs Profile - Cloud Storage bucket profile. Structure is documented below.
- Labels Dictionary<string, string>
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - Location string
- The name of the location this connection profile is located in.
- Mysql
Profile ConnectionProfile Mysql Profile - MySQL database profile. Structure is documented below.
- Name string
- The resource's name.
- Oracle
Profile ConnectionProfile Oracle Profile - Oracle database profile. Structure is documented below.
- Postgresql
Profile ConnectionProfile Postgresql Profile - PostgreSQL database profile. Structure is documented below.
- Private
Connectivity ConnectionProfile Private Connectivity - Private connectivity. Structure is documented below.
- Project string
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- Pulumi
Labels Dictionary<string, string> - The combination of labels configured directly on the resource and default labels configured on the provider.
- Salesforce
Profile ConnectionProfile Salesforce Profile - Salesforce profile. Structure is documented below.
- Sql
Server ConnectionProfile Profile Sql Server Profile - SQL Server database profile. Structure is documented below.
- Bigquery
Profile ConnectionProfile Bigquery Profile Args - BigQuery warehouse profile.
- Connection
Profile stringId - The connection profile identifier.
- Create
Without boolValidation - Create the connection profile without validating it.
- Display
Name string - Display name.
- Effective
Labels map[string]string - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- Forward
Ssh ConnectionConnectivity Profile Forward Ssh Connectivity Args - Forward SSH tunnel connectivity. Structure is documented below.
- Gcs
Profile ConnectionProfile Gcs Profile Args - Cloud Storage bucket profile. Structure is documented below.
- Labels map[string]string
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - Location string
- The name of the location this connection profile is located in.
- Mysql
Profile ConnectionProfile Mysql Profile Args - MySQL database profile. Structure is documented below.
- Name string
- The resource's name.
- Oracle
Profile ConnectionProfile Oracle Profile Args - Oracle database profile. Structure is documented below.
- Postgresql
Profile ConnectionProfile Postgresql Profile Args - PostgreSQL database profile. Structure is documented below.
- Private
Connectivity ConnectionProfile Private Connectivity Args - Private connectivity. Structure is documented below.
- Project string
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- Pulumi
Labels map[string]string - The combination of labels configured directly on the resource and default labels configured on the provider.
- Salesforce
Profile ConnectionProfile Salesforce Profile Args - Salesforce profile. Structure is documented below.
- Sql
Server ConnectionProfile Profile Sql Server Profile Args - SQL Server database profile. Structure is documented below.
- bigquery
Profile ConnectionProfile Bigquery Profile - BigQuery warehouse profile.
- connection
Profile StringId - The connection profile identifier.
- create
Without BooleanValidation - Create the connection profile without validating it.
- display
Name String - Display name.
- effective
Labels Map<String,String> - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- forward
Ssh ConnectionConnectivity Profile Forward Ssh Connectivity - Forward SSH tunnel connectivity. Structure is documented below.
- gcs
Profile ConnectionProfile Gcs Profile - Cloud Storage bucket profile. Structure is documented below.
- labels Map<String,String>
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - location String
- The name of the location this connection profile is located in.
- mysql
Profile ConnectionProfile Mysql Profile - MySQL database profile. Structure is documented below.
- name String
- The resource's name.
- oracle
Profile ConnectionProfile Oracle Profile - Oracle database profile. Structure is documented below.
- postgresql
Profile ConnectionProfile Postgresql Profile - PostgreSQL database profile. Structure is documented below.
- private
Connectivity ConnectionProfile Private Connectivity - Private connectivity. Structure is documented below.
- project String
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- pulumi
Labels Map<String,String> - The combination of labels configured directly on the resource and default labels configured on the provider.
- salesforce
Profile ConnectionProfile Salesforce Profile - Salesforce profile. Structure is documented below.
- sql
Server ConnectionProfile Profile Sql Server Profile - SQL Server database profile. Structure is documented below.
- bigquery
Profile ConnectionProfile Bigquery Profile - BigQuery warehouse profile.
- connection
Profile stringId - The connection profile identifier.
- create
Without booleanValidation - Create the connection profile without validating it.
- display
Name string - Display name.
- effective
Labels {[key: string]: string} - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- forward
Ssh ConnectionConnectivity Profile Forward Ssh Connectivity - Forward SSH tunnel connectivity. Structure is documented below.
- gcs
Profile ConnectionProfile Gcs Profile - Cloud Storage bucket profile. Structure is documented below.
- labels {[key: string]: string}
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - location string
- The name of the location this connection profile is located in.
- mysql
Profile ConnectionProfile Mysql Profile - MySQL database profile. Structure is documented below.
- name string
- The resource's name.
- oracle
Profile ConnectionProfile Oracle Profile - Oracle database profile. Structure is documented below.
- postgresql
Profile ConnectionProfile Postgresql Profile - PostgreSQL database profile. Structure is documented below.
- private
Connectivity ConnectionProfile Private Connectivity - Private connectivity. Structure is documented below.
- project string
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- pulumi
Labels {[key: string]: string} - The combination of labels configured directly on the resource and default labels configured on the provider.
- salesforce
Profile ConnectionProfile Salesforce Profile - Salesforce profile. Structure is documented below.
- sql
Server ConnectionProfile Profile Sql Server Profile - SQL Server database profile. Structure is documented below.
- bigquery_
profile ConnectionProfile Bigquery Profile Args - BigQuery warehouse profile.
- connection_
profile_ strid - The connection profile identifier.
- create_
without_ boolvalidation - Create the connection profile without validating it.
- display_
name str - Display name.
- effective_
labels Mapping[str, str] - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- forward_
ssh_ Connectionconnectivity Profile Forward Ssh Connectivity Args - Forward SSH tunnel connectivity. Structure is documented below.
- gcs_
profile ConnectionProfile Gcs Profile Args - Cloud Storage bucket profile. Structure is documented below.
- labels Mapping[str, str]
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - location str
- The name of the location this connection profile is located in.
- mysql_
profile ConnectionProfile Mysql Profile Args - MySQL database profile. Structure is documented below.
- name str
- The resource's name.
- oracle_
profile ConnectionProfile Oracle Profile Args - Oracle database profile. Structure is documented below.
- postgresql_
profile ConnectionProfile Postgresql Profile Args - PostgreSQL database profile. Structure is documented below.
- private_
connectivity ConnectionProfile Private Connectivity Args - Private connectivity. Structure is documented below.
- project str
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- pulumi_
labels Mapping[str, str] - The combination of labels configured directly on the resource and default labels configured on the provider.
- salesforce_
profile ConnectionProfile Salesforce Profile Args - Salesforce profile. Structure is documented below.
- sql_
server_ Connectionprofile Profile Sql Server Profile Args - SQL Server database profile. Structure is documented below.
- bigquery
Profile Property Map - BigQuery warehouse profile.
- connection
Profile StringId - The connection profile identifier.
- create
Without BooleanValidation - Create the connection profile without validating it.
- display
Name String - Display name.
- effective
Labels Map<String> - All of labels (key/value pairs) present on the resource in GCP, including the labels configured through Pulumi, other clients and services.
- forward
Ssh Property MapConnectivity - Forward SSH tunnel connectivity. Structure is documented below.
- gcs
Profile Property Map - Cloud Storage bucket profile. Structure is documented below.
- labels Map<String>
- Labels.
Note: This field is non-authoritative, and will only manage the labels present in your configuration.
Please refer to the field
effective_labels
for all of the labels present on the resource. - location String
- The name of the location this connection profile is located in.
- mysql
Profile Property Map - MySQL database profile. Structure is documented below.
- name String
- The resource's name.
- oracle
Profile Property Map - Oracle database profile. Structure is documented below.
- postgresql
Profile Property Map - PostgreSQL database profile. Structure is documented below.
- private
Connectivity Property Map - Private connectivity. Structure is documented below.
- project String
- The ID of the project in which the resource belongs. If it is not provided, the provider project is used.
- pulumi
Labels Map<String> - The combination of labels configured directly on the resource and default labels configured on the provider.
- salesforce
Profile Property Map - Salesforce profile. Structure is documented below.
- sql
Server Property MapProfile - SQL Server database profile. Structure is documented below.
Supporting Types
ConnectionProfileForwardSshConnectivity, ConnectionProfileForwardSshConnectivityArgs
- Hostname string
- Hostname for the SSH tunnel.
- Username string
- Username for the SSH tunnel.
- Password string
- SSH password. Note: This property is sensitive and will not be displayed in the plan.
- Port int
- Port for the SSH tunnel.
- Private
Key string - SSH private key. Note: This property is sensitive and will not be displayed in the plan.
- Hostname string
- Hostname for the SSH tunnel.
- Username string
- Username for the SSH tunnel.
- Password string
- SSH password. Note: This property is sensitive and will not be displayed in the plan.
- Port int
- Port for the SSH tunnel.
- Private
Key string - SSH private key. Note: This property is sensitive and will not be displayed in the plan.
- hostname String
- Hostname for the SSH tunnel.
- username String
- Username for the SSH tunnel.
- password String
- SSH password. Note: This property is sensitive and will not be displayed in the plan.
- port Integer
- Port for the SSH tunnel.
- private
Key String - SSH private key. Note: This property is sensitive and will not be displayed in the plan.
- hostname string
- Hostname for the SSH tunnel.
- username string
- Username for the SSH tunnel.
- password string
- SSH password. Note: This property is sensitive and will not be displayed in the plan.
- port number
- Port for the SSH tunnel.
- private
Key string - SSH private key. Note: This property is sensitive and will not be displayed in the plan.
- hostname str
- Hostname for the SSH tunnel.
- username str
- Username for the SSH tunnel.
- password str
- SSH password. Note: This property is sensitive and will not be displayed in the plan.
- port int
- Port for the SSH tunnel.
- private_
key str - SSH private key. Note: This property is sensitive and will not be displayed in the plan.
- hostname String
- Hostname for the SSH tunnel.
- username String
- Username for the SSH tunnel.
- password String
- SSH password. Note: This property is sensitive and will not be displayed in the plan.
- port Number
- Port for the SSH tunnel.
- private
Key String - SSH private key. Note: This property is sensitive and will not be displayed in the plan.
ConnectionProfileGcsProfile, ConnectionProfileGcsProfileArgs
ConnectionProfileMysqlProfile, ConnectionProfileMysqlProfileArgs
- Hostname string
- Hostname for the MySQL connection.
- Password string
- Password for the MySQL connection. Note: This property is sensitive and will not be displayed in the plan.
- Username string
- Username for the MySQL connection.
- Port int
- Port for the MySQL connection.
- Ssl
Config ConnectionProfile Mysql Profile Ssl Config - SSL configuration for the MySQL connection. Structure is documented below.
- Hostname string
- Hostname for the MySQL connection.
- Password string
- Password for the MySQL connection. Note: This property is sensitive and will not be displayed in the plan.
- Username string
- Username for the MySQL connection.
- Port int
- Port for the MySQL connection.
- Ssl
Config ConnectionProfile Mysql Profile Ssl Config - SSL configuration for the MySQL connection. Structure is documented below.
- hostname String
- Hostname for the MySQL connection.
- password String
- Password for the MySQL connection. Note: This property is sensitive and will not be displayed in the plan.
- username String
- Username for the MySQL connection.
- port Integer
- Port for the MySQL connection.
- ssl
Config ConnectionProfile Mysql Profile Ssl Config - SSL configuration for the MySQL connection. Structure is documented below.
- hostname string
- Hostname for the MySQL connection.
- password string
- Password for the MySQL connection. Note: This property is sensitive and will not be displayed in the plan.
- username string
- Username for the MySQL connection.
- port number
- Port for the MySQL connection.
- ssl
Config ConnectionProfile Mysql Profile Ssl Config - SSL configuration for the MySQL connection. Structure is documented below.
- hostname str
- Hostname for the MySQL connection.
- password str
- Password for the MySQL connection. Note: This property is sensitive and will not be displayed in the plan.
- username str
- Username for the MySQL connection.
- port int
- Port for the MySQL connection.
- ssl_
config ConnectionProfile Mysql Profile Ssl Config - SSL configuration for the MySQL connection. Structure is documented below.
- hostname String
- Hostname for the MySQL connection.
- password String
- Password for the MySQL connection. Note: This property is sensitive and will not be displayed in the plan.
- username String
- Username for the MySQL connection.
- port Number
- Port for the MySQL connection.
- ssl
Config Property Map - SSL configuration for the MySQL connection. Structure is documented below.
ConnectionProfileMysqlProfileSslConfig, ConnectionProfileMysqlProfileSslConfigArgs
- Ca
Certificate string - PEM-encoded certificate of the CA that signed the source database server's certificate. Note: This property is sensitive and will not be displayed in the plan.
- Ca
Certificate boolSet - (Output) Indicates whether the clientKey field is set.
- Client
Certificate string - PEM-encoded certificate that will be used by the replica to authenticate against the source database server. If this field is used then the 'clientKey' and the 'caCertificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- Client
Certificate boolSet - (Output) Indicates whether the clientCertificate field is set.
- Client
Key string - PEM-encoded private key associated with the Client Certificate. If this field is used then the 'client_certificate' and the 'ca_certificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- Client
Key boolSet - (Output) Indicates whether the clientKey field is set.
- Ca
Certificate string - PEM-encoded certificate of the CA that signed the source database server's certificate. Note: This property is sensitive and will not be displayed in the plan.
- Ca
Certificate boolSet - (Output) Indicates whether the clientKey field is set.
- Client
Certificate string - PEM-encoded certificate that will be used by the replica to authenticate against the source database server. If this field is used then the 'clientKey' and the 'caCertificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- Client
Certificate boolSet - (Output) Indicates whether the clientCertificate field is set.
- Client
Key string - PEM-encoded private key associated with the Client Certificate. If this field is used then the 'client_certificate' and the 'ca_certificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- Client
Key boolSet - (Output) Indicates whether the clientKey field is set.
- ca
Certificate String - PEM-encoded certificate of the CA that signed the source database server's certificate. Note: This property is sensitive and will not be displayed in the plan.
- ca
Certificate BooleanSet - (Output) Indicates whether the clientKey field is set.
- client
Certificate String - PEM-encoded certificate that will be used by the replica to authenticate against the source database server. If this field is used then the 'clientKey' and the 'caCertificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- client
Certificate BooleanSet - (Output) Indicates whether the clientCertificate field is set.
- client
Key String - PEM-encoded private key associated with the Client Certificate. If this field is used then the 'client_certificate' and the 'ca_certificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- client
Key BooleanSet - (Output) Indicates whether the clientKey field is set.
- ca
Certificate string - PEM-encoded certificate of the CA that signed the source database server's certificate. Note: This property is sensitive and will not be displayed in the plan.
- ca
Certificate booleanSet - (Output) Indicates whether the clientKey field is set.
- client
Certificate string - PEM-encoded certificate that will be used by the replica to authenticate against the source database server. If this field is used then the 'clientKey' and the 'caCertificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- client
Certificate booleanSet - (Output) Indicates whether the clientCertificate field is set.
- client
Key string - PEM-encoded private key associated with the Client Certificate. If this field is used then the 'client_certificate' and the 'ca_certificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- client
Key booleanSet - (Output) Indicates whether the clientKey field is set.
- ca_
certificate str - PEM-encoded certificate of the CA that signed the source database server's certificate. Note: This property is sensitive and will not be displayed in the plan.
- ca_
certificate_ boolset - (Output) Indicates whether the clientKey field is set.
- client_
certificate str - PEM-encoded certificate that will be used by the replica to authenticate against the source database server. If this field is used then the 'clientKey' and the 'caCertificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- client_
certificate_ boolset - (Output) Indicates whether the clientCertificate field is set.
- client_
key str - PEM-encoded private key associated with the Client Certificate. If this field is used then the 'client_certificate' and the 'ca_certificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- client_
key_ boolset - (Output) Indicates whether the clientKey field is set.
- ca
Certificate String - PEM-encoded certificate of the CA that signed the source database server's certificate. Note: This property is sensitive and will not be displayed in the plan.
- ca
Certificate BooleanSet - (Output) Indicates whether the clientKey field is set.
- client
Certificate String - PEM-encoded certificate that will be used by the replica to authenticate against the source database server. If this field is used then the 'clientKey' and the 'caCertificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- client
Certificate BooleanSet - (Output) Indicates whether the clientCertificate field is set.
- client
Key String - PEM-encoded private key associated with the Client Certificate. If this field is used then the 'client_certificate' and the 'ca_certificate' fields are mandatory. Note: This property is sensitive and will not be displayed in the plan.
- client
Key BooleanSet - (Output) Indicates whether the clientKey field is set.
ConnectionProfileOracleProfile, ConnectionProfileOracleProfileArgs
- Database
Service string - Database for the Oracle connection.
- Hostname string
- Hostname for the Oracle connection.
- Password string
- Password for the Oracle connection. Note: This property is sensitive and will not be displayed in the plan.
- Username string
- Username for the Oracle connection.
- Connection
Attributes Dictionary<string, string> - Connection string attributes
- Port int
- Port for the Oracle connection.
- Database
Service string - Database for the Oracle connection.
- Hostname string
- Hostname for the Oracle connection.
- Password string
- Password for the Oracle connection. Note: This property is sensitive and will not be displayed in the plan.
- Username string
- Username for the Oracle connection.
- Connection
Attributes map[string]string - Connection string attributes
- Port int
- Port for the Oracle connection.
- database
Service String - Database for the Oracle connection.
- hostname String
- Hostname for the Oracle connection.
- password String
- Password for the Oracle connection. Note: This property is sensitive and will not be displayed in the plan.
- username String
- Username for the Oracle connection.
- connection
Attributes Map<String,String> - Connection string attributes
- port Integer
- Port for the Oracle connection.
- database
Service string - Database for the Oracle connection.
- hostname string
- Hostname for the Oracle connection.
- password string
- Password for the Oracle connection. Note: This property is sensitive and will not be displayed in the plan.
- username string
- Username for the Oracle connection.
- connection
Attributes {[key: string]: string} - Connection string attributes
- port number
- Port for the Oracle connection.
- database_
service str - Database for the Oracle connection.
- hostname str
- Hostname for the Oracle connection.
- password str
- Password for the Oracle connection. Note: This property is sensitive and will not be displayed in the plan.
- username str
- Username for the Oracle connection.
- connection_
attributes Mapping[str, str] - Connection string attributes
- port int
- Port for the Oracle connection.
- database
Service String - Database for the Oracle connection.
- hostname String
- Hostname for the Oracle connection.
- password String
- Password for the Oracle connection. Note: This property is sensitive and will not be displayed in the plan.
- username String
- Username for the Oracle connection.
- connection
Attributes Map<String> - Connection string attributes
- port Number
- Port for the Oracle connection.
ConnectionProfilePostgresqlProfile, ConnectionProfilePostgresqlProfileArgs
- Database string
- Database for the PostgreSQL connection.
- Hostname string
- Hostname for the PostgreSQL connection.
- Password string
- Password for the PostgreSQL connection. Note: This property is sensitive and will not be displayed in the plan.
- Username string
- Username for the PostgreSQL connection.
- Port int
- Port for the PostgreSQL connection.
- Database string
- Database for the PostgreSQL connection.
- Hostname string
- Hostname for the PostgreSQL connection.
- Password string
- Password for the PostgreSQL connection. Note: This property is sensitive and will not be displayed in the plan.
- Username string
- Username for the PostgreSQL connection.
- Port int
- Port for the PostgreSQL connection.
- database String
- Database for the PostgreSQL connection.
- hostname String
- Hostname for the PostgreSQL connection.
- password String
- Password for the PostgreSQL connection. Note: This property is sensitive and will not be displayed in the plan.
- username String
- Username for the PostgreSQL connection.
- port Integer
- Port for the PostgreSQL connection.
- database string
- Database for the PostgreSQL connection.
- hostname string
- Hostname for the PostgreSQL connection.
- password string
- Password for the PostgreSQL connection. Note: This property is sensitive and will not be displayed in the plan.
- username string
- Username for the PostgreSQL connection.
- port number
- Port for the PostgreSQL connection.
- database str
- Database for the PostgreSQL connection.
- hostname str
- Hostname for the PostgreSQL connection.
- password str
- Password for the PostgreSQL connection. Note: This property is sensitive and will not be displayed in the plan.
- username str
- Username for the PostgreSQL connection.
- port int
- Port for the PostgreSQL connection.
- database String
- Database for the PostgreSQL connection.
- hostname String
- Hostname for the PostgreSQL connection.
- password String
- Password for the PostgreSQL connection. Note: This property is sensitive and will not be displayed in the plan.
- username String
- Username for the PostgreSQL connection.
- port Number
- Port for the PostgreSQL connection.
ConnectionProfilePrivateConnectivity, ConnectionProfilePrivateConnectivityArgs
- Private
Connection string - A reference to a private connection resource. Format:
projects/{project}/locations/{location}/privateConnections/{name}
- Private
Connection string - A reference to a private connection resource. Format:
projects/{project}/locations/{location}/privateConnections/{name}
- private
Connection String - A reference to a private connection resource. Format:
projects/{project}/locations/{location}/privateConnections/{name}
- private
Connection string - A reference to a private connection resource. Format:
projects/{project}/locations/{location}/privateConnections/{name}
- private_
connection str - A reference to a private connection resource. Format:
projects/{project}/locations/{location}/privateConnections/{name}
- private
Connection String - A reference to a private connection resource. Format:
projects/{project}/locations/{location}/privateConnections/{name}
ConnectionProfileSalesforceProfile, ConnectionProfileSalesforceProfileArgs
- Domain string
- Domain for the Salesforce Org.
- Oauth2Client
Credentials ConnectionProfile Salesforce Profile Oauth2Client Credentials - OAuth credentials to use for Salesforce authentication. Structure is documented below.
- User
Credentials ConnectionProfile Salesforce Profile User Credentials - User credentials to use for Salesforce authentication. Structure is documented below.
- Domain string
- Domain for the Salesforce Org.
- Oauth2Client
Credentials ConnectionProfile Salesforce Profile Oauth2Client Credentials - OAuth credentials to use for Salesforce authentication. Structure is documented below.
- User
Credentials ConnectionProfile Salesforce Profile User Credentials - User credentials to use for Salesforce authentication. Structure is documented below.
- domain String
- Domain for the Salesforce Org.
- oauth2Client
Credentials ConnectionProfile Salesforce Profile Oauth2Client Credentials - OAuth credentials to use for Salesforce authentication. Structure is documented below.
- user
Credentials ConnectionProfile Salesforce Profile User Credentials - User credentials to use for Salesforce authentication. Structure is documented below.
- domain string
- Domain for the Salesforce Org.
- oauth2Client
Credentials ConnectionProfile Salesforce Profile Oauth2Client Credentials - OAuth credentials to use for Salesforce authentication. Structure is documented below.
- user
Credentials ConnectionProfile Salesforce Profile User Credentials - User credentials to use for Salesforce authentication. Structure is documented below.
- domain str
- Domain for the Salesforce Org.
- oauth2_
client_ Connectioncredentials Profile Salesforce Profile Oauth2Client Credentials - OAuth credentials to use for Salesforce authentication. Structure is documented below.
- user_
credentials ConnectionProfile Salesforce Profile User Credentials - User credentials to use for Salesforce authentication. Structure is documented below.
- domain String
- Domain for the Salesforce Org.
- oauth2Client
Credentials Property Map - OAuth credentials to use for Salesforce authentication. Structure is documented below.
- user
Credentials Property Map - User credentials to use for Salesforce authentication. Structure is documented below.
ConnectionProfileSalesforceProfileOauth2ClientCredentials, ConnectionProfileSalesforceProfileOauth2ClientCredentialsArgs
- Client
Id string - Client ID to use for authentication.
- Client
Secret string - Client secret to use for authentication.
- Secret
Manager stringStored Client Secret - A reference to a Secret Manager resource name storing the client secret.
- Client
Id string - Client ID to use for authentication.
- Client
Secret string - Client secret to use for authentication.
- Secret
Manager stringStored Client Secret - A reference to a Secret Manager resource name storing the client secret.
- client
Id String - Client ID to use for authentication.
- client
Secret String - Client secret to use for authentication.
- secret
Manager StringStored Client Secret - A reference to a Secret Manager resource name storing the client secret.
- client
Id string - Client ID to use for authentication.
- client
Secret string - Client secret to use for authentication.
- secret
Manager stringStored Client Secret - A reference to a Secret Manager resource name storing the client secret.
- client_
id str - Client ID to use for authentication.
- client_
secret str - Client secret to use for authentication.
- secret_
manager_ strstored_ client_ secret - A reference to a Secret Manager resource name storing the client secret.
- client
Id String - Client ID to use for authentication.
- client
Secret String - Client secret to use for authentication.
- secret
Manager StringStored Client Secret - A reference to a Secret Manager resource name storing the client secret.
ConnectionProfileSalesforceProfileUserCredentials, ConnectionProfileSalesforceProfileUserCredentialsArgs
- Password string
- Password of the user.
- Secret
Manager stringStored Password - A reference to a Secret Manager resource name storing the user's password.
- Secret
Manager stringStored Security Token A reference to a Secret Manager resource name storing the user's security token.
The
oauth2_client_credentials
block supports:- Security
Token string - Security token of the user.
- Username string
- Username to use for authentication.
- Password string
- Password of the user.
- Secret
Manager stringStored Password - A reference to a Secret Manager resource name storing the user's password.
- Secret
Manager stringStored Security Token A reference to a Secret Manager resource name storing the user's security token.
The
oauth2_client_credentials
block supports:- Security
Token string - Security token of the user.
- Username string
- Username to use for authentication.
- password String
- Password of the user.
- secret
Manager StringStored Password - A reference to a Secret Manager resource name storing the user's password.
- secret
Manager StringStored Security Token A reference to a Secret Manager resource name storing the user's security token.
The
oauth2_client_credentials
block supports:- security
Token String - Security token of the user.
- username String
- Username to use for authentication.
- password string
- Password of the user.
- secret
Manager stringStored Password - A reference to a Secret Manager resource name storing the user's password.
- secret
Manager stringStored Security Token A reference to a Secret Manager resource name storing the user's security token.
The
oauth2_client_credentials
block supports:- security
Token string - Security token of the user.
- username string
- Username to use for authentication.
- password str
- Password of the user.
- secret_
manager_ strstored_ password - A reference to a Secret Manager resource name storing the user's password.
- secret_
manager_ strstored_ security_ token A reference to a Secret Manager resource name storing the user's security token.
The
oauth2_client_credentials
block supports:- security_
token str - Security token of the user.
- username str
- Username to use for authentication.
- password String
- Password of the user.
- secret
Manager StringStored Password - A reference to a Secret Manager resource name storing the user's password.
- secret
Manager StringStored Security Token A reference to a Secret Manager resource name storing the user's security token.
The
oauth2_client_credentials
block supports:- security
Token String - Security token of the user.
- username String
- Username to use for authentication.
ConnectionProfileSqlServerProfile, ConnectionProfileSqlServerProfileArgs
- Database string
- Database for the SQL Server connection.
- Hostname string
- Hostname for the SQL Server connection.
- Password string
- Password for the SQL Server connection. Note: This property is sensitive and will not be displayed in the plan.
- Username string
- Username for the SQL Server connection.
- Port int
- Port for the SQL Server connection.
- Database string
- Database for the SQL Server connection.
- Hostname string
- Hostname for the SQL Server connection.
- Password string
- Password for the SQL Server connection. Note: This property is sensitive and will not be displayed in the plan.
- Username string
- Username for the SQL Server connection.
- Port int
- Port for the SQL Server connection.
- database String
- Database for the SQL Server connection.
- hostname String
- Hostname for the SQL Server connection.
- password String
- Password for the SQL Server connection. Note: This property is sensitive and will not be displayed in the plan.
- username String
- Username for the SQL Server connection.
- port Integer
- Port for the SQL Server connection.
- database string
- Database for the SQL Server connection.
- hostname string
- Hostname for the SQL Server connection.
- password string
- Password for the SQL Server connection. Note: This property is sensitive and will not be displayed in the plan.
- username string
- Username for the SQL Server connection.
- port number
- Port for the SQL Server connection.
- database str
- Database for the SQL Server connection.
- hostname str
- Hostname for the SQL Server connection.
- password str
- Password for the SQL Server connection. Note: This property is sensitive and will not be displayed in the plan.
- username str
- Username for the SQL Server connection.
- port int
- Port for the SQL Server connection.
- database String
- Database for the SQL Server connection.
- hostname String
- Hostname for the SQL Server connection.
- password String
- Password for the SQL Server connection. Note: This property is sensitive and will not be displayed in the plan.
- username String
- Username for the SQL Server connection.
- port Number
- Port for the SQL Server connection.
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.