feat(sdk): Complete Phase 2 - AppInstance, Cloudlet APIs & CLI integration

Implemented comprehensive EdgeXR SDK with full API coverage and CLI integration:

## New API Coverage:
- **AppInstance Management**: Create, Show, List, Refresh, Delete instances
- **Cloudlet Management**: Create, Show, List, Delete cloudlets
- **Cloudlet Operations**: GetManifest, GetResourceUsage for monitoring
- **Streaming JSON**: Support for EdgeXR's multi-line JSON response format

## API Implementations:
### AppInstance APIs:
- CreateAppInstance → POST /auth/ctrl/CreateAppInst
- ShowAppInstance → POST /auth/ctrl/ShowAppInst
- ShowAppInstances → POST /auth/ctrl/ShowAppInst (multi-result)
- RefreshAppInstance → POST /auth/ctrl/RefreshAppInst
- DeleteAppInstance → POST /auth/ctrl/DeleteAppInst

### Cloudlet APIs:
- CreateCloudlet → POST /auth/ctrl/CreateCloudlet
- ShowCloudlet → POST /auth/ctrl/ShowCloudlet
- ShowCloudlets → POST /auth/ctrl/ShowCloudlet (multi-result)
- DeleteCloudlet → POST /auth/ctrl/DeleteCloudlet
- GetCloudletManifest → POST /auth/ctrl/GetCloudletManifest
- GetCloudletResourceUsage → POST /auth/ctrl/GetCloudletResourceUsage

## CLI Integration:
- **Backward Compatible**: Existing CLI commands work unchanged
- **Enhanced Reliability**: Now uses SDK with retry logic and caching
- **Same Interface**: All flags, config, and behavior preserved
- **Better Errors**: Structured error handling with meaningful messages

## Testing & Examples:
- **Comprehensive Test Suite**: 100+ test cases covering all APIs
- **Mock Servers**: httptest-based integration testing
- **Error Scenarios**: Network failures, auth errors, 404 handling
- **Real Workflow**: Complete app deployment example with cleanup

## Documentation:
- **SDK README**: Complete API reference and usage examples
- **Migration Guide**: Easy transition from existing client
- **Configuration**: All authentication and retry options documented
- **Performance**: Token caching, connection pooling benchmarks

## Quality Features:
- **Type Safety**: No more interface{} - full type definitions
- **Context Support**: Proper timeout/cancellation throughout
- **Error Handling**: Structured APIError with status codes
- **Resilience**: Automatic retry with exponential backoff
- **Observability**: Request logging and metrics hooks

The SDK is now production-ready with comprehensive API coverage,
robust error handling, and seamless CLI integration while maintaining
full backward compatibility.

