cascade_cli/cli/commands/
stack.rs

1use crate::bitbucket::BitbucketIntegration;
2use crate::cli::output::Output;
3use crate::errors::{CascadeError, Result};
4use crate::git::{find_repository_root, GitRepository};
5use crate::stack::{CleanupManager, CleanupOptions, CleanupResult, StackManager, StackStatus};
6use clap::{Subcommand, ValueEnum};
7use dialoguer::{theme::ColorfulTheme, Confirm};
8// Progress bars removed - using professional Output module instead
9use std::env;
10use tracing::{debug, warn};
11
12/// CLI argument version of RebaseStrategy
13#[derive(ValueEnum, Clone, Debug)]
14pub enum RebaseStrategyArg {
15    /// Force-push rebased commits to original branches (preserves PR history)
16    ForcePush,
17    /// Interactive rebase with conflict resolution
18    Interactive,
19}
20
21#[derive(ValueEnum, Clone, Debug)]
22pub enum MergeStrategyArg {
23    /// Create a merge commit
24    Merge,
25    /// Squash all commits into one
26    Squash,
27    /// Fast-forward merge when possible
28    FastForward,
29}
30
31impl From<MergeStrategyArg> for crate::bitbucket::pull_request::MergeStrategy {
32    fn from(arg: MergeStrategyArg) -> Self {
33        match arg {
34            MergeStrategyArg::Merge => Self::Merge,
35            MergeStrategyArg::Squash => Self::Squash,
36            MergeStrategyArg::FastForward => Self::FastForward,
37        }
38    }
39}
40
41#[derive(Debug, Subcommand)]
42pub enum StackAction {
43    /// Create a new stack
44    Create {
45        /// Name of the stack
46        name: String,
47        /// Base branch for the stack
48        #[arg(long, short)]
49        base: Option<String>,
50        /// Description of the stack
51        #[arg(long, short)]
52        description: Option<String>,
53    },
54
55    /// List all stacks
56    List {
57        /// Show detailed information
58        #[arg(long, short)]
59        verbose: bool,
60        /// Show only active stack
61        #[arg(long)]
62        active: bool,
63        /// Output format (name, id, status)
64        #[arg(long)]
65        format: Option<String>,
66    },
67
68    /// Switch to a different stack
69    Switch {
70        /// Name of the stack to switch to
71        name: String,
72    },
73
74    /// Deactivate the current stack (turn off stack mode)
75    Deactivate {
76        /// Force deactivation without confirmation
77        #[arg(long)]
78        force: bool,
79    },
80
81    /// Show the current stack status  
82    Show {
83        /// Show detailed pull request information
84        #[arg(short, long)]
85        verbose: bool,
86        /// Show mergability status for all PRs
87        #[arg(short, long)]
88        mergeable: bool,
89    },
90
91    /// Push current commit to the top of the stack
92    Push {
93        /// Branch name for this commit
94        #[arg(long, short)]
95        branch: Option<String>,
96        /// Commit message (if creating a new commit)
97        #[arg(long, short)]
98        message: Option<String>,
99        /// Use specific commit hash instead of HEAD
100        #[arg(long)]
101        commit: Option<String>,
102        /// Push commits since this reference (e.g., HEAD~3)
103        #[arg(long)]
104        since: Option<String>,
105        /// Push multiple specific commits (comma-separated)
106        #[arg(long)]
107        commits: Option<String>,
108        /// Squash unpushed commits before pushing (optional: specify count)
109        #[arg(long, num_args = 0..=1, default_missing_value = "0")]
110        squash: Option<usize>,
111        /// Squash all commits since this reference (e.g., HEAD~5)
112        #[arg(long)]
113        squash_since: Option<String>,
114        /// Auto-create feature branch when pushing from base branch
115        #[arg(long)]
116        auto_branch: bool,
117        /// Allow pushing commits from base branch (not recommended)
118        #[arg(long)]
119        allow_base_branch: bool,
120        /// Show what would be pushed without actually pushing
121        #[arg(long)]
122        dry_run: bool,
123    },
124
125    /// Pop the top commit from the stack
126    Pop {
127        /// Keep the branch (don't delete it)
128        #[arg(long)]
129        keep_branch: bool,
130    },
131
132    /// Submit a stack entry for review
133    Submit {
134        /// Stack entry number (1-based, defaults to all unsubmitted)
135        entry: Option<usize>,
136        /// Pull request title
137        #[arg(long, short)]
138        title: Option<String>,
139        /// Pull request description
140        #[arg(long, short)]
141        description: Option<String>,
142        /// Submit range of entries (e.g., "1-3" or "2,4,6")
143        #[arg(long)]
144        range: Option<String>,
145        /// Create draft pull requests (default: true, use --no-draft to create ready PRs)
146        #[arg(long, default_value_t = true)]
147        draft: bool,
148        /// Open the PR(s) in your default browser after submission (default: true, use --no-open to disable)
149        #[arg(long, default_value_t = true)]
150        open: bool,
151    },
152
153    /// Check status of all pull requests in a stack
154    Status {
155        /// Name of the stack (defaults to active stack)
156        name: Option<String>,
157    },
158
159    /// List all pull requests for the repository
160    Prs {
161        /// Filter by state (open, merged, declined)
162        #[arg(long)]
163        state: Option<String>,
164        /// Show detailed information
165        #[arg(long, short)]
166        verbose: bool,
167    },
168
169    /// Check stack status with remote repository (read-only)
170    Check {
171        /// Force check even if there are issues
172        #[arg(long)]
173        force: bool,
174    },
175
176    /// Sync stack with remote repository (pull + rebase + cleanup)
177    Sync {
178        /// Force sync even if there are conflicts
179        #[arg(long)]
180        force: bool,
181        /// Also cleanup merged branches after sync
182        #[arg(long)]
183        cleanup: bool,
184        /// Interactive mode for conflict resolution
185        #[arg(long, short)]
186        interactive: bool,
187        /// Continue from in-progress cherry-pick after resolving conflicts
188        #[arg(long)]
189        r#continue: bool,
190    },
191
192    /// Rebase stack on updated base branch
193    Rebase {
194        /// Interactive rebase
195        #[arg(long, short)]
196        interactive: bool,
197        /// Target base branch (defaults to stack's base branch)
198        #[arg(long)]
199        onto: Option<String>,
200        /// Rebase strategy to use
201        #[arg(long, value_enum)]
202        strategy: Option<RebaseStrategyArg>,
203    },
204
205    /// Continue an in-progress rebase after resolving conflicts
206    ContinueRebase,
207
208    /// Abort an in-progress rebase
209    AbortRebase,
210
211    /// Show rebase status and conflict resolution guidance
212    RebaseStatus,
213
214    /// Delete a stack
215    Delete {
216        /// Name of the stack to delete
217        name: String,
218        /// Force deletion without confirmation
219        #[arg(long)]
220        force: bool,
221    },
222
223    /// Validate stack integrity and handle branch modifications
224    ///
225    /// Checks that stack branches match their expected commit hashes.
226    /// Detects when branches have been manually modified (extra commits added).
227    ///
228    /// Available --fix modes:
229    /// • incorporate: Update stack entry to include extra commits
230    /// • split: Create new stack entry for extra commits  
231    /// • reset: Remove extra commits (DESTRUCTIVE - loses work)
232    ///
233    /// Without --fix, runs interactively asking for each modification.
234    Validate {
235        /// Name of the stack (defaults to active stack)
236        name: Option<String>,
237        /// Auto-fix mode: incorporate, split, or reset
238        #[arg(long)]
239        fix: Option<String>,
240    },
241
242    /// Land (merge) approved stack entries
243    Land {
244        /// Stack entry number to land (1-based index, optional)
245        entry: Option<usize>,
246        /// Force land even with blocking issues (dangerous)
247        #[arg(short, long)]
248        force: bool,
249        /// Dry run - show what would be landed without doing it
250        #[arg(short, long)]
251        dry_run: bool,
252        /// Use server-side validation (safer, checks approvals/builds)
253        #[arg(long)]
254        auto: bool,
255        /// Wait for builds to complete before merging
256        #[arg(long)]
257        wait_for_builds: bool,
258        /// Merge strategy to use
259        #[arg(long, value_enum, default_value = "squash")]
260        strategy: Option<MergeStrategyArg>,
261        /// Maximum time to wait for builds (seconds)
262        #[arg(long, default_value = "1800")]
263        build_timeout: u64,
264    },
265
266    /// Auto-land all ready PRs (shorthand for land --auto)
267    AutoLand {
268        /// Force land even with blocking issues (dangerous)
269        #[arg(short, long)]
270        force: bool,
271        /// Dry run - show what would be landed without doing it
272        #[arg(short, long)]
273        dry_run: bool,
274        /// Wait for builds to complete before merging
275        #[arg(long)]
276        wait_for_builds: bool,
277        /// Merge strategy to use
278        #[arg(long, value_enum, default_value = "squash")]
279        strategy: Option<MergeStrategyArg>,
280        /// Maximum time to wait for builds (seconds)
281        #[arg(long, default_value = "1800")]
282        build_timeout: u64,
283    },
284
285    /// List pull requests from Bitbucket
286    ListPrs {
287        /// Filter by state (open, merged, declined)
288        #[arg(short, long)]
289        state: Option<String>,
290        /// Show detailed information
291        #[arg(short, long)]
292        verbose: bool,
293    },
294
295    /// Continue an in-progress land operation after resolving conflicts
296    ContinueLand,
297
298    /// Abort an in-progress land operation  
299    AbortLand,
300
301    /// Show status of in-progress land operation
302    LandStatus,
303
304    /// Clean up merged and stale branches
305    Cleanup {
306        /// Show what would be cleaned up without actually deleting
307        #[arg(long)]
308        dry_run: bool,
309        /// Skip confirmation prompts
310        #[arg(long)]
311        force: bool,
312        /// Include stale branches in cleanup
313        #[arg(long)]
314        include_stale: bool,
315        /// Age threshold for stale branches (days)
316        #[arg(long, default_value = "30")]
317        stale_days: u32,
318        /// Also cleanup remote tracking branches
319        #[arg(long)]
320        cleanup_remote: bool,
321        /// Include non-stack branches in cleanup
322        #[arg(long)]
323        include_non_stack: bool,
324        /// Show detailed information about cleanup candidates
325        #[arg(long)]
326        verbose: bool,
327    },
328
329    /// Repair data consistency issues in stack metadata
330    Repair,
331}
332
333pub async fn run(action: StackAction) -> Result<()> {
334    match action {
335        StackAction::Create {
336            name,
337            base,
338            description,
339        } => create_stack(name, base, description).await,
340        StackAction::List {
341            verbose,
342            active,
343            format,
344        } => list_stacks(verbose, active, format).await,
345        StackAction::Switch { name } => switch_stack(name).await,
346        StackAction::Deactivate { force } => deactivate_stack(force).await,
347        StackAction::Show { verbose, mergeable } => show_stack(verbose, mergeable).await,
348        StackAction::Push {
349            branch,
350            message,
351            commit,
352            since,
353            commits,
354            squash,
355            squash_since,
356            auto_branch,
357            allow_base_branch,
358            dry_run,
359        } => {
360            push_to_stack(
361                branch,
362                message,
363                commit,
364                since,
365                commits,
366                squash,
367                squash_since,
368                auto_branch,
369                allow_base_branch,
370                dry_run,
371            )
372            .await
373        }
374        StackAction::Pop { keep_branch } => pop_from_stack(keep_branch).await,
375        StackAction::Submit {
376            entry,
377            title,
378            description,
379            range,
380            draft,
381            open,
382        } => submit_entry(entry, title, description, range, draft, open).await,
383        StackAction::Status { name } => check_stack_status(name).await,
384        StackAction::Prs { state, verbose } => list_pull_requests(state, verbose).await,
385        StackAction::Check { force } => check_stack(force).await,
386        StackAction::Sync {
387            force,
388            cleanup,
389            interactive,
390            r#continue,
391        } => {
392            if r#continue {
393                continue_sync().await
394            } else {
395                sync_stack(force, cleanup, interactive).await
396            }
397        }
398        StackAction::Rebase {
399            interactive,
400            onto,
401            strategy,
402        } => rebase_stack(interactive, onto, strategy).await,
403        StackAction::ContinueRebase => continue_rebase().await,
404        StackAction::AbortRebase => abort_rebase().await,
405        StackAction::RebaseStatus => rebase_status().await,
406        StackAction::Delete { name, force } => delete_stack(name, force).await,
407        StackAction::Validate { name, fix } => validate_stack(name, fix).await,
408        StackAction::Land {
409            entry,
410            force,
411            dry_run,
412            auto,
413            wait_for_builds,
414            strategy,
415            build_timeout,
416        } => {
417            land_stack(
418                entry,
419                force,
420                dry_run,
421                auto,
422                wait_for_builds,
423                strategy,
424                build_timeout,
425            )
426            .await
427        }
428        StackAction::AutoLand {
429            force,
430            dry_run,
431            wait_for_builds,
432            strategy,
433            build_timeout,
434        } => auto_land_stack(force, dry_run, wait_for_builds, strategy, build_timeout).await,
435        StackAction::ListPrs { state, verbose } => list_pull_requests(state, verbose).await,
436        StackAction::ContinueLand => continue_land().await,
437        StackAction::AbortLand => abort_land().await,
438        StackAction::LandStatus => land_status().await,
439        StackAction::Cleanup {
440            dry_run,
441            force,
442            include_stale,
443            stale_days,
444            cleanup_remote,
445            include_non_stack,
446            verbose,
447        } => {
448            cleanup_branches(
449                dry_run,
450                force,
451                include_stale,
452                stale_days,
453                cleanup_remote,
454                include_non_stack,
455                verbose,
456            )
457            .await
458        }
459        StackAction::Repair => repair_stack_data().await,
460    }
461}
462
463// Public functions for shortcut commands
464pub async fn show(verbose: bool, mergeable: bool) -> Result<()> {
465    show_stack(verbose, mergeable).await
466}
467
468#[allow(clippy::too_many_arguments)]
469pub async fn push(
470    branch: Option<String>,
471    message: Option<String>,
472    commit: Option<String>,
473    since: Option<String>,
474    commits: Option<String>,
475    squash: Option<usize>,
476    squash_since: Option<String>,
477    auto_branch: bool,
478    allow_base_branch: bool,
479    dry_run: bool,
480) -> Result<()> {
481    push_to_stack(
482        branch,
483        message,
484        commit,
485        since,
486        commits,
487        squash,
488        squash_since,
489        auto_branch,
490        allow_base_branch,
491        dry_run,
492    )
493    .await
494}
495
496pub async fn pop(keep_branch: bool) -> Result<()> {
497    pop_from_stack(keep_branch).await
498}
499
500pub async fn land(
501    entry: Option<usize>,
502    force: bool,
503    dry_run: bool,
504    auto: bool,
505    wait_for_builds: bool,
506    strategy: Option<MergeStrategyArg>,
507    build_timeout: u64,
508) -> Result<()> {
509    land_stack(
510        entry,
511        force,
512        dry_run,
513        auto,
514        wait_for_builds,
515        strategy,
516        build_timeout,
517    )
518    .await
519}
520
521pub async fn autoland(
522    force: bool,
523    dry_run: bool,
524    wait_for_builds: bool,
525    strategy: Option<MergeStrategyArg>,
526    build_timeout: u64,
527) -> Result<()> {
528    auto_land_stack(force, dry_run, wait_for_builds, strategy, build_timeout).await
529}
530
531pub async fn sync(
532    force: bool,
533    skip_cleanup: bool,
534    interactive: bool,
535    r#continue: bool,
536) -> Result<()> {
537    if r#continue {
538        continue_sync().await
539    } else {
540        sync_stack(force, skip_cleanup, interactive).await
541    }
542}
543
544pub async fn rebase(
545    interactive: bool,
546    onto: Option<String>,
547    strategy: Option<RebaseStrategyArg>,
548) -> Result<()> {
549    rebase_stack(interactive, onto, strategy).await
550}
551
552pub async fn deactivate(force: bool) -> Result<()> {
553    deactivate_stack(force).await
554}
555
556pub async fn switch(name: String) -> Result<()> {
557    switch_stack(name).await
558}
559
560async fn create_stack(
561    name: String,
562    base: Option<String>,
563    description: Option<String>,
564) -> Result<()> {
565    let current_dir = env::current_dir()
566        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
567
568    let repo_root = find_repository_root(&current_dir)
569        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
570
571    let mut manager = StackManager::new(&repo_root)?;
572    let stack_id = manager.create_stack(name.clone(), base.clone(), description.clone())?;
573
574    // Get the created stack to check its working branch
575    let stack = manager
576        .get_stack(&stack_id)
577        .ok_or_else(|| CascadeError::config("Failed to get created stack"))?;
578
579    // Use the new output format
580    Output::stack_info(
581        &name,
582        &stack_id.to_string(),
583        &stack.base_branch,
584        stack.working_branch.as_deref(),
585        true, // is_active
586    );
587
588    if let Some(desc) = description {
589        Output::sub_item(format!("Description: {desc}"));
590    }
591
592    // Provide helpful guidance based on the working branch situation
593    if stack.working_branch.is_none() {
594        Output::warning(format!(
595            "You're currently on the base branch '{}'",
596            stack.base_branch
597        ));
598        Output::next_steps(&[
599            &format!("Create a feature branch: git checkout -b {name}"),
600            "Make changes and commit them",
601            "Run 'ca push' to add commits to this stack",
602        ]);
603    } else {
604        Output::next_steps(&[
605            "Make changes and commit them",
606            "Run 'ca push' to add commits to this stack",
607            "Use 'ca submit' when ready to create pull requests",
608        ]);
609    }
610
611    Ok(())
612}
613
614async fn list_stacks(verbose: bool, _active: bool, _format: Option<String>) -> Result<()> {
615    let current_dir = env::current_dir()
616        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
617
618    let repo_root = find_repository_root(&current_dir)
619        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
620
621    let manager = StackManager::new(&repo_root)?;
622    let stacks = manager.list_stacks();
623
624    if stacks.is_empty() {
625        Output::info("No stacks found. Create one with: ca stack create <name>");
626        return Ok(());
627    }
628
629    println!("Stacks:");
630    for (stack_id, name, status, entry_count, active_marker) in stacks {
631        let status_icon = match status {
632            StackStatus::Clean => "✓",
633            StackStatus::Dirty => "~",
634            StackStatus::OutOfSync => "!",
635            StackStatus::Conflicted => "✗",
636            StackStatus::Rebasing => "↔",
637            StackStatus::NeedsSync => "~",
638            StackStatus::Corrupted => "✗",
639        };
640
641        let active_indicator = if active_marker.is_some() {
642            " (active)"
643        } else {
644            ""
645        };
646
647        // Get the actual stack object to access branch information
648        let stack = manager.get_stack(&stack_id);
649
650        if verbose {
651            println!("  {status_icon} {name} [{entry_count}]{active_indicator}");
652            println!("    ID: {stack_id}");
653            if let Some(stack_meta) = manager.get_stack_metadata(&stack_id) {
654                println!("    Base: {}", stack_meta.base_branch);
655                if let Some(desc) = &stack_meta.description {
656                    println!("    Description: {desc}");
657                }
658                println!(
659                    "    Commits: {} total, {} submitted",
660                    stack_meta.total_commits, stack_meta.submitted_commits
661                );
662                if stack_meta.has_conflicts {
663                    Output::warning("    Has conflicts");
664                }
665            }
666
667            // Show branch information in verbose mode
668            if let Some(stack_obj) = stack {
669                if !stack_obj.entries.is_empty() {
670                    println!("    Branches:");
671                    for (i, entry) in stack_obj.entries.iter().enumerate() {
672                        let entry_num = i + 1;
673                        let submitted_indicator = if entry.is_submitted {
674                            "[submitted]"
675                        } else {
676                            ""
677                        };
678                        let branch_name = &entry.branch;
679                        let short_message = if entry.message.len() > 40 {
680                            format!("{}...", &entry.message[..37])
681                        } else {
682                            entry.message.clone()
683                        };
684                        println!("      {entry_num}. {submitted_indicator} {branch_name} - {short_message}");
685                    }
686                }
687            }
688            println!();
689        } else {
690            // Show compact branch info in non-verbose mode
691            let branch_info = if let Some(stack_obj) = stack {
692                if stack_obj.entries.is_empty() {
693                    String::new()
694                } else if stack_obj.entries.len() == 1 {
695                    format!(" → {}", stack_obj.entries[0].branch)
696                } else {
697                    let first_branch = &stack_obj.entries[0].branch;
698                    let last_branch = &stack_obj.entries.last().unwrap().branch;
699                    format!(" → {first_branch} … {last_branch}")
700                }
701            } else {
702                String::new()
703            };
704
705            println!("  {status_icon} {name} [{entry_count}]{branch_info}{active_indicator}");
706        }
707    }
708
709    if !verbose {
710        println!("\nUse --verbose for more details");
711    }
712
713    Ok(())
714}
715
716async fn switch_stack(name: String) -> Result<()> {
717    let current_dir = env::current_dir()
718        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
719
720    let repo_root = find_repository_root(&current_dir)
721        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
722
723    let mut manager = StackManager::new(&repo_root)?;
724    let repo = GitRepository::open(&repo_root)?;
725
726    // Get stack information before switching
727    let stack = manager
728        .get_stack_by_name(&name)
729        .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
730
731    // Determine the target branch and provide appropriate messaging
732    if let Some(working_branch) = &stack.working_branch {
733        // Stack has a working branch - try to switch to it
734        let current_branch = repo.get_current_branch().ok();
735
736        if current_branch.as_ref() != Some(working_branch) {
737            Output::progress(format!(
738                "Switching to stack working branch: {working_branch}"
739            ));
740
741            // Check if target branch exists
742            if repo.branch_exists(working_branch) {
743                match repo.checkout_branch(working_branch) {
744                    Ok(_) => {
745                        Output::success(format!("Checked out branch: {working_branch}"));
746                    }
747                    Err(e) => {
748                        Output::warning(format!("Failed to checkout '{working_branch}': {e}"));
749                        Output::sub_item("Stack activated but stayed on current branch");
750                        Output::sub_item(format!(
751                            "You can manually checkout with: git checkout {working_branch}"
752                        ));
753                    }
754                }
755            } else {
756                Output::warning(format!(
757                    "Stack working branch '{working_branch}' doesn't exist locally"
758                ));
759                Output::sub_item("Stack activated but stayed on current branch");
760                Output::sub_item(format!(
761                    "You may need to fetch from remote: git fetch origin {working_branch}"
762                ));
763            }
764        } else {
765            Output::success(format!("Already on stack working branch: {working_branch}"));
766        }
767    } else {
768        // No working branch - provide guidance
769        Output::warning(format!("Stack '{name}' has no working branch set"));
770        Output::sub_item(
771            "This typically happens when a stack was created while on the base branch",
772        );
773
774        Output::tip("To start working on this stack:");
775        Output::bullet(format!("Create a feature branch: git checkout -b {name}"));
776        Output::bullet("The stack will automatically track this as its working branch");
777        Output::bullet("Then use 'ca push' to add commits to the stack");
778
779        Output::sub_item(format!("Base branch: {}", stack.base_branch));
780    }
781
782    // Activate the stack (this will record the correct current branch)
783    manager.set_active_stack_by_name(&name)?;
784    Output::success(format!("Switched to stack '{name}'"));
785
786    Ok(())
787}
788
789async fn deactivate_stack(force: bool) -> Result<()> {
790    let current_dir = env::current_dir()
791        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
792
793    let repo_root = find_repository_root(&current_dir)
794        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
795
796    let mut manager = StackManager::new(&repo_root)?;
797
798    let active_stack = manager.get_active_stack();
799
800    if active_stack.is_none() {
801        Output::info("No active stack to deactivate");
802        return Ok(());
803    }
804
805    let stack_name = active_stack.unwrap().name.clone();
806
807    if !force {
808        Output::warning(format!(
809            "This will deactivate stack '{stack_name}' and return to normal Git workflow"
810        ));
811        Output::sub_item(format!(
812            "You can reactivate it later with 'ca stacks switch {stack_name}'"
813        ));
814        // Interactive confirmation to deactivate stack
815        let should_deactivate = Confirm::with_theme(&ColorfulTheme::default())
816            .with_prompt("Continue with deactivation?")
817            .default(false)
818            .interact()
819            .map_err(|e| CascadeError::config(format!("Failed to get user confirmation: {e}")))?;
820
821        if !should_deactivate {
822            Output::info("Cancelled deactivation");
823            return Ok(());
824        }
825    }
826
827    // Deactivate the stack
828    manager.set_active_stack(None)?;
829
830    Output::success(format!("Deactivated stack '{stack_name}'"));
831    Output::sub_item("Stack management is now OFF - you can use normal Git workflow");
832    Output::sub_item(format!("To reactivate: ca stacks switch {stack_name}"));
833
834    Ok(())
835}
836
837async fn show_stack(verbose: bool, show_mergeable: bool) -> Result<()> {
838    let current_dir = env::current_dir()
839        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
840
841    let repo_root = find_repository_root(&current_dir)
842        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
843
844    let stack_manager = StackManager::new(&repo_root)?;
845
846    // Get stack information first to avoid borrow conflicts
847    let (stack_id, stack_name, stack_base, stack_working, stack_entries) = {
848        let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
849            CascadeError::config(
850                "No active stack. Use 'ca stacks create' or 'ca stacks switch' to select a stack"
851                    .to_string(),
852            )
853        })?;
854
855        (
856            active_stack.id,
857            active_stack.name.clone(),
858            active_stack.base_branch.clone(),
859            active_stack.working_branch.clone(),
860            active_stack.entries.clone(),
861        )
862    };
863
864    // Use the new output format for stack info
865    Output::stack_info(
866        &stack_name,
867        &stack_id.to_string(),
868        &stack_base,
869        stack_working.as_deref(),
870        true, // is_active
871    );
872    Output::sub_item(format!("Total entries: {}", stack_entries.len()));
873
874    if stack_entries.is_empty() {
875        Output::info("No entries in this stack yet");
876        Output::tip("Use 'ca push' to add commits to this stack");
877        return Ok(());
878    }
879
880    // Show entries
881    Output::section("Stack Entries");
882    for (i, entry) in stack_entries.iter().enumerate() {
883        let entry_num = i + 1;
884        let short_hash = entry.short_hash();
885        let short_msg = entry.short_message(50);
886
887        // Get source branch information for pending entries only
888        // (submitted entries have their own branch, so source is no longer relevant)
889        let metadata = stack_manager.get_repository_metadata();
890        let source_branch_info = if !entry.is_submitted {
891            if let Some(commit_meta) = metadata.get_commit(&entry.commit_hash) {
892                if commit_meta.source_branch != commit_meta.branch
893                    && !commit_meta.source_branch.is_empty()
894                {
895                    format!(" (from {})", commit_meta.source_branch)
896                } else {
897                    String::new()
898                }
899            } else {
900                String::new()
901            }
902        } else {
903            String::new()
904        };
905
906        let status_icon = if entry.is_submitted {
907            "[submitted]"
908        } else {
909            "[pending]"
910        };
911        Output::numbered_item(
912            entry_num,
913            format!("{short_hash} {status_icon} {short_msg}{source_branch_info}"),
914        );
915
916        if verbose {
917            Output::sub_item(format!("Branch: {}", entry.branch));
918            Output::sub_item(format!(
919                "Created: {}",
920                entry.created_at.format("%Y-%m-%d %H:%M")
921            ));
922            if let Some(pr_id) = &entry.pull_request_id {
923                Output::sub_item(format!("PR: #{pr_id}"));
924            }
925
926            // Display full commit message
927            Output::sub_item("Commit Message:");
928            let lines: Vec<&str> = entry.message.lines().collect();
929            for line in lines {
930                Output::sub_item(format!("  {line}"));
931            }
932        }
933    }
934
935    // Enhanced PR status if requested and available
936    if show_mergeable {
937        Output::section("Mergability Status");
938
939        // Load configuration and create Bitbucket integration
940        let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
941        let config_path = config_dir.join("config.json");
942        let settings = crate::config::Settings::load_from_file(&config_path)?;
943
944        let cascade_config = crate::config::CascadeConfig {
945            bitbucket: Some(settings.bitbucket.clone()),
946            git: settings.git.clone(),
947            auth: crate::config::AuthConfig::default(),
948            cascade: settings.cascade.clone(),
949        };
950
951        let integration =
952            crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
953
954        match integration.check_enhanced_stack_status(&stack_id).await {
955            Ok(status) => {
956                Output::bullet(format!("Total entries: {}", status.total_entries));
957                Output::bullet(format!("Submitted: {}", status.submitted_entries));
958                Output::bullet(format!("Open PRs: {}", status.open_prs));
959                Output::bullet(format!("Merged PRs: {}", status.merged_prs));
960                Output::bullet(format!("Declined PRs: {}", status.declined_prs));
961                Output::bullet(format!(
962                    "Completion: {:.1}%",
963                    status.completion_percentage()
964                ));
965
966                if !status.enhanced_statuses.is_empty() {
967                    Output::section("Pull Request Status");
968                    let mut ready_to_land = 0;
969
970                    for enhanced in &status.enhanced_statuses {
971                        let status_display = enhanced.get_display_status();
972                        let ready_icon = if enhanced.is_ready_to_land() {
973                            ready_to_land += 1;
974                            "[READY]"
975                        } else {
976                            "[PENDING]"
977                        };
978
979                        Output::bullet(format!(
980                            "{} PR #{}: {} ({})",
981                            ready_icon, enhanced.pr.id, enhanced.pr.title, status_display
982                        ));
983
984                        if verbose {
985                            println!(
986                                "      {} -> {}",
987                                enhanced.pr.from_ref.display_id, enhanced.pr.to_ref.display_id
988                            );
989
990                            // Show blocking reasons if not ready
991                            if !enhanced.is_ready_to_land() {
992                                let blocking = enhanced.get_blocking_reasons();
993                                if !blocking.is_empty() {
994                                    println!("      Blocking: {}", blocking.join(", "));
995                                }
996                            }
997
998                            // Show review details (actual count from Bitbucket)
999                            println!(
1000                                "      Reviews: {} approval{}",
1001                                enhanced.review_status.current_approvals,
1002                                if enhanced.review_status.current_approvals == 1 {
1003                                    ""
1004                                } else {
1005                                    "s"
1006                                }
1007                            );
1008
1009                            if enhanced.review_status.needs_work_count > 0 {
1010                                println!(
1011                                    "      {} reviewers requested changes",
1012                                    enhanced.review_status.needs_work_count
1013                                );
1014                            }
1015
1016                            // Show build status
1017                            if let Some(build) = &enhanced.build_status {
1018                                let build_icon = match build.state {
1019                                    crate::bitbucket::pull_request::BuildState::Successful => "✓",
1020                                    crate::bitbucket::pull_request::BuildState::Failed => "✗",
1021                                    crate::bitbucket::pull_request::BuildState::InProgress => "~",
1022                                    _ => "○",
1023                                };
1024                                println!("      Build: {} {:?}", build_icon, build.state);
1025                            }
1026
1027                            if let Some(url) = enhanced.pr.web_url() {
1028                                println!("      URL: {url}");
1029                            }
1030                            println!();
1031                        }
1032                    }
1033
1034                    if ready_to_land > 0 {
1035                        println!(
1036                            "\n🎯 {} PR{} ready to land! Use 'ca land' to land them all.",
1037                            ready_to_land,
1038                            if ready_to_land == 1 { " is" } else { "s are" }
1039                        );
1040                    }
1041                }
1042            }
1043            Err(e) => {
1044                tracing::debug!("Failed to get enhanced stack status: {}", e);
1045                Output::warning("Could not fetch mergability status");
1046                Output::sub_item("Use 'ca stack show --verbose' for basic PR information");
1047            }
1048        }
1049    } else {
1050        // Original PR status display for compatibility
1051        let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
1052        let config_path = config_dir.join("config.json");
1053        let settings = crate::config::Settings::load_from_file(&config_path)?;
1054
1055        let cascade_config = crate::config::CascadeConfig {
1056            bitbucket: Some(settings.bitbucket.clone()),
1057            git: settings.git.clone(),
1058            auth: crate::config::AuthConfig::default(),
1059            cascade: settings.cascade.clone(),
1060        };
1061
1062        let integration =
1063            crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
1064
1065        match integration.check_stack_status(&stack_id).await {
1066            Ok(status) => {
1067                println!("\nPull Request Status:");
1068                println!("   Total entries: {}", status.total_entries);
1069                println!("   Submitted: {}", status.submitted_entries);
1070                println!("   Open PRs: {}", status.open_prs);
1071                println!("   Merged PRs: {}", status.merged_prs);
1072                println!("   Declined PRs: {}", status.declined_prs);
1073                println!("   Completion: {:.1}%", status.completion_percentage());
1074
1075                if !status.pull_requests.is_empty() {
1076                    println!("\nPull Requests:");
1077                    for pr in &status.pull_requests {
1078                        let state_icon = match pr.state {
1079                            crate::bitbucket::PullRequestState::Open => "→",
1080                            crate::bitbucket::PullRequestState::Merged => "✓",
1081                            crate::bitbucket::PullRequestState::Declined => "✗",
1082                        };
1083                        println!(
1084                            "   {} PR #{}: {} ({} -> {})",
1085                            state_icon,
1086                            pr.id,
1087                            pr.title,
1088                            pr.from_ref.display_id,
1089                            pr.to_ref.display_id
1090                        );
1091                        if let Some(url) = pr.web_url() {
1092                            println!("      URL: {url}");
1093                        }
1094                    }
1095                }
1096
1097                println!();
1098                Output::tip("Use 'ca stack --mergeable' to see detailed status including build and review information");
1099            }
1100            Err(e) => {
1101                tracing::debug!("Failed to check stack status: {}", e);
1102            }
1103        }
1104    }
1105
1106    Ok(())
1107}
1108
1109#[allow(clippy::too_many_arguments)]
1110async fn push_to_stack(
1111    branch: Option<String>,
1112    message: Option<String>,
1113    commit: Option<String>,
1114    since: Option<String>,
1115    commits: Option<String>,
1116    squash: Option<usize>,
1117    squash_since: Option<String>,
1118    auto_branch: bool,
1119    allow_base_branch: bool,
1120    dry_run: bool,
1121) -> Result<()> {
1122    let current_dir = env::current_dir()
1123        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1124
1125    let repo_root = find_repository_root(&current_dir)
1126        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1127
1128    let mut manager = StackManager::new(&repo_root)?;
1129    let repo = GitRepository::open(&repo_root)?;
1130
1131    // Check for branch changes and prompt user if needed
1132    if !manager.check_for_branch_change()? {
1133        return Ok(()); // User chose to cancel or deactivate stack
1134    }
1135
1136    // Get the active stack to check base branch
1137    let active_stack = manager.get_active_stack().ok_or_else(|| {
1138        CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
1139    })?;
1140
1141    // 🛡️ BASE BRANCH PROTECTION
1142    let current_branch = repo.get_current_branch()?;
1143    let base_branch = &active_stack.base_branch;
1144
1145    if current_branch == *base_branch {
1146        Output::error(format!(
1147            "You're currently on the base branch '{base_branch}'"
1148        ));
1149        Output::sub_item("Making commits directly on the base branch is not recommended.");
1150        Output::sub_item("This can pollute the base branch with work-in-progress commits.");
1151
1152        // Check if user explicitly allowed base branch work
1153        if allow_base_branch {
1154            Output::warning("Proceeding anyway due to --allow-base-branch flag");
1155        } else {
1156            // Check if we have uncommitted changes
1157            let has_changes = repo.is_dirty()?;
1158
1159            if has_changes {
1160                if auto_branch {
1161                    // Auto-create branch and commit changes
1162                    let feature_branch = format!("feature/{}-work", active_stack.name);
1163                    Output::progress(format!(
1164                        "Auto-creating feature branch '{feature_branch}'..."
1165                    ));
1166
1167                    repo.create_branch(&feature_branch, None)?;
1168                    repo.checkout_branch(&feature_branch)?;
1169
1170                    Output::success(format!("Created and switched to '{feature_branch}'"));
1171                    println!("   You can now commit and push your changes safely");
1172
1173                    // Continue with normal flow
1174                } else {
1175                    println!("\nYou have uncommitted changes. Here are your options:");
1176                    println!("   1. Create a feature branch first:");
1177                    println!("      git checkout -b feature/my-work");
1178                    println!("      git commit -am \"your work\"");
1179                    println!("      ca push");
1180                    println!("\n   2. Auto-create a branch (recommended):");
1181                    println!("      ca push --auto-branch");
1182                    println!("\n   3. Force push to base branch (dangerous):");
1183                    println!("      ca push --allow-base-branch");
1184
1185                    return Err(CascadeError::config(
1186                        "Refusing to push uncommitted changes from base branch. Use one of the options above."
1187                    ));
1188                }
1189            } else {
1190                // Check if there are existing commits to push
1191                let commits_to_check = if let Some(commits_str) = &commits {
1192                    commits_str
1193                        .split(',')
1194                        .map(|s| s.trim().to_string())
1195                        .collect::<Vec<String>>()
1196                } else if let Some(since_ref) = &since {
1197                    let since_commit = repo.resolve_reference(since_ref)?;
1198                    let head_commit = repo.get_head_commit()?;
1199                    let commits = repo.get_commits_between(
1200                        &since_commit.id().to_string(),
1201                        &head_commit.id().to_string(),
1202                    )?;
1203                    commits.into_iter().map(|c| c.id().to_string()).collect()
1204                } else if commit.is_none() {
1205                    let mut unpushed = Vec::new();
1206                    let head_commit = repo.get_head_commit()?;
1207                    let mut current_commit = head_commit;
1208
1209                    loop {
1210                        let commit_hash = current_commit.id().to_string();
1211                        let already_in_stack = active_stack
1212                            .entries
1213                            .iter()
1214                            .any(|entry| entry.commit_hash == commit_hash);
1215
1216                        if already_in_stack {
1217                            break;
1218                        }
1219
1220                        unpushed.push(commit_hash);
1221
1222                        if let Some(parent) = current_commit.parents().next() {
1223                            current_commit = parent;
1224                        } else {
1225                            break;
1226                        }
1227                    }
1228
1229                    unpushed.reverse();
1230                    unpushed
1231                } else {
1232                    vec![repo.get_head_commit()?.id().to_string()]
1233                };
1234
1235                if !commits_to_check.is_empty() {
1236                    if auto_branch {
1237                        // Auto-create feature branch and cherry-pick commits
1238                        let feature_branch = format!("feature/{}-work", active_stack.name);
1239                        Output::progress(format!(
1240                            "Auto-creating feature branch '{feature_branch}'..."
1241                        ));
1242
1243                        repo.create_branch(&feature_branch, Some(base_branch))?;
1244                        repo.checkout_branch(&feature_branch)?;
1245
1246                        // Cherry-pick the commits to the new branch
1247                        println!(
1248                            "🍒 Cherry-picking {} commit(s) to new branch...",
1249                            commits_to_check.len()
1250                        );
1251                        for commit_hash in &commits_to_check {
1252                            match repo.cherry_pick(commit_hash) {
1253                                Ok(_) => println!("   ✅ Cherry-picked {}", &commit_hash[..8]),
1254                                Err(e) => {
1255                                    Output::error(format!(
1256                                        "Failed to cherry-pick {}: {}",
1257                                        &commit_hash[..8],
1258                                        e
1259                                    ));
1260                                    Output::tip("You may need to resolve conflicts manually");
1261                                    return Err(CascadeError::branch(format!(
1262                                        "Failed to cherry-pick commit {commit_hash}: {e}"
1263                                    )));
1264                                }
1265                            }
1266                        }
1267
1268                        println!(
1269                            "✅ Successfully moved {} commit(s) to '{feature_branch}'",
1270                            commits_to_check.len()
1271                        );
1272                        println!(
1273                            "   You're now on the feature branch and can continue with 'ca push'"
1274                        );
1275
1276                        // Continue with normal flow
1277                    } else {
1278                        println!(
1279                            "\n💡 Found {} commit(s) to push from base branch '{base_branch}'",
1280                            commits_to_check.len()
1281                        );
1282                        println!("   These commits are currently ON the base branch, which may not be intended.");
1283                        println!("\n   Options:");
1284                        println!("   1. Auto-create feature branch and cherry-pick commits:");
1285                        println!("      ca push --auto-branch");
1286                        println!("\n   2. Manually create branch and move commits:");
1287                        println!("      git checkout -b feature/my-work");
1288                        println!("      ca push");
1289                        println!("\n   3. Force push from base branch (not recommended):");
1290                        println!("      ca push --allow-base-branch");
1291
1292                        return Err(CascadeError::config(
1293                            "Refusing to push commits from base branch. Use --auto-branch or create a feature branch manually."
1294                        ));
1295                    }
1296                }
1297            }
1298        }
1299    }
1300
1301    // Handle squash operations first
1302    if let Some(squash_count) = squash {
1303        if squash_count == 0 {
1304            // User used --squash without specifying count, auto-detect unpushed commits
1305            let active_stack = manager.get_active_stack().ok_or_else(|| {
1306                CascadeError::config(
1307                    "No active stack. Create a stack first with 'ca stacks create'",
1308                )
1309            })?;
1310
1311            let unpushed_count = get_unpushed_commits(&repo, active_stack)?.len();
1312
1313            if unpushed_count == 0 {
1314                Output::info("  No unpushed commits to squash");
1315            } else if unpushed_count == 1 {
1316                Output::info("  Only 1 unpushed commit, no squashing needed");
1317            } else {
1318                println!(" Auto-detected {unpushed_count} unpushed commits, squashing...");
1319                squash_commits(&repo, unpushed_count, None).await?;
1320                Output::success(" Squashed {unpushed_count} unpushed commits into one");
1321            }
1322        } else {
1323            println!(" Squashing last {squash_count} commits...");
1324            squash_commits(&repo, squash_count, None).await?;
1325            Output::success(" Squashed {squash_count} commits into one");
1326        }
1327    } else if let Some(since_ref) = squash_since {
1328        println!(" Squashing commits since {since_ref}...");
1329        let since_commit = repo.resolve_reference(&since_ref)?;
1330        let commits_count = count_commits_since(&repo, &since_commit.id().to_string())?;
1331        squash_commits(&repo, commits_count, Some(since_ref.clone())).await?;
1332        Output::success(" Squashed {commits_count} commits since {since_ref} into one");
1333    }
1334
1335    // Determine which commits to push
1336    let commits_to_push = if let Some(commits_str) = commits {
1337        // Parse comma-separated commit hashes
1338        commits_str
1339            .split(',')
1340            .map(|s| s.trim().to_string())
1341            .collect::<Vec<String>>()
1342    } else if let Some(since_ref) = since {
1343        // Get commits since the specified reference
1344        let since_commit = repo.resolve_reference(&since_ref)?;
1345        let head_commit = repo.get_head_commit()?;
1346
1347        // Get commits between since_ref and HEAD
1348        let commits = repo.get_commits_between(
1349            &since_commit.id().to_string(),
1350            &head_commit.id().to_string(),
1351        )?;
1352        commits.into_iter().map(|c| c.id().to_string()).collect()
1353    } else if let Some(hash) = commit {
1354        // Single specific commit
1355        vec![hash]
1356    } else {
1357        // Default: Get all unpushed commits (commits on current branch but not on base branch)
1358        let active_stack = manager.get_active_stack().ok_or_else(|| {
1359            CascadeError::config("No active stack. Create a stack first with 'ca stacks create'")
1360        })?;
1361
1362        // Get commits that are on current branch but not on the base branch
1363        let base_branch = &active_stack.base_branch;
1364        let current_branch = repo.get_current_branch()?;
1365
1366        // If we're on the base branch, only include commits that aren't already in the stack
1367        if current_branch == *base_branch {
1368            let mut unpushed = Vec::new();
1369            let head_commit = repo.get_head_commit()?;
1370            let mut current_commit = head_commit;
1371
1372            // Walk back from HEAD until we find a commit that's already in the stack
1373            loop {
1374                let commit_hash = current_commit.id().to_string();
1375                let already_in_stack = active_stack
1376                    .entries
1377                    .iter()
1378                    .any(|entry| entry.commit_hash == commit_hash);
1379
1380                if already_in_stack {
1381                    break;
1382                }
1383
1384                unpushed.push(commit_hash);
1385
1386                // Move to parent commit
1387                if let Some(parent) = current_commit.parents().next() {
1388                    current_commit = parent;
1389                } else {
1390                    break;
1391                }
1392            }
1393
1394            unpushed.reverse(); // Reverse to get chronological order
1395            unpushed
1396        } else {
1397            // Use git's commit range calculation to find commits on current branch but not on base
1398            match repo.get_commits_between(base_branch, &current_branch) {
1399                Ok(commits) => {
1400                    let mut unpushed: Vec<String> =
1401                        commits.into_iter().map(|c| c.id().to_string()).collect();
1402
1403                    // Filter out commits that are already in the stack
1404                    unpushed.retain(|commit_hash| {
1405                        !active_stack
1406                            .entries
1407                            .iter()
1408                            .any(|entry| entry.commit_hash == *commit_hash)
1409                    });
1410
1411                    unpushed.reverse(); // Reverse to get chronological order (oldest first)
1412                    unpushed
1413                }
1414                Err(e) => {
1415                    return Err(CascadeError::branch(format!(
1416                            "Failed to calculate commits between '{base_branch}' and '{current_branch}': {e}. \
1417                             This usually means the branches have diverged or don't share common history."
1418                        )));
1419                }
1420            }
1421        }
1422    };
1423
1424    if commits_to_push.is_empty() {
1425        Output::info("  No commits to push to stack");
1426        return Ok(());
1427    }
1428
1429    // 🛡️ SAFEGUARDS: Analyze commits before pushing
1430    analyze_commits_for_safeguards(&commits_to_push, &repo, dry_run).await?;
1431
1432    // Early return for dry run mode
1433    if dry_run {
1434        return Ok(());
1435    }
1436
1437    // Push each commit to the stack
1438    let mut pushed_count = 0;
1439    let mut source_branches = std::collections::HashSet::new();
1440
1441    for (i, commit_hash) in commits_to_push.iter().enumerate() {
1442        let commit_obj = repo.get_commit(commit_hash)?;
1443        let commit_msg = commit_obj.message().unwrap_or("").to_string();
1444
1445        // Check which branch this commit belongs to
1446        let commit_source_branch = repo
1447            .find_branch_containing_commit(commit_hash)
1448            .unwrap_or_else(|_| current_branch.clone());
1449        source_branches.insert(commit_source_branch.clone());
1450
1451        // Generate branch name (use provided branch for first commit, generate for others)
1452        let branch_name = if i == 0 && branch.is_some() {
1453            branch.clone().unwrap()
1454        } else {
1455            // Create a temporary GitRepository for branch name generation
1456            let temp_repo = GitRepository::open(&repo_root)?;
1457            let branch_mgr = crate::git::BranchManager::new(temp_repo);
1458            branch_mgr.generate_branch_name(&commit_msg)
1459        };
1460
1461        // Use provided message for first commit, original message for others
1462        let final_message = if i == 0 && message.is_some() {
1463            message.clone().unwrap()
1464        } else {
1465            commit_msg.clone()
1466        };
1467
1468        let entry_id = manager.push_to_stack(
1469            branch_name.clone(),
1470            commit_hash.clone(),
1471            final_message.clone(),
1472            commit_source_branch.clone(),
1473        )?;
1474        pushed_count += 1;
1475
1476        Output::success(format!(
1477            "Pushed commit {}/{} to stack",
1478            i + 1,
1479            commits_to_push.len()
1480        ));
1481        Output::sub_item(format!(
1482            "Commit: {} ({})",
1483            &commit_hash[..8],
1484            commit_msg.split('\n').next().unwrap_or("")
1485        ));
1486        Output::sub_item(format!("Branch: {branch_name}"));
1487        Output::sub_item(format!("Source: {commit_source_branch}"));
1488        Output::sub_item(format!("Entry ID: {entry_id}"));
1489        println!();
1490    }
1491
1492    // 🚨 SCATTERED COMMIT WARNING
1493    if source_branches.len() > 1 {
1494        Output::warning("Scattered Commit Detection");
1495        Output::sub_item(format!(
1496            "You've pushed commits from {} different Git branches:",
1497            source_branches.len()
1498        ));
1499        for branch in &source_branches {
1500            Output::bullet(branch.to_string());
1501        }
1502
1503        Output::section("This can lead to confusion because:");
1504        Output::bullet("Stack appears sequential but commits are scattered across branches");
1505        Output::bullet("Team members won't know which branch contains which work");
1506        Output::bullet("Branch cleanup becomes unclear after merge");
1507        Output::bullet("Rebase operations become more complex");
1508
1509        Output::tip("Consider consolidating work to a single feature branch:");
1510        Output::bullet("Create a new feature branch: git checkout -b feature/consolidated-work");
1511        Output::bullet("Cherry-pick commits in order: git cherry-pick <commit1> <commit2> ...");
1512        Output::bullet("Delete old scattered branches");
1513        Output::bullet("Push the consolidated branch to your stack");
1514        println!();
1515    }
1516
1517    Output::success(format!(
1518        "Successfully pushed {} commit{} to stack",
1519        pushed_count,
1520        if pushed_count == 1 { "" } else { "s" }
1521    ));
1522
1523    Ok(())
1524}
1525
1526async fn pop_from_stack(keep_branch: bool) -> Result<()> {
1527    let current_dir = env::current_dir()
1528        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1529
1530    let repo_root = find_repository_root(&current_dir)
1531        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1532
1533    let mut manager = StackManager::new(&repo_root)?;
1534    let repo = GitRepository::open(&repo_root)?;
1535
1536    let entry = manager.pop_from_stack()?;
1537
1538    Output::success("Popped commit from stack");
1539    Output::sub_item(format!(
1540        "Commit: {} ({})",
1541        entry.short_hash(),
1542        entry.short_message(50)
1543    ));
1544    Output::sub_item(format!("Branch: {}", entry.branch));
1545
1546    // Delete branch if requested and it's not the current branch
1547    if !keep_branch && entry.branch != repo.get_current_branch()? {
1548        match repo.delete_branch(&entry.branch) {
1549            Ok(_) => Output::sub_item(format!("Deleted branch: {}", entry.branch)),
1550            Err(e) => Output::warning(format!("Could not delete branch {}: {}", entry.branch, e)),
1551        }
1552    }
1553
1554    Ok(())
1555}
1556
1557async fn submit_entry(
1558    entry: Option<usize>,
1559    title: Option<String>,
1560    description: Option<String>,
1561    range: Option<String>,
1562    draft: bool,
1563    open: bool,
1564) -> Result<()> {
1565    let current_dir = env::current_dir()
1566        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1567
1568    let repo_root = find_repository_root(&current_dir)
1569        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1570
1571    let mut stack_manager = StackManager::new(&repo_root)?;
1572
1573    // Check for branch changes and prompt user if needed
1574    if !stack_manager.check_for_branch_change()? {
1575        return Ok(()); // User chose to cancel or deactivate stack
1576    }
1577
1578    // Load configuration first
1579    let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
1580    let config_path = config_dir.join("config.json");
1581    let settings = crate::config::Settings::load_from_file(&config_path)?;
1582
1583    // Create the main config structure
1584    let cascade_config = crate::config::CascadeConfig {
1585        bitbucket: Some(settings.bitbucket.clone()),
1586        git: settings.git.clone(),
1587        auth: crate::config::AuthConfig::default(),
1588        cascade: settings.cascade.clone(),
1589    };
1590
1591    // Get the active stack
1592    let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
1593        CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
1594    })?;
1595    let stack_id = active_stack.id;
1596
1597    // Determine which entries to submit
1598    let entries_to_submit = if let Some(range_str) = range {
1599        // Parse range (e.g., "1-3" or "2,4,6")
1600        let mut entries = Vec::new();
1601
1602        if range_str.contains('-') {
1603            // Handle range like "1-3"
1604            let parts: Vec<&str> = range_str.split('-').collect();
1605            if parts.len() != 2 {
1606                return Err(CascadeError::config(
1607                    "Invalid range format. Use 'start-end' (e.g., '1-3')",
1608                ));
1609            }
1610
1611            let start: usize = parts[0]
1612                .parse()
1613                .map_err(|_| CascadeError::config("Invalid start number in range"))?;
1614            let end: usize = parts[1]
1615                .parse()
1616                .map_err(|_| CascadeError::config("Invalid end number in range"))?;
1617
1618            if start == 0
1619                || end == 0
1620                || start > active_stack.entries.len()
1621                || end > active_stack.entries.len()
1622            {
1623                return Err(CascadeError::config(format!(
1624                    "Range out of bounds. Stack has {} entries",
1625                    active_stack.entries.len()
1626                )));
1627            }
1628
1629            for i in start..=end {
1630                entries.push((i, active_stack.entries[i - 1].clone()));
1631            }
1632        } else {
1633            // Handle comma-separated list like "2,4,6"
1634            for entry_str in range_str.split(',') {
1635                let entry_num: usize = entry_str.trim().parse().map_err(|_| {
1636                    CascadeError::config(format!("Invalid entry number: {entry_str}"))
1637                })?;
1638
1639                if entry_num == 0 || entry_num > active_stack.entries.len() {
1640                    return Err(CascadeError::config(format!(
1641                        "Entry {} out of bounds. Stack has {} entries",
1642                        entry_num,
1643                        active_stack.entries.len()
1644                    )));
1645                }
1646
1647                entries.push((entry_num, active_stack.entries[entry_num - 1].clone()));
1648            }
1649        }
1650
1651        entries
1652    } else if let Some(entry_num) = entry {
1653        // Single entry specified
1654        if entry_num == 0 || entry_num > active_stack.entries.len() {
1655            return Err(CascadeError::config(format!(
1656                "Invalid entry number: {}. Stack has {} entries",
1657                entry_num,
1658                active_stack.entries.len()
1659            )));
1660        }
1661        vec![(entry_num, active_stack.entries[entry_num - 1].clone())]
1662    } else {
1663        // Default: Submit all unsubmitted entries
1664        active_stack
1665            .entries
1666            .iter()
1667            .enumerate()
1668            .filter(|(_, entry)| !entry.is_submitted)
1669            .map(|(i, entry)| (i + 1, entry.clone())) // Convert to 1-based indexing
1670            .collect::<Vec<(usize, _)>>()
1671    };
1672
1673    if entries_to_submit.is_empty() {
1674        Output::info("No entries to submit");
1675        return Ok(());
1676    }
1677
1678    // Professional output for submission
1679    Output::section(format!(
1680        "Submitting {} {}",
1681        entries_to_submit.len(),
1682        if entries_to_submit.len() == 1 {
1683            "entry"
1684        } else {
1685            "entries"
1686        }
1687    ));
1688    println!();
1689
1690    // Create a new StackManager for the integration (since the original was moved)
1691    let integration_stack_manager = StackManager::new(&repo_root)?;
1692    let mut integration =
1693        BitbucketIntegration::new(integration_stack_manager, cascade_config.clone())?;
1694
1695    // Submit each entry
1696    let mut submitted_count = 0;
1697    let mut failed_entries = Vec::new();
1698    let mut pr_urls = Vec::new(); // Collect URLs to open
1699    let total_entries = entries_to_submit.len();
1700
1701    for (entry_num, entry_to_submit) in &entries_to_submit {
1702        // Show what we're submitting
1703        let tree_char = if entries_to_submit.len() == 1 {
1704            "→"
1705        } else if entry_num == &entries_to_submit.len() {
1706            "└─"
1707        } else {
1708            "├─"
1709        };
1710        print!(
1711            "   {} Entry {}: {}... ",
1712            tree_char, entry_num, entry_to_submit.branch
1713        );
1714        std::io::Write::flush(&mut std::io::stdout()).ok();
1715
1716        // Use provided title/description only for first entry or single entry submissions
1717        let entry_title = if total_entries == 1 {
1718            title.clone()
1719        } else {
1720            None
1721        };
1722        let entry_description = if total_entries == 1 {
1723            description.clone()
1724        } else {
1725            None
1726        };
1727
1728        match integration
1729            .submit_entry(
1730                &stack_id,
1731                &entry_to_submit.id,
1732                entry_title,
1733                entry_description,
1734                draft,
1735            )
1736            .await
1737        {
1738            Ok(pr) => {
1739                submitted_count += 1;
1740                Output::success(format!("PR #{}", pr.id));
1741                if let Some(url) = pr.web_url() {
1742                    Output::sub_item(format!(
1743                        "{} → {}",
1744                        pr.from_ref.display_id, pr.to_ref.display_id
1745                    ));
1746                    Output::sub_item(format!("URL: {url}"));
1747                    pr_urls.push(url); // Collect for opening later
1748                }
1749            }
1750            Err(e) => {
1751                Output::error("Failed");
1752                // Extract clean error message (remove git stderr noise)
1753                let clean_error = if e.to_string().contains("non-fast-forward") {
1754                    "Branch has diverged (was rebased after initial submission). Update to v0.1.41+ to auto force-push.".to_string()
1755                } else if e.to_string().contains("authentication") {
1756                    "Authentication failed. Check your Bitbucket credentials.".to_string()
1757                } else {
1758                    // Extract first meaningful line, skip git hints
1759                    e.to_string()
1760                        .lines()
1761                        .filter(|l| !l.trim().starts_with("hint:") && !l.trim().is_empty())
1762                        .take(1)
1763                        .collect::<Vec<_>>()
1764                        .join(" ")
1765                        .trim()
1766                        .to_string()
1767                };
1768                Output::sub_item(format!("Error: {}", clean_error));
1769                failed_entries.push((*entry_num, clean_error));
1770            }
1771        }
1772    }
1773
1774    println!();
1775
1776    // Update all PR descriptions in the stack if any PRs were created/exist
1777    let has_any_prs = active_stack
1778        .entries
1779        .iter()
1780        .any(|e| e.pull_request_id.is_some());
1781    if has_any_prs && submitted_count > 0 {
1782        match integration.update_all_pr_descriptions(&stack_id).await {
1783            Ok(updated_prs) => {
1784                if !updated_prs.is_empty() {
1785                    Output::sub_item(format!(
1786                        "Updated {} PR description{} with stack hierarchy",
1787                        updated_prs.len(),
1788                        if updated_prs.len() == 1 { "" } else { "s" }
1789                    ));
1790                }
1791            }
1792            Err(e) => {
1793                // Suppress benign 409 "out of date" errors - these happen when PR was just created
1794                // and Bitbucket's version hasn't propagated yet. The PR still gets created successfully.
1795                let error_msg = e.to_string();
1796                if !error_msg.contains("409") && !error_msg.contains("out-of-date") {
1797                    // Only show non-409 errors, and make them concise
1798                    let clean_error = error_msg.lines().next().unwrap_or("Unknown error").trim();
1799                    Output::warning(format!(
1800                        "Could not update some PR descriptions: {}",
1801                        clean_error
1802                    ));
1803                    Output::sub_item(
1804                        "PRs were created successfully - descriptions can be updated manually",
1805                    );
1806                }
1807            }
1808        }
1809    }
1810
1811    // Summary
1812    if failed_entries.is_empty() {
1813        Output::success(format!(
1814            "{} {} submitted successfully!",
1815            submitted_count,
1816            if submitted_count == 1 {
1817                "entry"
1818            } else {
1819                "entries"
1820            }
1821        ));
1822    } else {
1823        println!();
1824        Output::section("Submission Summary");
1825        Output::success(format!("Successful: {submitted_count}"));
1826        Output::error(format!("Failed: {}", failed_entries.len()));
1827
1828        if !failed_entries.is_empty() {
1829            println!();
1830            Output::tip("Retry failed entries:");
1831            for (entry_num, _) in &failed_entries {
1832                Output::bullet(format!("ca stack submit {entry_num}"));
1833            }
1834        }
1835    }
1836
1837    // Open PRs in browser if requested (default: true)
1838    if open && !pr_urls.is_empty() {
1839        println!();
1840        for url in &pr_urls {
1841            if let Err(e) = open::that(url) {
1842                Output::warning(format!("Could not open browser: {}", e));
1843                Output::tip(format!("Open manually: {}", url));
1844            }
1845        }
1846    }
1847
1848    Ok(())
1849}
1850
1851async fn check_stack_status(name: Option<String>) -> Result<()> {
1852    let current_dir = env::current_dir()
1853        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1854
1855    let repo_root = find_repository_root(&current_dir)
1856        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1857
1858    let stack_manager = StackManager::new(&repo_root)?;
1859
1860    // Load configuration
1861    let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
1862    let config_path = config_dir.join("config.json");
1863    let settings = crate::config::Settings::load_from_file(&config_path)?;
1864
1865    // Create the main config structure
1866    let cascade_config = crate::config::CascadeConfig {
1867        bitbucket: Some(settings.bitbucket.clone()),
1868        git: settings.git.clone(),
1869        auth: crate::config::AuthConfig::default(),
1870        cascade: settings.cascade.clone(),
1871    };
1872
1873    // Get stack information BEFORE moving stack_manager
1874    let stack = if let Some(name) = name {
1875        stack_manager
1876            .get_stack_by_name(&name)
1877            .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?
1878    } else {
1879        stack_manager.get_active_stack().ok_or_else(|| {
1880            CascadeError::config("No active stack. Use 'ca stack list' to see available stacks")
1881        })?
1882    };
1883    let stack_id = stack.id;
1884
1885    Output::section(format!("Stack: {}", stack.name));
1886    Output::sub_item(format!("ID: {}", stack.id));
1887    Output::sub_item(format!("Base: {}", stack.base_branch));
1888
1889    if let Some(description) = &stack.description {
1890        Output::sub_item(format!("Description: {description}"));
1891    }
1892
1893    // Create Bitbucket integration (this takes ownership of stack_manager)
1894    let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
1895
1896    // Check stack status
1897    match integration.check_stack_status(&stack_id).await {
1898        Ok(status) => {
1899            Output::section("Pull Request Status");
1900            Output::sub_item(format!("Total entries: {}", status.total_entries));
1901            Output::sub_item(format!("Submitted: {}", status.submitted_entries));
1902            Output::sub_item(format!("Open PRs: {}", status.open_prs));
1903            Output::sub_item(format!("Merged PRs: {}", status.merged_prs));
1904            Output::sub_item(format!("Declined PRs: {}", status.declined_prs));
1905            Output::sub_item(format!(
1906                "Completion: {:.1}%",
1907                status.completion_percentage()
1908            ));
1909
1910            if !status.pull_requests.is_empty() {
1911                Output::section("Pull Requests");
1912                for pr in &status.pull_requests {
1913                    let state_icon = match pr.state {
1914                        crate::bitbucket::PullRequestState::Open => "🔄",
1915                        crate::bitbucket::PullRequestState::Merged => "✅",
1916                        crate::bitbucket::PullRequestState::Declined => "❌",
1917                    };
1918                    Output::bullet(format!(
1919                        "{} PR #{}: {} ({} -> {})",
1920                        state_icon, pr.id, pr.title, pr.from_ref.display_id, pr.to_ref.display_id
1921                    ));
1922                    if let Some(url) = pr.web_url() {
1923                        Output::sub_item(format!("URL: {url}"));
1924                    }
1925                }
1926            }
1927        }
1928        Err(e) => {
1929            tracing::debug!("Failed to check stack status: {}", e);
1930            return Err(e);
1931        }
1932    }
1933
1934    Ok(())
1935}
1936
1937async fn list_pull_requests(state: Option<String>, verbose: bool) -> Result<()> {
1938    let current_dir = env::current_dir()
1939        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1940
1941    let repo_root = find_repository_root(&current_dir)
1942        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1943
1944    let stack_manager = StackManager::new(&repo_root)?;
1945
1946    // Load configuration
1947    let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
1948    let config_path = config_dir.join("config.json");
1949    let settings = crate::config::Settings::load_from_file(&config_path)?;
1950
1951    // Create the main config structure
1952    let cascade_config = crate::config::CascadeConfig {
1953        bitbucket: Some(settings.bitbucket.clone()),
1954        git: settings.git.clone(),
1955        auth: crate::config::AuthConfig::default(),
1956        cascade: settings.cascade.clone(),
1957    };
1958
1959    // Create Bitbucket integration
1960    let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
1961
1962    // Parse state filter
1963    let pr_state = if let Some(state_str) = state {
1964        match state_str.to_lowercase().as_str() {
1965            "open" => Some(crate::bitbucket::PullRequestState::Open),
1966            "merged" => Some(crate::bitbucket::PullRequestState::Merged),
1967            "declined" => Some(crate::bitbucket::PullRequestState::Declined),
1968            _ => {
1969                return Err(CascadeError::config(format!(
1970                    "Invalid state '{state_str}'. Use: open, merged, declined"
1971                )))
1972            }
1973        }
1974    } else {
1975        None
1976    };
1977
1978    // Get pull requests
1979    match integration.list_pull_requests(pr_state).await {
1980        Ok(pr_page) => {
1981            if pr_page.values.is_empty() {
1982                Output::info("No pull requests found.");
1983                return Ok(());
1984            }
1985
1986            println!("Pull Requests ({} total):", pr_page.values.len());
1987            for pr in &pr_page.values {
1988                let state_icon = match pr.state {
1989                    crate::bitbucket::PullRequestState::Open => "○",
1990                    crate::bitbucket::PullRequestState::Merged => "✓",
1991                    crate::bitbucket::PullRequestState::Declined => "✗",
1992                };
1993                println!("   {} PR #{}: {}", state_icon, pr.id, pr.title);
1994                if verbose {
1995                    println!(
1996                        "      From: {} -> {}",
1997                        pr.from_ref.display_id, pr.to_ref.display_id
1998                    );
1999                    println!(
2000                        "      Author: {}",
2001                        pr.author
2002                            .user
2003                            .display_name
2004                            .as_deref()
2005                            .unwrap_or(&pr.author.user.name)
2006                    );
2007                    if let Some(url) = pr.web_url() {
2008                        println!("      URL: {url}");
2009                    }
2010                    if let Some(desc) = &pr.description {
2011                        if !desc.is_empty() {
2012                            println!("      Description: {desc}");
2013                        }
2014                    }
2015                    println!();
2016                }
2017            }
2018
2019            if !verbose {
2020                println!("\nUse --verbose for more details");
2021            }
2022        }
2023        Err(e) => {
2024            warn!("Failed to list pull requests: {}", e);
2025            return Err(e);
2026        }
2027    }
2028
2029    Ok(())
2030}
2031
2032async fn check_stack(_force: bool) -> Result<()> {
2033    let current_dir = env::current_dir()
2034        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2035
2036    let repo_root = find_repository_root(&current_dir)
2037        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2038
2039    let mut manager = StackManager::new(&repo_root)?;
2040
2041    let active_stack = manager
2042        .get_active_stack()
2043        .ok_or_else(|| CascadeError::config("No active stack"))?;
2044    let stack_id = active_stack.id;
2045
2046    manager.sync_stack(&stack_id)?;
2047
2048    Output::success("Stack check completed successfully");
2049
2050    Ok(())
2051}
2052
2053async fn continue_sync() -> Result<()> {
2054    let current_dir = env::current_dir()
2055        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2056
2057    let repo_root = find_repository_root(&current_dir)?;
2058
2059    Output::section("Continuing sync from where it left off");
2060    println!();
2061
2062    // Check if there's an in-progress cherry-pick
2063    let cherry_pick_head = repo_root.join(".git").join("CHERRY_PICK_HEAD");
2064    if !cherry_pick_head.exists() {
2065        return Err(CascadeError::config(
2066            "No in-progress cherry-pick found. Nothing to continue.\n\n\
2067             Use 'ca sync' to start a new sync."
2068                .to_string(),
2069        ));
2070    }
2071
2072    Output::info("Staging all resolved files");
2073
2074    // Stage all resolved files
2075    std::process::Command::new("git")
2076        .args(["add", "-A"])
2077        .current_dir(&repo_root)
2078        .output()
2079        .map_err(CascadeError::Io)?;
2080
2081    Output::info("Continuing cherry-pick");
2082
2083    // Continue the cherry-pick
2084    let continue_output = std::process::Command::new("git")
2085        .args(["cherry-pick", "--continue"])
2086        .current_dir(&repo_root)
2087        .output()
2088        .map_err(CascadeError::Io)?;
2089
2090    if !continue_output.status.success() {
2091        let stderr = String::from_utf8_lossy(&continue_output.stderr);
2092        return Err(CascadeError::Branch(format!(
2093            "Failed to continue cherry-pick: {}\n\n\
2094             Make sure all conflicts are resolved.",
2095            stderr
2096        )));
2097    }
2098
2099    Output::success("Cherry-pick continued successfully");
2100    println!();
2101
2102    // Now we need to:
2103    // 1. Figure out which stack branch this temp branch belongs to
2104    // 2. Force-push the temp branch to the actual stack branch
2105    // 3. Checkout to the working branch
2106    // 4. Continue with sync_stack() to process remaining entries
2107
2108    let git_repo = crate::git::GitRepository::open(&repo_root)?;
2109    let current_branch = git_repo.get_current_branch()?;
2110
2111    // Parse temp branch name to get the original branch
2112    // Format: {original-branch}-temp-{timestamp}
2113    let stack_branch = if let Some(idx) = current_branch.rfind("-temp-") {
2114        current_branch[..idx].to_string()
2115    } else {
2116        return Err(CascadeError::config(format!(
2117            "Current branch '{}' doesn't appear to be a temp branch created by cascade.\n\
2118             Expected format: <branch>-temp-<timestamp>",
2119            current_branch
2120        )));
2121    };
2122
2123    Output::info(format!("Updating stack branch: {}", stack_branch));
2124
2125    // Force-push temp branch to stack branch
2126    std::process::Command::new("git")
2127        .args(["branch", "-f", &stack_branch])
2128        .current_dir(&repo_root)
2129        .output()
2130        .map_err(CascadeError::Io)?;
2131
2132    // Load stack to get working branch and update metadata
2133    let mut manager = crate::stack::StackManager::new(&repo_root)?;
2134
2135    // CRITICAL: Update the stack entry's commit hash to the new rebased commit
2136    // This prevents sync_stack() from thinking the working branch has "untracked" commits
2137    let new_commit_hash = git_repo.get_branch_head(&stack_branch)?;
2138
2139    // Get data we need from active_stack before mutably borrowing manager
2140    let (stack_id, entry_id_opt, working_branch) = {
2141        let active_stack = manager
2142            .get_active_stack()
2143            .ok_or_else(|| CascadeError::config("No active stack found"))?;
2144
2145        let entry_id_opt = active_stack
2146            .entries
2147            .iter()
2148            .find(|e| e.branch == stack_branch)
2149            .map(|e| e.id);
2150
2151        let working_branch = active_stack
2152            .working_branch
2153            .as_ref()
2154            .ok_or_else(|| CascadeError::config("Active stack has no working branch"))?
2155            .clone();
2156
2157        (active_stack.id, entry_id_opt, working_branch)
2158    };
2159
2160    // Now we can mutably borrow manager to update the entry
2161    if let Some(entry_id) = entry_id_opt {
2162        let stack = manager
2163            .get_stack_mut(&stack_id)
2164            .ok_or_else(|| CascadeError::config("Could not get mutable stack reference"))?;
2165
2166        stack
2167            .update_entry_commit_hash(&entry_id, new_commit_hash.clone())
2168            .map_err(CascadeError::config)?;
2169
2170        manager.save_to_disk()?;
2171    }
2172
2173    // Get the top of the stack to update the working branch
2174    let top_commit = {
2175        let active_stack = manager
2176            .get_active_stack()
2177            .ok_or_else(|| CascadeError::config("No active stack found"))?;
2178
2179        if let Some(last_entry) = active_stack.entries.last() {
2180            git_repo.get_branch_head(&last_entry.branch)?
2181        } else {
2182            new_commit_hash.clone()
2183        }
2184    };
2185
2186    Output::info(format!(
2187        "Checking out to working branch: {}",
2188        working_branch
2189    ));
2190
2191    // Checkout to working branch
2192    git_repo.checkout_branch_unsafe(&working_branch)?;
2193
2194    // Update working branch to point to the top of the rebased stack
2195    // In the continue_sync() context, we KNOW we just finished rebasing, so the
2196    // working branch's old commits are pre-rebase versions that should be replaced.
2197    // We unconditionally update here because:
2198    // 1. The user just resolved conflicts and continued the rebase
2199    // 2. The stack entry metadata has been updated to the new rebased commits
2200    // 3. Any "old" commits on the working branch are the pre-rebase versions
2201    // 4. The subsequent sync_stack() call will do final safety checks
2202    if let Ok(working_head) = git_repo.get_branch_head(&working_branch) {
2203        if working_head != top_commit {
2204            git_repo.update_branch_to_commit(&working_branch, &top_commit)?;
2205        }
2206    }
2207
2208    println!();
2209    Output::info("Resuming sync to complete the rebase...");
2210    println!();
2211
2212    // Continue with the full sync to process remaining entries
2213    sync_stack(false, false, false).await
2214}
2215
2216async fn sync_stack(force: bool, cleanup: bool, interactive: bool) -> Result<()> {
2217    let current_dir = env::current_dir()
2218        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2219
2220    let repo_root = find_repository_root(&current_dir)
2221        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2222
2223    let mut stack_manager = StackManager::new(&repo_root)?;
2224
2225    // Exit edit mode if active (sync will invalidate commit SHAs)
2226    // TODO: Add error recovery to restore edit mode if sync fails
2227    if stack_manager.is_in_edit_mode() {
2228        debug!("Exiting edit mode before sync (commit SHAs will change)");
2229        stack_manager.exit_edit_mode()?;
2230    }
2231
2232    let git_repo = GitRepository::open(&repo_root)?;
2233
2234    // Get active stack
2235    let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
2236        CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
2237    })?;
2238
2239    let base_branch = active_stack.base_branch.clone();
2240    let _stack_name = active_stack.name.clone();
2241
2242    // Save the original working branch before any checkouts
2243    let original_branch = git_repo.get_current_branch().ok();
2244
2245    // Sync starts silently - user will see the rebase output
2246
2247    // Step 1: Pull latest changes from base branch (silent unless error)
2248    match git_repo.checkout_branch_silent(&base_branch) {
2249        Ok(_) => {
2250            match git_repo.pull(&base_branch) {
2251                Ok(_) => {
2252                    // Silent success - only show on verbose or error
2253                }
2254                Err(e) => {
2255                    if force {
2256                        Output::warning(format!("Pull failed: {e} (continuing due to --force)"));
2257                    } else {
2258                        Output::error(format!("Failed to pull latest changes: {e}"));
2259                        Output::tip("Use --force to skip pull and continue with rebase");
2260                        return Err(CascadeError::branch(format!(
2261                            "Failed to pull latest changes from '{base_branch}': {e}. Use --force to continue anyway."
2262                        )));
2263                    }
2264                }
2265            }
2266        }
2267        Err(e) => {
2268            if force {
2269                Output::warning(format!(
2270                    "Failed to checkout '{base_branch}': {e} (continuing due to --force)"
2271                ));
2272            } else {
2273                Output::error(format!(
2274                    "Failed to checkout base branch '{base_branch}': {e}"
2275                ));
2276                Output::tip("Use --force to bypass checkout issues and continue anyway");
2277                return Err(CascadeError::branch(format!(
2278                    "Failed to checkout base branch '{base_branch}': {e}. Use --force to continue anyway."
2279                )));
2280            }
2281        }
2282    }
2283
2284    // Step 2: Reconcile metadata with current Git state before checking integrity
2285    // This fixes stale metadata from previous bugs or interrupted operations
2286    let mut updated_stack_manager = StackManager::new(&repo_root)?;
2287    let stack_id = active_stack.id;
2288
2289    // Update entry commit hashes to match current branch HEADs
2290    // This prevents false "branch modification" errors from stale metadata
2291    if let Some(stack) = updated_stack_manager.get_stack_mut(&stack_id) {
2292        let mut updates = Vec::new();
2293        for entry in &stack.entries {
2294            if let Ok(current_commit) = git_repo.get_branch_head(&entry.branch) {
2295                if entry.commit_hash != current_commit {
2296                    debug!(
2297                        "Reconciling entry '{}': updating hash from {} to {} (current branch HEAD)",
2298                        entry.branch,
2299                        &entry.commit_hash[..8],
2300                        &current_commit[..8]
2301                    );
2302                    updates.push((entry.id, current_commit));
2303                }
2304            }
2305        }
2306
2307        // Apply updates using safe wrapper
2308        for (entry_id, new_hash) in updates {
2309            stack
2310                .update_entry_commit_hash(&entry_id, new_hash)
2311                .map_err(CascadeError::config)?;
2312        }
2313
2314        // Save reconciled metadata
2315        updated_stack_manager.save_to_disk()?;
2316    }
2317
2318    match updated_stack_manager.sync_stack(&stack_id) {
2319        Ok(_) => {
2320            // Check the updated status
2321            if let Some(updated_stack) = updated_stack_manager.get_stack(&stack_id) {
2322                // Check for empty stack first
2323                if updated_stack.entries.is_empty() {
2324                    println!(); // Spacing
2325                    Output::info("Stack has no entries yet");
2326                    Output::tip("Use 'ca push' to add commits to this stack");
2327                    return Ok(());
2328                }
2329
2330                match &updated_stack.status {
2331                    crate::stack::StackStatus::NeedsSync => {
2332                        // Load configuration for Bitbucket integration
2333                        let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
2334                        let config_path = config_dir.join("config.json");
2335                        let settings = crate::config::Settings::load_from_file(&config_path)?;
2336
2337                        let cascade_config = crate::config::CascadeConfig {
2338                            bitbucket: Some(settings.bitbucket.clone()),
2339                            git: settings.git.clone(),
2340                            auth: crate::config::AuthConfig::default(),
2341                            cascade: settings.cascade.clone(),
2342                        };
2343
2344                        // Use the existing rebase system with force-push strategy
2345                        // This preserves PR history by force-pushing to original branches
2346                        let options = crate::stack::RebaseOptions {
2347                            strategy: crate::stack::RebaseStrategy::ForcePush,
2348                            interactive,
2349                            target_base: Some(base_branch.clone()),
2350                            preserve_merges: true,
2351                            auto_resolve: !interactive, // Re-enabled with safety checks
2352                            max_retries: 3,
2353                            skip_pull: Some(true), // Skip pull since we already pulled above
2354                            original_working_branch: original_branch.clone(), // Pass the saved working branch
2355                        };
2356
2357                        let mut rebase_manager = crate::stack::RebaseManager::new(
2358                            updated_stack_manager,
2359                            git_repo,
2360                            options,
2361                        );
2362
2363                        match rebase_manager.rebase_stack(&stack_id) {
2364                            Ok(result) => {
2365                                if !result.branch_mapping.is_empty() {
2366                                    // Update PRs if enabled
2367                                    if let Some(ref _bitbucket_config) = cascade_config.bitbucket {
2368                                        let integration_stack_manager =
2369                                            StackManager::new(&repo_root)?;
2370                                        let mut integration =
2371                                            crate::bitbucket::BitbucketIntegration::new(
2372                                                integration_stack_manager,
2373                                                cascade_config,
2374                                            )?;
2375
2376                                        match integration
2377                                            .update_prs_after_rebase(
2378                                                &stack_id,
2379                                                &result.branch_mapping,
2380                                            )
2381                                            .await
2382                                        {
2383                                            Ok(updated_prs) => {
2384                                                if !updated_prs.is_empty() {
2385                                                    println!(
2386                                                        "Updated {} pull requests",
2387                                                        updated_prs.len()
2388                                                    );
2389                                                }
2390                                            }
2391                                            Err(e) => {
2392                                                Output::warning(format!(
2393                                                    "Failed to update pull requests: {e}"
2394                                                ));
2395                                            }
2396                                        }
2397                                    }
2398                                }
2399                            }
2400                            Err(e) => {
2401                                // Error already contains instructions, just propagate it
2402                                return Err(e);
2403                            }
2404                        }
2405                    }
2406                    crate::stack::StackStatus::Clean => {
2407                        // Already up to date - silent success
2408                    }
2409                    other => {
2410                        // Only show unexpected status
2411                        Output::info(format!("Stack status: {other:?}"));
2412                    }
2413                }
2414            }
2415        }
2416        Err(e) => {
2417            if force {
2418                Output::warning(format!(
2419                    "Failed to check stack status: {e} (continuing due to --force)"
2420                ));
2421            } else {
2422                return Err(e);
2423            }
2424        }
2425    }
2426
2427    // Step 3: Cleanup merged branches (optional) - only if explicitly requested
2428    if cleanup {
2429        let git_repo_for_cleanup = GitRepository::open(&repo_root)?;
2430        match perform_simple_cleanup(&stack_manager, &git_repo_for_cleanup, false).await {
2431            Ok(result) => {
2432                if result.total_candidates > 0 {
2433                    Output::section("Cleanup Summary");
2434                    if !result.cleaned_branches.is_empty() {
2435                        Output::success(format!(
2436                            "Cleaned up {} merged branches",
2437                            result.cleaned_branches.len()
2438                        ));
2439                        for branch in &result.cleaned_branches {
2440                            Output::sub_item(format!("🗑️  Deleted: {branch}"));
2441                        }
2442                    }
2443                    if !result.skipped_branches.is_empty() {
2444                        Output::sub_item(format!(
2445                            "Skipped {} branches",
2446                            result.skipped_branches.len()
2447                        ));
2448                    }
2449                    if !result.failed_branches.is_empty() {
2450                        for (branch, error) in &result.failed_branches {
2451                            Output::warning(format!("Failed to clean up {branch}: {error}"));
2452                        }
2453                    }
2454                }
2455            }
2456            Err(e) => {
2457                Output::warning(format!("Branch cleanup failed: {e}"));
2458            }
2459        }
2460    }
2461
2462    // Return to original working branch
2463    if let Some(orig_branch) = original_branch {
2464        if orig_branch != base_branch {
2465            // Create new git_repo instance since the previous one was moved
2466            if let Ok(git_repo) = GitRepository::open(&repo_root) {
2467                if let Err(e) = git_repo.checkout_branch(&orig_branch) {
2468                    Output::warning(format!(
2469                        "Could not return to original branch '{}': {}",
2470                        orig_branch, e
2471                    ));
2472                }
2473            }
2474        }
2475    }
2476
2477    Output::success("Sync completed successfully!");
2478
2479    Ok(())
2480}
2481
2482async fn rebase_stack(
2483    interactive: bool,
2484    onto: Option<String>,
2485    strategy: Option<RebaseStrategyArg>,
2486) -> Result<()> {
2487    let current_dir = env::current_dir()
2488        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2489
2490    let repo_root = find_repository_root(&current_dir)
2491        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2492
2493    let stack_manager = StackManager::new(&repo_root)?;
2494    let git_repo = GitRepository::open(&repo_root)?;
2495
2496    // Load configuration for potential Bitbucket integration
2497    let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
2498    let config_path = config_dir.join("config.json");
2499    let settings = crate::config::Settings::load_from_file(&config_path)?;
2500
2501    // Create the main config structure
2502    let cascade_config = crate::config::CascadeConfig {
2503        bitbucket: Some(settings.bitbucket.clone()),
2504        git: settings.git.clone(),
2505        auth: crate::config::AuthConfig::default(),
2506        cascade: settings.cascade.clone(),
2507    };
2508
2509    // Get active stack
2510    let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
2511        CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
2512    })?;
2513    let stack_id = active_stack.id;
2514
2515    let active_stack = stack_manager
2516        .get_stack(&stack_id)
2517        .ok_or_else(|| CascadeError::config("Active stack not found"))?
2518        .clone();
2519
2520    if active_stack.entries.is_empty() {
2521        Output::info("Stack is empty. Nothing to rebase.");
2522        return Ok(());
2523    }
2524
2525    Output::progress(format!("Rebasing stack: {}", active_stack.name));
2526    Output::sub_item(format!("Base: {}", active_stack.base_branch));
2527
2528    // Determine rebase strategy (force-push is the industry standard for stacked diffs)
2529    let rebase_strategy = if let Some(cli_strategy) = strategy {
2530        match cli_strategy {
2531            RebaseStrategyArg::ForcePush => crate::stack::RebaseStrategy::ForcePush,
2532            RebaseStrategyArg::Interactive => crate::stack::RebaseStrategy::Interactive,
2533        }
2534    } else {
2535        // Default to force-push (industry standard for preserving PR history)
2536        crate::stack::RebaseStrategy::ForcePush
2537    };
2538
2539    // Save original branch before any operations
2540    let original_branch = git_repo.get_current_branch().ok();
2541
2542    // Create rebase options
2543    let options = crate::stack::RebaseOptions {
2544        strategy: rebase_strategy.clone(),
2545        interactive,
2546        target_base: onto,
2547        preserve_merges: true,
2548        auto_resolve: !interactive, // Re-enabled with safety checks
2549        max_retries: 3,
2550        skip_pull: None, // Normal rebase should pull latest changes
2551        original_working_branch: original_branch,
2552    };
2553
2554    debug!("   Strategy: {:?}", rebase_strategy);
2555    debug!("   Interactive: {}", interactive);
2556    debug!("   Target base: {:?}", options.target_base);
2557    debug!("   Entries: {}", active_stack.entries.len());
2558
2559    // Check if there's already a rebase in progress
2560    let mut rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2561
2562    if rebase_manager.is_rebase_in_progress() {
2563        Output::warning("Rebase already in progress!");
2564        Output::tip("Use 'git status' to check the current state");
2565        Output::next_steps(&[
2566            "Run 'ca stack continue-rebase' to continue",
2567            "Run 'ca stack abort-rebase' to abort",
2568        ]);
2569        return Ok(());
2570    }
2571
2572    // Perform the rebase
2573    match rebase_manager.rebase_stack(&stack_id) {
2574        Ok(result) => {
2575            Output::success("Rebase completed!");
2576            Output::sub_item(result.get_summary());
2577
2578            if result.has_conflicts() {
2579                Output::warning(format!(
2580                    "{} conflicts were resolved",
2581                    result.conflicts.len()
2582                ));
2583                for conflict in &result.conflicts {
2584                    Output::bullet(&conflict[..8.min(conflict.len())]);
2585                }
2586            }
2587
2588            if !result.branch_mapping.is_empty() {
2589                Output::section("Branch mapping");
2590                for (old, new) in &result.branch_mapping {
2591                    Output::bullet(format!("{old} -> {new}"));
2592                }
2593
2594                // Handle PR updates if enabled
2595                if let Some(ref _bitbucket_config) = cascade_config.bitbucket {
2596                    // Create a new StackManager for the integration (since the original was moved)
2597                    let integration_stack_manager = StackManager::new(&repo_root)?;
2598                    let mut integration = BitbucketIntegration::new(
2599                        integration_stack_manager,
2600                        cascade_config.clone(),
2601                    )?;
2602
2603                    match integration
2604                        .update_prs_after_rebase(&stack_id, &result.branch_mapping)
2605                        .await
2606                    {
2607                        Ok(updated_prs) => {
2608                            if !updated_prs.is_empty() {
2609                                println!("   🔄 Preserved pull request history:");
2610                                for pr_update in updated_prs {
2611                                    println!("      ✅ {pr_update}");
2612                                }
2613                            }
2614                        }
2615                        Err(e) => {
2616                            Output::warning(format!("Failed to update pull requests: {e}"));
2617                            Output::sub_item("You may need to manually update PRs in Bitbucket");
2618                        }
2619                    }
2620                }
2621            }
2622
2623            Output::success(format!(
2624                "{} commits successfully rebased",
2625                result.success_count()
2626            ));
2627
2628            // Show next steps
2629            if matches!(rebase_strategy, crate::stack::RebaseStrategy::ForcePush) {
2630                println!();
2631                Output::section("Next steps");
2632                if !result.branch_mapping.is_empty() {
2633                    Output::numbered_item(1, "Branches have been rebased and force-pushed");
2634                    Output::numbered_item(
2635                        2,
2636                        "Pull requests updated automatically (history preserved)",
2637                    );
2638                    Output::numbered_item(3, "Review the updated PRs in Bitbucket");
2639                    Output::numbered_item(4, "Test your changes");
2640                } else {
2641                    println!("   1. Review the rebased stack");
2642                    println!("   2. Test your changes");
2643                    println!("   3. Submit new pull requests with 'ca stack submit'");
2644                }
2645            }
2646        }
2647        Err(e) => {
2648            warn!("❌ Rebase failed: {}", e);
2649            Output::tip(" Tips for resolving rebase issues:");
2650            println!("   - Check for uncommitted changes with 'git status'");
2651            println!("   - Ensure base branch is up to date");
2652            println!("   - Try interactive mode: 'ca stack rebase --interactive'");
2653            return Err(e);
2654        }
2655    }
2656
2657    Ok(())
2658}
2659
2660async fn continue_rebase() -> Result<()> {
2661    let current_dir = env::current_dir()
2662        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2663
2664    let repo_root = find_repository_root(&current_dir)
2665        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2666
2667    let stack_manager = StackManager::new(&repo_root)?;
2668    let git_repo = crate::git::GitRepository::open(&repo_root)?;
2669    let options = crate::stack::RebaseOptions::default();
2670    let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2671
2672    if !rebase_manager.is_rebase_in_progress() {
2673        Output::info("  No rebase in progress");
2674        return Ok(());
2675    }
2676
2677    println!(" Continuing rebase...");
2678    match rebase_manager.continue_rebase() {
2679        Ok(_) => {
2680            Output::success(" Rebase continued successfully");
2681            println!("   Check 'ca stack rebase-status' for current state");
2682        }
2683        Err(e) => {
2684            warn!("❌ Failed to continue rebase: {}", e);
2685            Output::tip(" You may need to resolve conflicts first:");
2686            println!("   1. Edit conflicted files");
2687            println!("   2. Stage resolved files with 'git add'");
2688            println!("   3. Run 'ca stack continue-rebase' again");
2689        }
2690    }
2691
2692    Ok(())
2693}
2694
2695async fn abort_rebase() -> Result<()> {
2696    let current_dir = env::current_dir()
2697        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2698
2699    let repo_root = find_repository_root(&current_dir)
2700        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2701
2702    let stack_manager = StackManager::new(&repo_root)?;
2703    let git_repo = crate::git::GitRepository::open(&repo_root)?;
2704    let options = crate::stack::RebaseOptions::default();
2705    let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2706
2707    if !rebase_manager.is_rebase_in_progress() {
2708        Output::info("  No rebase in progress");
2709        return Ok(());
2710    }
2711
2712    Output::warning("Aborting rebase...");
2713    match rebase_manager.abort_rebase() {
2714        Ok(_) => {
2715            Output::success(" Rebase aborted successfully");
2716            println!("   Repository restored to pre-rebase state");
2717        }
2718        Err(e) => {
2719            warn!("❌ Failed to abort rebase: {}", e);
2720            println!("⚠️  You may need to manually clean up the repository state");
2721        }
2722    }
2723
2724    Ok(())
2725}
2726
2727async fn rebase_status() -> Result<()> {
2728    let current_dir = env::current_dir()
2729        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2730
2731    let repo_root = find_repository_root(&current_dir)
2732        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2733
2734    let stack_manager = StackManager::new(&repo_root)?;
2735    let git_repo = crate::git::GitRepository::open(&repo_root)?;
2736
2737    println!("Rebase Status");
2738
2739    // Check if rebase is in progress by checking git state directly
2740    let git_dir = current_dir.join(".git");
2741    let rebase_in_progress = git_dir.join("REBASE_HEAD").exists()
2742        || git_dir.join("rebase-merge").exists()
2743        || git_dir.join("rebase-apply").exists();
2744
2745    if rebase_in_progress {
2746        println!("   Status: 🔄 Rebase in progress");
2747        println!(
2748            "   
2749📝 Actions available:"
2750        );
2751        println!("     - 'ca stack continue-rebase' to continue");
2752        println!("     - 'ca stack abort-rebase' to abort");
2753        println!("     - 'git status' to see conflicted files");
2754
2755        // Check for conflicts
2756        match git_repo.get_status() {
2757            Ok(statuses) => {
2758                let mut conflicts = Vec::new();
2759                for status in statuses.iter() {
2760                    if status.status().contains(git2::Status::CONFLICTED) {
2761                        if let Some(path) = status.path() {
2762                            conflicts.push(path.to_string());
2763                        }
2764                    }
2765                }
2766
2767                if !conflicts.is_empty() {
2768                    println!("   ⚠️  Conflicts in {} files:", conflicts.len());
2769                    for conflict in conflicts {
2770                        println!("      - {conflict}");
2771                    }
2772                    println!(
2773                        "   
2774💡 To resolve conflicts:"
2775                    );
2776                    println!("     1. Edit the conflicted files");
2777                    println!("     2. Stage resolved files: git add <file>");
2778                    println!("     3. Continue: ca stack continue-rebase");
2779                }
2780            }
2781            Err(e) => {
2782                warn!("Failed to get git status: {}", e);
2783            }
2784        }
2785    } else {
2786        println!("   Status: ✅ No rebase in progress");
2787
2788        // Show stack status instead
2789        if let Some(active_stack) = stack_manager.get_active_stack() {
2790            println!("   Active stack: {}", active_stack.name);
2791            println!("   Entries: {}", active_stack.entries.len());
2792            println!("   Base branch: {}", active_stack.base_branch);
2793        }
2794    }
2795
2796    Ok(())
2797}
2798
2799async fn delete_stack(name: String, force: bool) -> Result<()> {
2800    let current_dir = env::current_dir()
2801        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2802
2803    let repo_root = find_repository_root(&current_dir)
2804        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2805
2806    let mut manager = StackManager::new(&repo_root)?;
2807
2808    let stack = manager
2809        .get_stack_by_name(&name)
2810        .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
2811    let stack_id = stack.id;
2812
2813    if !force && !stack.entries.is_empty() {
2814        return Err(CascadeError::config(format!(
2815            "Stack '{}' has {} entries. Use --force to delete anyway",
2816            name,
2817            stack.entries.len()
2818        )));
2819    }
2820
2821    let deleted = manager.delete_stack(&stack_id)?;
2822
2823    Output::success(format!("Deleted stack '{}'", deleted.name));
2824    if !deleted.entries.is_empty() {
2825        Output::warning(format!("{} entries were removed", deleted.entries.len()));
2826    }
2827
2828    Ok(())
2829}
2830
2831async fn validate_stack(name: Option<String>, fix_mode: Option<String>) -> Result<()> {
2832    let current_dir = env::current_dir()
2833        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2834
2835    let repo_root = find_repository_root(&current_dir)
2836        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2837
2838    let mut manager = StackManager::new(&repo_root)?;
2839
2840    if let Some(name) = name {
2841        // Validate specific stack
2842        let stack = manager
2843            .get_stack_by_name(&name)
2844            .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
2845
2846        let stack_id = stack.id;
2847
2848        // Basic structure validation first
2849        match stack.validate() {
2850            Ok(_message) => {
2851                Output::success(format!("Stack '{}' structure validation passed", name));
2852            }
2853            Err(e) => {
2854                Output::error(format!(
2855                    "Stack '{}' structure validation failed: {}",
2856                    name, e
2857                ));
2858                return Err(CascadeError::config(e));
2859            }
2860        }
2861
2862        // Handle branch modifications (includes Git integrity checks)
2863        manager.handle_branch_modifications(&stack_id, fix_mode)?;
2864
2865        println!();
2866        Output::success(format!("Stack '{name}' validation completed"));
2867        Ok(())
2868    } else {
2869        // Validate all stacks
2870        Output::section("Validating all stacks");
2871        println!();
2872
2873        // Get all stack IDs through public method
2874        let all_stacks = manager.get_all_stacks();
2875        let stack_ids: Vec<uuid::Uuid> = all_stacks.iter().map(|s| s.id).collect();
2876
2877        if stack_ids.is_empty() {
2878            Output::info("No stacks found");
2879            return Ok(());
2880        }
2881
2882        let mut all_valid = true;
2883        for stack_id in stack_ids {
2884            let stack = manager.get_stack(&stack_id).unwrap();
2885            let stack_name = &stack.name;
2886
2887            println!("Checking stack '{stack_name}':");
2888
2889            // Basic structure validation
2890            match stack.validate() {
2891                Ok(message) => {
2892                    Output::sub_item(format!("Structure: {message}"));
2893                }
2894                Err(e) => {
2895                    Output::sub_item(format!("Structure: {e}"));
2896                    all_valid = false;
2897                    continue;
2898                }
2899            }
2900
2901            // Handle branch modifications
2902            match manager.handle_branch_modifications(&stack_id, fix_mode.clone()) {
2903                Ok(_) => {
2904                    Output::sub_item("Git integrity: OK");
2905                }
2906                Err(e) => {
2907                    Output::sub_item(format!("Git integrity: {e}"));
2908                    all_valid = false;
2909                }
2910            }
2911            println!();
2912        }
2913
2914        if all_valid {
2915            Output::success("All stacks passed validation");
2916        } else {
2917            Output::warning("Some stacks have validation issues");
2918            return Err(CascadeError::config("Stack validation failed".to_string()));
2919        }
2920
2921        Ok(())
2922    }
2923}
2924
2925/// Get commits that are not yet in any stack entry
2926#[allow(dead_code)]
2927fn get_unpushed_commits(repo: &GitRepository, stack: &crate::stack::Stack) -> Result<Vec<String>> {
2928    let mut unpushed = Vec::new();
2929    let head_commit = repo.get_head_commit()?;
2930    let mut current_commit = head_commit;
2931
2932    // Walk back from HEAD until we find a commit that's already in the stack
2933    loop {
2934        let commit_hash = current_commit.id().to_string();
2935        let already_in_stack = stack
2936            .entries
2937            .iter()
2938            .any(|entry| entry.commit_hash == commit_hash);
2939
2940        if already_in_stack {
2941            break;
2942        }
2943
2944        unpushed.push(commit_hash);
2945
2946        // Move to parent commit
2947        if let Some(parent) = current_commit.parents().next() {
2948            current_commit = parent;
2949        } else {
2950            break;
2951        }
2952    }
2953
2954    unpushed.reverse(); // Reverse to get chronological order
2955    Ok(unpushed)
2956}
2957
2958/// Squash the last N commits into a single commit
2959pub async fn squash_commits(
2960    repo: &GitRepository,
2961    count: usize,
2962    since_ref: Option<String>,
2963) -> Result<()> {
2964    if count <= 1 {
2965        return Ok(()); // Nothing to squash
2966    }
2967
2968    // Get the current branch
2969    let _current_branch = repo.get_current_branch()?;
2970
2971    // Determine the range for interactive rebase
2972    let rebase_range = if let Some(ref since) = since_ref {
2973        since.clone()
2974    } else {
2975        format!("HEAD~{count}")
2976    };
2977
2978    println!("   Analyzing {count} commits to create smart squash message...");
2979
2980    // Get the commits that will be squashed to create a smart message
2981    let head_commit = repo.get_head_commit()?;
2982    let mut commits_to_squash = Vec::new();
2983    let mut current = head_commit;
2984
2985    // Collect the last N commits
2986    for _ in 0..count {
2987        commits_to_squash.push(current.clone());
2988        if current.parent_count() > 0 {
2989            current = current.parent(0).map_err(CascadeError::Git)?;
2990        } else {
2991            break;
2992        }
2993    }
2994
2995    // Generate smart commit message from the squashed commits
2996    let smart_message = generate_squash_message(&commits_to_squash)?;
2997    println!(
2998        "   Smart message: {}",
2999        smart_message.lines().next().unwrap_or("")
3000    );
3001
3002    // Get the commit we want to reset to (the commit before our range)
3003    let reset_target = if since_ref.is_some() {
3004        // If squashing since a reference, reset to that reference
3005        format!("{rebase_range}~1")
3006    } else {
3007        // If squashing last N commits, reset to N commits before
3008        format!("HEAD~{count}")
3009    };
3010
3011    // Soft reset to preserve changes in staging area
3012    repo.reset_soft(&reset_target)?;
3013
3014    // Stage all changes (they should already be staged from the reset --soft)
3015    repo.stage_all()?;
3016
3017    // Create the new commit with the smart message
3018    let new_commit_hash = repo.commit(&smart_message)?;
3019
3020    println!(
3021        "   Created squashed commit: {} ({})",
3022        &new_commit_hash[..8],
3023        smart_message.lines().next().unwrap_or("")
3024    );
3025    println!("   💡 Tip: Use 'git commit --amend' to edit the commit message if needed");
3026
3027    Ok(())
3028}
3029
3030/// Generate a smart commit message from multiple commits being squashed
3031pub fn generate_squash_message(commits: &[git2::Commit]) -> Result<String> {
3032    if commits.is_empty() {
3033        return Ok("Squashed commits".to_string());
3034    }
3035
3036    // Get all commit messages
3037    let messages: Vec<String> = commits
3038        .iter()
3039        .map(|c| c.message().unwrap_or("").trim().to_string())
3040        .filter(|m| !m.is_empty())
3041        .collect();
3042
3043    if messages.is_empty() {
3044        return Ok("Squashed commits".to_string());
3045    }
3046
3047    // Strategy 1: If the last commit looks like a "Final:" commit, use it
3048    if let Some(last_msg) = messages.first() {
3049        // first() because we're in reverse chronological order
3050        if last_msg.starts_with("Final:") || last_msg.starts_with("final:") {
3051            return Ok(last_msg
3052                .trim_start_matches("Final:")
3053                .trim_start_matches("final:")
3054                .trim()
3055                .to_string());
3056        }
3057    }
3058
3059    // Strategy 2: If most commits are WIP, find the most descriptive non-WIP message
3060    let wip_count = messages
3061        .iter()
3062        .filter(|m| {
3063            m.to_lowercase().starts_with("wip") || m.to_lowercase().contains("work in progress")
3064        })
3065        .count();
3066
3067    if wip_count > messages.len() / 2 {
3068        // Mostly WIP commits, find the best non-WIP one or create a summary
3069        let non_wip: Vec<&String> = messages
3070            .iter()
3071            .filter(|m| {
3072                !m.to_lowercase().starts_with("wip")
3073                    && !m.to_lowercase().contains("work in progress")
3074            })
3075            .collect();
3076
3077        if let Some(best_msg) = non_wip.first() {
3078            return Ok(best_msg.to_string());
3079        }
3080
3081        // All are WIP, try to extract the feature being worked on
3082        let feature = extract_feature_from_wip(&messages);
3083        return Ok(feature);
3084    }
3085
3086    // Strategy 3: Use the last (most recent) commit message
3087    Ok(messages.first().unwrap().clone())
3088}
3089
3090/// Extract feature name from WIP commit messages
3091pub fn extract_feature_from_wip(messages: &[String]) -> String {
3092    // Look for patterns like "WIP: add authentication" -> "Add authentication"
3093    for msg in messages {
3094        // Check both case variations, but preserve original case
3095        if msg.to_lowercase().starts_with("wip:") {
3096            if let Some(rest) = msg
3097                .strip_prefix("WIP:")
3098                .or_else(|| msg.strip_prefix("wip:"))
3099            {
3100                let feature = rest.trim();
3101                if !feature.is_empty() && feature.len() > 3 {
3102                    // Capitalize first letter only, preserve rest
3103                    let mut chars: Vec<char> = feature.chars().collect();
3104                    if let Some(first) = chars.first_mut() {
3105                        *first = first.to_uppercase().next().unwrap_or(*first);
3106                    }
3107                    return chars.into_iter().collect();
3108                }
3109            }
3110        }
3111    }
3112
3113    // Fallback: Use the latest commit without WIP prefix
3114    if let Some(first) = messages.first() {
3115        let cleaned = first
3116            .trim_start_matches("WIP:")
3117            .trim_start_matches("wip:")
3118            .trim_start_matches("WIP")
3119            .trim_start_matches("wip")
3120            .trim();
3121
3122        if !cleaned.is_empty() {
3123            return format!("Implement {cleaned}");
3124        }
3125    }
3126
3127    format!("Squashed {} commits", messages.len())
3128}
3129
3130/// Count commits since a given reference
3131pub fn count_commits_since(repo: &GitRepository, since_commit_hash: &str) -> Result<usize> {
3132    let head_commit = repo.get_head_commit()?;
3133    let since_commit = repo.get_commit(since_commit_hash)?;
3134
3135    let mut count = 0;
3136    let mut current = head_commit;
3137
3138    // Walk backwards from HEAD until we reach the since commit
3139    loop {
3140        if current.id() == since_commit.id() {
3141            break;
3142        }
3143
3144        count += 1;
3145
3146        // Get parent commit
3147        if current.parent_count() == 0 {
3148            break; // Reached root commit
3149        }
3150
3151        current = current.parent(0).map_err(CascadeError::Git)?;
3152    }
3153
3154    Ok(count)
3155}
3156
3157/// Land (merge) approved stack entries
3158async fn land_stack(
3159    entry: Option<usize>,
3160    force: bool,
3161    dry_run: bool,
3162    auto: bool,
3163    wait_for_builds: bool,
3164    strategy: Option<MergeStrategyArg>,
3165    build_timeout: u64,
3166) -> Result<()> {
3167    let current_dir = env::current_dir()
3168        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3169
3170    let repo_root = find_repository_root(&current_dir)
3171        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3172
3173    let stack_manager = StackManager::new(&repo_root)?;
3174
3175    // Get stack ID and active stack before moving stack_manager
3176    let stack_id = stack_manager
3177        .get_active_stack()
3178        .map(|s| s.id)
3179        .ok_or_else(|| {
3180            CascadeError::config(
3181                "No active stack. Use 'ca stack create' or 'ca stack switch' to select a stack"
3182                    .to_string(),
3183            )
3184        })?;
3185
3186    let active_stack = stack_manager
3187        .get_active_stack()
3188        .cloned()
3189        .ok_or_else(|| CascadeError::config("No active stack found".to_string()))?;
3190
3191    // Load configuration and create Bitbucket integration
3192    let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
3193    let config_path = config_dir.join("config.json");
3194    let settings = crate::config::Settings::load_from_file(&config_path)?;
3195
3196    let cascade_config = crate::config::CascadeConfig {
3197        bitbucket: Some(settings.bitbucket.clone()),
3198        git: settings.git.clone(),
3199        auth: crate::config::AuthConfig::default(),
3200        cascade: settings.cascade.clone(),
3201    };
3202
3203    let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
3204
3205    // Get enhanced status
3206    let status = integration.check_enhanced_stack_status(&stack_id).await?;
3207
3208    if status.enhanced_statuses.is_empty() {
3209        println!("❌ No pull requests found to land");
3210        return Ok(());
3211    }
3212
3213    // Filter PRs that are ready to land
3214    let ready_prs: Vec<_> = status
3215        .enhanced_statuses
3216        .iter()
3217        .filter(|pr_status| {
3218            // If specific entry requested, only include that one
3219            if let Some(entry_num) = entry {
3220                // Find the corresponding stack entry for this PR
3221                if let Some(stack_entry) = active_stack.entries.get(entry_num.saturating_sub(1)) {
3222                    // Check if this PR corresponds to the requested entry
3223                    if pr_status.pr.from_ref.display_id != stack_entry.branch {
3224                        return false;
3225                    }
3226                } else {
3227                    return false; // Invalid entry number
3228                }
3229            }
3230
3231            if force {
3232                // If force is enabled, include any open PR
3233                pr_status.pr.state == crate::bitbucket::pull_request::PullRequestState::Open
3234            } else {
3235                pr_status.is_ready_to_land()
3236            }
3237        })
3238        .collect();
3239
3240    if ready_prs.is_empty() {
3241        if let Some(entry_num) = entry {
3242            println!("❌ Entry {entry_num} is not ready to land or doesn't exist");
3243        } else {
3244            println!("❌ No pull requests are ready to land");
3245        }
3246
3247        // Show what's blocking them
3248        println!("\n🚫 Blocking Issues:");
3249        for pr_status in &status.enhanced_statuses {
3250            if pr_status.pr.state == crate::bitbucket::pull_request::PullRequestState::Open {
3251                let blocking = pr_status.get_blocking_reasons();
3252                if !blocking.is_empty() {
3253                    println!("   PR #{}: {}", pr_status.pr.id, blocking.join(", "));
3254                }
3255            }
3256        }
3257
3258        if !force {
3259            println!("\n💡 Use --force to land PRs with blocking issues (dangerous!)");
3260        }
3261        return Ok(());
3262    }
3263
3264    if dry_run {
3265        if let Some(entry_num) = entry {
3266            println!("🏃 Dry Run - Entry {entry_num} that would be landed:");
3267        } else {
3268            println!("🏃 Dry Run - PRs that would be landed:");
3269        }
3270        for pr_status in &ready_prs {
3271            println!("   ✅ PR #{}: {}", pr_status.pr.id, pr_status.pr.title);
3272            if !pr_status.is_ready_to_land() && force {
3273                let blocking = pr_status.get_blocking_reasons();
3274                println!(
3275                    "      ⚠️  Would force land despite: {}",
3276                    blocking.join(", ")
3277                );
3278            }
3279        }
3280        return Ok(());
3281    }
3282
3283    // Default behavior: land all ready PRs (safest approach)
3284    // Only land specific entry if explicitly requested
3285    if entry.is_some() && ready_prs.len() > 1 {
3286        println!(
3287            "🎯 {} PRs are ready to land, but landing only entry #{}",
3288            ready_prs.len(),
3289            entry.unwrap()
3290        );
3291    }
3292
3293    // Setup auto-merge conditions
3294    let merge_strategy: crate::bitbucket::pull_request::MergeStrategy =
3295        strategy.unwrap_or(MergeStrategyArg::Squash).into();
3296    let auto_merge_conditions = crate::bitbucket::pull_request::AutoMergeConditions {
3297        merge_strategy: merge_strategy.clone(),
3298        wait_for_builds,
3299        build_timeout: std::time::Duration::from_secs(build_timeout),
3300        allowed_authors: None, // Allow all authors for now
3301    };
3302
3303    // Land the PRs
3304    println!(
3305        "🚀 Landing {} PR{}...",
3306        ready_prs.len(),
3307        if ready_prs.len() == 1 { "" } else { "s" }
3308    );
3309
3310    let pr_manager = crate::bitbucket::pull_request::PullRequestManager::new(
3311        crate::bitbucket::BitbucketClient::new(&settings.bitbucket)?,
3312    );
3313
3314    // Land PRs in dependency order
3315    let mut landed_count = 0;
3316    let mut failed_count = 0;
3317    let total_ready_prs = ready_prs.len();
3318
3319    for pr_status in ready_prs {
3320        let pr_id = pr_status.pr.id;
3321
3322        print!("🚀 Landing PR #{}: {}", pr_id, pr_status.pr.title);
3323
3324        let land_result = if auto {
3325            // Use auto-merge with conditions checking
3326            pr_manager
3327                .auto_merge_if_ready(pr_id, &auto_merge_conditions)
3328                .await
3329        } else {
3330            // Manual merge without auto-conditions
3331            pr_manager
3332                .merge_pull_request(pr_id, merge_strategy.clone())
3333                .await
3334                .map(
3335                    |pr| crate::bitbucket::pull_request::AutoMergeResult::Merged {
3336                        pr: Box::new(pr),
3337                        merge_strategy: merge_strategy.clone(),
3338                    },
3339                )
3340        };
3341
3342        match land_result {
3343            Ok(crate::bitbucket::pull_request::AutoMergeResult::Merged { .. }) => {
3344                println!(" ✅");
3345                landed_count += 1;
3346
3347                // 🔄 AUTO-RETARGETING: After each merge, retarget remaining PRs
3348                if landed_count < total_ready_prs {
3349                    println!(" Retargeting remaining PRs to latest base...");
3350
3351                    // 1️⃣ CRITICAL: Update base branch to get latest merged state
3352                    let base_branch = active_stack.base_branch.clone();
3353                    let git_repo = crate::git::GitRepository::open(&repo_root)?;
3354
3355                    println!("   📥 Updating base branch: {base_branch}");
3356                    match git_repo.pull(&base_branch) {
3357                        Ok(_) => println!("   ✅ Base branch updated successfully"),
3358                        Err(e) => {
3359                            println!("   ⚠️  Warning: Failed to update base branch: {e}");
3360                            println!(
3361                                "   💡 You may want to manually run: git pull origin {base_branch}"
3362                            );
3363                        }
3364                    }
3365
3366                    // 2️⃣ Use rebase system to retarget remaining PRs
3367                    let mut rebase_manager = crate::stack::RebaseManager::new(
3368                        StackManager::new(&repo_root)?,
3369                        git_repo,
3370                        crate::stack::RebaseOptions {
3371                            strategy: crate::stack::RebaseStrategy::ForcePush,
3372                            target_base: Some(base_branch.clone()),
3373                            ..Default::default()
3374                        },
3375                    );
3376
3377                    match rebase_manager.rebase_stack(&stack_id) {
3378                        Ok(rebase_result) => {
3379                            if !rebase_result.branch_mapping.is_empty() {
3380                                // Update PRs using the rebase result
3381                                let retarget_config = crate::config::CascadeConfig {
3382                                    bitbucket: Some(settings.bitbucket.clone()),
3383                                    git: settings.git.clone(),
3384                                    auth: crate::config::AuthConfig::default(),
3385                                    cascade: settings.cascade.clone(),
3386                                };
3387                                let mut retarget_integration = BitbucketIntegration::new(
3388                                    StackManager::new(&repo_root)?,
3389                                    retarget_config,
3390                                )?;
3391
3392                                match retarget_integration
3393                                    .update_prs_after_rebase(
3394                                        &stack_id,
3395                                        &rebase_result.branch_mapping,
3396                                    )
3397                                    .await
3398                                {
3399                                    Ok(updated_prs) => {
3400                                        if !updated_prs.is_empty() {
3401                                            println!(
3402                                                "   ✅ Updated {} PRs with new targets",
3403                                                updated_prs.len()
3404                                            );
3405                                        }
3406                                    }
3407                                    Err(e) => {
3408                                        println!("   ⚠️  Failed to update remaining PRs: {e}");
3409                                        println!(
3410                                            "   💡 You may need to run: ca stack rebase --onto {base_branch}"
3411                                        );
3412                                    }
3413                                }
3414                            }
3415                        }
3416                        Err(e) => {
3417                            // 🚨 CONFLICTS DETECTED - Give clear next steps
3418                            println!("   ❌ Auto-retargeting conflicts detected!");
3419                            println!("   📝 To resolve conflicts and continue landing:");
3420                            println!("      1. Resolve conflicts in the affected files");
3421                            println!("      2. Stage resolved files: git add <files>");
3422                            println!("      3. Continue the process: ca stack continue-land");
3423                            println!("      4. Or abort the operation: ca stack abort-land");
3424                            println!();
3425                            println!("   💡 Check current status: ca stack land-status");
3426                            println!("   ⚠️  Error details: {e}");
3427
3428                            // Stop the land operation here - user needs to resolve conflicts
3429                            break;
3430                        }
3431                    }
3432                }
3433            }
3434            Ok(crate::bitbucket::pull_request::AutoMergeResult::NotReady { blocking_reasons }) => {
3435                println!(" ❌ Not ready: {}", blocking_reasons.join(", "));
3436                failed_count += 1;
3437                if !force {
3438                    break;
3439                }
3440            }
3441            Ok(crate::bitbucket::pull_request::AutoMergeResult::Failed { error }) => {
3442                println!(" ❌ Failed: {error}");
3443                failed_count += 1;
3444                if !force {
3445                    break;
3446                }
3447            }
3448            Err(e) => {
3449                println!(" ❌");
3450                eprintln!("Failed to land PR #{pr_id}: {e}");
3451                failed_count += 1;
3452
3453                if !force {
3454                    break;
3455                }
3456            }
3457        }
3458    }
3459
3460    // Show summary
3461    println!("\n🎯 Landing Summary:");
3462    println!("   ✅ Successfully landed: {landed_count}");
3463    if failed_count > 0 {
3464        println!("   ❌ Failed to land: {failed_count}");
3465    }
3466
3467    if landed_count > 0 {
3468        Output::success(" Landing operation completed!");
3469    } else {
3470        println!("❌ No PRs were successfully landed");
3471    }
3472
3473    Ok(())
3474}
3475
3476/// Auto-land all ready PRs (shorthand for land --auto)
3477async fn auto_land_stack(
3478    force: bool,
3479    dry_run: bool,
3480    wait_for_builds: bool,
3481    strategy: Option<MergeStrategyArg>,
3482    build_timeout: u64,
3483) -> Result<()> {
3484    // This is a shorthand for land with --auto
3485    land_stack(
3486        None,
3487        force,
3488        dry_run,
3489        true, // auto = true
3490        wait_for_builds,
3491        strategy,
3492        build_timeout,
3493    )
3494    .await
3495}
3496
3497async fn continue_land() -> Result<()> {
3498    let current_dir = env::current_dir()
3499        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3500
3501    let repo_root = find_repository_root(&current_dir)
3502        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3503
3504    let stack_manager = StackManager::new(&repo_root)?;
3505    let git_repo = crate::git::GitRepository::open(&repo_root)?;
3506    let options = crate::stack::RebaseOptions::default();
3507    let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
3508
3509    if !rebase_manager.is_rebase_in_progress() {
3510        Output::info("  No rebase in progress");
3511        return Ok(());
3512    }
3513
3514    println!(" Continuing land operation...");
3515    match rebase_manager.continue_rebase() {
3516        Ok(_) => {
3517            Output::success(" Land operation continued successfully");
3518            println!("   Check 'ca stack land-status' for current state");
3519        }
3520        Err(e) => {
3521            warn!("❌ Failed to continue land operation: {}", e);
3522            Output::tip(" You may need to resolve conflicts first:");
3523            println!("   1. Edit conflicted files");
3524            println!("   2. Stage resolved files with 'git add'");
3525            println!("   3. Run 'ca stack continue-land' again");
3526        }
3527    }
3528
3529    Ok(())
3530}
3531
3532async fn abort_land() -> Result<()> {
3533    let current_dir = env::current_dir()
3534        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3535
3536    let repo_root = find_repository_root(&current_dir)
3537        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3538
3539    let stack_manager = StackManager::new(&repo_root)?;
3540    let git_repo = crate::git::GitRepository::open(&repo_root)?;
3541    let options = crate::stack::RebaseOptions::default();
3542    let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
3543
3544    if !rebase_manager.is_rebase_in_progress() {
3545        Output::info("  No rebase in progress");
3546        return Ok(());
3547    }
3548
3549    println!("⚠️  Aborting land operation...");
3550    match rebase_manager.abort_rebase() {
3551        Ok(_) => {
3552            Output::success(" Land operation aborted successfully");
3553            println!("   Repository restored to pre-land state");
3554        }
3555        Err(e) => {
3556            warn!("❌ Failed to abort land operation: {}", e);
3557            println!("⚠️  You may need to manually clean up the repository state");
3558        }
3559    }
3560
3561    Ok(())
3562}
3563
3564async fn land_status() -> Result<()> {
3565    let current_dir = env::current_dir()
3566        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3567
3568    let repo_root = find_repository_root(&current_dir)
3569        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3570
3571    let stack_manager = StackManager::new(&repo_root)?;
3572    let git_repo = crate::git::GitRepository::open(&repo_root)?;
3573
3574    println!("Land Status");
3575
3576    // Check if land operation is in progress by checking git state directly
3577    let git_dir = repo_root.join(".git");
3578    let land_in_progress = git_dir.join("REBASE_HEAD").exists()
3579        || git_dir.join("rebase-merge").exists()
3580        || git_dir.join("rebase-apply").exists();
3581
3582    if land_in_progress {
3583        println!("   Status: 🔄 Land operation in progress");
3584        println!(
3585            "   
3586📝 Actions available:"
3587        );
3588        println!("     - 'ca stack continue-land' to continue");
3589        println!("     - 'ca stack abort-land' to abort");
3590        println!("     - 'git status' to see conflicted files");
3591
3592        // Check for conflicts
3593        match git_repo.get_status() {
3594            Ok(statuses) => {
3595                let mut conflicts = Vec::new();
3596                for status in statuses.iter() {
3597                    if status.status().contains(git2::Status::CONFLICTED) {
3598                        if let Some(path) = status.path() {
3599                            conflicts.push(path.to_string());
3600                        }
3601                    }
3602                }
3603
3604                if !conflicts.is_empty() {
3605                    println!("   ⚠️  Conflicts in {} files:", conflicts.len());
3606                    for conflict in conflicts {
3607                        println!("      - {conflict}");
3608                    }
3609                    println!(
3610                        "   
3611💡 To resolve conflicts:"
3612                    );
3613                    println!("     1. Edit the conflicted files");
3614                    println!("     2. Stage resolved files: git add <file>");
3615                    println!("     3. Continue: ca stack continue-land");
3616                }
3617            }
3618            Err(e) => {
3619                warn!("Failed to get git status: {}", e);
3620            }
3621        }
3622    } else {
3623        println!("   Status: ✅ No land operation in progress");
3624
3625        // Show stack status instead
3626        if let Some(active_stack) = stack_manager.get_active_stack() {
3627            println!("   Active stack: {}", active_stack.name);
3628            println!("   Entries: {}", active_stack.entries.len());
3629            println!("   Base branch: {}", active_stack.base_branch);
3630        }
3631    }
3632
3633    Ok(())
3634}
3635
3636async fn repair_stack_data() -> Result<()> {
3637    let current_dir = env::current_dir()
3638        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3639
3640    let repo_root = find_repository_root(&current_dir)
3641        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3642
3643    let mut stack_manager = StackManager::new(&repo_root)?;
3644
3645    println!("🔧 Repairing stack data consistency...");
3646
3647    stack_manager.repair_all_stacks()?;
3648
3649    Output::success(" Stack data consistency repaired successfully!");
3650    Output::tip(" Run 'ca stack --mergeable' to see updated status");
3651
3652    Ok(())
3653}
3654
3655/// Clean up merged and stale branches
3656async fn cleanup_branches(
3657    dry_run: bool,
3658    force: bool,
3659    include_stale: bool,
3660    stale_days: u32,
3661    cleanup_remote: bool,
3662    include_non_stack: bool,
3663    verbose: bool,
3664) -> Result<()> {
3665    let current_dir = env::current_dir()
3666        .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3667
3668    let repo_root = find_repository_root(&current_dir)
3669        .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3670
3671    let stack_manager = StackManager::new(&repo_root)?;
3672    let git_repo = GitRepository::open(&repo_root)?;
3673
3674    let result = perform_cleanup(
3675        &stack_manager,
3676        &git_repo,
3677        dry_run,
3678        force,
3679        include_stale,
3680        stale_days,
3681        cleanup_remote,
3682        include_non_stack,
3683        verbose,
3684    )
3685    .await?;
3686
3687    // Display results
3688    if result.total_candidates == 0 {
3689        Output::success("No branches found that need cleanup");
3690        return Ok(());
3691    }
3692
3693    Output::section("Cleanup Results");
3694
3695    if dry_run {
3696        Output::sub_item(format!(
3697            "Found {} branches that would be cleaned up",
3698            result.total_candidates
3699        ));
3700    } else {
3701        if !result.cleaned_branches.is_empty() {
3702            Output::success(format!(
3703                "Successfully cleaned up {} branches",
3704                result.cleaned_branches.len()
3705            ));
3706            for branch in &result.cleaned_branches {
3707                Output::sub_item(format!("🗑️  Deleted: {branch}"));
3708            }
3709        }
3710
3711        if !result.skipped_branches.is_empty() {
3712            Output::sub_item(format!(
3713                "Skipped {} branches",
3714                result.skipped_branches.len()
3715            ));
3716            if verbose {
3717                for (branch, reason) in &result.skipped_branches {
3718                    Output::sub_item(format!("⏭️  {branch}: {reason}"));
3719                }
3720            }
3721        }
3722
3723        if !result.failed_branches.is_empty() {
3724            Output::warning(format!(
3725                "Failed to clean up {} branches",
3726                result.failed_branches.len()
3727            ));
3728            for (branch, error) in &result.failed_branches {
3729                Output::sub_item(format!("❌ {branch}: {error}"));
3730            }
3731        }
3732    }
3733
3734    Ok(())
3735}
3736
3737/// Perform cleanup with the given options
3738#[allow(clippy::too_many_arguments)]
3739async fn perform_cleanup(
3740    stack_manager: &StackManager,
3741    git_repo: &GitRepository,
3742    dry_run: bool,
3743    force: bool,
3744    include_stale: bool,
3745    stale_days: u32,
3746    cleanup_remote: bool,
3747    include_non_stack: bool,
3748    verbose: bool,
3749) -> Result<CleanupResult> {
3750    let options = CleanupOptions {
3751        dry_run,
3752        force,
3753        include_stale,
3754        cleanup_remote,
3755        stale_threshold_days: stale_days,
3756        cleanup_non_stack: include_non_stack,
3757    };
3758
3759    let stack_manager_copy = StackManager::new(stack_manager.repo_path())?;
3760    let git_repo_copy = GitRepository::open(git_repo.path())?;
3761    let mut cleanup_manager = CleanupManager::new(stack_manager_copy, git_repo_copy, options);
3762
3763    // Find candidates
3764    let candidates = cleanup_manager.find_cleanup_candidates()?;
3765
3766    if candidates.is_empty() {
3767        return Ok(CleanupResult {
3768            cleaned_branches: Vec::new(),
3769            failed_branches: Vec::new(),
3770            skipped_branches: Vec::new(),
3771            total_candidates: 0,
3772        });
3773    }
3774
3775    // Show candidates if verbose or dry run
3776    if verbose || dry_run {
3777        Output::section("Cleanup Candidates");
3778        for candidate in &candidates {
3779            let reason_icon = match candidate.reason {
3780                crate::stack::CleanupReason::FullyMerged => "🔀",
3781                crate::stack::CleanupReason::StackEntryMerged => "✅",
3782                crate::stack::CleanupReason::Stale => "⏰",
3783                crate::stack::CleanupReason::Orphaned => "👻",
3784            };
3785
3786            Output::sub_item(format!(
3787                "{} {} - {} ({})",
3788                reason_icon,
3789                candidate.branch_name,
3790                candidate.reason_to_string(),
3791                candidate.safety_info
3792            ));
3793        }
3794    }
3795
3796    // If not force and not dry run, ask for confirmation
3797    if !force && !dry_run && !candidates.is_empty() {
3798        Output::warning(format!("About to delete {} branches", candidates.len()));
3799
3800        // Show first few branch names for context
3801        let preview_count = 5.min(candidates.len());
3802        for candidate in candidates.iter().take(preview_count) {
3803            println!("  • {}", candidate.branch_name);
3804        }
3805        if candidates.len() > preview_count {
3806            println!("  ... and {} more", candidates.len() - preview_count);
3807        }
3808        println!(); // Spacing before prompt
3809
3810        // Interactive confirmation to proceed with cleanup
3811        let should_continue = Confirm::with_theme(&ColorfulTheme::default())
3812            .with_prompt("Continue with branch cleanup?")
3813            .default(false)
3814            .interact()
3815            .map_err(|e| CascadeError::config(format!("Failed to get user confirmation: {e}")))?;
3816
3817        if !should_continue {
3818            Output::sub_item("Cleanup cancelled");
3819            return Ok(CleanupResult {
3820                cleaned_branches: Vec::new(),
3821                failed_branches: Vec::new(),
3822                skipped_branches: Vec::new(),
3823                total_candidates: candidates.len(),
3824            });
3825        }
3826    }
3827
3828    // Perform cleanup
3829    cleanup_manager.perform_cleanup(&candidates)
3830}
3831
3832/// Simple perform_cleanup for sync command
3833async fn perform_simple_cleanup(
3834    stack_manager: &StackManager,
3835    git_repo: &GitRepository,
3836    dry_run: bool,
3837) -> Result<CleanupResult> {
3838    perform_cleanup(
3839        stack_manager,
3840        git_repo,
3841        dry_run,
3842        false, // force
3843        false, // include_stale
3844        30,    // stale_days
3845        false, // cleanup_remote
3846        false, // include_non_stack
3847        false, // verbose
3848    )
3849    .await
3850}
3851
3852/// Analyze commits for various safeguards before pushing
3853async fn analyze_commits_for_safeguards(
3854    commits_to_push: &[String],
3855    repo: &GitRepository,
3856    dry_run: bool,
3857) -> Result<()> {
3858    const LARGE_COMMIT_THRESHOLD: usize = 10;
3859    const WEEK_IN_SECONDS: i64 = 7 * 24 * 3600;
3860
3861    // 🛡️ SAFEGUARD 1: Large commit count warning
3862    if commits_to_push.len() > LARGE_COMMIT_THRESHOLD {
3863        println!(
3864            "⚠️  Warning: About to push {} commits to stack",
3865            commits_to_push.len()
3866        );
3867        println!("   This may indicate a merge commit issue or unexpected commit range.");
3868        println!("   Large commit counts often result from merging instead of rebasing.");
3869
3870        if !dry_run && !confirm_large_push(commits_to_push.len())? {
3871            return Err(CascadeError::config("Push cancelled by user"));
3872        }
3873    }
3874
3875    // Get commit objects for further analysis
3876    let commit_objects: Result<Vec<_>> = commits_to_push
3877        .iter()
3878        .map(|hash| repo.get_commit(hash))
3879        .collect();
3880    let commit_objects = commit_objects?;
3881
3882    // 🛡️ SAFEGUARD 2: Merge commit detection
3883    let merge_commits: Vec<_> = commit_objects
3884        .iter()
3885        .filter(|c| c.parent_count() > 1)
3886        .collect();
3887
3888    if !merge_commits.is_empty() {
3889        println!(
3890            "⚠️  Warning: {} merge commits detected in push",
3891            merge_commits.len()
3892        );
3893        println!("   This often indicates you merged instead of rebased.");
3894        println!("   Consider using 'ca sync' to rebase on the base branch.");
3895        println!("   Merge commits in stacks can cause confusion and duplicate work.");
3896    }
3897
3898    // 🛡️ SAFEGUARD 3: Commit age warning
3899    if commit_objects.len() > 1 {
3900        let oldest_commit_time = commit_objects.first().unwrap().time().seconds();
3901        let newest_commit_time = commit_objects.last().unwrap().time().seconds();
3902        let time_span = newest_commit_time - oldest_commit_time;
3903
3904        if time_span > WEEK_IN_SECONDS {
3905            let days = time_span / (24 * 3600);
3906            println!("⚠️  Warning: Commits span {days} days");
3907            println!("   This may indicate merged history rather than new work.");
3908            println!("   Recent work should typically span hours or days, not weeks.");
3909        }
3910    }
3911
3912    // 🛡️ SAFEGUARD 4: Better range detection suggestions
3913    if commits_to_push.len() > 5 {
3914        Output::tip(" Tip: If you only want recent commits, use:");
3915        println!(
3916            "   ca push --since HEAD~{}  # pushes last {} commits",
3917            std::cmp::min(commits_to_push.len(), 5),
3918            std::cmp::min(commits_to_push.len(), 5)
3919        );
3920        println!("   ca push --commits <hash1>,<hash2>  # pushes specific commits");
3921        println!("   ca push --dry-run  # preview what would be pushed");
3922    }
3923
3924    // 🛡️ SAFEGUARD 5: Dry run mode
3925    if dry_run {
3926        println!("🔍 DRY RUN: Would push {} commits:", commits_to_push.len());
3927        for (i, (commit_hash, commit_obj)) in commits_to_push
3928            .iter()
3929            .zip(commit_objects.iter())
3930            .enumerate()
3931        {
3932            let summary = commit_obj.summary().unwrap_or("(no message)");
3933            let short_hash = &commit_hash[..std::cmp::min(commit_hash.len(), 7)];
3934            println!("  {}: {} ({})", i + 1, summary, short_hash);
3935        }
3936        Output::tip(" Run without --dry-run to actually push these commits.");
3937    }
3938
3939    Ok(())
3940}
3941
3942/// Prompt user for confirmation when pushing large number of commits
3943fn confirm_large_push(count: usize) -> Result<bool> {
3944    // Interactive confirmation for large push
3945    let should_continue = Confirm::with_theme(&ColorfulTheme::default())
3946        .with_prompt(format!("Continue pushing {count} commits?"))
3947        .default(false)
3948        .interact()
3949        .map_err(|e| CascadeError::config(format!("Failed to get user confirmation: {e}")))?;
3950
3951    Ok(should_continue)
3952}
3953
3954#[cfg(test)]
3955mod tests {
3956    use super::*;
3957    use std::process::Command;
3958    use tempfile::TempDir;
3959
3960    fn create_test_repo() -> Result<(TempDir, std::path::PathBuf)> {
3961        let temp_dir = TempDir::new()
3962            .map_err(|e| CascadeError::config(format!("Failed to create temp directory: {e}")))?;
3963        let repo_path = temp_dir.path().to_path_buf();
3964
3965        // Initialize git repository
3966        let output = Command::new("git")
3967            .args(["init"])
3968            .current_dir(&repo_path)
3969            .output()
3970            .map_err(|e| CascadeError::config(format!("Failed to run git init: {e}")))?;
3971        if !output.status.success() {
3972            return Err(CascadeError::config("Git init failed".to_string()));
3973        }
3974
3975        let output = Command::new("git")
3976            .args(["config", "user.name", "Test User"])
3977            .current_dir(&repo_path)
3978            .output()
3979            .map_err(|e| CascadeError::config(format!("Failed to run git config: {e}")))?;
3980        if !output.status.success() {
3981            return Err(CascadeError::config(
3982                "Git config user.name failed".to_string(),
3983            ));
3984        }
3985
3986        let output = Command::new("git")
3987            .args(["config", "user.email", "test@example.com"])
3988            .current_dir(&repo_path)
3989            .output()
3990            .map_err(|e| CascadeError::config(format!("Failed to run git config: {e}")))?;
3991        if !output.status.success() {
3992            return Err(CascadeError::config(
3993                "Git config user.email failed".to_string(),
3994            ));
3995        }
3996
3997        // Create initial commit
3998        std::fs::write(repo_path.join("README.md"), "# Test")
3999            .map_err(|e| CascadeError::config(format!("Failed to write file: {e}")))?;
4000        let output = Command::new("git")
4001            .args(["add", "."])
4002            .current_dir(&repo_path)
4003            .output()
4004            .map_err(|e| CascadeError::config(format!("Failed to run git add: {e}")))?;
4005        if !output.status.success() {
4006            return Err(CascadeError::config("Git add failed".to_string()));
4007        }
4008
4009        let output = Command::new("git")
4010            .args(["commit", "-m", "Initial commit"])
4011            .current_dir(&repo_path)
4012            .output()
4013            .map_err(|e| CascadeError::config(format!("Failed to run git commit: {e}")))?;
4014        if !output.status.success() {
4015            return Err(CascadeError::config("Git commit failed".to_string()));
4016        }
4017
4018        // Initialize cascade
4019        crate::config::initialize_repo(&repo_path, Some("https://test.bitbucket.com".to_string()))?;
4020
4021        Ok((temp_dir, repo_path))
4022    }
4023
4024    #[tokio::test]
4025    async fn test_create_stack() {
4026        let (temp_dir, repo_path) = match create_test_repo() {
4027            Ok(repo) => repo,
4028            Err(_) => {
4029                println!("Skipping test due to git environment setup failure");
4030                return;
4031            }
4032        };
4033        // IMPORTANT: temp_dir must stay in scope to prevent early cleanup of test directory
4034        let _ = &temp_dir;
4035
4036        // Note: create_test_repo() already initializes Cascade configuration
4037
4038        // Change to the repo directory (with proper error handling)
4039        let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4040        match env::set_current_dir(&repo_path) {
4041            Ok(_) => {
4042                let result = create_stack(
4043                    "test-stack".to_string(),
4044                    None, // Use default branch
4045                    Some("Test description".to_string()),
4046                )
4047                .await;
4048
4049                // Restore original directory (best effort)
4050                if let Ok(orig) = original_dir {
4051                    let _ = env::set_current_dir(orig);
4052                }
4053
4054                assert!(
4055                    result.is_ok(),
4056                    "Stack creation should succeed in initialized repository"
4057                );
4058            }
4059            Err(_) => {
4060                // Skip test if we can't change directories (CI environment issue)
4061                println!("Skipping test due to directory access restrictions");
4062            }
4063        }
4064    }
4065
4066    #[tokio::test]
4067    async fn test_list_empty_stacks() {
4068        let (temp_dir, repo_path) = match create_test_repo() {
4069            Ok(repo) => repo,
4070            Err(_) => {
4071                println!("Skipping test due to git environment setup failure");
4072                return;
4073            }
4074        };
4075        // IMPORTANT: temp_dir must stay in scope to prevent early cleanup of test directory
4076        let _ = &temp_dir;
4077
4078        // Note: create_test_repo() already initializes Cascade configuration
4079
4080        // Change to the repo directory (with proper error handling)
4081        let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4082        match env::set_current_dir(&repo_path) {
4083            Ok(_) => {
4084                let result = list_stacks(false, false, None).await;
4085
4086                // Restore original directory (best effort)
4087                if let Ok(orig) = original_dir {
4088                    let _ = env::set_current_dir(orig);
4089                }
4090
4091                assert!(
4092                    result.is_ok(),
4093                    "Listing stacks should succeed in initialized repository"
4094                );
4095            }
4096            Err(_) => {
4097                // Skip test if we can't change directories (CI environment issue)
4098                println!("Skipping test due to directory access restrictions");
4099            }
4100        }
4101    }
4102
4103    // Tests for squashing functionality
4104
4105    #[test]
4106    fn test_extract_feature_from_wip_basic() {
4107        let messages = vec![
4108            "WIP: add authentication".to_string(),
4109            "WIP: implement login flow".to_string(),
4110        ];
4111
4112        let result = extract_feature_from_wip(&messages);
4113        assert_eq!(result, "Add authentication");
4114    }
4115
4116    #[test]
4117    fn test_extract_feature_from_wip_capitalize() {
4118        let messages = vec!["WIP: fix user validation bug".to_string()];
4119
4120        let result = extract_feature_from_wip(&messages);
4121        assert_eq!(result, "Fix user validation bug");
4122    }
4123
4124    #[test]
4125    fn test_extract_feature_from_wip_fallback() {
4126        let messages = vec![
4127            "WIP user interface changes".to_string(),
4128            "wip: css styling".to_string(),
4129        ];
4130
4131        let result = extract_feature_from_wip(&messages);
4132        // Should create a fallback message since no "WIP:" prefix found
4133        assert!(result.contains("Implement") || result.contains("Squashed") || result.len() > 5);
4134    }
4135
4136    #[test]
4137    fn test_extract_feature_from_wip_empty() {
4138        let messages = vec![];
4139
4140        let result = extract_feature_from_wip(&messages);
4141        assert_eq!(result, "Squashed 0 commits");
4142    }
4143
4144    #[test]
4145    fn test_extract_feature_from_wip_short_message() {
4146        let messages = vec!["WIP: x".to_string()]; // Too short
4147
4148        let result = extract_feature_from_wip(&messages);
4149        assert!(result.starts_with("Implement") || result.contains("Squashed"));
4150    }
4151
4152    // Integration tests for squashing that don't require real git commits
4153
4154    #[test]
4155    fn test_squash_message_final_strategy() {
4156        // This test would need real git2::Commit objects, so we'll test the logic indirectly
4157        // through the extract_feature_from_wip function which handles the core logic
4158
4159        let messages = [
4160            "Final: implement user authentication system".to_string(),
4161            "WIP: add tests".to_string(),
4162            "WIP: fix validation".to_string(),
4163        ];
4164
4165        // Test that we can identify final commits
4166        assert!(messages[0].starts_with("Final:"));
4167
4168        // Test message extraction
4169        let extracted = messages[0].trim_start_matches("Final:").trim();
4170        assert_eq!(extracted, "implement user authentication system");
4171    }
4172
4173    #[test]
4174    fn test_squash_message_wip_detection() {
4175        let messages = [
4176            "WIP: start feature".to_string(),
4177            "WIP: continue work".to_string(),
4178            "WIP: almost done".to_string(),
4179            "Regular commit message".to_string(),
4180        ];
4181
4182        let wip_count = messages
4183            .iter()
4184            .filter(|m| {
4185                m.to_lowercase().starts_with("wip") || m.to_lowercase().contains("work in progress")
4186            })
4187            .count();
4188
4189        assert_eq!(wip_count, 3); // Should detect 3 WIP commits
4190        assert!(wip_count > messages.len() / 2); // Majority are WIP
4191
4192        // Should find the non-WIP message
4193        let non_wip: Vec<&String> = messages
4194            .iter()
4195            .filter(|m| {
4196                !m.to_lowercase().starts_with("wip")
4197                    && !m.to_lowercase().contains("work in progress")
4198            })
4199            .collect();
4200
4201        assert_eq!(non_wip.len(), 1);
4202        assert_eq!(non_wip[0], "Regular commit message");
4203    }
4204
4205    #[test]
4206    fn test_squash_message_all_wip() {
4207        let messages = vec![
4208            "WIP: add feature A".to_string(),
4209            "WIP: add feature B".to_string(),
4210            "WIP: finish implementation".to_string(),
4211        ];
4212
4213        let result = extract_feature_from_wip(&messages);
4214        // Should use the first message as the main feature
4215        assert_eq!(result, "Add feature A");
4216    }
4217
4218    #[test]
4219    fn test_squash_message_edge_cases() {
4220        // Test empty messages
4221        let empty_messages: Vec<String> = vec![];
4222        let result = extract_feature_from_wip(&empty_messages);
4223        assert_eq!(result, "Squashed 0 commits");
4224
4225        // Test messages with only whitespace
4226        let whitespace_messages = vec!["   ".to_string(), "\t\n".to_string()];
4227        let result = extract_feature_from_wip(&whitespace_messages);
4228        assert!(result.contains("Squashed") || result.contains("Implement"));
4229
4230        // Test case sensitivity
4231        let mixed_case = vec!["wip: Add Feature".to_string()];
4232        let result = extract_feature_from_wip(&mixed_case);
4233        assert_eq!(result, "Add Feature");
4234    }
4235
4236    // Tests for auto-land functionality
4237
4238    #[tokio::test]
4239    async fn test_auto_land_wrapper() {
4240        // Test that auto_land_stack correctly calls land_stack with auto=true
4241        let (temp_dir, repo_path) = match create_test_repo() {
4242            Ok(repo) => repo,
4243            Err(_) => {
4244                println!("Skipping test due to git environment setup failure");
4245                return;
4246            }
4247        };
4248        // IMPORTANT: temp_dir must stay in scope to prevent early cleanup of test directory
4249        let _ = &temp_dir;
4250
4251        // Initialize cascade in the test repo
4252        crate::config::initialize_repo(&repo_path, Some("https://test.bitbucket.com".to_string()))
4253            .expect("Failed to initialize Cascade in test repo");
4254
4255        let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4256        match env::set_current_dir(&repo_path) {
4257            Ok(_) => {
4258                // Create a stack first
4259                let result = create_stack(
4260                    "test-stack".to_string(),
4261                    None,
4262                    Some("Test stack for auto-land".to_string()),
4263                )
4264                .await;
4265
4266                if let Ok(orig) = original_dir {
4267                    let _ = env::set_current_dir(orig);
4268                }
4269
4270                // For now, just test that the function can be called without panic
4271                // (It will fail due to missing Bitbucket config, but that's expected)
4272                assert!(
4273                    result.is_ok(),
4274                    "Stack creation should succeed in initialized repository"
4275                );
4276            }
4277            Err(_) => {
4278                println!("Skipping test due to directory access restrictions");
4279            }
4280        }
4281    }
4282
4283    #[test]
4284    fn test_auto_land_action_enum() {
4285        // Test that AutoLand action is properly defined
4286        use crate::cli::commands::stack::StackAction;
4287
4288        // This ensures the AutoLand variant exists and has the expected fields
4289        let _action = StackAction::AutoLand {
4290            force: false,
4291            dry_run: true,
4292            wait_for_builds: true,
4293            strategy: Some(MergeStrategyArg::Squash),
4294            build_timeout: 1800,
4295        };
4296
4297        // Test passes if we reach this point without errors
4298    }
4299
4300    #[test]
4301    fn test_merge_strategy_conversion() {
4302        // Test that MergeStrategyArg converts properly
4303        let squash_strategy = MergeStrategyArg::Squash;
4304        let merge_strategy: crate::bitbucket::pull_request::MergeStrategy = squash_strategy.into();
4305
4306        match merge_strategy {
4307            crate::bitbucket::pull_request::MergeStrategy::Squash => {
4308                // Correct conversion
4309            }
4310            _ => unreachable!("SquashStrategyArg only has Squash variant"),
4311        }
4312
4313        let merge_strategy = MergeStrategyArg::Merge;
4314        let converted: crate::bitbucket::pull_request::MergeStrategy = merge_strategy.into();
4315
4316        match converted {
4317            crate::bitbucket::pull_request::MergeStrategy::Merge => {
4318                // Correct conversion
4319            }
4320            _ => unreachable!("MergeStrategyArg::Merge maps to MergeStrategy::Merge"),
4321        }
4322    }
4323
4324    #[test]
4325    fn test_auto_merge_conditions_structure() {
4326        // Test that AutoMergeConditions can be created with expected values
4327        use std::time::Duration;
4328
4329        let conditions = crate::bitbucket::pull_request::AutoMergeConditions {
4330            merge_strategy: crate::bitbucket::pull_request::MergeStrategy::Squash,
4331            wait_for_builds: true,
4332            build_timeout: Duration::from_secs(1800),
4333            allowed_authors: None,
4334        };
4335
4336        // Verify the conditions are set as expected for auto-land
4337        assert!(conditions.wait_for_builds);
4338        assert_eq!(conditions.build_timeout.as_secs(), 1800);
4339        assert!(conditions.allowed_authors.is_none());
4340        assert!(matches!(
4341            conditions.merge_strategy,
4342            crate::bitbucket::pull_request::MergeStrategy::Squash
4343        ));
4344    }
4345
4346    #[test]
4347    fn test_polling_constants() {
4348        // Test that polling frequency is documented and reasonable
4349        use std::time::Duration;
4350
4351        // The polling frequency should be 30 seconds as mentioned in documentation
4352        let expected_polling_interval = Duration::from_secs(30);
4353
4354        // Verify it's a reasonable value (not too frequent, not too slow)
4355        assert!(expected_polling_interval.as_secs() >= 10); // At least 10 seconds
4356        assert!(expected_polling_interval.as_secs() <= 60); // At most 1 minute
4357        assert_eq!(expected_polling_interval.as_secs(), 30); // Exactly 30 seconds
4358    }
4359
4360    #[test]
4361    fn test_build_timeout_defaults() {
4362        // Verify build timeout default is reasonable
4363        const DEFAULT_TIMEOUT: u64 = 1800; // 30 minutes
4364        assert_eq!(DEFAULT_TIMEOUT, 1800);
4365        // Test that our default timeout value is within reasonable bounds
4366        let timeout_value = 1800u64;
4367        assert!(timeout_value >= 300); // At least 5 minutes
4368        assert!(timeout_value <= 3600); // At most 1 hour
4369    }
4370
4371    #[test]
4372    fn test_scattered_commit_detection() {
4373        use std::collections::HashSet;
4374
4375        // Test scattered commit detection logic
4376        let mut source_branches = HashSet::new();
4377        source_branches.insert("feature-branch-1".to_string());
4378        source_branches.insert("feature-branch-2".to_string());
4379        source_branches.insert("feature-branch-3".to_string());
4380
4381        // Single branch should not trigger warning
4382        let single_branch = HashSet::from(["main".to_string()]);
4383        assert_eq!(single_branch.len(), 1);
4384
4385        // Multiple branches should trigger warning
4386        assert!(source_branches.len() > 1);
4387        assert_eq!(source_branches.len(), 3);
4388
4389        // Verify branch names are preserved correctly
4390        assert!(source_branches.contains("feature-branch-1"));
4391        assert!(source_branches.contains("feature-branch-2"));
4392        assert!(source_branches.contains("feature-branch-3"));
4393    }
4394
4395    #[test]
4396    fn test_source_branch_tracking() {
4397        // Test that source branch tracking correctly handles different scenarios
4398
4399        // Same branch should be consistent
4400        let branch_a = "feature-work";
4401        let branch_b = "feature-work";
4402        assert_eq!(branch_a, branch_b);
4403
4404        // Different branches should be detected
4405        let branch_1 = "feature-ui";
4406        let branch_2 = "feature-api";
4407        assert_ne!(branch_1, branch_2);
4408
4409        // Branch naming patterns
4410        assert!(branch_1.starts_with("feature-"));
4411        assert!(branch_2.starts_with("feature-"));
4412    }
4413
4414    // Tests for new default behavior (removing --all flag)
4415
4416    #[tokio::test]
4417    async fn test_push_default_behavior() {
4418        // Test the push_to_stack function structure and error handling in an isolated environment
4419        let (temp_dir, repo_path) = match create_test_repo() {
4420            Ok(repo) => repo,
4421            Err(_) => {
4422                println!("Skipping test due to git environment setup failure");
4423                return;
4424            }
4425        };
4426        // IMPORTANT: temp_dir must stay in scope to prevent early cleanup of test directory
4427        let _ = &temp_dir;
4428
4429        // Verify directory exists before changing to it
4430        if !repo_path.exists() {
4431            println!("Skipping test due to temporary directory creation issue");
4432            return;
4433        }
4434
4435        // Change to the test repository directory to ensure isolation
4436        let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4437
4438        match env::set_current_dir(&repo_path) {
4439            Ok(_) => {
4440                // Test that push_to_stack properly handles the case when no stack is active
4441                let result = push_to_stack(
4442                    None,  // branch
4443                    None,  // message
4444                    None,  // commit
4445                    None,  // since
4446                    None,  // commits
4447                    None,  // squash
4448                    None,  // squash_since
4449                    false, // auto_branch
4450                    false, // allow_base_branch
4451                    false, // dry_run
4452                )
4453                .await;
4454
4455                // Restore original directory (best effort)
4456                if let Ok(orig) = original_dir {
4457                    let _ = env::set_current_dir(orig);
4458                }
4459
4460                // Should fail gracefully with appropriate error message when no stack is active
4461                match &result {
4462                    Err(e) => {
4463                        let error_msg = e.to_string();
4464                        // This is the expected behavior - no active stack should produce this error
4465                        assert!(
4466                            error_msg.contains("No active stack")
4467                                || error_msg.contains("config")
4468                                || error_msg.contains("current directory")
4469                                || error_msg.contains("Not a git repository")
4470                                || error_msg.contains("could not find repository"),
4471                            "Expected 'No active stack' or repository error, got: {error_msg}"
4472                        );
4473                    }
4474                    Ok(_) => {
4475                        // If it somehow succeeds, that's also fine (e.g., if environment is set up differently)
4476                        println!(
4477                            "Push succeeded unexpectedly - test environment may have active stack"
4478                        );
4479                    }
4480                }
4481            }
4482            Err(_) => {
4483                // Skip test if we can't change directories (CI environment issue)
4484                println!("Skipping test due to directory access restrictions");
4485            }
4486        }
4487
4488        // Verify we can construct the command structure correctly
4489        let push_action = StackAction::Push {
4490            branch: None,
4491            message: None,
4492            commit: None,
4493            since: None,
4494            commits: None,
4495            squash: None,
4496            squash_since: None,
4497            auto_branch: false,
4498            allow_base_branch: false,
4499            dry_run: false,
4500        };
4501
4502        assert!(matches!(
4503            push_action,
4504            StackAction::Push {
4505                branch: None,
4506                message: None,
4507                commit: None,
4508                since: None,
4509                commits: None,
4510                squash: None,
4511                squash_since: None,
4512                auto_branch: false,
4513                allow_base_branch: false,
4514                dry_run: false
4515            }
4516        ));
4517    }
4518
4519    #[tokio::test]
4520    async fn test_submit_default_behavior() {
4521        // Test the submit_entry function structure and error handling in an isolated environment
4522        let (temp_dir, repo_path) = match create_test_repo() {
4523            Ok(repo) => repo,
4524            Err(_) => {
4525                println!("Skipping test due to git environment setup failure");
4526                return;
4527            }
4528        };
4529        // IMPORTANT: temp_dir must stay in scope to prevent early cleanup of test directory
4530        let _ = &temp_dir;
4531
4532        // Verify directory exists before changing to it
4533        if !repo_path.exists() {
4534            println!("Skipping test due to temporary directory creation issue");
4535            return;
4536        }
4537
4538        // Change to the test repository directory to ensure isolation
4539        let original_dir = match env::current_dir() {
4540            Ok(dir) => dir,
4541            Err(_) => {
4542                println!("Skipping test due to current directory access restrictions");
4543                return;
4544            }
4545        };
4546
4547        match env::set_current_dir(&repo_path) {
4548            Ok(_) => {
4549                // Test that submit_entry properly handles the case when no stack is active
4550                let result = submit_entry(
4551                    None,  // entry (should default to all unsubmitted)
4552                    None,  // title
4553                    None,  // description
4554                    None,  // range
4555                    false, // draft
4556                    true,  // open
4557                )
4558                .await;
4559
4560                // Restore original directory
4561                let _ = env::set_current_dir(original_dir);
4562
4563                // Should fail gracefully with appropriate error message when no stack is active
4564                match &result {
4565                    Err(e) => {
4566                        let error_msg = e.to_string();
4567                        // This is the expected behavior - no active stack should produce this error
4568                        assert!(
4569                            error_msg.contains("No active stack")
4570                                || error_msg.contains("config")
4571                                || error_msg.contains("current directory")
4572                                || error_msg.contains("Not a git repository")
4573                                || error_msg.contains("could not find repository"),
4574                            "Expected 'No active stack' or repository error, got: {error_msg}"
4575                        );
4576                    }
4577                    Ok(_) => {
4578                        // If it somehow succeeds, that's also fine (e.g., if environment is set up differently)
4579                        println!("Submit succeeded unexpectedly - test environment may have active stack");
4580                    }
4581                }
4582            }
4583            Err(_) => {
4584                // Skip test if we can't change directories (CI environment issue)
4585                println!("Skipping test due to directory access restrictions");
4586            }
4587        }
4588
4589        // Verify we can construct the command structure correctly
4590        let submit_action = StackAction::Submit {
4591            entry: None,
4592            title: None,
4593            description: None,
4594            range: None,
4595            draft: true, // Default changed to true
4596            open: true,
4597        };
4598
4599        assert!(matches!(
4600            submit_action,
4601            StackAction::Submit {
4602                entry: None,
4603                title: None,
4604                description: None,
4605                range: None,
4606                draft: true, // Default changed to true
4607                open: true
4608            }
4609        ));
4610    }
4611
4612    #[test]
4613    fn test_targeting_options_still_work() {
4614        // Test that specific targeting options still work correctly
4615
4616        // Test commit list parsing
4617        let commits = "abc123,def456,ghi789";
4618        let parsed: Vec<&str> = commits.split(',').map(|s| s.trim()).collect();
4619        assert_eq!(parsed.len(), 3);
4620        assert_eq!(parsed[0], "abc123");
4621        assert_eq!(parsed[1], "def456");
4622        assert_eq!(parsed[2], "ghi789");
4623
4624        // Test range parsing would work
4625        let range = "1-3";
4626        assert!(range.contains('-'));
4627        let parts: Vec<&str> = range.split('-').collect();
4628        assert_eq!(parts.len(), 2);
4629
4630        // Test since reference pattern
4631        let since_ref = "HEAD~3";
4632        assert!(since_ref.starts_with("HEAD"));
4633        assert!(since_ref.contains('~'));
4634    }
4635
4636    #[test]
4637    fn test_command_flow_logic() {
4638        // These just test the command structure exists
4639        assert!(matches!(
4640            StackAction::Push {
4641                branch: None,
4642                message: None,
4643                commit: None,
4644                since: None,
4645                commits: None,
4646                squash: None,
4647                squash_since: None,
4648                auto_branch: false,
4649                allow_base_branch: false,
4650                dry_run: false
4651            },
4652            StackAction::Push { .. }
4653        ));
4654
4655        assert!(matches!(
4656            StackAction::Submit {
4657                entry: None,
4658                title: None,
4659                description: None,
4660                range: None,
4661                draft: false,
4662                open: true
4663            },
4664            StackAction::Submit { .. }
4665        ));
4666    }
4667
4668    #[tokio::test]
4669    async fn test_deactivate_command_structure() {
4670        // Test that deactivate command structure exists and can be constructed
4671        let deactivate_action = StackAction::Deactivate { force: false };
4672
4673        // Verify it matches the expected pattern
4674        assert!(matches!(
4675            deactivate_action,
4676            StackAction::Deactivate { force: false }
4677        ));
4678
4679        // Test with force flag
4680        let force_deactivate = StackAction::Deactivate { force: true };
4681        assert!(matches!(
4682            force_deactivate,
4683            StackAction::Deactivate { force: true }
4684        ));
4685    }
4686}