- Renamed config.json to metadata.json to clarify purpose (database metadata) - Fixed config.yaml/config.json conflict by making Viper explicitly load only config.yaml - Added automatic migration from config.json to metadata.json on first read - Fixed jsonOutput variable shadowing across 22 command files - Updated bd init to create both metadata.json and config.yaml template - Fixed 5 failing JSON output tests - All tests passing Resolves config file confusion and makes config.yaml work correctly. Closes #178 (global flags), addresses config issues from #193 Amp-Thread-ID: https://ampcode.com/threads/T-e6ac8192-e18f-4ed7-83bc-4a5986718bb7 Co-authored-by: Amp <amp@ampcode.com>
348 lines
10 KiB
Go
348 lines
10 KiB
Go
package main
|
|
|
|
import (
|
|
"context"
|
|
"fmt"
|
|
"os"
|
|
"regexp"
|
|
"strings"
|
|
"time"
|
|
|
|
"github.com/fatih/color"
|
|
"github.com/spf13/cobra"
|
|
"github.com/steveyegge/beads/internal/types"
|
|
)
|
|
|
|
var mergeCmd = &cobra.Command{
|
|
Use: "merge [source-id...] --into [target-id]",
|
|
Short: "Merge duplicate issues into a single issue",
|
|
Long: `Merge one or more source issues into a target issue.
|
|
|
|
This command is idempotent and safe to retry after partial failures:
|
|
1. Validates all issues exist and no self-merge
|
|
2. Migrates all dependencies from sources to target (skips if already exist)
|
|
3. Updates text references in all issue descriptions/notes
|
|
4. Closes source issues with reason 'Merged into bd-X' (skips if already closed)
|
|
|
|
Example:
|
|
bd merge bd-42 bd-43 --into bd-41
|
|
bd merge bd-10 bd-11 bd-12 --into bd-10 --dry-run`,
|
|
Args: cobra.MinimumNArgs(1),
|
|
Run: func(cmd *cobra.Command, args []string) {
|
|
// Check daemon mode first before accessing store
|
|
if daemonClient != nil {
|
|
fmt.Fprintf(os.Stderr, "Error: merge command not yet supported in daemon mode (see bd-190)\n")
|
|
os.Exit(1)
|
|
}
|
|
|
|
targetID, _ := cmd.Flags().GetString("into")
|
|
if targetID == "" {
|
|
fmt.Fprintf(os.Stderr, "Error: --into flag is required\n")
|
|
os.Exit(1)
|
|
}
|
|
|
|
sourceIDs := args
|
|
dryRun, _ := cmd.Flags().GetBool("dry-run")
|
|
// Use global jsonOutput set by PersistentPreRun
|
|
|
|
// Validate merge operation
|
|
if err := validateMerge(targetID, sourceIDs); err != nil {
|
|
fmt.Fprintf(os.Stderr, "Error: %v\n", err)
|
|
os.Exit(1)
|
|
}
|
|
|
|
// Direct mode
|
|
ctx := context.Background()
|
|
|
|
if dryRun {
|
|
if !jsonOutput {
|
|
fmt.Println("Dry run - validation passed, no changes made")
|
|
fmt.Printf("Would merge: %s into %s\n", strings.Join(sourceIDs, ", "), targetID)
|
|
}
|
|
return
|
|
}
|
|
|
|
// Perform merge
|
|
result, err := performMerge(ctx, targetID, sourceIDs)
|
|
if err != nil {
|
|
fmt.Fprintf(os.Stderr, "Error performing merge: %v\n", err)
|
|
os.Exit(1)
|
|
}
|
|
|
|
// Schedule auto-flush
|
|
markDirtyAndScheduleFlush()
|
|
|
|
if jsonOutput {
|
|
output := map[string]interface{}{
|
|
"target_id": targetID,
|
|
"source_ids": sourceIDs,
|
|
"merged": len(sourceIDs),
|
|
"dependencies_added": result.depsAdded,
|
|
"dependencies_skipped": result.depsSkipped,
|
|
"text_references": result.textRefCount,
|
|
"issues_closed": result.issuesClosed,
|
|
"issues_skipped": result.issuesSkipped,
|
|
}
|
|
outputJSON(output)
|
|
} else {
|
|
green := color.New(color.FgGreen).SprintFunc()
|
|
fmt.Printf("%s Merged %d issue(s) into %s\n", green("✓"), len(sourceIDs), targetID)
|
|
fmt.Printf(" - Dependencies: %d migrated, %d already existed\n", result.depsAdded, result.depsSkipped)
|
|
fmt.Printf(" - Text references: %d updated\n", result.textRefCount)
|
|
fmt.Printf(" - Source issues: %d closed, %d already closed\n", result.issuesClosed, result.issuesSkipped)
|
|
}
|
|
},
|
|
}
|
|
|
|
func init() {
|
|
mergeCmd.Flags().String("into", "", "Target issue ID to merge into (required)")
|
|
mergeCmd.Flags().Bool("dry-run", false, "Validate without making changes")
|
|
mergeCmd.Flags().Bool("json", false, "Output JSON format")
|
|
rootCmd.AddCommand(mergeCmd)
|
|
}
|
|
|
|
// validateMerge checks that merge operation is valid
|
|
func validateMerge(targetID string, sourceIDs []string) error {
|
|
ctx := context.Background()
|
|
|
|
// Check target exists
|
|
target, err := store.GetIssue(ctx, targetID)
|
|
if err != nil {
|
|
return fmt.Errorf("target issue not found: %s", targetID)
|
|
}
|
|
if target == nil {
|
|
return fmt.Errorf("target issue not found: %s", targetID)
|
|
}
|
|
|
|
// Check all sources exist and validate no self-merge
|
|
for _, sourceID := range sourceIDs {
|
|
if sourceID == targetID {
|
|
return fmt.Errorf("cannot merge issue into itself: %s", sourceID)
|
|
}
|
|
|
|
source, err := store.GetIssue(ctx, sourceID)
|
|
if err != nil {
|
|
return fmt.Errorf("source issue not found: %s", sourceID)
|
|
}
|
|
if source == nil {
|
|
return fmt.Errorf("source issue not found: %s", sourceID)
|
|
}
|
|
}
|
|
|
|
return nil
|
|
}
|
|
|
|
// mergeResult tracks the results of a merge operation for reporting
|
|
type mergeResult struct {
|
|
depsAdded int
|
|
depsSkipped int
|
|
textRefCount int
|
|
issuesClosed int
|
|
issuesSkipped int
|
|
}
|
|
|
|
// performMerge executes the merge operation
|
|
// TODO(bd-202): Add transaction support for atomicity
|
|
func performMerge(ctx context.Context, targetID string, sourceIDs []string) (*mergeResult, error) {
|
|
result := &mergeResult{}
|
|
|
|
// Step 1: Migrate dependencies from source issues to target
|
|
for _, sourceID := range sourceIDs {
|
|
// Get all dependencies where source is the dependent (source depends on X)
|
|
deps, err := store.GetDependencyRecords(ctx, sourceID)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to get dependencies for %s: %w", sourceID, err)
|
|
}
|
|
|
|
// Migrate each dependency to target
|
|
for _, dep := range deps {
|
|
// Skip if target already has this dependency
|
|
existingDeps, err := store.GetDependencyRecords(ctx, targetID)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to check target dependencies: %w", err)
|
|
}
|
|
|
|
alreadyExists := false
|
|
for _, existing := range existingDeps {
|
|
if existing.DependsOnID == dep.DependsOnID && existing.Type == dep.Type {
|
|
alreadyExists = true
|
|
break
|
|
}
|
|
}
|
|
|
|
if alreadyExists || dep.DependsOnID == targetID {
|
|
result.depsSkipped++
|
|
} else {
|
|
// Add dependency to target
|
|
newDep := &types.Dependency{
|
|
IssueID: targetID,
|
|
DependsOnID: dep.DependsOnID,
|
|
Type: dep.Type,
|
|
CreatedAt: time.Now(),
|
|
CreatedBy: actor,
|
|
}
|
|
if err := store.AddDependency(ctx, newDep, actor); err != nil {
|
|
return nil, fmt.Errorf("failed to migrate dependency %s -> %s: %w", targetID, dep.DependsOnID, err)
|
|
}
|
|
result.depsAdded++
|
|
}
|
|
}
|
|
|
|
// Get all dependencies where source is the dependency (X depends on source)
|
|
allDeps, err := store.GetAllDependencyRecords(ctx)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to get all dependencies: %w", err)
|
|
}
|
|
|
|
for issueID, depList := range allDeps {
|
|
for _, dep := range depList {
|
|
if dep.DependsOnID == sourceID {
|
|
// Remove old dependency
|
|
if err := store.RemoveDependency(ctx, issueID, sourceID, actor); err != nil {
|
|
// Ignore "not found" errors as they may have been cleaned up
|
|
if !strings.Contains(err.Error(), "not found") {
|
|
return nil, fmt.Errorf("failed to remove dependency %s -> %s: %w", issueID, sourceID, err)
|
|
}
|
|
}
|
|
|
|
// Add new dependency to target (if not self-reference)
|
|
if issueID != targetID {
|
|
newDep := &types.Dependency{
|
|
IssueID: issueID,
|
|
DependsOnID: targetID,
|
|
Type: dep.Type,
|
|
CreatedAt: time.Now(),
|
|
CreatedBy: actor,
|
|
}
|
|
if err := store.AddDependency(ctx, newDep, actor); err != nil {
|
|
// Ignore if dependency already exists
|
|
if !strings.Contains(err.Error(), "UNIQUE constraint failed") {
|
|
return nil, fmt.Errorf("failed to add dependency %s -> %s: %w", issueID, targetID, err)
|
|
}
|
|
result.depsSkipped++
|
|
} else {
|
|
result.depsAdded++
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
// Step 2: Update text references in all issues
|
|
refCount, err := updateMergeTextReferences(ctx, sourceIDs, targetID)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to update text references: %w", err)
|
|
}
|
|
result.textRefCount = refCount
|
|
|
|
// Step 3: Close source issues (idempotent - skip if already closed)
|
|
for _, sourceID := range sourceIDs {
|
|
issue, err := store.GetIssue(ctx, sourceID)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to get source issue %s: %w", sourceID, err)
|
|
}
|
|
if issue == nil {
|
|
return nil, fmt.Errorf("source issue not found: %s", sourceID)
|
|
}
|
|
|
|
if issue.Status == types.StatusClosed {
|
|
// Already closed - skip
|
|
result.issuesSkipped++
|
|
} else {
|
|
reason := fmt.Sprintf("Merged into %s", targetID)
|
|
if err := store.CloseIssue(ctx, sourceID, reason, actor); err != nil {
|
|
return nil, fmt.Errorf("failed to close source issue %s: %w", sourceID, err)
|
|
}
|
|
result.issuesClosed++
|
|
}
|
|
}
|
|
|
|
return result, nil
|
|
}
|
|
|
|
// updateMergeTextReferences updates text references from source IDs to target ID
|
|
// Returns the count of text references updated
|
|
func updateMergeTextReferences(ctx context.Context, sourceIDs []string, targetID string) (int, error) {
|
|
// Get all issues to scan for references
|
|
allIssues, err := store.SearchIssues(ctx, "", types.IssueFilter{})
|
|
if err != nil {
|
|
return 0, fmt.Errorf("failed to get all issues: %w", err)
|
|
}
|
|
|
|
updatedCount := 0
|
|
for _, issue := range allIssues {
|
|
// Skip source issues (they're being closed anyway)
|
|
isSource := false
|
|
for _, srcID := range sourceIDs {
|
|
if issue.ID == srcID {
|
|
isSource = true
|
|
break
|
|
}
|
|
}
|
|
if isSource {
|
|
continue
|
|
}
|
|
|
|
updates := make(map[string]interface{})
|
|
|
|
// Check each source ID for references
|
|
for _, sourceID := range sourceIDs {
|
|
// Build regex pattern to match issue IDs with word boundaries
|
|
idPattern := `(^|[^A-Za-z0-9_-])(` + regexp.QuoteMeta(sourceID) + `)($|[^A-Za-z0-9_-])`
|
|
re := regexp.MustCompile(idPattern)
|
|
replacementText := `$1` + targetID + `$3`
|
|
|
|
// Update description
|
|
if issue.Description != "" && re.MatchString(issue.Description) {
|
|
if _, exists := updates["description"]; !exists {
|
|
updates["description"] = issue.Description
|
|
}
|
|
if desc, ok := updates["description"].(string); ok {
|
|
updates["description"] = re.ReplaceAllString(desc, replacementText)
|
|
}
|
|
}
|
|
|
|
// Update notes
|
|
if issue.Notes != "" && re.MatchString(issue.Notes) {
|
|
if _, exists := updates["notes"]; !exists {
|
|
updates["notes"] = issue.Notes
|
|
}
|
|
if notes, ok := updates["notes"].(string); ok {
|
|
updates["notes"] = re.ReplaceAllString(notes, replacementText)
|
|
}
|
|
}
|
|
|
|
// Update design
|
|
if issue.Design != "" && re.MatchString(issue.Design) {
|
|
if _, exists := updates["design"]; !exists {
|
|
updates["design"] = issue.Design
|
|
}
|
|
if design, ok := updates["design"].(string); ok {
|
|
updates["design"] = re.ReplaceAllString(design, replacementText)
|
|
}
|
|
}
|
|
|
|
// Update acceptance criteria
|
|
if issue.AcceptanceCriteria != "" && re.MatchString(issue.AcceptanceCriteria) {
|
|
if _, exists := updates["acceptance_criteria"]; !exists {
|
|
updates["acceptance_criteria"] = issue.AcceptanceCriteria
|
|
}
|
|
if ac, ok := updates["acceptance_criteria"].(string); ok {
|
|
updates["acceptance_criteria"] = re.ReplaceAllString(ac, replacementText)
|
|
}
|
|
}
|
|
}
|
|
|
|
// Apply updates if any
|
|
if len(updates) > 0 {
|
|
if err := store.UpdateIssue(ctx, issue.ID, updates, actor); err != nil {
|
|
return updatedCount, fmt.Errorf("failed to update issue %s: %w", issue.ID, err)
|
|
}
|
|
updatedCount++
|
|
}
|
|
}
|
|
|
|
return updatedCount, nil
|
|
}
|