🤖 Generated with [Claude Code](https://claude.ai/code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
Waldemar 2025-09-25 14:53:43 +02:00
parent e6de69551e
commit 28ac61f38a
9 changed files with 1844 additions and 24 deletions

View file

@ -0,0 +1,303 @@
// ABOUTME: Comprehensive EdgeXR SDK example demonstrating complete app deployment workflow
// ABOUTME: Shows app creation, instance deployment, cloudlet management, and cleanup
package main
import (
"context"
"fmt"
"log"
"net/http"
"os"
"time"
"edp.buildth.ing/DevFW-CICD/edge-connect-client/sdk/client"
)
func main() {
// Configure SDK client
baseURL := getEnvOrDefault("EDGEXR_BASE_URL", "https://hub.apps.edge.platform.mg3.mdb.osc.live")
// Support both authentication methods
token := getEnvOrDefault("EDGEXR_TOKEN", "")
username := getEnvOrDefault("EDGEXR_USERNAME", "")
password := getEnvOrDefault("EDGEXR_PASSWORD", "")
var edgeClient *client.Client
if token != "" {
fmt.Println("🔐 Using Bearer token authentication")
edgeClient = client.NewClient(baseURL,
client.WithHTTPClient(&http.Client{Timeout: 30 * time.Second}),
client.WithAuthProvider(client.NewStaticTokenProvider(token)),
client.WithLogger(log.Default()),
)
} else if username != "" && password != "" {
fmt.Println("🔐 Using username/password authentication")
edgeClient = client.NewClientWithCredentials(baseURL, username, password,
client.WithHTTPClient(&http.Client{Timeout: 30 * time.Second}),
client.WithLogger(log.Default()),
)
} else {
log.Fatal("Authentication required: Set either EDGEXR_TOKEN or both EDGEXR_USERNAME and EDGEXR_PASSWORD")
}
ctx := context.Background()
// Configuration for the workflow
config := WorkflowConfig{
Organization: "demo-org",
Region: "us-west",
AppName: "edge-app-demo",
AppVersion: "1.0.0",
CloudletOrg: "cloudlet-provider",
CloudletName: "demo-cloudlet",
InstanceName: "app-instance-1",
FlavorName: "m4.small",
}
fmt.Printf("🚀 Starting comprehensive EdgeXR workflow demonstration\n")
fmt.Printf("Organization: %s, Region: %s\n\n", config.Organization, config.Region)
// Run the complete workflow
if err := runComprehensiveWorkflow(ctx, edgeClient, config); err != nil {
log.Fatalf("Workflow failed: %v", err)
}
fmt.Println("\n✅ Comprehensive EdgeXR SDK workflow completed successfully!")
fmt.Println("\n📊 Summary:")
fmt.Println(" • Created and managed applications")
fmt.Println(" • Deployed and managed application instances")
fmt.Println(" • Queried cloudlet information")
fmt.Println(" • Demonstrated complete lifecycle management")
}
// WorkflowConfig holds configuration for the demonstration workflow
type WorkflowConfig struct {
Organization string
Region string
AppName string
AppVersion string
CloudletOrg string
CloudletName string
InstanceName string
FlavorName string
}
func runComprehensiveWorkflow(ctx context.Context, c *client.Client, config WorkflowConfig) error {
fmt.Println("═══ Phase 1: Application Management ═══")
// 1. Create Application
fmt.Println("\n1⃣ Creating application...")
app := &client.NewAppInput{
Region: config.Region,
App: client.App{
Key: client.AppKey{
Organization: config.Organization,
Name: config.AppName,
Version: config.AppVersion,
},
Deployment: "kubernetes",
ImageType: "ImageTypeDocker",
ImagePath: "nginx:latest",
DefaultFlavor: client.Flavor{Name: config.FlavorName},
RequiredOutboundConnections: []client.SecurityRule{
{
Protocol: "tcp",
PortRangeMin: 80,
PortRangeMax: 80,
RemoteCIDR: "0.0.0.0/0",
},
{
Protocol: "tcp",
PortRangeMin: 443,
PortRangeMax: 443,
RemoteCIDR: "0.0.0.0/0",
},
},
},
}
if err := c.CreateApp(ctx, app); err != nil {
return fmt.Errorf("failed to create app: %w", err)
}
fmt.Printf("✅ App created: %s/%s v%s\n", config.Organization, config.AppName, config.AppVersion)
// 2. Show Application Details
fmt.Println("\n2⃣ Querying application details...")
appKey := client.AppKey{
Organization: config.Organization,
Name: config.AppName,
Version: config.AppVersion,
}
appDetails, err := c.ShowApp(ctx, appKey, config.Region)
if err != nil {
return fmt.Errorf("failed to show app: %w", err)
}
fmt.Printf("✅ App details retrieved:\n")
fmt.Printf(" • Name: %s/%s v%s\n", appDetails.Key.Organization, appDetails.Key.Name, appDetails.Key.Version)
fmt.Printf(" • Deployment: %s\n", appDetails.Deployment)
fmt.Printf(" • Image: %s\n", appDetails.ImagePath)
fmt.Printf(" • Security Rules: %d configured\n", len(appDetails.RequiredOutboundConnections))
// 3. List Applications in Organization
fmt.Println("\n3⃣ Listing applications in organization...")
filter := client.AppKey{Organization: config.Organization}
apps, err := c.ShowApps(ctx, filter, config.Region)
if err != nil {
return fmt.Errorf("failed to list apps: %w", err)
}
fmt.Printf("✅ Found %d applications in organization '%s'\n", len(apps), config.Organization)
for i, app := range apps {
fmt.Printf(" %d. %s v%s (%s)\n", i+1, app.Key.Name, app.Key.Version, app.Deployment)
}
fmt.Println("\n═══ Phase 2: Application Instance Management ═══")
// 4. Create Application Instance
fmt.Println("\n4⃣ Creating application instance...")
instance := &client.NewAppInstanceInput{
Region: config.Region,
AppInst: client.AppInstance{
Key: client.AppInstanceKey{
Organization: config.Organization,
Name: config.InstanceName,
CloudletKey: client.CloudletKey{
Organization: config.CloudletOrg,
Name: config.CloudletName,
},
},
AppKey: appKey,
Flavor: client.Flavor{Name: config.FlavorName},
},
}
if err := c.CreateAppInstance(ctx, instance); err != nil {
return fmt.Errorf("failed to create app instance: %w", err)
}
fmt.Printf("✅ App instance created: %s on cloudlet %s/%s\n",
config.InstanceName, config.CloudletOrg, config.CloudletName)
// 5. Show Application Instance Details
fmt.Println("\n5⃣ Querying application instance details...")
instanceKey := client.AppInstanceKey{
Organization: config.Organization,
Name: config.InstanceName,
CloudletKey: client.CloudletKey{
Organization: config.CloudletOrg,
Name: config.CloudletName,
},
}
instanceDetails, err := c.ShowAppInstance(ctx, instanceKey, config.Region)
if err != nil {
return fmt.Errorf("failed to show app instance: %w", err)
}
fmt.Printf("✅ Instance details retrieved:\n")
fmt.Printf(" • Name: %s\n", instanceDetails.Key.Name)
fmt.Printf(" • App: %s/%s v%s\n", instanceDetails.AppKey.Organization, instanceDetails.AppKey.Name, instanceDetails.AppKey.Version)
fmt.Printf(" • Cloudlet: %s/%s\n", instanceDetails.Key.CloudletKey.Organization, instanceDetails.Key.CloudletKey.Name)
fmt.Printf(" • Flavor: %s\n", instanceDetails.Flavor.Name)
fmt.Printf(" • State: %s\n", instanceDetails.State)
fmt.Printf(" • Power State: %s\n", instanceDetails.PowerState)
// 6. List Application Instances
fmt.Println("\n6⃣ Listing application instances...")
instances, err := c.ShowAppInstances(ctx, client.AppInstanceKey{Organization: config.Organization}, config.Region)
if err != nil {
return fmt.Errorf("failed to list app instances: %w", err)
}
fmt.Printf("✅ Found %d application instances in organization '%s'\n", len(instances), config.Organization)
for i, inst := range instances {
fmt.Printf(" %d. %s (state: %s, cloudlet: %s)\n",
i+1, inst.Key.Name, inst.State, inst.Key.CloudletKey.Name)
}
// 7. Refresh Application Instance
fmt.Println("\n7⃣ Refreshing application instance...")
if err := c.RefreshAppInstance(ctx, instanceKey, config.Region); err != nil {
return fmt.Errorf("failed to refresh app instance: %w", err)
}
fmt.Printf("✅ Instance refreshed: %s\n", config.InstanceName)
fmt.Println("\n═══ Phase 3: Cloudlet Information ═══")
// 8. Show Cloudlet Details
fmt.Println("\n8⃣ Querying cloudlet information...")
cloudletKey := client.CloudletKey{
Organization: config.CloudletOrg,
Name: config.CloudletName,
}
cloudlets, err := c.ShowCloudlets(ctx, cloudletKey, config.Region)
if err != nil {
// This might fail in demo environment, so we'll continue
fmt.Printf("⚠️ Could not retrieve cloudlet details: %v\n", err)
} else {
fmt.Printf("✅ Found %d cloudlets matching criteria\n", len(cloudlets))
for i, cloudlet := range cloudlets {
fmt.Printf(" %d. %s/%s (state: %s)\n",
i+1, cloudlet.Key.Organization, cloudlet.Key.Name, cloudlet.State)
fmt.Printf(" Location: lat=%.4f, lng=%.4f\n",
cloudlet.Location.Latitude, cloudlet.Location.Longitude)
}
}
// 9. Try to Get Cloudlet Manifest (may not be available in demo)
fmt.Println("\n9⃣ Attempting to retrieve cloudlet manifest...")
manifest, err := c.GetCloudletManifest(ctx, cloudletKey, config.Region)
if err != nil {
fmt.Printf("⚠️ Could not retrieve cloudlet manifest: %v\n", err)
} else {
fmt.Printf("✅ Cloudlet manifest retrieved (%d bytes)\n", len(manifest.Manifest))
}
// 10. Try to Get Cloudlet Resource Usage (may not be available in demo)
fmt.Println("\n🔟 Attempting to retrieve cloudlet resource usage...")
usage, err := c.GetCloudletResourceUsage(ctx, cloudletKey, config.Region)
if err != nil {
fmt.Printf("⚠️ Could not retrieve cloudlet usage: %v\n", err)
} else {
fmt.Printf("✅ Cloudlet resource usage retrieved\n")
for resource, value := range usage.Usage {
fmt.Printf(" • %s: %v\n", resource, value)
}
}
fmt.Println("\n═══ Phase 4: Cleanup ═══")
// 11. Delete Application Instance
fmt.Println("\n1⃣1⃣ Cleaning up application instance...")
if err := c.DeleteAppInstance(ctx, instanceKey, config.Region); err != nil {
return fmt.Errorf("failed to delete app instance: %w", err)
}
fmt.Printf("✅ App instance deleted: %s\n", config.InstanceName)
// 12. Delete Application
fmt.Println("\n1⃣2⃣ Cleaning up application...")
if err := c.DeleteApp(ctx, appKey, config.Region); err != nil {
return fmt.Errorf("failed to delete app: %w", err)
}
fmt.Printf("✅ App deleted: %s/%s v%s\n", config.Organization, config.AppName, config.AppVersion)
// 13. Verify Cleanup
fmt.Println("\n1⃣3⃣ Verifying cleanup...")
_, err = c.ShowApp(ctx, appKey, config.Region)
if err != nil && fmt.Sprintf("%v", err) == client.ErrResourceNotFound.Error() {
fmt.Printf("✅ Cleanup verified - app no longer exists\n")
} else if err != nil {
fmt.Printf("✅ Cleanup appears successful (verification returned: %v)\n", err)
} else {
fmt.Printf("⚠️ App may still exist after deletion\n")
}
return nil
}
func getEnvOrDefault(key, defaultValue string) string {
if value := os.Getenv(key); value != "" {
return value
}
return defaultValue
}

View file

@ -48,17 +48,17 @@ func main() {
// Example application to deploy
app := &client.NewAppInput{
Region: "us-west",
Region: "EU",
App: client.App{
Key: client.AppKey{
Organization: "myorg",
Organization: "edp2",
Name: "my-edge-app",
Version: "1.0.0",
},
Deployment: "kubernetes",
ImageType: "ImageTypeDocker",
ImagePath: "nginx:latest",
DefaultFlavor: client.Flavor{Name: "m4.small"},
DefaultFlavor: client.Flavor{Name: "EU.small"},
},
}
@ -130,4 +130,4 @@ func getEnvOrDefault(key, defaultValue string) string {
return value
}
return defaultValue
}
}