The dstack SDK provides a Go client for secure communication with the dstack Trusted Execution Environment (TEE). This SDK enables applications to derive cryptographic keys, generate remote attestation quotes, and perform other security-critical operations within confidential computing environments.
go get github.com/Dstack-TEE/dstack/sdk/goThe dstack SDK enables secure communication with dstack Trusted Execution Environment (TEE) instances. dstack applications are defined using app-compose.json (based on the AppCompose structure) and deployed as containerized applications using Docker Compose.
dstack applications consist of:
- App Configuration:
app-compose.jsondefining app metadata, security settings, and Docker Compose content - Container Deployment: Docker Compose configuration embedded within the app definition
- TEE Integration: Access to TEE functionality via Unix socket (
/var/run/dstack.sock)
- Key Derivation: Deterministic secp256k1 key generation for blockchain and Web3 applications
- Remote Attestation: TDX quote generation providing cryptographic proof of execution environment
- TLS Certificate Management: Fresh certificate generation with optional RA-TLS support for secure connections
- Deployment Security: Client-side encryption of sensitive environment variables ensuring secrets are only accessible to target TEE applications
- Blockchain Integration: Ready-to-use adapters for Ethereum and Solana ecosystems
To use the SDK, your Docker Compose configuration must bind-mount the dstack socket:
# docker-compose.yml
services:
your-app:
image: your-app-image
volumes:
- /var/run/dstack.sock:/var/run/dstack.sock # dstack OS 0.5.x
# For dstack OS 0.3.x compatibility (deprecated):
# - /var/run/tappd.sock:/var/run/tappd.sockFirst, ensure your dstack application is properly configured:
1. App Configuration (app-compose.json)
{
"manifest_version": 1,
"name": "my-secure-app",
"runner": "docker-compose",
"docker_compose_file": "services:\n app:\n build: .\n volumes:\n - /var/run/dstack.sock:/var/run/dstack.sock\n environment:\n - NODE_ENV=production",
"public_tcbinfo": true,
"kms_enabled": false,
"gateway_enabled": false
}Note: The docker_compose_file field contains the actual Docker Compose YAML content as a string, not a file path.
package main
import (
"context"
"encoding/hex"
"encoding/json"
"fmt"
"log"
"time"
"github.com/Dstack-TEE/dstack/sdk/go/dstack"
)
func main() {
// Create client - automatically connects to /var/run/dstack.sock
client := dstack.NewDstackClient()
// For local development with simulator
// devClient := dstack.NewDstackClient(dstack.WithEndpoint("http://localhost:8090"))
ctx := context.Background()
// Get TEE instance information
info, err := client.Info(ctx)
if err != nil {
log.Fatal(err)
}
fmt.Println("App ID:", info.AppID)
fmt.Println("Instance ID:", info.InstanceID)
fmt.Println("App Name:", info.AppName)
fmt.Println("TCB Info:", info.TcbInfo)
// Derive deterministic keys for blockchain applications
walletKey, err := client.GetKey(ctx, "wallet/ethereum", "mainnet", "secp256k1")
if err != nil {
log.Fatal(err)
}
keyBytes, _ := walletKey.DecodeKey()
fmt.Println("Derived key (32 bytes):", hex.EncodeToString(keyBytes)) // secp256k1 private key
fmt.Println("Signature chain:", walletKey.SignatureChain) // Authenticity proof
// Generate remote attestation quote
applicationData := map[string]interface{}{
"version": "1.0.0",
"timestamp": time.Now().Unix(),
"user_id": "alice",
}
jsonData, _ := json.Marshal(applicationData)
quote, err := client.GetQuote(ctx, jsonData)
if err != nil {
log.Fatal(err)
}
fmt.Println("TDX Quote:", quote.Quote)
fmt.Println("Event Log:", quote.EventLog)
// Verify measurement registers
rtmrs, err := quote.ReplayRTMRs()
if err != nil {
log.Fatal(err)
}
fmt.Println("RTMR0-3:", rtmrs)
}- dstack OS 0.5.x: Use
/var/run/dstack.sock(current) - dstack OS 0.3.x: Use
/var/run/tappd.sock(deprecated but supported)
The SDK automatically detects the correct socket path, but you must ensure the appropriate volume binding in your Docker Compose configuration.
Generate fresh TLS certificates with optional Remote Attestation support. Important: GetTlsKey() generates random keys on each call - it's designed specifically for TLS/SSL scenarios where fresh keys are required.
// Generate TLS certificate with different usage scenarios
tlsKey, err := client.GetTlsKey(ctx, dstack.TlsKeyOptions{
Subject: "my-secure-service", // Certificate common name
AltNames: []string{"localhost", "127.0.0.1"}, // Additional valid domains/IPs
UsageRaTls: true, // Include remote attestation
UsageServerAuth: true, // Enable server authentication (default)
UsageClientAuth: false, // Disable client authentication
})
if err != nil {
log.Fatal(err)
}
fmt.Println("Private Key (PEM):", tlsKey.Key)
fmt.Println("Certificate Chain:", tlsKey.CertificateChain)
// ⚠️ WARNING: Each call generates a different key
tlsKey1, _ := client.GetTlsKey(ctx, dstack.TlsKeyOptions{})
tlsKey2, _ := client.GetTlsKey(ctx, dstack.TlsKeyOptions{})
// tlsKey1.Key != tlsKey2.Key (always different!)Note
This feature isn't available in the simulator. We recommend sticking with report_data for most cases since it's simpler and safer to use. If you're not super familiar with SGX/TDX attestation quotes, it's best to avoid adding data directly into quotes as it could cause verification issues.
Extend RTMR3 with custom events for audit trails:
// Emit custom events (requires dstack OS 0.5.0+)
eventData := map[string]interface{}{
"action": "transfer",
"amount": 1000,
"timestamp": time.Now().Unix(),
}
eventPayload, _ := json.Marshal(eventData)
err := client.EmitEvent(ctx, "user-action", eventPayload)
if err != nil {
log.Fatal(err)
}
// Events are automatically included in subsequent quotes
quote, err := client.GetQuote(ctx, []byte("audit-data"))
if err != nil {
log.Fatal(err)
}
var events []interface{}
json.Unmarshal([]byte(quote.EventLog), &events)By default, the Go SDK builds a core profile (attestation, key derivation, info, signing, env encryption).
Optional helpers are split by tags:
ethereumtag:ToEthereumAccount()ToEthereumAccountSecure()
solanatag:ToSolanaKeypair()ToSolanaKeypairSecure()
# add optional dependency
go get github.com/ethereum/[email protected]
# build/test with ethereum helpers enabled
go build -tags ethereum ./...
go test -tags ethereum ./...# no extra dependency is required for solana helper APIs
go build -tags solana ./...
go test -tags solana ./...go get github.com/ethereum/[email protected]
go build -tags "ethereum solana" ./...
go test -tags "ethereum solana" ./...If you don't need blockchain helper APIs, do not use these tags and you won't pull optional helper imports.
You can validate SDK changes immediately from another Go project by using replace:
require github.com/Dstack-TEE/dstack/sdk/go v0.0.0
replace github.com/Dstack-TEE/dstack/sdk/go => ../dstack/sdk/goThen run your starter normally:
go mod tidy
go run .If your starter enables optional blockchain routes, run with matching tags:
# ethereum only
go get github.com/ethereum/[email protected]
go run -tags ethereum .
# solana only
go run -tags solana .
# both
go run -tags "ethereum solana" .requires build tag:
ethereum
import (
"github.com/Dstack-TEE/dstack/sdk/go/dstack"
"github.com/ethereum/go-ethereum/common"
"github.com/ethereum/go-ethereum/ethclient"
)
keyResult, err := client.GetKey(ctx, "ethereum/main", "wallet", "secp256k1")
if err != nil {
log.Fatal(err)
}
// Standard account creation
account, err := dstack.ToEthereumAccount(keyResult)
if err != nil {
log.Fatal(err)
}
// Enhanced security with SHA256 hashing (recommended)
secureAccount, err := dstack.ToEthereumAccountSecure(keyResult)
if err != nil {
log.Fatal(err)
}
fmt.Println("Ethereum Address:", secureAccount.Address.Hex())
// Connect to Ethereum network
ethClient, err := ethclient.Dial("https://mainnet.infura.io/v3/YOUR-PROJECT-ID")
if err != nil {
log.Fatal(err)
}
// Use account for transactions...requires build tag:
solana
import (
"crypto/ed25519"
"encoding/hex"
"github.com/Dstack-TEE/dstack/sdk/go/dstack"
)
keyResult, err := client.GetKey(ctx, "solana/main", "wallet", "secp256k1")
if err != nil {
log.Fatal(err)
}
// Standard keypair creation
keypair, err := dstack.ToSolanaKeypair(keyResult)
if err != nil {
log.Fatal(err)
}
// Enhanced security with SHA256 hashing (recommended)
secureKeypair, err := dstack.ToSolanaKeypairSecure(keyResult)
if err != nil {
log.Fatal(err)
}
fmt.Println("Solana Public Key:", hex.EncodeToString(secureKeypair.PublicKey))
// Sign messages
message := []byte("Hello Solana")
signature := secureKeypair.Sign(message)
fmt.Println("Signature:", hex.EncodeToString(signature))
// Verify signature
isValid := secureKeypair.Verify(message, signature)
fmt.Println("Valid signature:", isValid)Important: This feature is specifically for deployment-time security, not runtime SDK operations.
The SDK provides end-to-end encryption capabilities for securely transmitting sensitive environment variables during dstack application deployment.
import (
"encoding/hex"
"fmt"
"time"
"github.com/Dstack-TEE/dstack/sdk/go/dstack"
)
// 1. Define sensitive environment variables
envVars := []dstack.EnvVar{
{Key: "DATABASE_URL", Value: "postgresql://user:pass@host:5432/db"},
{Key: "API_SECRET_KEY", Value: "your-secret-key"},
{Key: "JWT_PRIVATE_KEY", Value: "-----BEGIN PRIVATE KEY-----\n..."},
{Key: "WALLET_MNEMONIC", Value: "abandon abandon abandon..."},
}
// 2. Obtain encryption public key from KMS API (dstack-vmm or Phala Cloud)
// (HTTP request implementation depends on your HTTP client)
publicKey := "a1b2c3d4..." // From KMS API
signature := "e1f2g3h4..." // From KMS API
// 3. Verify KMS API authenticity to prevent man-in-the-middle attacks
publicKeyBytes, _ := hex.DecodeString(publicKey)
signatureBytes, _ := hex.DecodeString(signature)
// Prefer timestamped verification to prevent replay attacks.
timestamp := uint64(time.Now().Unix()) // should come from KMS API response
trustedPubkey, err := dstack.VerifyEnvEncryptPublicKeyWithTimestamp(
publicKeyBytes,
signatureBytes,
"your-app-id-hex",
timestamp,
nil, // use default freshness policy (max age 300s)
)
if err != nil || trustedPubkey == nil {
log.Fatal("KMS API provided untrusted encryption key")
}
fmt.Println("Verified KMS public key:", hex.EncodeToString(trustedPubkey))
// Note: VerifyEnvEncryptPublicKey() is kept for legacy compatibility (without timestamp check).
// 4. Encrypt environment variables for secure deployment
encryptedData, err := dstack.EncryptEnvVars(envVars, publicKey)
if err != nil {
log.Fatal(err)
}
fmt.Println("Encrypted payload:", encryptedData)
// 5. Deploy with encrypted configuration
// deployDstackApp(..., encryptedData)The SDK implements secure key derivation using:
- Deterministic Generation: Keys are derived using HMAC-based Key Derivation Function (HKDF)
- Application Isolation: Each path produces unique keys, preventing cross-application access
- Signature Verification: All derived keys include cryptographic proof of origin
- TEE Protection: Master keys never leave the secure enclave
// Each path generates a unique, deterministic key
wallet1, _ := client.GetKey(ctx, "app1/wallet", "ethereum", "secp256k1")
wallet2, _ := client.GetKey(ctx, "app2/wallet", "ethereum", "secp256k1")
// wallet1.Key != wallet2.Key (guaranteed different)
sameWallet, _ := client.GetKey(ctx, "app1/wallet", "ethereum", "secp256k1")
// wallet1.Key == sameWallet.Key (guaranteed identical)TDX quotes provide cryptographic proof of:
- Code Integrity: Measurement of loaded application code
- Data Integrity: Inclusion of application-specific data in quote
- Environment Authenticity: Verification of TEE platform and configuration
applicationState := map[string]interface{}{
"version": "1.0.0",
"config_hash": "sha256:...",
"timestamp": time.Now().Unix(),
}
stateData, _ := json.Marshal(applicationState)
quote, err := client.GetQuote(ctx, stateData)
if err != nil {
log.Fatal(err)
}
// Quote can be verified by external parties to confirm:
// 1. Application is running in genuine TEE
// 2. Application code matches expected measurements
// 3. Application state is authentic and unmodifiedThe encryption scheme uses:
- X25519 ECDH: Elliptic curve key exchange for forward secrecy
- AES-256-GCM: Authenticated encryption with 256-bit keys
- Ephemeral Keys: New keypair generated for each encryption operation
- Authenticated Data: Prevents tampering and ensures integrity
For development without physical TDX hardware:
# Clone and build simulator
git clone https://github.com/Dstack-TEE/dstack.git
cd dstack/sdk/simulator
./build.sh
./dstack-simulator
# Set environment variable
export DSTACK_SIMULATOR_ENDPOINT=http://localhost:8090client := dstack.NewDstackClient()
// Check if dstack service is available
isAvailable := client.IsReachable(context.Background())
if !isAvailable {
log.Fatal("dstack service is not reachable")
}The client automatically connects to /var/run/dstack.sock. For local development with the simulator:
client := dstack.NewDstackClient(dstack.WithEndpoint("http://localhost:8090"))Options:
WithEndpoint(endpoint string): Connection endpoint- Unix socket path (production):
/var/run/dstack.sock - HTTP/HTTPS URL (development):
http://localhost:8090 - Environment variable:
DSTACK_SIMULATOR_ENDPOINT
- Unix socket path (production):
WithLogger(logger *slog.Logger): Custom logger (default:slog.Default())
Production App Configuration:
The Docker Compose configuration is embedded in app-compose.json:
{
"manifest_version": 1,
"name": "production-app",
"runner": "docker-compose",
"docker_compose_file": "services:\n app:\n image: your-app\n volumes:\n - /var/run/dstack.sock:/var/run/dstack.sock\n environment:\n - NODE_ENV=production",
"public_tcbinfo": true
}Important: The docker_compose_file contains YAML content as a string, ensuring the volume binding for /var/run/dstack.sock is included.
Retrieves comprehensive information about the TEE instance.
Returns: InfoResponse
AppID: Unique application identifierInstanceID: Unique instance identifierAppName: Application name from configurationDeviceID: TEE device identifierTcbInfo: Trusted Computing Base informationMrtd: Measurement of TEE domainRtmr0-3: Runtime Measurement RegistersEventLog: Boot and runtime events
AppCert: Application certificate in PEM format
Derives a deterministic secp256k1/K256 private key for blockchain and Web3 applications. This is the primary method for obtaining cryptographic keys for wallets, signing, and other deterministic key scenarios.
Parameters:
path: Unique identifier for key derivation (e.g.,"wallet/ethereum","signing/solana")purpose: Additional context for key usage (default:"")
Returns: GetKeyResponse
Key: 32-byte secp256k1 private key as hex string (suitable for Ethereum, Bitcoin, Solana, etc.)SignatureChain: Array of cryptographic signatures proving key authenticity
Key Characteristics:
- Deterministic: Same path + purpose always generates identical key
- Isolated: Different paths produce cryptographically independent keys
- Blockchain-Ready: Compatible with secp256k1 curve (Ethereum, Bitcoin, Solana)
- Verifiable: Signature chain proves key was derived inside genuine TEE
Use Cases:
- Cryptocurrency wallets
- Transaction signing
- DeFi protocol interactions
- NFT operations
- Any scenario requiring consistent, reproducible keys
// Examples of deterministic key derivation
ethWallet, _ := client.GetKey(ctx, "wallet/ethereum", "mainnet", "secp256k1")
btcWallet, _ := client.GetKey(ctx, "wallet/bitcoin", "mainnet")
solWallet, _ := client.GetKey(ctx, "wallet/solana", "mainnet")
// Same path always returns same key
key1, _ := client.GetKey(ctx, "my-app/signing", "", "secp256k1")
key2, _ := client.GetKey(ctx, "my-app/signing", "", "secp256k1")
// key1.Key == key2.Key (guaranteed identical)
// Different paths return different keys
userA, _ := client.GetKey(ctx, "user/alice/wallet", "", "secp256k1")
userB, _ := client.GetKey(ctx, "user/bob/wallet", "", "secp256k1")
// userA.Key != userB.Key (guaranteed different)Generates a TDX attestation quote containing the provided report data.
Parameters:
reportData: Data to include in quote (max 64 bytes)
Returns: GetQuoteResponse
Quote: TDX quote as hex stringEventLog: JSON string of system eventsReplayRTMRs(): Function returning computed RTMR values
Use Cases:
- Remote attestation of application state
- Cryptographic proof of execution environment
- Audit trail generation
Generates a fresh, random TLS key pair with X.509 certificate for TLS/SSL connections. Important: This method generates different keys on each call - use GetKey() for deterministic keys.
Parameters: TlsKeyOptions
Subject: Certificate subject (Common Name) - typically the domain name (default:"")AltNames: Subject Alternative Names - additional domains/IPs for the certificate (default:[])UsageRaTls: Include TDX attestation quote in certificate extension for remote verification (default:false)UsageServerAuth: Enable server authentication - allows certificate to authenticate servers (default:true)UsageClientAuth: Enable client authentication - allows certificate to authenticate clients (default:false)
Returns: GetTlsKeyResponse
Key: Private key in PEM format (X.509/PKCS#8)CertificateChain: Certificate chain array
Key Characteristics:
- Random Generation: Each call produces a completely different key
- TLS-Optimized: Keys and certificates designed for TLS/SSL scenarios
- RA-TLS Support: Optional remote attestation extension in certificates
- TEE-Signed: Certificates signed by TEE-resident Certificate Authority
// Example 1: Standard HTTPS server certificate
serverCert, _ := client.GetTlsKey(ctx, dstack.TlsKeyOptions{
Subject: "api.example.com",
AltNames: []string{"api.example.com", "www.api.example.com", "10.0.0.1"},
// UsageServerAuth: true (default) - allows server authentication
// UsageClientAuth: false (default) - no client authentication
})
// Example 2: Certificate with remote attestation (RA-TLS)
attestedCert, _ := client.GetTlsKey(ctx, dstack.TlsKeyOptions{
Subject: "secure-api.example.com",
UsageRaTls: true, // Include TDX quote for remote verification
// Clients can verify the TEE environment through the certificate
})
// ⚠️ Each call generates different keys (unlike GetKey)
cert1, _ := client.GetTlsKey(ctx, dstack.TlsKeyOptions{})
cert2, _ := client.GetTlsKey(ctx, dstack.TlsKeyOptions{})
// cert1.Key != cert2.Key (always different)Extends RTMR3 with a custom event for audit logging.
Parameters:
event: Event identifier stringpayload: Event data
Requirements:
- dstack OS version 0.5.0 or later
- Events are permanently recorded in TEE measurements
Tests connectivity to the dstack service.
Returns: bool indicating service availability
import "github.com/Dstack-TEE/dstack/sdk/go/dstack"
appCompose := dstack.AppCompose{
ManifestVersion: &[]int{1}[0],
Name: "my-app",
Runner: "docker-compose",
DockerComposeFile: "docker-compose.yml",
}
hash, err := dstack.GetComposeHash(appCompose)
if err != nil {
log.Fatal(err)
}
fmt.Println("Configuration hash:", hash)Verify the authenticity of encryption public keys provided by KMS APIs:
import (
"encoding/hex"
"time"
"github.com/Dstack-TEE/dstack/sdk/go/dstack"
)
// Example: Verify KMS-provided encryption key
publicKey, _ := hex.DecodeString("e33a1832c6562067ff8f844a61e51ad051f1180b66ec2551fb0251735f3ee90a")
signature, _ := hex.DecodeString("8542c49081fbf4e03f62034f13fbf70630bdf256a53032e38465a27c36fd6bed7a5e7111652004aef37f7fd92fbfc1285212c4ae6a6154203a48f5e16cad2cef00")
appID := "0000000000000000000000000000000000000000"
timestamp := uint64(time.Now().Unix()) // should come from KMS API response
kmsIdentity, err := dstack.VerifyEnvEncryptPublicKeyWithTimestamp(publicKey, signature, appID, timestamp, nil)
if err == nil && kmsIdentity != nil {
fmt.Println("Trusted KMS identity:", hex.EncodeToString(kmsIdentity))
// Safe to use the public key for encryption
} else {
fmt.Println("KMS signature verification failed")
// Potential man-in-the-middle attack
}-
Key Management
- Use descriptive, unique paths for key derivation
- Never expose derived keys outside the TEE
- Implement proper access controls in your application
-
Remote Attestation
- Always verify quotes before trusting remote TEE instances
- Include application-specific data in quote generation
- Validate RTMR measurements against expected values
-
TLS Configuration
- Enable RA-TLS for attestation-based authentication
- Use appropriate certificate validity periods
- Implement proper certificate validation
-
Error Handling
- Handle cryptographic operation failures gracefully
- Log security events for monitoring
- Implement fallback mechanisms where appropriate
The legacy client mixed two different use cases that have now been properly separated:
GetKey(): Deterministic key derivation for Web3/blockchain (secp256k1)GetTlsKey(): Random TLS certificate generation for HTTPS/SSL
TappdClient is deprecated and will be removed. All users must migrate to DstackClient.
| Component | TappdClient (Old) | DstackClient (New) | Status |
|---|---|---|---|
| Socket Path | /var/run/tappd.sock |
/var/run/dstack.sock |
✅ Updated |
| HTTP URL Format | http://localhost/prpc/Tappd.<Method> |
http://localhost/<Method> |
✅ Simplified |
| K256 Key Method | DeriveKey(...) |
GetKey(...) |
✅ Renamed |
| TLS Certificate Method | DeriveKey(...) |
GetTlsKey(...) |
✅ Separated |
| TDX Quote | TdxQuote(...) |
GetQuote(report_data) |
✅ Renamed |
Step 1: Update Imports and Client
// Before
import "github.com/Dstack-TEE/dstack/sdk/go/tappd"
client := tappd.NewTappdClient()
// After
import "github.com/Dstack-TEE/dstack/sdk/go/dstack"
client := dstack.NewDstackClient()Step 2: Update Method Calls
// For deterministic keys (most common)
// Before: TappdClient methods
keyResult, _ := client.DeriveKey(ctx, "wallet")
// After: DstackClient methods
keyResult, _ := client.GetKey(ctx, "wallet", "ethereum")
// For TLS certificates
// Before: DeriveKey with TLS options
tlsCert, _ := client.DeriveKeyWithSubjectAndAltNames(ctx, "api", "example.com", []string{"localhost"})
// After: GetTlsKey with proper options
tlsCert, _ := client.GetTlsKey(ctx, dstack.TlsKeyOptions{
Subject: "example.com",
AltNames: []string{"localhost"},
})-
Infrastructure Updates:
- Update Docker volume binding to
/var/run/dstack.sock - Change environment variables from
TAPPD_*toDSTACK_*
- Update Docker volume binding to
-
Client Code Updates:
- Replace
tappd.NewTappdClient()withdstack.NewDstackClient() - Replace
DeriveKey()calls with appropriate method:-
GetKey()for Web3/blockchain keys (deterministic) -
GetTlsKey()for TLS certificates (random)
-
- Replace
TdxQuote()calls withGetQuote() - SECURITY CRITICAL: Update blockchain integration functions:
- Replace
ToEthereumAccount()withToEthereumAccountSecure()(Ethereum) - Replace
ToSolanaKeypair()withToSolanaKeypairSecure()(Solana)
- Replace
- Replace
-
Testing:
- Test that deterministic keys still work as expected
- Verify TLS certificate generation works
- Test quote generation with new interface
- Verify blockchain integrations work with secure functions
For local development without TDX devices, you can use the simulator:
git clone https://github.com/Dstack-TEE/dstack.git
cd dstack/sdk/simulator
./build.sh
./dstack-simulator# Set environment variables and run tests
TAPPD_SIMULATOR_ENDPOINT=/path/to/simulator/tappd.sock \
DSTACK_SIMULATOR_ENDPOINT=/path/to/simulator/dstack.sock \
go test -v ./dstack ./tappd
# Run cross-language consistency tests
TAPPD_SIMULATOR_ENDPOINT=/path/to/simulator/tappd.sock \
DSTACK_SIMULATOR_ENDPOINT=/path/to/simulator/dstack.sock \
go run test-outputs.goRun tests:
go test -v ./dstackReplace tappd package with dstack:
// Before
import "github.com/Dstack-TEE/dstack/sdk/go/tappd"
client := tappd.NewTappdClient()
// After
import "github.com/Dstack-TEE/dstack/sdk/go/dstack"
client := dstack.NewDstackClient()Socket path: /var/run/tappd.sock → /var/run/dstack.sock
Apache License 2.0