feat: add replace subcommand with multi-pattern support

This commit is contained in:
Rogee
2025-10-29 17:46:54 +08:00
parent fa57af8a26
commit ceea09f7be
42 changed files with 1848 additions and 14 deletions

119
cmd/replace.go Normal file
View File

@@ -0,0 +1,119 @@
package cmd
import (
"context"
"errors"
"fmt"
"github.com/spf13/cobra"
"github.com/rogeecn/renamer/internal/listing"
"github.com/rogeecn/renamer/internal/replace"
)
// NewReplaceCommand constructs the replace CLI command; exported for testing.
func NewReplaceCommand() *cobra.Command {
cmd := &cobra.Command{
Use: "replace <pattern1> [pattern2 ...] <replacement>",
Short: "Replace multiple literals in file and directory names",
Args: cobra.MinimumNArgs(2),
RunE: func(cmd *cobra.Command, args []string) error {
parseResult, err := replace.ParseArgs(args)
if err != nil {
return err
}
scope, err := listing.ScopeFromCmd(cmd)
if err != nil {
return err
}
req := &replace.ReplaceRequest{
WorkingDir: scope.WorkingDir,
Patterns: parseResult.Patterns,
Replacement: parseResult.Replacement,
IncludeDirectories: scope.IncludeDirectories,
Recursive: scope.Recursive,
IncludeHidden: scope.IncludeHidden,
Extensions: scope.Extensions,
}
dryRun, err := getBool(cmd, "dry-run")
if err != nil {
return err
}
autoApply, err := getBool(cmd, "yes")
if err != nil {
return err
}
if dryRun && autoApply {
return errors.New("--dry-run cannot be combined with --yes; remove one of them")
}
out := cmd.OutOrStdout()
summary, planned, err := replace.Preview(cmd.Context(), req, parseResult, out)
if err != nil {
return err
}
for _, dup := range summary.SortedDuplicates() {
fmt.Fprintf(out, "Warning: pattern %q provided multiple times\n", dup)
}
if len(summary.Conflicts) > 0 {
for _, conflict := range summary.Conflicts {
fmt.Fprintf(out, "CONFLICT: %s -> %s (%s)\n", conflict.OriginalPath, conflict.ProposedPath, conflict.Reason)
}
return errors.New("conflicts detected; aborting")
}
if summary.ChangedCount == 0 {
fmt.Fprintln(out, "No replacements required")
return nil
}
fmt.Fprintf(out, "Planned replacements: %d entries updated across %d candidates\n", summary.ChangedCount, summary.TotalCandidates)
for pattern, count := range summary.PatternMatches {
fmt.Fprintf(out, " %s -> %d occurrences\n", pattern, count)
}
if dryRun || !autoApply {
fmt.Fprintln(out, "Preview complete. Re-run with --yes to apply.")
return nil
}
entry, err := replace.Apply(context.Background(), req, planned, summary)
if err != nil {
return err
}
if len(entry.Operations) == 0 {
fmt.Fprintln(out, "Nothing to apply; preview already up to date.")
return nil
}
fmt.Fprintf(out, "Applied %d replacements. Ledger updated.\n", len(entry.Operations))
return nil
},
}
cmd.Example = ` renamer replace draft Draft final --dry-run
renamer replace "Project X" "Project-X" ProjectX --yes --path ./docs`
return cmd
}
func getBool(cmd *cobra.Command, name string) (bool, error) {
if flag := cmd.Flags().Lookup(name); flag != nil {
return cmd.Flags().GetBool(name)
}
if flag := cmd.InheritedFlags().Lookup(name); flag != nil {
return cmd.InheritedFlags().GetBool(name)
}
return false, fmt.Errorf("flag %s not defined", name)
}
func init() {
rootCmd.AddCommand(NewReplaceCommand())
}

View File

@@ -29,5 +29,24 @@ func Execute() {
}
func init() {
// Register persistent flags shared by all subcommands (`list`, `replace`, etc.).
// These scope flags remain centralized so new commands automatically inherit
// traversal behavior without duplicating flag definitions.
listing.RegisterScopeFlags(rootCmd.PersistentFlags())
}
// NewRootCommand creates a fresh root command with all subcommands and flags registered.
func NewRootCommand() *cobra.Command {
cmd := &cobra.Command{
Use: "renamer",
Short: "Safe, scriptable batch renaming utility",
Long: rootCmd.Long,
}
listing.RegisterScopeFlags(cmd.PersistentFlags())
cmd.AddCommand(newListCommand())
cmd.AddCommand(NewReplaceCommand())
cmd.AddCommand(newUndoCommand())
return cmd
}

52
cmd/undo.go Normal file
View File

@@ -0,0 +1,52 @@
package cmd
import (
"fmt"
"os"
"path/filepath"
"github.com/spf13/cobra"
"github.com/rogeecn/renamer/internal/history"
)
func newUndoCommand() *cobra.Command {
cmd := &cobra.Command{
Use: "undo",
Short: "Undo the most recent rename or replace batch",
RunE: func(cmd *cobra.Command, args []string) error {
workingDir, err := resolveWorkingDir(cmd)
if err != nil {
return err
}
entry, err := history.Undo(workingDir)
if err != nil {
return err
}
fmt.Fprintf(cmd.OutOrStdout(), "Undo applied: %d operations reversed\n", len(entry.Operations))
return nil
},
}
return cmd
}
func resolveWorkingDir(cmd *cobra.Command) (string, error) {
if flag := cmd.Flags().Lookup("path"); flag != nil {
if value := flag.Value.String(); value != "" {
return filepath.Abs(value)
}
}
if flag := cmd.InheritedFlags().Lookup("path"); flag != nil {
if value := flag.Value.String(); value != "" {
return filepath.Abs(value)
}
}
return os.Getwd()
}
func init() {
rootCmd.AddCommand(newUndoCommand())
}