Skip to content

Development guide

This guide covers building, testing, and developing the DataRobot CLI.

目次

Building from source

前提条件

  • Go 1.25.3+Download.
  • Git—version control.
  • Task—task runner (install).

Quick build

# Clone repository
git clone https://github.com/datarobot-oss/cli.git
cd cli

# Install development tools
task dev-init

# Build binary
task build

# Binary is at ./dist/dr
./dist/dr version 

Available tasks

# Show all tasks
task --list

# Common tasks
task build              # Build the CLI binary
task test               # Run all tests
task test-coverage      # Run tests with coverage
task lint               # Run linters (includes formatting)
task clean              # Clean build artifacts
task dev-init           # Setup development environment
task install-tools      # Install development tools
task run                # Run CLI without building 

Build options

Always use task build for building the CLI. This ensures proper version information and build flags are applied:

# Standard build (recommended)
task build

# Run without building (for quick testing)
task run -- templates list 

The task build command automatically includes:

  • Version information from git
  • Git commit hash
  • Build timestamp
  • Proper ldflags configuration

For cross-platform builds and releases, we use GoReleaser (see Release Process).

Project architecture

Directory structure

cli/
├── cmd/                     # Command implementations (Cobra)   ├── root.go              # Root command and global flags   ├── auth/                # Authentication commands      ├── cmd.go           # Auth command group      ├── login.go         # Login command      ├── logout.go        # Logout command      └── setURL.go        # Set URL command   ├── dotenv/              # Environment variable management      ├── cmd.go           # Dotenv command      ├── model.go         # TUI model (Bubble Tea)      ├── promptModel.go   # Prompt handling      ├── template.go      # Template parsing      └── variables.go     # Variable handling   ├── run/                 # Task execution      └── cmd.go           # Run command   ├── templates/           # Template management      ├── cmd.go           # Template command group      ├── clone/           # Clone subcommand      ├── list/            # List subcommand      ├── setup/           # Setup wizard      └── status.go        # Status command   └── self/                # CLI utility commands       ├── cmd.go           # Self command group       ├── completion.go    # Completion generation       └── version.go       # Version command
├── internal/                 # Private packages (not importable)   ├── assets/              # Embedded assets      └── templates/       # HTML templates   ├── config/              # Configuration management      ├── config.go        # Config loading/saving      ├── auth.go          # Auth config      └── constants.go     # Constants   ├── drapi/               # DataRobot API client      ├── llmGateway.go    # LLM Gateway API      └── templates.go     # Templates API   ├── envbuilder/          # Environment configuration      ├── builder.go       # Env file building      └── discovery.go     # Prompt discovery   ├── task/                # Task runner integration      ├── discovery.go     # Taskfile discovery      └── runner.go        # Task execution   └── version/             # Version information       └── version.go
├── tui/                     # Terminal UI shared components   ├── banner.go            # ASCII banner   └── theme.go             # Color theme
├── docs/                    # Documentation
├── main.go                  # Application entry point
├── go.mod                   # Go module dependencies
├── go.sum                   # Dependency checksums
├── Taskfile.yaml            # Task definitions
└── goreleaser.yaml          # Release configuration 

Key components

Command layer (cmd/)

The CLI is built using the Cobra framework.

Commands are organized hierarchically, and there should be a one-to-one mapping between commands and files/directories. For example, the templates command group is in cmd/templates/, with subcommands in their own directories.

Code in the cmd/ folder should primarily handle command-line parsing, argument validation, and orchestrating calls to internal packages. There should be minimal to no business logic here. Consider this the UI layer of the application.

// cmd/root.go - Root command definition
var RootCmd = &cobra.Command{
    Use:   "dr",
    Short: "DataRobot CLI",
    Long:  "Command-line interface for DataRobot",
}

// Register subcommands
RootCmd.AddCommand(
    auth.Cmd(),
    templates.Cmd(),
    // ...
) 

TUI layer (cmd/dotenv/, cmd/templates/setup/)

Uses Bubble Tea for interactive UIs:

// Bubble Tea Model
type Model struct {
    // State
    screen screens

    // Sub-models
    textInput textinput.Model
    list      list.Model
}

