Research
Security News
Malicious npm Packages Inject SSH Backdoors via Typosquatted Libraries
Socket’s threat research team has detected six malicious npm packages typosquatting popular libraries to insert SSH backdoors.
@stackpath/pulumi-stackpath
Advanced tools
A Pulumi package for creating and managing stackpath cloud resources.
This repository contains boilerplate code for building a new Pulumi provider which wraps an existing Terraform provider.
This repository is part of the guide for authoring and publishing a Pulumi Package.
Learn about the concepts behind Pulumi Packages.
The following instructions cover:
We showcase a Pulumi-owned provider based on an upstream provider named terraform-provider-foo
. Substitute appropriate values below for your use case.
Note: If the name of the desired Pulumi provider differs from the name of the Terraform provider, you will need to carefully distinguish between the references - see https://github.com/pulumi/pulumi-azure for an example.
Ensure the following tools are installed and present in your $PATH
:
pulumictl
python3
). For recent versions of MacOS, the system-installed version is fine.Pulumi offers this repository as a GitHub template repository for convenience. From this repository:
From the templated repository:
Run the following command to update files to use the name of your provider (third-party: use your GitHub organization/username):
make prepare NAME=foo REPOSITORY=github.com/pulumi/pulumi-foo
This will do the following:
provider/cmd
to pulumi-resource-foo
and pulumi-tfgen-foo
provider/go.mod
to reflect your repository namestackpath
with the NAME
of your provider.Note for third-party providers:
examples/go.mod
provider/resources.go
sdk/go.mod
provider/cmd/pulumi-resource-foo/main.go
provider/cmd/pulumi-tfgen-foo/main.go
Modify README-PROVIDER.md
to include the following (we'll rename it to README.md
toward the end of this guide):
pulumi config set
.Pulumi provider repositories have the following general structure:
examples/
contains sample code which may optionally be included as integration tests to be run as part of a CI/CD pipeline.provider/
contains the Go code used to create the provider as well as generate the SDKs in the various languages that Pulumi supports.
provider/cmd/pulumi-tfgen-foo
generates the Pulumi resource schema (schema.json
), based on the Terraform provider's resources.provider/cmd/pulumi-resource-foo
generates the SDKs in all supported languages from the schema, placing them in the sdk/
folder.provider/pkg/resources.go
is the location where we will define the Terraform-to-Pulumi mappings for resources.sdk/
contains the generated SDK code for each of the language platforms that Pulumi supports, with each supported platform in a separate subfolder.In provider/go.mod
, add a reference to the upstream Terraform provider in the require
section, e.g.
github.com/foo/terraform-provider-foo v0.4.0
In provider/resources.go
, ensure the reference in the import
section uses the correct Go module path, e.g.:
github.com/foo/terraform-provider-foo/foo
Download the dependencies:
cd provider && go mod tidy && cd -
Create the schema by running the following command:
make tfgen
Note warnings about unmapped resources and data sources in the command's output. We map these in the next section, e.g.:
warning: resource foo_something not found in provider map; skipping
warning: resource foo_something_else not found in provider map; skipping
warning: data source foo_something not found in provider map; skipping
warning: data source foo_something_else not found in provider map; skipping
In this section we will add the mappings that allow the interoperation between the Pulumi provider and the Terraform provider. Terraform resources map to an identically named concept in Pulumi. Terraform data sources map to plain old functions in your supported programming language of choice. Pulumi also allows provider functions and resources to be grouped into namespaces to improve the cohesion of a provider's code, thereby making it easier for developers to use. If your provider has a large number of resources, consider using namespaces to improve usability.
The following instructions all pertain to provider/resources.go
, in the section of the code where we construct a tfbridge.ProviderInfo
object:
Add resource mappings: For each resource in the provider, add an entry in the Resources
property of the tfbridge.ProviderInfo
, e.g.:
// Most providers will have all resources (and data sources) in the main module.
// Note the mapping from snake_case HCL naming conventions to UpperCamelCase Pulumi SDK naming conventions.
// The name of the provider is omitted from the mapped name due to the presence of namespaces in all supported Pulumi languages.
"foo_something": {Tok: tfbridge.MakeResource(mainPkg, mainMod, "Something")},
"foo_something_else": {Tok: tfbridge.MakeResource(mainPkg, mainMod, "SomethingElse")},
Add CSharpName (if necessary): Dotnet does not allow for fields named the same as the enclosing type, which sometimes results in errors during the dotnet SDK build. If you see something like
error CS0542: 'ApiKey': member names cannot be the same as their enclosing type [/Users/guin/go/src/github.com/pulumi/pulumi-artifactory/sdk/dotnet/Pulumi.Artifactory.csproj]
you'll want to give your Resource a CSharpName, which can have any value that makes sense:
"foo_something_dotnet": {
Tok: tfbridge.MakeResource(mainPkg, mainMod, "SomethingDotnet"),
Fields: map[string]*tfbridge.SchemaInfo{
"something_dotnet": {
CSharpName: "SpecialName",
},
},
},
Add data source mappings: For each data source in the provider, add an entry in the DataSources
property of the tfbridge.ProviderInfo
, e.g.:
// Note the 'get' prefix for data sources
"foo_something": {Tok: tfbridge.MakeDataSource(mainPkg, mainMod, "getSomething")},
"foo_something_else": {Tok: tfbridge.MakeDataSource(mainPkg, mainMod, "getSomethingElse")},
Add documentation mapping (sometimes needed): If the upstream provider's repo is not a part of the terraform-providers
GitHub organization, specify the GitHubOrg
property of tfbridge.ProviderInfo
to ensure that documentation is picked up by the codegen process, and that attribution for the upstream provider is correct, e.g.:
GitHubOrg: "foo",
Add provider configuration overrides (not typically needed): Pulumi's Terraform bridge automatically detects configuration options for the upstream provider. However, in rare cases these settings may need to be overridden, e.g. if we want to change an environment variable default from API_KEY
to FOO_API_KEY
. Examples of common uses cases:
"additional_required_parameter": {},
"additional_optional_string_parameter": {
Default: &tfbridge.DefaultInfo{
Value: "default_value",
},
"additional_optional_boolean_parameter": {
Default: &tfbridge.DefaultInfo{
Value: true,
},
// Renamed environment variables can be accounted for like so:
"apikey": {
Default: &tfbridge.DefaultInfo{
EnvVars: []string{"FOO_API_KEY"},
},
Build the provider binary and ensure there are no warnings about unmapped resources and no warnings about unmapped data sources:
make provider
You may see warnings about documentation and examples, including "unexpected code snippets". These can be safely ignored for now. Pulumi will add additional documentation on mapping docs in a future revision of this guide.
Build the SDKs in the various languages Pulumi supports:
make build_sdks
Ensure the Golang SDK is a proper go module:
cd sdk && go mod tidy && cd -
This will pull in the correct dependencies in sdk/go.mod
as well as setting the dependency tree in sdk/go.sum
.
Finally, ensure the provider code conforms to Go standards:
make lint_provider
Fix any issues found by the linter.
Note: If you make revisions to code in resources.go
, you must re-run the make tfgen
target to regenerate the schema.
The make tfgen
target will take the file schema.json
and serialize it to a byte array so that it can be included in the build output.
(This is a holdover from Go 1.16, which does not have the ability to directly embed text files. We are working on removing the need for this step.)
In this section, we will create a Pulumi program in TypeScript that utilizes the provider we created to ensure everything is working properly.
Create an account with the provider's service and generate any necessary credentials, e.g. API keys.
Copy the pulumi-resource-foo
binary generated by make provider
and place it in your $PATH
($GOPATH/bin
is a convenient choice), e.g.:
cp bin/pulumi-resource-foo $GOPATH/bin
Tell Yarn to use your local copy of the SDK:
make install_nodejs_sdk
Create a new Pulumi program in the examples/
directory, e.g.:
mkdir examples/my-example/ts # Change "my-example" to something more meaningful.
cd examples/my-example/ts
pulumi new typescript
# (Go through the prompts with the default values)
npm install
yarn link @pulumi/foo
Create a minimal program for the provider, i.e. one that creates the smallest-footprint resource. Place this code in index.ts
.
Configure any necessary environment variables for authentication, e.g $FOO_USERNAME
, $FOO_TOKEN
, in your local environment.
Ensure the program runs successfully via pulumi up
.
Once the program completes successfully, verify the resource was created in the provider's UI.
Destroy any resources created by the program via pulumi destroy
.
Optionally, you may create additional examples for SDKs in other languages supported by Pulumi:
Python:
mkdir examples/my-example/py
cd examples/my-example/py
pulumi new python
# (Go through the prompts with the default values)
source venv/bin/activate # use the virtual Python env that Pulumi sets up for you
pip install pulumi_foo
Follow the steps above to verify the program runs successfully.
We can run integration tests on our examples using the *_test.go
files in the examples/
folder.
Add code to examples_nodejs_test.go
to call the example you created, e.g.:
// Swap out MyExample and "my-example" below with the name of your integration test.
func TestAccMyExampleTs(t *testing.T) {
test := getJSBaseOptions(t).
With(integration.ProgramTestOptions{
Dir: filepath.Join(getCwd(t), "my-example", "ts"),
})
integration.ProgramTest(t, &test)
}
Add a similar function for each example that you want to run in an integration test. For examples written in other languages, create similar files for examples_${LANGUAGE}_test.go
.
You can run these tests locally via Make:
make test
You can also run each test file separately via test tags:
cd examples && go test -v -tags=nodejs
In this section, we'll add the necessary configuration to work with GitHub Actions for Pulumi's standard CI/CD workflows for providers.
Generate GitHub workflows per the instructions in the ci-mgmt repository and copy to .github/
in this repository.
Ensure that any required secrets are present as repository-level secrets in GitHub. These will be used by the integration tests during the CI/CD process.
Repository settings: Toggle Allow auto-merge
on in your provider repo to automate GitHub Actions workflow updates.
Ensure all required configurations (API keys, etc.) are documented in README-PROVIDER.md.
Replace this file with the README for the provider and push your changes:
mv README-PROVIDER.md README.md
If publishing the npm package fails during the "Publish SDKs" Action, perform the following steps:
Now you are ready to use the provider, cut releases, and have some well-deserved :ice_cream:!
FAQs
A Pulumi package for creating and managing stackpath cloud resources.
We found that @stackpath/pulumi-stackpath demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Research
Security News
Socket’s threat research team has detected six malicious npm packages typosquatting popular libraries to insert SSH backdoors.
Security News
MITRE's 2024 CWE Top 25 highlights critical software vulnerabilities like XSS, SQL Injection, and CSRF, reflecting shifts due to a refined ranking methodology.
Security News
In this segment of the Risky Business podcast, Feross Aboukhadijeh and Patrick Gray discuss the challenges of tracking malware discovered in open source softare.