Spaces:
Paused
Paused
File size: 6,645 Bytes
93d826e | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 | package cmd
import (
"bufio"
"context"
"fmt"
"log"
"os"
"os/exec"
"os/signal"
"plandex-cli/auth"
"plandex-cli/lib"
"plandex-cli/plan_exec"
"plandex-cli/term"
"plandex-cli/types"
"strconv"
"strings"
"sync"
"sync/atomic"
"syscall"
"time"
shared "plandex-shared"
"github.com/fatih/color"
"github.com/spf13/cobra"
)
const DebugDefaultTries = 5
var debugCmd = &cobra.Command{
Use: "debug [tries] <cmd>",
Aliases: []string{"db"},
Short: "Debug a failing command with Plandex",
Args: cobra.MinimumNArgs(1),
Run: doDebug,
}
func init() {
RootCmd.AddCommand(debugCmd)
debugCmd.Flags().BoolVarP(&autoCommit, "commit", "c", false, "Commit changes after successful execution")
}
func doDebug(cmd *cobra.Command, args []string) {
auth.MustResolveAuthWithOrg()
lib.MustResolveProject()
mustSetPlanExecFlags(cmd, false)
if lib.CurrentPlanId == "" {
term.OutputNoCurrentPlanErrorAndExit()
}
// Parse tries and command
tries := DebugDefaultTries
cmdArgs := args
// Check if first arg is tries count
if val, err := strconv.Atoi(args[0]); err == nil {
if val <= 0 {
term.OutputErrorAndExit("Tries must be greater than 0")
}
tries = val
cmdArgs = args[1:]
if len(cmdArgs) == 0 {
term.OutputErrorAndExit("No command specified")
}
}
// Get current working directory
cwd, err := os.Getwd()
if err != nil {
term.OutputErrorAndExit("Failed to get working directory: %v", err)
}
cmdStr := strings.Join(cmdArgs, " ")
// Execute command and handle retries
for attempt := 0; attempt < tries; attempt++ {
// Use shell to handle operators like && and |
shellCmdStr := "set -euo pipefail; " + cmdStr
execCmd := exec.Command("sh", "-c", shellCmdStr)
execCmd.Dir = cwd
execCmd.Env = os.Environ()
lib.SetPlatformSpecificAttrs(execCmd)
pipe, err := execCmd.StdoutPipe()
if err != nil {
term.StopSpinner()
term.OutputErrorAndExit("Failed to create pipe: %v", err)
}
execCmd.Stderr = execCmd.Stdout
if err := execCmd.Start(); err != nil {
term.StopSpinner()
term.OutputErrorAndExit("Failed to start command: %v", err)
}
maybeDeleteCgroup := lib.MaybeIsolateCgroup(execCmd)
ctx, cancel := context.WithCancel(context.Background())
var interrupted atomic.Bool
var interruptHandled atomic.Bool
var interruptWG sync.WaitGroup
sigChan := make(chan os.Signal, 1)
signal.Notify(sigChan, os.Interrupt, syscall.SIGTERM, syscall.SIGHUP, syscall.SIGQUIT)
interruptWG.Add(1)
go func() {
defer interruptWG.Done()
for {
select {
case sig := <-sigChan:
if interruptHandled.CompareAndSwap(false, true) {
fmt.Println()
color.New(term.ColorHiYellow, color.Bold).Println("\n👉 Caught interrupt. Exiting gracefully...")
interrupted.Store(true)
var sysSig syscall.Signal
switch sig {
case os.Interrupt:
// user pressed Ctrl+C
sysSig = syscall.SIGINT
case syscall.SIGTERM:
// a polite "kill" request
sysSig = syscall.SIGTERM
case syscall.SIGHUP:
sysSig = syscall.SIGHUP
case syscall.SIGQUIT:
sysSig = syscall.SIGQUIT
default:
sysSig = syscall.SIGINT
}
if err := lib.KillProcessGroup(execCmd, sysSig); err != nil {
log.Printf("Failed to send signal %s to process group: %v", sysSig, err)
}
select {
case <-time.After(2 * time.Second):
color.New(term.ColorHiYellow, color.Bold).Println("👉 Commands didn't exit after 2 seconds. Sending SIGKILL.")
if err := lib.KillProcessGroup(execCmd, syscall.SIGKILL); err != nil {
log.Printf("Failed to send SIGKILL to process group: %v", err)
}
maybeDeleteCgroup()
case <-ctx.Done():
maybeDeleteCgroup()
return
}
}
case <-ctx.Done():
maybeDeleteCgroup()
return
}
}
}()
var outputBuilder strings.Builder
scanner := bufio.NewScanner(pipe)
go func() {
for scanner.Scan() {
line := scanner.Text()
fmt.Println(line)
outputBuilder.WriteString(line + "\n")
}
}()
waitErr := execCmd.Wait()
cancel()
interruptWG.Wait()
signal.Stop(sigChan)
close(sigChan)
if scanErr := scanner.Err(); scanErr != nil {
log.Printf("⚠️ Scanner error reading subprocess output: %v", scanErr)
}
term.StopSpinner()
outputStr := outputBuilder.String()
if outputStr == "" && waitErr != nil {
outputStr = waitErr.Error()
}
if outputStr != "" {
fmt.Println(outputStr)
}
didSucceed := waitErr == nil
if interrupted.Load() {
color.New(term.ColorHiYellow, color.Bold).Println("👉 Execution interrupted")
res, canceled, err := term.ConfirmYesNoCancel("Did the command succeed?")
if err != nil {
term.OutputErrorAndExit("Failed to get confirmation user input: %s", err)
}
didSucceed = res
if canceled {
os.Exit(0)
}
}
if didSucceed {
if attempt == 0 {
fmt.Printf("✅ Command %s succeeded on first try\n", color.New(color.Bold, term.ColorHiCyan).Sprintf(cmdStr))
} else {
lbl := "attempts"
if attempt == 1 {
lbl = "attempt"
}
fmt.Printf("✅ Command %s succeeded after %d fix %s\n", color.New(color.Bold, term.ColorHiCyan).Sprintf(cmdStr), attempt, lbl)
}
return
}
if attempt == tries-1 {
fmt.Printf("Command failed after %d tries\n", tries)
os.Exit(1)
}
// Prepare prompt for TellPlan
exitErr, ok := waitErr.(*exec.ExitError)
status := -1
if ok {
status = exitErr.ExitCode()
}
prompt := fmt.Sprintf("'%s' failed with exit status %d. Output:\n\n%s\n\n--\n\n",
strings.Join(cmdArgs, " "), status, outputStr)
tellFlags := types.TellFlags{
AutoContext: tellAutoContext,
ExecEnabled: false,
IsUserDebug: true,
}
plan_exec.TellPlan(plan_exec.ExecParams{
CurrentPlanId: lib.CurrentPlanId,
CurrentBranch: lib.CurrentBranch,
AuthVars: lib.MustVerifyAuthVars(auth.Current.IntegratedModelsMode),
CheckOutdatedContext: func(maybeContexts []*shared.Context, projectPaths *types.ProjectPaths) (bool, bool, error) {
return lib.CheckOutdatedContextWithOutput(true, true, maybeContexts, projectPaths)
},
}, prompt, tellFlags)
applyFlags := types.ApplyFlags{
AutoConfirm: true,
AutoCommit: autoCommit,
NoCommit: !autoCommit,
NoExec: false,
AutoExec: true,
}
lib.MustApplyPlan(lib.ApplyPlanParams{
PlanId: lib.CurrentPlanId,
Branch: lib.CurrentBranch,
ApplyFlags: applyFlags,
TellFlags: tellFlags,
OnExecFail: plan_exec.GetOnApplyExecFailWithCommand(applyFlags, tellFlags, cmdStr),
ExecCommand: cmdStr,
})
}
}
|