// Required methods
func (m Model) Init() tea.Cmd
func (m Model) Update(tea.Msg) (tea.Model, tea.Cmd)
func (m Model) View() string 

Internal packages (internal/)

Houses core business logic, API clients, configuration management, etc.

Configuration (internal/config/)

Uses Viper for configuration as well as a state registry:

// Load config
viper.SetConfigName("config")
viper.SetConfigType("yaml")
viper.AddConfigPath("~/.datarobot")
viper.ReadInConfig()

// Access values
endpoint := viper.GetString("datarobot.endpoint") 

API client (internal/drapi/)

HTTP client for DataRobot APIs:

// Make API request
func GetTemplates() (*TemplateList, error) {
    resp, err := http.Get(endpoint + "/api/v2/templates")
    // ... handle response
} 

Design patterns

Command pattern

Each command is self-contained:

// cmd/templates/list/cmd.go
var Cmd = &cobra.Command{
    Use:     "list",
    Short:   "List templates",
    GroupID: "core",
    RunE: func(cmd *cobra.Command, args []string) error {
        // Implementation
        return listTemplates()
    },
} 

RunE is the main execution function. Cobra also provides PreRunE, PostRunE, and other hooks. Prefer to use these for setup/teardown, validation, etc.:

PersistPreRunE: func(cmd *cobra.Command, args []string) error {
    // Setup logging
    return setupLogging()
},
PreRunE: func(cmd *cobra.Command, args []string) error {
    // Validate args
    return validateArgs(args)
},
PostRunE: func(cmd *cobra.Command, args []string) error {
    // Cleanup
    return nil
}, 

Each command can be assigned to a group via GroupID for better organization in dr help views. Commands without a GroupID are listed under "Additional Commands".

Model-View-Update (Bubble Tea)

Interactive UIs use MVU pattern:

// Update handles events
func (m Model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
    switch msg := msg.(type) {
    case tea.KeyMsg:
        return m.handleKey(msg)
    case dataLoadedMsg:
        return m.handleData(msg)
    }
    return m, nil
}

// View renders current state
func (m Model) View() string {
    return lipgloss.JoinVertical(
        lipgloss.Left,
        m.header(),
        m.content(),
        m.footer(),
    )
} 

Coding standards

Go style requirements

Critical: All code must pass golangci-lint with zero errors. Follow these whitespace rules strictly:

  1. Never cuddle declarations: Always add a blank line before var, const, type declarations when they follow other statements
  2. Separate statement types: Add blank lines between different statement types (assign, if, for, return, etc.)
  3. Blank line after block start: Add blank line after opening braces of functions/blocks when they follow declarations
  4. Blank line before multi-line statements: Add blank line before if/for/switch statements

Example of correct spacing:

func example() {
    x := 1

    if x > 0 {
        y := 2

        fmt.Println(y)
    }

    var result string

    result = "done"

    return result
} 

Common mistakes to avoid:

// ❌ BAD: Cuddled declaration
func bad() {
    x := 1
    var y int  // Missing blank line before declaration
}

// ✅ GOOD: Properly spaced
func good() {
    x := 1

    var y int
} 

TUI development standards

When building terminal user interfaces:

  1. Always wrap TUI models with InterruptibleModel—ensures global Ctrl-C handling:
import "github.com/datarobot/cli/tui"

// Wrap your model
interruptible := tui.NewInterruptibleModel(yourModel)
program := tea.NewProgram(interruptible) 
  1. Reuse existing TUI components—check tui/ package first before creating new components. Also explore the Bubbles library for pre-built components.

  2. Use common lipgloss styles—defined in tui/theme.go for visual consistency:

import "github.com/datarobot/cli/tui"

// Use theme styles
title := tui.TitleStyle.Render("My Title")
error := tui.ErrorStyle.Render("Error message") 

Quality tools

All code must pass these tools without errors:

  • go mod tidy—dependency management
  • go fmt—basic formatting
  • go vet—suspicious constructs
  • golangci-lint—comprehensive linting (includes wsl, revive, staticcheck, etc.)
  • goreleaser check—release configuration validation

Before committing code, verify it follows wsl (whitespace) rules.

Running quality checks

# Run all quality checks at once
task lint

# Individual checks
go mod tidy
go fmt ./...
go vet ./...
task install-tools  # Install golangci-lint
./tmp/bin/golangci-lint run ./...
./tmp/bin/goreleaser check 

Development workflow

Important: Use Taskfile, not direct Go commands

Always use Taskfile tasks for development operations rather than direct go commands. This ensures consistency, proper build flags, and correct environment setup.

# ✅ CORRECT: Use task commands
task build
task test
task lint

# ❌ INCORRECT: Don't use direct go commands
go build
go test 

1. Setup development environment

# Clone and setup
git clone https://github.com/datarobot-oss/cli.git
cd cli
task dev-init 

2. Create feature branch

git checkout -b feature/my-feature 

3. Make changes

# Edit code
vim cmd/templates/new-feature.go

# Run linters (includes formatting)
task lint 

4. Test changes

# Run tests
task test

# Run specific test (direct go test is acceptable for specific tests)
go test -run TestMyFeature ./cmd/templates

# Test manually using task run
task run -- templates list

# Or build and test the binary
task build
./dist/dr templates list 

5. Commit and push

git add .
git commit -m "feat: add new feature"
git push origin feature/my-feature 

テスト中

Unit tests

// cmd/auth/login_test.go
package auth

import (
    "testing"
    "github.com/stretchr/testify/assert"
)

func TestLogin(t *testing.T) {
    // Arrange
    mockAPI := &MockAPI{}

    // Act
    err := performLogin(mockAPI)

    // Assert
    assert.NoError(t, err)
} 

Integration tests

// internal/config/config_test.go
func TestConfigReadWrite(t *testing.T) {
    // Create temp config
    tmpDir := t.TempDir()
    configPath := filepath.Join(tmpDir, "config.yaml")

    // Write config
    err := SaveConfig(configPath, &Config{
        Endpoint: "https://test.datarobot.com",
    })
    assert.NoError(t, err)

    // Read config
    config, err := LoadConfig(configPath)
    assert.NoError(t, err)
    assert.Equal(t, "https://test.datarobot.com", config.Endpoint)
} 

TUI tests

Using teatest:

// cmd/dotenv/model_test.go
func TestDotenvModel(t *testing.T) {
    m := Model{
        // Setup model
    }

    tm := teatest.NewTestModel(t, m)

    // Send keypress
    tm.Send(tea.KeyMsg{Type: tea.KeyEnter})

    // Wait for update
    teatest.WaitFor(t, tm.Output(), func(bts []byte) bool {
        return bytes.Contains(bts, []byte("Expected output"))
    })
} 

テストの実行

# All tests (recommended)
task test

# With coverage (opens HTML report)
task test-coverage

# Specific package (direct go test is fine for targeted testing)
go test ./internal/config

# Verbose
go test -v ./...

# With race detection (task test already includes this)
go test -race ./...

# Specific test
go test -run TestLogin ./cmd/auth 

Note: task test automatically runs tests with race detection and coverage enabled.

Running smoke tests using GitHub Actions

We have smoke tests that are not currently run on Pull Requests however can be using PR comments to trigger them.

These are the appropriate comments to trigger respective tests:

  • /trigger-smoke-test or /trigger-test-smoke - Run smoke tests on this PR
  • /trigger-install-test or /trigger-test-install - Run installation tests on this PR

Debugging

Using Delve

# Install delve
go install github.com/go-delve/delve/cmd/dlv@latest

# Debug with arguments
dlv debug main.go -- templates list

# In debugger
(dlv) break main.main
(dlv) continue
(dlv) print variableName
(dlv) next 

Debug logging

# Enable debug mode (use task run)
task run -- --debug templates list

# Or with built binary
task build
./dist/dr --debug templates list 

Add debug statements

import "github.com/charmbracelet/log"

// Debug logging
log.Debug("Variable value", "key", value)
log.Info("Processing started")
log.Warn("Unexpected condition")
log.Error("Operation failed", "error", err) 

Quick release

# Tag version
git tag v1.0.0
git push --tags

# GitHub Actions will:
# 1. Build for all platforms
# 2. Run tests
# 3. Create GitHub release
# 4. Upload binaries