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};
8use std::env;
10use tracing::{debug, warn};
11
12#[derive(ValueEnum, Clone, Debug)]
14pub enum RebaseStrategyArg {
15 ForcePush,
17 Interactive,
19}
20
21#[derive(ValueEnum, Clone, Debug)]
22pub enum MergeStrategyArg {
23 Merge,
25 Squash,
27 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 {
45 name: String,
47 #[arg(long, short)]
49 base: Option<String>,
50 #[arg(long, short)]
52 description: Option<String>,
53 },
54
55 List {
57 #[arg(long, short)]
59 verbose: bool,
60 #[arg(long)]
62 active: bool,
63 #[arg(long)]
65 format: Option<String>,
66 },
67
68 Switch {
70 name: String,
72 },
73
74 Deactivate {
76 #[arg(long)]
78 force: bool,
79 },
80
81 Show {
83 #[arg(short, long)]
85 verbose: bool,
86 #[arg(short, long)]
88 mergeable: bool,
89 },
90
91 Push {
93 #[arg(long, short)]
95 branch: Option<String>,
96 #[arg(long, short)]
98 message: Option<String>,
99 #[arg(long)]
101 commit: Option<String>,
102 #[arg(long)]
104 since: Option<String>,
105 #[arg(long)]
107 commits: Option<String>,
108 #[arg(long, num_args = 0..=1, default_missing_value = "0")]
110 squash: Option<usize>,
111 #[arg(long)]
113 squash_since: Option<String>,
114 #[arg(long)]
116 auto_branch: bool,
117 #[arg(long)]
119 allow_base_branch: bool,
120 #[arg(long)]
122 dry_run: bool,
123 },
124
125 Pop {
127 #[arg(long)]
129 keep_branch: bool,
130 },
131
132 Submit {
134 entry: Option<usize>,
136 #[arg(long, short)]
138 title: Option<String>,
139 #[arg(long, short)]
141 description: Option<String>,
142 #[arg(long)]
144 range: Option<String>,
145 #[arg(long, default_value_t = true)]
147 draft: bool,
148 #[arg(long, default_value_t = true)]
150 open: bool,
151 },
152
153 Status {
155 name: Option<String>,
157 },
158
159 Prs {
161 #[arg(long)]
163 state: Option<String>,
164 #[arg(long, short)]
166 verbose: bool,
167 },
168
169 Check {
171 #[arg(long)]
173 force: bool,
174 },
175
176 Sync {
178 #[arg(long)]
180 force: bool,
181 #[arg(long)]
183 cleanup: bool,
184 #[arg(long, short)]
186 interactive: bool,
187 #[arg(long)]
189 r#continue: bool,
190 },
191
192 Rebase {
194 #[arg(long, short)]
196 interactive: bool,
197 #[arg(long)]
199 onto: Option<String>,
200 #[arg(long, value_enum)]
202 strategy: Option<RebaseStrategyArg>,
203 },
204
205 ContinueRebase,
207
208 AbortRebase,
210
211 RebaseStatus,
213
214 Delete {
216 name: String,
218 #[arg(long)]
220 force: bool,
221 },
222
223 Validate {
235 name: Option<String>,
237 #[arg(long)]
239 fix: Option<String>,
240 },
241
242 Land {
244 entry: Option<usize>,
246 #[arg(short, long)]
248 force: bool,
249 #[arg(short, long)]
251 dry_run: bool,
252 #[arg(long)]
254 auto: bool,
255 #[arg(long)]
257 wait_for_builds: bool,
258 #[arg(long, value_enum, default_value = "squash")]
260 strategy: Option<MergeStrategyArg>,
261 #[arg(long, default_value = "1800")]
263 build_timeout: u64,
264 },
265
266 AutoLand {
268 #[arg(short, long)]
270 force: bool,
271 #[arg(short, long)]
273 dry_run: bool,
274 #[arg(long)]
276 wait_for_builds: bool,
277 #[arg(long, value_enum, default_value = "squash")]
279 strategy: Option<MergeStrategyArg>,
280 #[arg(long, default_value = "1800")]
282 build_timeout: u64,
283 },
284
285 ListPrs {
287 #[arg(short, long)]
289 state: Option<String>,
290 #[arg(short, long)]
292 verbose: bool,
293 },
294
295 ContinueLand,
297
298 AbortLand,
300
301 LandStatus,
303
304 Cleanup {
306 #[arg(long)]
308 dry_run: bool,
309 #[arg(long)]
311 force: bool,
312 #[arg(long)]
314 include_stale: bool,
315 #[arg(long, default_value = "30")]
317 stale_days: u32,
318 #[arg(long)]
320 cleanup_remote: bool,
321 #[arg(long)]
323 include_non_stack: bool,
324 #[arg(long)]
326 verbose: bool,
327 },
328
329 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
463pub 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(¤t_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 let stack = manager
576 .get_stack(&stack_id)
577 .ok_or_else(|| CascadeError::config("Failed to get created stack"))?;
578
579 Output::stack_info(
581 &name,
582 &stack_id.to_string(),
583 &stack.base_branch,
584 stack.working_branch.as_deref(),
585 true, );
587
588 if let Some(desc) = description {
589 Output::sub_item(format!("Description: {desc}"));
590 }
591
592 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(¤t_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 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 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 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(¤t_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 let stack = manager
728 .get_stack_by_name(&name)
729 .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
730
731 if let Some(working_branch) = &stack.working_branch {
733 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 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 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 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(¤t_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 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 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(¤t_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 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 Output::stack_info(
866 &stack_name,
867 &stack_id.to_string(),
868 &stack_base,
869 stack_working.as_deref(),
870 true, );
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 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 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 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 if show_mergeable {
937 Output::section("Mergability Status");
938
939 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 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 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 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 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(¤t_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 if !manager.check_for_branch_change()? {
1133 return Ok(()); }
1135
1136 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 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 if allow_base_branch {
1154 Output::warning("Proceeding anyway due to --allow-base-branch flag");
1155 } else {
1156 let has_changes = repo.is_dirty()?;
1158
1159 if has_changes {
1160 if auto_branch {
1161 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 } 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 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 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 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 } 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 if let Some(squash_count) = squash {
1303 if squash_count == 0 {
1304 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 let commits_to_push = if let Some(commits_str) = commits {
1337 commits_str
1339 .split(',')
1340 .map(|s| s.trim().to_string())
1341 .collect::<Vec<String>>()
1342 } else if let Some(since_ref) = since {
1343 let since_commit = repo.resolve_reference(&since_ref)?;
1345 let head_commit = repo.get_head_commit()?;
1346
1347 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 vec![hash]
1356 } else {
1357 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 let base_branch = &active_stack.base_branch;
1364 let current_branch = repo.get_current_branch()?;
1365
1366 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 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 if let Some(parent) = current_commit.parents().next() {
1388 current_commit = parent;
1389 } else {
1390 break;
1391 }
1392 }
1393
1394 unpushed.reverse(); unpushed
1396 } else {
1397 match repo.get_commits_between(base_branch, ¤t_branch) {
1399 Ok(commits) => {
1400 let mut unpushed: Vec<String> =
1401 commits.into_iter().map(|c| c.id().to_string()).collect();
1402
1403 unpushed.retain(|commit_hash| {
1405 !active_stack
1406 .entries
1407 .iter()
1408 .any(|entry| entry.commit_hash == *commit_hash)
1409 });
1410
1411 unpushed.reverse(); 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 analyze_commits_for_safeguards(&commits_to_push, &repo, dry_run).await?;
1431
1432 if dry_run {
1434 return Ok(());
1435 }
1436
1437 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 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 let branch_name = if i == 0 && branch.is_some() {
1453 branch.clone().unwrap()
1454 } else {
1455 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 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 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(¤t_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 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(¤t_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 if !stack_manager.check_for_branch_change()? {
1575 return Ok(()); }
1577
1578 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 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 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 let entries_to_submit = if let Some(range_str) = range {
1599 let mut entries = Vec::new();
1601
1602 if range_str.contains('-') {
1603 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 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 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 active_stack
1665 .entries
1666 .iter()
1667 .enumerate()
1668 .filter(|(_, entry)| !entry.is_submitted)
1669 .map(|(i, entry)| (i + 1, entry.clone())) .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 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 let integration_stack_manager = StackManager::new(&repo_root)?;
1692 let mut integration =
1693 BitbucketIntegration::new(integration_stack_manager, cascade_config.clone())?;
1694
1695 let mut submitted_count = 0;
1697 let mut failed_entries = Vec::new();
1698 let mut pr_urls = Vec::new(); let total_entries = entries_to_submit.len();
1700
1701 for (entry_num, entry_to_submit) in &entries_to_submit {
1702 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 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); }
1749 }
1750 Err(e) => {
1751 Output::error("Failed");
1752 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 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 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 let error_msg = e.to_string();
1796 if !error_msg.contains("409") && !error_msg.contains("out-of-date") {
1797 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 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 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(¤t_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 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 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 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 let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
1895
1896 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(¤t_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 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 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 let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
1961
1962 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 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(¤t_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(¤t_dir)?;
2058
2059 Output::section("Continuing sync from where it left off");
2060 println!();
2061
2062 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 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 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 let git_repo = crate::git::GitRepository::open(&repo_root)?;
2109 let current_branch = git_repo.get_current_branch()?;
2110
2111 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 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 let mut manager = crate::stack::StackManager::new(&repo_root)?;
2134
2135 let new_commit_hash = git_repo.get_branch_head(&stack_branch)?;
2138
2139 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 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 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 git_repo.checkout_branch_unsafe(&working_branch)?;
2193
2194 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 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(¤t_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 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 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 let original_branch = git_repo.get_current_branch().ok();
2244
2245 match git_repo.checkout_branch_silent(&base_branch) {
2249 Ok(_) => {
2250 match git_repo.pull(&base_branch) {
2251 Ok(_) => {
2252 }
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 let mut updated_stack_manager = StackManager::new(&repo_root)?;
2287 let stack_id = active_stack.id;
2288
2289 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 ¤t_commit[..8]
2301 );
2302 updates.push((entry.id, current_commit));
2303 }
2304 }
2305 }
2306
2307 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 updated_stack_manager.save_to_disk()?;
2316 }
2317
2318 match updated_stack_manager.sync_stack(&stack_id) {
2319 Ok(_) => {
2320 if let Some(updated_stack) = updated_stack_manager.get_stack(&stack_id) {
2322 if updated_stack.entries.is_empty() {
2324 println!(); 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 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 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, max_retries: 3,
2353 skip_pull: Some(true), original_working_branch: original_branch.clone(), };
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 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 let pr_word = if result.branch_mapping.len() == 1 {
2378 "PR"
2379 } else {
2380 "PRs"
2381 };
2382 let mut pr_spinner =
2383 crate::utils::spinner::Spinner::new(format!(
2384 "Updating {} {}",
2385 result.branch_mapping.len(),
2386 pr_word
2387 ));
2388
2389 let pr_result = integration
2390 .update_prs_after_rebase(
2391 &stack_id,
2392 &result.branch_mapping,
2393 )
2394 .await;
2395
2396 pr_spinner.stop();
2397
2398 match pr_result {
2399 Ok(updated_prs) => {
2400 if !updated_prs.is_empty() {
2401 Output::success(format!(
2402 "Updated {} pull request{}",
2403 updated_prs.len(),
2404 if updated_prs.len() == 1 {
2405 ""
2406 } else {
2407 "s"
2408 }
2409 ));
2410 }
2411 }
2412 Err(e) => {
2413 Output::warning(format!(
2414 "Failed to update pull requests: {e}"
2415 ));
2416 }
2417 }
2418 }
2419 }
2420 }
2421 Err(e) => {
2422 return Err(e);
2424 }
2425 }
2426 }
2427 crate::stack::StackStatus::Clean => {
2428 }
2430 other => {
2431 Output::info(format!("Stack status: {other:?}"));
2433 }
2434 }
2435 }
2436 }
2437 Err(e) => {
2438 if force {
2439 Output::warning(format!(
2440 "Failed to check stack status: {e} (continuing due to --force)"
2441 ));
2442 } else {
2443 return Err(e);
2444 }
2445 }
2446 }
2447
2448 if cleanup {
2450 let git_repo_for_cleanup = GitRepository::open(&repo_root)?;
2451 match perform_simple_cleanup(&stack_manager, &git_repo_for_cleanup, false).await {
2452 Ok(result) => {
2453 if result.total_candidates > 0 {
2454 Output::section("Cleanup Summary");
2455 if !result.cleaned_branches.is_empty() {
2456 Output::success(format!(
2457 "Cleaned up {} merged branches",
2458 result.cleaned_branches.len()
2459 ));
2460 for branch in &result.cleaned_branches {
2461 Output::sub_item(format!("🗑️ Deleted: {branch}"));
2462 }
2463 }
2464 if !result.skipped_branches.is_empty() {
2465 Output::sub_item(format!(
2466 "Skipped {} branches",
2467 result.skipped_branches.len()
2468 ));
2469 }
2470 if !result.failed_branches.is_empty() {
2471 for (branch, error) in &result.failed_branches {
2472 Output::warning(format!("Failed to clean up {branch}: {error}"));
2473 }
2474 }
2475 }
2476 }
2477 Err(e) => {
2478 Output::warning(format!("Branch cleanup failed: {e}"));
2479 }
2480 }
2481 }
2482
2483 if let Some(orig_branch) = original_branch {
2485 if orig_branch != base_branch {
2486 if let Ok(git_repo) = GitRepository::open(&repo_root) {
2488 if let Err(e) = git_repo.checkout_branch(&orig_branch) {
2489 Output::warning(format!(
2490 "Could not return to original branch '{}': {}",
2491 orig_branch, e
2492 ));
2493 }
2494 }
2495 }
2496 }
2497
2498 Output::success("Sync completed successfully!");
2499
2500 Ok(())
2501}
2502
2503async fn rebase_stack(
2504 interactive: bool,
2505 onto: Option<String>,
2506 strategy: Option<RebaseStrategyArg>,
2507) -> Result<()> {
2508 let current_dir = env::current_dir()
2509 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2510
2511 let repo_root = find_repository_root(¤t_dir)
2512 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2513
2514 let stack_manager = StackManager::new(&repo_root)?;
2515 let git_repo = GitRepository::open(&repo_root)?;
2516
2517 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
2519 let config_path = config_dir.join("config.json");
2520 let settings = crate::config::Settings::load_from_file(&config_path)?;
2521
2522 let cascade_config = crate::config::CascadeConfig {
2524 bitbucket: Some(settings.bitbucket.clone()),
2525 git: settings.git.clone(),
2526 auth: crate::config::AuthConfig::default(),
2527 cascade: settings.cascade.clone(),
2528 };
2529
2530 let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
2532 CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
2533 })?;
2534 let stack_id = active_stack.id;
2535
2536 let active_stack = stack_manager
2537 .get_stack(&stack_id)
2538 .ok_or_else(|| CascadeError::config("Active stack not found"))?
2539 .clone();
2540
2541 if active_stack.entries.is_empty() {
2542 Output::info("Stack is empty. Nothing to rebase.");
2543 return Ok(());
2544 }
2545
2546 Output::progress(format!("Rebasing stack: {}", active_stack.name));
2547 Output::sub_item(format!("Base: {}", active_stack.base_branch));
2548
2549 let rebase_strategy = if let Some(cli_strategy) = strategy {
2551 match cli_strategy {
2552 RebaseStrategyArg::ForcePush => crate::stack::RebaseStrategy::ForcePush,
2553 RebaseStrategyArg::Interactive => crate::stack::RebaseStrategy::Interactive,
2554 }
2555 } else {
2556 crate::stack::RebaseStrategy::ForcePush
2558 };
2559
2560 let original_branch = git_repo.get_current_branch().ok();
2562
2563 let options = crate::stack::RebaseOptions {
2565 strategy: rebase_strategy.clone(),
2566 interactive,
2567 target_base: onto,
2568 preserve_merges: true,
2569 auto_resolve: !interactive, max_retries: 3,
2571 skip_pull: None, original_working_branch: original_branch,
2573 };
2574
2575 debug!(" Strategy: {:?}", rebase_strategy);
2576 debug!(" Interactive: {}", interactive);
2577 debug!(" Target base: {:?}", options.target_base);
2578 debug!(" Entries: {}", active_stack.entries.len());
2579
2580 let mut rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2582
2583 if rebase_manager.is_rebase_in_progress() {
2584 Output::warning("Rebase already in progress!");
2585 Output::tip("Use 'git status' to check the current state");
2586 Output::next_steps(&[
2587 "Run 'ca stack continue-rebase' to continue",
2588 "Run 'ca stack abort-rebase' to abort",
2589 ]);
2590 return Ok(());
2591 }
2592
2593 match rebase_manager.rebase_stack(&stack_id) {
2595 Ok(result) => {
2596 Output::success("Rebase completed!");
2597 Output::sub_item(result.get_summary());
2598
2599 if result.has_conflicts() {
2600 Output::warning(format!(
2601 "{} conflicts were resolved",
2602 result.conflicts.len()
2603 ));
2604 for conflict in &result.conflicts {
2605 Output::bullet(&conflict[..8.min(conflict.len())]);
2606 }
2607 }
2608
2609 if !result.branch_mapping.is_empty() {
2610 Output::section("Branch mapping");
2611 for (old, new) in &result.branch_mapping {
2612 Output::bullet(format!("{old} -> {new}"));
2613 }
2614
2615 if let Some(ref _bitbucket_config) = cascade_config.bitbucket {
2617 let integration_stack_manager = StackManager::new(&repo_root)?;
2619 let mut integration = BitbucketIntegration::new(
2620 integration_stack_manager,
2621 cascade_config.clone(),
2622 )?;
2623
2624 match integration
2625 .update_prs_after_rebase(&stack_id, &result.branch_mapping)
2626 .await
2627 {
2628 Ok(updated_prs) => {
2629 if !updated_prs.is_empty() {
2630 println!(" 🔄 Preserved pull request history:");
2631 for pr_update in updated_prs {
2632 println!(" ✅ {pr_update}");
2633 }
2634 }
2635 }
2636 Err(e) => {
2637 Output::warning(format!("Failed to update pull requests: {e}"));
2638 Output::sub_item("You may need to manually update PRs in Bitbucket");
2639 }
2640 }
2641 }
2642 }
2643
2644 Output::success(format!(
2645 "{} commits successfully rebased",
2646 result.success_count()
2647 ));
2648
2649 if matches!(rebase_strategy, crate::stack::RebaseStrategy::ForcePush) {
2651 println!();
2652 Output::section("Next steps");
2653 if !result.branch_mapping.is_empty() {
2654 Output::numbered_item(1, "Branches have been rebased and force-pushed");
2655 Output::numbered_item(
2656 2,
2657 "Pull requests updated automatically (history preserved)",
2658 );
2659 Output::numbered_item(3, "Review the updated PRs in Bitbucket");
2660 Output::numbered_item(4, "Test your changes");
2661 } else {
2662 println!(" 1. Review the rebased stack");
2663 println!(" 2. Test your changes");
2664 println!(" 3. Submit new pull requests with 'ca stack submit'");
2665 }
2666 }
2667 }
2668 Err(e) => {
2669 warn!("❌ Rebase failed: {}", e);
2670 Output::tip(" Tips for resolving rebase issues:");
2671 println!(" - Check for uncommitted changes with 'git status'");
2672 println!(" - Ensure base branch is up to date");
2673 println!(" - Try interactive mode: 'ca stack rebase --interactive'");
2674 return Err(e);
2675 }
2676 }
2677
2678 Ok(())
2679}
2680
2681async fn continue_rebase() -> Result<()> {
2682 let current_dir = env::current_dir()
2683 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2684
2685 let repo_root = find_repository_root(¤t_dir)
2686 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2687
2688 let stack_manager = StackManager::new(&repo_root)?;
2689 let git_repo = crate::git::GitRepository::open(&repo_root)?;
2690 let options = crate::stack::RebaseOptions::default();
2691 let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2692
2693 if !rebase_manager.is_rebase_in_progress() {
2694 Output::info(" No rebase in progress");
2695 return Ok(());
2696 }
2697
2698 println!(" Continuing rebase...");
2699 match rebase_manager.continue_rebase() {
2700 Ok(_) => {
2701 Output::success(" Rebase continued successfully");
2702 println!(" Check 'ca stack rebase-status' for current state");
2703 }
2704 Err(e) => {
2705 warn!("❌ Failed to continue rebase: {}", e);
2706 Output::tip(" You may need to resolve conflicts first:");
2707 println!(" 1. Edit conflicted files");
2708 println!(" 2. Stage resolved files with 'git add'");
2709 println!(" 3. Run 'ca stack continue-rebase' again");
2710 }
2711 }
2712
2713 Ok(())
2714}
2715
2716async fn abort_rebase() -> Result<()> {
2717 let current_dir = env::current_dir()
2718 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2719
2720 let repo_root = find_repository_root(¤t_dir)
2721 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2722
2723 let stack_manager = StackManager::new(&repo_root)?;
2724 let git_repo = crate::git::GitRepository::open(&repo_root)?;
2725 let options = crate::stack::RebaseOptions::default();
2726 let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2727
2728 if !rebase_manager.is_rebase_in_progress() {
2729 Output::info(" No rebase in progress");
2730 return Ok(());
2731 }
2732
2733 Output::warning("Aborting rebase...");
2734 match rebase_manager.abort_rebase() {
2735 Ok(_) => {
2736 Output::success(" Rebase aborted successfully");
2737 println!(" Repository restored to pre-rebase state");
2738 }
2739 Err(e) => {
2740 warn!("❌ Failed to abort rebase: {}", e);
2741 println!("⚠️ You may need to manually clean up the repository state");
2742 }
2743 }
2744
2745 Ok(())
2746}
2747
2748async fn rebase_status() -> Result<()> {
2749 let current_dir = env::current_dir()
2750 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2751
2752 let repo_root = find_repository_root(¤t_dir)
2753 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2754
2755 let stack_manager = StackManager::new(&repo_root)?;
2756 let git_repo = crate::git::GitRepository::open(&repo_root)?;
2757
2758 println!("Rebase Status");
2759
2760 let git_dir = current_dir.join(".git");
2762 let rebase_in_progress = git_dir.join("REBASE_HEAD").exists()
2763 || git_dir.join("rebase-merge").exists()
2764 || git_dir.join("rebase-apply").exists();
2765
2766 if rebase_in_progress {
2767 println!(" Status: 🔄 Rebase in progress");
2768 println!(
2769 "
2770📝 Actions available:"
2771 );
2772 println!(" - 'ca stack continue-rebase' to continue");
2773 println!(" - 'ca stack abort-rebase' to abort");
2774 println!(" - 'git status' to see conflicted files");
2775
2776 match git_repo.get_status() {
2778 Ok(statuses) => {
2779 let mut conflicts = Vec::new();
2780 for status in statuses.iter() {
2781 if status.status().contains(git2::Status::CONFLICTED) {
2782 if let Some(path) = status.path() {
2783 conflicts.push(path.to_string());
2784 }
2785 }
2786 }
2787
2788 if !conflicts.is_empty() {
2789 println!(" ⚠️ Conflicts in {} files:", conflicts.len());
2790 for conflict in conflicts {
2791 println!(" - {conflict}");
2792 }
2793 println!(
2794 "
2795💡 To resolve conflicts:"
2796 );
2797 println!(" 1. Edit the conflicted files");
2798 println!(" 2. Stage resolved files: git add <file>");
2799 println!(" 3. Continue: ca stack continue-rebase");
2800 }
2801 }
2802 Err(e) => {
2803 warn!("Failed to get git status: {}", e);
2804 }
2805 }
2806 } else {
2807 println!(" Status: ✅ No rebase in progress");
2808
2809 if let Some(active_stack) = stack_manager.get_active_stack() {
2811 println!(" Active stack: {}", active_stack.name);
2812 println!(" Entries: {}", active_stack.entries.len());
2813 println!(" Base branch: {}", active_stack.base_branch);
2814 }
2815 }
2816
2817 Ok(())
2818}
2819
2820async fn delete_stack(name: String, force: bool) -> Result<()> {
2821 let current_dir = env::current_dir()
2822 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2823
2824 let repo_root = find_repository_root(¤t_dir)
2825 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2826
2827 let mut manager = StackManager::new(&repo_root)?;
2828
2829 let stack = manager
2830 .get_stack_by_name(&name)
2831 .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
2832 let stack_id = stack.id;
2833
2834 if !force && !stack.entries.is_empty() {
2835 return Err(CascadeError::config(format!(
2836 "Stack '{}' has {} entries. Use --force to delete anyway",
2837 name,
2838 stack.entries.len()
2839 )));
2840 }
2841
2842 let deleted = manager.delete_stack(&stack_id)?;
2843
2844 Output::success(format!("Deleted stack '{}'", deleted.name));
2845 if !deleted.entries.is_empty() {
2846 Output::warning(format!("{} entries were removed", deleted.entries.len()));
2847 }
2848
2849 Ok(())
2850}
2851
2852async fn validate_stack(name: Option<String>, fix_mode: Option<String>) -> Result<()> {
2853 let current_dir = env::current_dir()
2854 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2855
2856 let repo_root = find_repository_root(¤t_dir)
2857 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2858
2859 let mut manager = StackManager::new(&repo_root)?;
2860
2861 if let Some(name) = name {
2862 let stack = manager
2864 .get_stack_by_name(&name)
2865 .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
2866
2867 let stack_id = stack.id;
2868
2869 match stack.validate() {
2871 Ok(_message) => {
2872 Output::success(format!("Stack '{}' structure validation passed", name));
2873 }
2874 Err(e) => {
2875 Output::error(format!(
2876 "Stack '{}' structure validation failed: {}",
2877 name, e
2878 ));
2879 return Err(CascadeError::config(e));
2880 }
2881 }
2882
2883 manager.handle_branch_modifications(&stack_id, fix_mode)?;
2885
2886 println!();
2887 Output::success(format!("Stack '{name}' validation completed"));
2888 Ok(())
2889 } else {
2890 Output::section("Validating all stacks");
2892 println!();
2893
2894 let all_stacks = manager.get_all_stacks();
2896 let stack_ids: Vec<uuid::Uuid> = all_stacks.iter().map(|s| s.id).collect();
2897
2898 if stack_ids.is_empty() {
2899 Output::info("No stacks found");
2900 return Ok(());
2901 }
2902
2903 let mut all_valid = true;
2904 for stack_id in stack_ids {
2905 let stack = manager.get_stack(&stack_id).unwrap();
2906 let stack_name = &stack.name;
2907
2908 println!("Checking stack '{stack_name}':");
2909
2910 match stack.validate() {
2912 Ok(message) => {
2913 Output::sub_item(format!("Structure: {message}"));
2914 }
2915 Err(e) => {
2916 Output::sub_item(format!("Structure: {e}"));
2917 all_valid = false;
2918 continue;
2919 }
2920 }
2921
2922 match manager.handle_branch_modifications(&stack_id, fix_mode.clone()) {
2924 Ok(_) => {
2925 Output::sub_item("Git integrity: OK");
2926 }
2927 Err(e) => {
2928 Output::sub_item(format!("Git integrity: {e}"));
2929 all_valid = false;
2930 }
2931 }
2932 println!();
2933 }
2934
2935 if all_valid {
2936 Output::success("All stacks passed validation");
2937 } else {
2938 Output::warning("Some stacks have validation issues");
2939 return Err(CascadeError::config("Stack validation failed".to_string()));
2940 }
2941
2942 Ok(())
2943 }
2944}
2945
2946#[allow(dead_code)]
2948fn get_unpushed_commits(repo: &GitRepository, stack: &crate::stack::Stack) -> Result<Vec<String>> {
2949 let mut unpushed = Vec::new();
2950 let head_commit = repo.get_head_commit()?;
2951 let mut current_commit = head_commit;
2952
2953 loop {
2955 let commit_hash = current_commit.id().to_string();
2956 let already_in_stack = stack
2957 .entries
2958 .iter()
2959 .any(|entry| entry.commit_hash == commit_hash);
2960
2961 if already_in_stack {
2962 break;
2963 }
2964
2965 unpushed.push(commit_hash);
2966
2967 if let Some(parent) = current_commit.parents().next() {
2969 current_commit = parent;
2970 } else {
2971 break;
2972 }
2973 }
2974
2975 unpushed.reverse(); Ok(unpushed)
2977}
2978
2979pub async fn squash_commits(
2981 repo: &GitRepository,
2982 count: usize,
2983 since_ref: Option<String>,
2984) -> Result<()> {
2985 if count <= 1 {
2986 return Ok(()); }
2988
2989 let _current_branch = repo.get_current_branch()?;
2991
2992 let rebase_range = if let Some(ref since) = since_ref {
2994 since.clone()
2995 } else {
2996 format!("HEAD~{count}")
2997 };
2998
2999 println!(" Analyzing {count} commits to create smart squash message...");
3000
3001 let head_commit = repo.get_head_commit()?;
3003 let mut commits_to_squash = Vec::new();
3004 let mut current = head_commit;
3005
3006 for _ in 0..count {
3008 commits_to_squash.push(current.clone());
3009 if current.parent_count() > 0 {
3010 current = current.parent(0).map_err(CascadeError::Git)?;
3011 } else {
3012 break;
3013 }
3014 }
3015
3016 let smart_message = generate_squash_message(&commits_to_squash)?;
3018 println!(
3019 " Smart message: {}",
3020 smart_message.lines().next().unwrap_or("")
3021 );
3022
3023 let reset_target = if since_ref.is_some() {
3025 format!("{rebase_range}~1")
3027 } else {
3028 format!("HEAD~{count}")
3030 };
3031
3032 repo.reset_soft(&reset_target)?;
3034
3035 repo.stage_all()?;
3037
3038 let new_commit_hash = repo.commit(&smart_message)?;
3040
3041 println!(
3042 " Created squashed commit: {} ({})",
3043 &new_commit_hash[..8],
3044 smart_message.lines().next().unwrap_or("")
3045 );
3046 println!(" 💡 Tip: Use 'git commit --amend' to edit the commit message if needed");
3047
3048 Ok(())
3049}
3050
3051pub fn generate_squash_message(commits: &[git2::Commit]) -> Result<String> {
3053 if commits.is_empty() {
3054 return Ok("Squashed commits".to_string());
3055 }
3056
3057 let messages: Vec<String> = commits
3059 .iter()
3060 .map(|c| c.message().unwrap_or("").trim().to_string())
3061 .filter(|m| !m.is_empty())
3062 .collect();
3063
3064 if messages.is_empty() {
3065 return Ok("Squashed commits".to_string());
3066 }
3067
3068 if let Some(last_msg) = messages.first() {
3070 if last_msg.starts_with("Final:") || last_msg.starts_with("final:") {
3072 return Ok(last_msg
3073 .trim_start_matches("Final:")
3074 .trim_start_matches("final:")
3075 .trim()
3076 .to_string());
3077 }
3078 }
3079
3080 let wip_count = messages
3082 .iter()
3083 .filter(|m| {
3084 m.to_lowercase().starts_with("wip") || m.to_lowercase().contains("work in progress")
3085 })
3086 .count();
3087
3088 if wip_count > messages.len() / 2 {
3089 let non_wip: Vec<&String> = messages
3091 .iter()
3092 .filter(|m| {
3093 !m.to_lowercase().starts_with("wip")
3094 && !m.to_lowercase().contains("work in progress")
3095 })
3096 .collect();
3097
3098 if let Some(best_msg) = non_wip.first() {
3099 return Ok(best_msg.to_string());
3100 }
3101
3102 let feature = extract_feature_from_wip(&messages);
3104 return Ok(feature);
3105 }
3106
3107 Ok(messages.first().unwrap().clone())
3109}
3110
3111pub fn extract_feature_from_wip(messages: &[String]) -> String {
3113 for msg in messages {
3115 if msg.to_lowercase().starts_with("wip:") {
3117 if let Some(rest) = msg
3118 .strip_prefix("WIP:")
3119 .or_else(|| msg.strip_prefix("wip:"))
3120 {
3121 let feature = rest.trim();
3122 if !feature.is_empty() && feature.len() > 3 {
3123 let mut chars: Vec<char> = feature.chars().collect();
3125 if let Some(first) = chars.first_mut() {
3126 *first = first.to_uppercase().next().unwrap_or(*first);
3127 }
3128 return chars.into_iter().collect();
3129 }
3130 }
3131 }
3132 }
3133
3134 if let Some(first) = messages.first() {
3136 let cleaned = first
3137 .trim_start_matches("WIP:")
3138 .trim_start_matches("wip:")
3139 .trim_start_matches("WIP")
3140 .trim_start_matches("wip")
3141 .trim();
3142
3143 if !cleaned.is_empty() {
3144 return format!("Implement {cleaned}");
3145 }
3146 }
3147
3148 format!("Squashed {} commits", messages.len())
3149}
3150
3151pub fn count_commits_since(repo: &GitRepository, since_commit_hash: &str) -> Result<usize> {
3153 let head_commit = repo.get_head_commit()?;
3154 let since_commit = repo.get_commit(since_commit_hash)?;
3155
3156 let mut count = 0;
3157 let mut current = head_commit;
3158
3159 loop {
3161 if current.id() == since_commit.id() {
3162 break;
3163 }
3164
3165 count += 1;
3166
3167 if current.parent_count() == 0 {
3169 break; }
3171
3172 current = current.parent(0).map_err(CascadeError::Git)?;
3173 }
3174
3175 Ok(count)
3176}
3177
3178async fn land_stack(
3180 entry: Option<usize>,
3181 force: bool,
3182 dry_run: bool,
3183 auto: bool,
3184 wait_for_builds: bool,
3185 strategy: Option<MergeStrategyArg>,
3186 build_timeout: u64,
3187) -> Result<()> {
3188 let current_dir = env::current_dir()
3189 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3190
3191 let repo_root = find_repository_root(¤t_dir)
3192 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3193
3194 let stack_manager = StackManager::new(&repo_root)?;
3195
3196 let stack_id = stack_manager
3198 .get_active_stack()
3199 .map(|s| s.id)
3200 .ok_or_else(|| {
3201 CascadeError::config(
3202 "No active stack. Use 'ca stack create' or 'ca stack switch' to select a stack"
3203 .to_string(),
3204 )
3205 })?;
3206
3207 let active_stack = stack_manager
3208 .get_active_stack()
3209 .cloned()
3210 .ok_or_else(|| CascadeError::config("No active stack found".to_string()))?;
3211
3212 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
3214 let config_path = config_dir.join("config.json");
3215 let settings = crate::config::Settings::load_from_file(&config_path)?;
3216
3217 let cascade_config = crate::config::CascadeConfig {
3218 bitbucket: Some(settings.bitbucket.clone()),
3219 git: settings.git.clone(),
3220 auth: crate::config::AuthConfig::default(),
3221 cascade: settings.cascade.clone(),
3222 };
3223
3224 let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
3225
3226 let status = integration.check_enhanced_stack_status(&stack_id).await?;
3228
3229 if status.enhanced_statuses.is_empty() {
3230 println!("❌ No pull requests found to land");
3231 return Ok(());
3232 }
3233
3234 let ready_prs: Vec<_> = status
3236 .enhanced_statuses
3237 .iter()
3238 .filter(|pr_status| {
3239 if let Some(entry_num) = entry {
3241 if let Some(stack_entry) = active_stack.entries.get(entry_num.saturating_sub(1)) {
3243 if pr_status.pr.from_ref.display_id != stack_entry.branch {
3245 return false;
3246 }
3247 } else {
3248 return false; }
3250 }
3251
3252 if force {
3253 pr_status.pr.state == crate::bitbucket::pull_request::PullRequestState::Open
3255 } else {
3256 pr_status.is_ready_to_land()
3257 }
3258 })
3259 .collect();
3260
3261 if ready_prs.is_empty() {
3262 if let Some(entry_num) = entry {
3263 println!("❌ Entry {entry_num} is not ready to land or doesn't exist");
3264 } else {
3265 println!("❌ No pull requests are ready to land");
3266 }
3267
3268 println!("\n🚫 Blocking Issues:");
3270 for pr_status in &status.enhanced_statuses {
3271 if pr_status.pr.state == crate::bitbucket::pull_request::PullRequestState::Open {
3272 let blocking = pr_status.get_blocking_reasons();
3273 if !blocking.is_empty() {
3274 println!(" PR #{}: {}", pr_status.pr.id, blocking.join(", "));
3275 }
3276 }
3277 }
3278
3279 if !force {
3280 println!("\n💡 Use --force to land PRs with blocking issues (dangerous!)");
3281 }
3282 return Ok(());
3283 }
3284
3285 if dry_run {
3286 if let Some(entry_num) = entry {
3287 println!("🏃 Dry Run - Entry {entry_num} that would be landed:");
3288 } else {
3289 println!("🏃 Dry Run - PRs that would be landed:");
3290 }
3291 for pr_status in &ready_prs {
3292 println!(" ✅ PR #{}: {}", pr_status.pr.id, pr_status.pr.title);
3293 if !pr_status.is_ready_to_land() && force {
3294 let blocking = pr_status.get_blocking_reasons();
3295 println!(
3296 " ⚠️ Would force land despite: {}",
3297 blocking.join(", ")
3298 );
3299 }
3300 }
3301 return Ok(());
3302 }
3303
3304 if entry.is_some() && ready_prs.len() > 1 {
3307 println!(
3308 "🎯 {} PRs are ready to land, but landing only entry #{}",
3309 ready_prs.len(),
3310 entry.unwrap()
3311 );
3312 }
3313
3314 let merge_strategy: crate::bitbucket::pull_request::MergeStrategy =
3316 strategy.unwrap_or(MergeStrategyArg::Squash).into();
3317 let auto_merge_conditions = crate::bitbucket::pull_request::AutoMergeConditions {
3318 merge_strategy: merge_strategy.clone(),
3319 wait_for_builds,
3320 build_timeout: std::time::Duration::from_secs(build_timeout),
3321 allowed_authors: None, };
3323
3324 println!(
3326 "🚀 Landing {} PR{}...",
3327 ready_prs.len(),
3328 if ready_prs.len() == 1 { "" } else { "s" }
3329 );
3330
3331 let pr_manager = crate::bitbucket::pull_request::PullRequestManager::new(
3332 crate::bitbucket::BitbucketClient::new(&settings.bitbucket)?,
3333 );
3334
3335 let mut landed_count = 0;
3337 let mut failed_count = 0;
3338 let total_ready_prs = ready_prs.len();
3339
3340 for pr_status in ready_prs {
3341 let pr_id = pr_status.pr.id;
3342
3343 print!("🚀 Landing PR #{}: {}", pr_id, pr_status.pr.title);
3344
3345 let land_result = if auto {
3346 pr_manager
3348 .auto_merge_if_ready(pr_id, &auto_merge_conditions)
3349 .await
3350 } else {
3351 pr_manager
3353 .merge_pull_request(pr_id, merge_strategy.clone())
3354 .await
3355 .map(
3356 |pr| crate::bitbucket::pull_request::AutoMergeResult::Merged {
3357 pr: Box::new(pr),
3358 merge_strategy: merge_strategy.clone(),
3359 },
3360 )
3361 };
3362
3363 match land_result {
3364 Ok(crate::bitbucket::pull_request::AutoMergeResult::Merged { .. }) => {
3365 println!(" ✅");
3366 landed_count += 1;
3367
3368 if landed_count < total_ready_prs {
3370 println!(" Retargeting remaining PRs to latest base...");
3371
3372 let base_branch = active_stack.base_branch.clone();
3374 let git_repo = crate::git::GitRepository::open(&repo_root)?;
3375
3376 println!(" 📥 Updating base branch: {base_branch}");
3377 match git_repo.pull(&base_branch) {
3378 Ok(_) => println!(" ✅ Base branch updated successfully"),
3379 Err(e) => {
3380 println!(" ⚠️ Warning: Failed to update base branch: {e}");
3381 println!(
3382 " 💡 You may want to manually run: git pull origin {base_branch}"
3383 );
3384 }
3385 }
3386
3387 let mut rebase_manager = crate::stack::RebaseManager::new(
3389 StackManager::new(&repo_root)?,
3390 git_repo,
3391 crate::stack::RebaseOptions {
3392 strategy: crate::stack::RebaseStrategy::ForcePush,
3393 target_base: Some(base_branch.clone()),
3394 ..Default::default()
3395 },
3396 );
3397
3398 match rebase_manager.rebase_stack(&stack_id) {
3399 Ok(rebase_result) => {
3400 if !rebase_result.branch_mapping.is_empty() {
3401 let retarget_config = crate::config::CascadeConfig {
3403 bitbucket: Some(settings.bitbucket.clone()),
3404 git: settings.git.clone(),
3405 auth: crate::config::AuthConfig::default(),
3406 cascade: settings.cascade.clone(),
3407 };
3408 let mut retarget_integration = BitbucketIntegration::new(
3409 StackManager::new(&repo_root)?,
3410 retarget_config,
3411 )?;
3412
3413 match retarget_integration
3414 .update_prs_after_rebase(
3415 &stack_id,
3416 &rebase_result.branch_mapping,
3417 )
3418 .await
3419 {
3420 Ok(updated_prs) => {
3421 if !updated_prs.is_empty() {
3422 println!(
3423 " ✅ Updated {} PRs with new targets",
3424 updated_prs.len()
3425 );
3426 }
3427 }
3428 Err(e) => {
3429 println!(" ⚠️ Failed to update remaining PRs: {e}");
3430 println!(
3431 " 💡 You may need to run: ca stack rebase --onto {base_branch}"
3432 );
3433 }
3434 }
3435 }
3436 }
3437 Err(e) => {
3438 println!(" ❌ Auto-retargeting conflicts detected!");
3440 println!(" 📝 To resolve conflicts and continue landing:");
3441 println!(" 1. Resolve conflicts in the affected files");
3442 println!(" 2. Stage resolved files: git add <files>");
3443 println!(" 3. Continue the process: ca stack continue-land");
3444 println!(" 4. Or abort the operation: ca stack abort-land");
3445 println!();
3446 println!(" 💡 Check current status: ca stack land-status");
3447 println!(" ⚠️ Error details: {e}");
3448
3449 break;
3451 }
3452 }
3453 }
3454 }
3455 Ok(crate::bitbucket::pull_request::AutoMergeResult::NotReady { blocking_reasons }) => {
3456 println!(" ❌ Not ready: {}", blocking_reasons.join(", "));
3457 failed_count += 1;
3458 if !force {
3459 break;
3460 }
3461 }
3462 Ok(crate::bitbucket::pull_request::AutoMergeResult::Failed { error }) => {
3463 println!(" ❌ Failed: {error}");
3464 failed_count += 1;
3465 if !force {
3466 break;
3467 }
3468 }
3469 Err(e) => {
3470 println!(" ❌");
3471 eprintln!("Failed to land PR #{pr_id}: {e}");
3472 failed_count += 1;
3473
3474 if !force {
3475 break;
3476 }
3477 }
3478 }
3479 }
3480
3481 println!("\n🎯 Landing Summary:");
3483 println!(" ✅ Successfully landed: {landed_count}");
3484 if failed_count > 0 {
3485 println!(" ❌ Failed to land: {failed_count}");
3486 }
3487
3488 if landed_count > 0 {
3489 Output::success(" Landing operation completed!");
3490 } else {
3491 println!("❌ No PRs were successfully landed");
3492 }
3493
3494 Ok(())
3495}
3496
3497async fn auto_land_stack(
3499 force: bool,
3500 dry_run: bool,
3501 wait_for_builds: bool,
3502 strategy: Option<MergeStrategyArg>,
3503 build_timeout: u64,
3504) -> Result<()> {
3505 land_stack(
3507 None,
3508 force,
3509 dry_run,
3510 true, wait_for_builds,
3512 strategy,
3513 build_timeout,
3514 )
3515 .await
3516}
3517
3518async fn continue_land() -> Result<()> {
3519 let current_dir = env::current_dir()
3520 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3521
3522 let repo_root = find_repository_root(¤t_dir)
3523 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3524
3525 let stack_manager = StackManager::new(&repo_root)?;
3526 let git_repo = crate::git::GitRepository::open(&repo_root)?;
3527 let options = crate::stack::RebaseOptions::default();
3528 let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
3529
3530 if !rebase_manager.is_rebase_in_progress() {
3531 Output::info(" No rebase in progress");
3532 return Ok(());
3533 }
3534
3535 println!(" Continuing land operation...");
3536 match rebase_manager.continue_rebase() {
3537 Ok(_) => {
3538 Output::success(" Land operation continued successfully");
3539 println!(" Check 'ca stack land-status' for current state");
3540 }
3541 Err(e) => {
3542 warn!("❌ Failed to continue land operation: {}", e);
3543 Output::tip(" You may need to resolve conflicts first:");
3544 println!(" 1. Edit conflicted files");
3545 println!(" 2. Stage resolved files with 'git add'");
3546 println!(" 3. Run 'ca stack continue-land' again");
3547 }
3548 }
3549
3550 Ok(())
3551}
3552
3553async fn abort_land() -> Result<()> {
3554 let current_dir = env::current_dir()
3555 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3556
3557 let repo_root = find_repository_root(¤t_dir)
3558 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3559
3560 let stack_manager = StackManager::new(&repo_root)?;
3561 let git_repo = crate::git::GitRepository::open(&repo_root)?;
3562 let options = crate::stack::RebaseOptions::default();
3563 let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
3564
3565 if !rebase_manager.is_rebase_in_progress() {
3566 Output::info(" No rebase in progress");
3567 return Ok(());
3568 }
3569
3570 println!("⚠️ Aborting land operation...");
3571 match rebase_manager.abort_rebase() {
3572 Ok(_) => {
3573 Output::success(" Land operation aborted successfully");
3574 println!(" Repository restored to pre-land state");
3575 }
3576 Err(e) => {
3577 warn!("❌ Failed to abort land operation: {}", e);
3578 println!("⚠️ You may need to manually clean up the repository state");
3579 }
3580 }
3581
3582 Ok(())
3583}
3584
3585async fn land_status() -> Result<()> {
3586 let current_dir = env::current_dir()
3587 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3588
3589 let repo_root = find_repository_root(¤t_dir)
3590 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3591
3592 let stack_manager = StackManager::new(&repo_root)?;
3593 let git_repo = crate::git::GitRepository::open(&repo_root)?;
3594
3595 println!("Land Status");
3596
3597 let git_dir = repo_root.join(".git");
3599 let land_in_progress = git_dir.join("REBASE_HEAD").exists()
3600 || git_dir.join("rebase-merge").exists()
3601 || git_dir.join("rebase-apply").exists();
3602
3603 if land_in_progress {
3604 println!(" Status: 🔄 Land operation in progress");
3605 println!(
3606 "
3607📝 Actions available:"
3608 );
3609 println!(" - 'ca stack continue-land' to continue");
3610 println!(" - 'ca stack abort-land' to abort");
3611 println!(" - 'git status' to see conflicted files");
3612
3613 match git_repo.get_status() {
3615 Ok(statuses) => {
3616 let mut conflicts = Vec::new();
3617 for status in statuses.iter() {
3618 if status.status().contains(git2::Status::CONFLICTED) {
3619 if let Some(path) = status.path() {
3620 conflicts.push(path.to_string());
3621 }
3622 }
3623 }
3624
3625 if !conflicts.is_empty() {
3626 println!(" ⚠️ Conflicts in {} files:", conflicts.len());
3627 for conflict in conflicts {
3628 println!(" - {conflict}");
3629 }
3630 println!(
3631 "
3632💡 To resolve conflicts:"
3633 );
3634 println!(" 1. Edit the conflicted files");
3635 println!(" 2. Stage resolved files: git add <file>");
3636 println!(" 3. Continue: ca stack continue-land");
3637 }
3638 }
3639 Err(e) => {
3640 warn!("Failed to get git status: {}", e);
3641 }
3642 }
3643 } else {
3644 println!(" Status: ✅ No land operation in progress");
3645
3646 if let Some(active_stack) = stack_manager.get_active_stack() {
3648 println!(" Active stack: {}", active_stack.name);
3649 println!(" Entries: {}", active_stack.entries.len());
3650 println!(" Base branch: {}", active_stack.base_branch);
3651 }
3652 }
3653
3654 Ok(())
3655}
3656
3657async fn repair_stack_data() -> Result<()> {
3658 let current_dir = env::current_dir()
3659 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3660
3661 let repo_root = find_repository_root(¤t_dir)
3662 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3663
3664 let mut stack_manager = StackManager::new(&repo_root)?;
3665
3666 println!("🔧 Repairing stack data consistency...");
3667
3668 stack_manager.repair_all_stacks()?;
3669
3670 Output::success(" Stack data consistency repaired successfully!");
3671 Output::tip(" Run 'ca stack --mergeable' to see updated status");
3672
3673 Ok(())
3674}
3675
3676async fn cleanup_branches(
3678 dry_run: bool,
3679 force: bool,
3680 include_stale: bool,
3681 stale_days: u32,
3682 cleanup_remote: bool,
3683 include_non_stack: bool,
3684 verbose: bool,
3685) -> Result<()> {
3686 let current_dir = env::current_dir()
3687 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3688
3689 let repo_root = find_repository_root(¤t_dir)
3690 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3691
3692 let stack_manager = StackManager::new(&repo_root)?;
3693 let git_repo = GitRepository::open(&repo_root)?;
3694
3695 let result = perform_cleanup(
3696 &stack_manager,
3697 &git_repo,
3698 dry_run,
3699 force,
3700 include_stale,
3701 stale_days,
3702 cleanup_remote,
3703 include_non_stack,
3704 verbose,
3705 )
3706 .await?;
3707
3708 if result.total_candidates == 0 {
3710 Output::success("No branches found that need cleanup");
3711 return Ok(());
3712 }
3713
3714 Output::section("Cleanup Results");
3715
3716 if dry_run {
3717 Output::sub_item(format!(
3718 "Found {} branches that would be cleaned up",
3719 result.total_candidates
3720 ));
3721 } else {
3722 if !result.cleaned_branches.is_empty() {
3723 Output::success(format!(
3724 "Successfully cleaned up {} branches",
3725 result.cleaned_branches.len()
3726 ));
3727 for branch in &result.cleaned_branches {
3728 Output::sub_item(format!("🗑️ Deleted: {branch}"));
3729 }
3730 }
3731
3732 if !result.skipped_branches.is_empty() {
3733 Output::sub_item(format!(
3734 "Skipped {} branches",
3735 result.skipped_branches.len()
3736 ));
3737 if verbose {
3738 for (branch, reason) in &result.skipped_branches {
3739 Output::sub_item(format!("⏭️ {branch}: {reason}"));
3740 }
3741 }
3742 }
3743
3744 if !result.failed_branches.is_empty() {
3745 Output::warning(format!(
3746 "Failed to clean up {} branches",
3747 result.failed_branches.len()
3748 ));
3749 for (branch, error) in &result.failed_branches {
3750 Output::sub_item(format!("❌ {branch}: {error}"));
3751 }
3752 }
3753 }
3754
3755 Ok(())
3756}
3757
3758#[allow(clippy::too_many_arguments)]
3760async fn perform_cleanup(
3761 stack_manager: &StackManager,
3762 git_repo: &GitRepository,
3763 dry_run: bool,
3764 force: bool,
3765 include_stale: bool,
3766 stale_days: u32,
3767 cleanup_remote: bool,
3768 include_non_stack: bool,
3769 verbose: bool,
3770) -> Result<CleanupResult> {
3771 let options = CleanupOptions {
3772 dry_run,
3773 force,
3774 include_stale,
3775 cleanup_remote,
3776 stale_threshold_days: stale_days,
3777 cleanup_non_stack: include_non_stack,
3778 };
3779
3780 let stack_manager_copy = StackManager::new(stack_manager.repo_path())?;
3781 let git_repo_copy = GitRepository::open(git_repo.path())?;
3782 let mut cleanup_manager = CleanupManager::new(stack_manager_copy, git_repo_copy, options);
3783
3784 let candidates = cleanup_manager.find_cleanup_candidates()?;
3786
3787 if candidates.is_empty() {
3788 return Ok(CleanupResult {
3789 cleaned_branches: Vec::new(),
3790 failed_branches: Vec::new(),
3791 skipped_branches: Vec::new(),
3792 total_candidates: 0,
3793 });
3794 }
3795
3796 if verbose || dry_run {
3798 Output::section("Cleanup Candidates");
3799 for candidate in &candidates {
3800 let reason_icon = match candidate.reason {
3801 crate::stack::CleanupReason::FullyMerged => "🔀",
3802 crate::stack::CleanupReason::StackEntryMerged => "✅",
3803 crate::stack::CleanupReason::Stale => "⏰",
3804 crate::stack::CleanupReason::Orphaned => "👻",
3805 };
3806
3807 Output::sub_item(format!(
3808 "{} {} - {} ({})",
3809 reason_icon,
3810 candidate.branch_name,
3811 candidate.reason_to_string(),
3812 candidate.safety_info
3813 ));
3814 }
3815 }
3816
3817 if !force && !dry_run && !candidates.is_empty() {
3819 Output::warning(format!("About to delete {} branches", candidates.len()));
3820
3821 let preview_count = 5.min(candidates.len());
3823 for candidate in candidates.iter().take(preview_count) {
3824 println!(" • {}", candidate.branch_name);
3825 }
3826 if candidates.len() > preview_count {
3827 println!(" ... and {} more", candidates.len() - preview_count);
3828 }
3829 println!(); let should_continue = Confirm::with_theme(&ColorfulTheme::default())
3833 .with_prompt("Continue with branch cleanup?")
3834 .default(false)
3835 .interact()
3836 .map_err(|e| CascadeError::config(format!("Failed to get user confirmation: {e}")))?;
3837
3838 if !should_continue {
3839 Output::sub_item("Cleanup cancelled");
3840 return Ok(CleanupResult {
3841 cleaned_branches: Vec::new(),
3842 failed_branches: Vec::new(),
3843 skipped_branches: Vec::new(),
3844 total_candidates: candidates.len(),
3845 });
3846 }
3847 }
3848
3849 cleanup_manager.perform_cleanup(&candidates)
3851}
3852
3853async fn perform_simple_cleanup(
3855 stack_manager: &StackManager,
3856 git_repo: &GitRepository,
3857 dry_run: bool,
3858) -> Result<CleanupResult> {
3859 perform_cleanup(
3860 stack_manager,
3861 git_repo,
3862 dry_run,
3863 false, false, 30, false, false, false, )
3870 .await
3871}
3872
3873async fn analyze_commits_for_safeguards(
3875 commits_to_push: &[String],
3876 repo: &GitRepository,
3877 dry_run: bool,
3878) -> Result<()> {
3879 const LARGE_COMMIT_THRESHOLD: usize = 10;
3880 const WEEK_IN_SECONDS: i64 = 7 * 24 * 3600;
3881
3882 if commits_to_push.len() > LARGE_COMMIT_THRESHOLD {
3884 println!(
3885 "⚠️ Warning: About to push {} commits to stack",
3886 commits_to_push.len()
3887 );
3888 println!(" This may indicate a merge commit issue or unexpected commit range.");
3889 println!(" Large commit counts often result from merging instead of rebasing.");
3890
3891 if !dry_run && !confirm_large_push(commits_to_push.len())? {
3892 return Err(CascadeError::config("Push cancelled by user"));
3893 }
3894 }
3895
3896 let commit_objects: Result<Vec<_>> = commits_to_push
3898 .iter()
3899 .map(|hash| repo.get_commit(hash))
3900 .collect();
3901 let commit_objects = commit_objects?;
3902
3903 let merge_commits: Vec<_> = commit_objects
3905 .iter()
3906 .filter(|c| c.parent_count() > 1)
3907 .collect();
3908
3909 if !merge_commits.is_empty() {
3910 println!(
3911 "⚠️ Warning: {} merge commits detected in push",
3912 merge_commits.len()
3913 );
3914 println!(" This often indicates you merged instead of rebased.");
3915 println!(" Consider using 'ca sync' to rebase on the base branch.");
3916 println!(" Merge commits in stacks can cause confusion and duplicate work.");
3917 }
3918
3919 if commit_objects.len() > 1 {
3921 let oldest_commit_time = commit_objects.first().unwrap().time().seconds();
3922 let newest_commit_time = commit_objects.last().unwrap().time().seconds();
3923 let time_span = newest_commit_time - oldest_commit_time;
3924
3925 if time_span > WEEK_IN_SECONDS {
3926 let days = time_span / (24 * 3600);
3927 println!("⚠️ Warning: Commits span {days} days");
3928 println!(" This may indicate merged history rather than new work.");
3929 println!(" Recent work should typically span hours or days, not weeks.");
3930 }
3931 }
3932
3933 if commits_to_push.len() > 5 {
3935 Output::tip(" Tip: If you only want recent commits, use:");
3936 println!(
3937 " ca push --since HEAD~{} # pushes last {} commits",
3938 std::cmp::min(commits_to_push.len(), 5),
3939 std::cmp::min(commits_to_push.len(), 5)
3940 );
3941 println!(" ca push --commits <hash1>,<hash2> # pushes specific commits");
3942 println!(" ca push --dry-run # preview what would be pushed");
3943 }
3944
3945 if dry_run {
3947 println!("🔍 DRY RUN: Would push {} commits:", commits_to_push.len());
3948 for (i, (commit_hash, commit_obj)) in commits_to_push
3949 .iter()
3950 .zip(commit_objects.iter())
3951 .enumerate()
3952 {
3953 let summary = commit_obj.summary().unwrap_or("(no message)");
3954 let short_hash = &commit_hash[..std::cmp::min(commit_hash.len(), 7)];
3955 println!(" {}: {} ({})", i + 1, summary, short_hash);
3956 }
3957 Output::tip(" Run without --dry-run to actually push these commits.");
3958 }
3959
3960 Ok(())
3961}
3962
3963fn confirm_large_push(count: usize) -> Result<bool> {
3965 let should_continue = Confirm::with_theme(&ColorfulTheme::default())
3967 .with_prompt(format!("Continue pushing {count} commits?"))
3968 .default(false)
3969 .interact()
3970 .map_err(|e| CascadeError::config(format!("Failed to get user confirmation: {e}")))?;
3971
3972 Ok(should_continue)
3973}
3974
3975#[cfg(test)]
3976mod tests {
3977 use super::*;
3978 use std::process::Command;
3979 use tempfile::TempDir;
3980
3981 fn create_test_repo() -> Result<(TempDir, std::path::PathBuf)> {
3982 let temp_dir = TempDir::new()
3983 .map_err(|e| CascadeError::config(format!("Failed to create temp directory: {e}")))?;
3984 let repo_path = temp_dir.path().to_path_buf();
3985
3986 let output = Command::new("git")
3988 .args(["init"])
3989 .current_dir(&repo_path)
3990 .output()
3991 .map_err(|e| CascadeError::config(format!("Failed to run git init: {e}")))?;
3992 if !output.status.success() {
3993 return Err(CascadeError::config("Git init failed".to_string()));
3994 }
3995
3996 let output = Command::new("git")
3997 .args(["config", "user.name", "Test User"])
3998 .current_dir(&repo_path)
3999 .output()
4000 .map_err(|e| CascadeError::config(format!("Failed to run git config: {e}")))?;
4001 if !output.status.success() {
4002 return Err(CascadeError::config(
4003 "Git config user.name failed".to_string(),
4004 ));
4005 }
4006
4007 let output = Command::new("git")
4008 .args(["config", "user.email", "test@example.com"])
4009 .current_dir(&repo_path)
4010 .output()
4011 .map_err(|e| CascadeError::config(format!("Failed to run git config: {e}")))?;
4012 if !output.status.success() {
4013 return Err(CascadeError::config(
4014 "Git config user.email failed".to_string(),
4015 ));
4016 }
4017
4018 std::fs::write(repo_path.join("README.md"), "# Test")
4020 .map_err(|e| CascadeError::config(format!("Failed to write file: {e}")))?;
4021 let output = Command::new("git")
4022 .args(["add", "."])
4023 .current_dir(&repo_path)
4024 .output()
4025 .map_err(|e| CascadeError::config(format!("Failed to run git add: {e}")))?;
4026 if !output.status.success() {
4027 return Err(CascadeError::config("Git add failed".to_string()));
4028 }
4029
4030 let output = Command::new("git")
4031 .args(["commit", "-m", "Initial commit"])
4032 .current_dir(&repo_path)
4033 .output()
4034 .map_err(|e| CascadeError::config(format!("Failed to run git commit: {e}")))?;
4035 if !output.status.success() {
4036 return Err(CascadeError::config("Git commit failed".to_string()));
4037 }
4038
4039 crate::config::initialize_repo(&repo_path, Some("https://test.bitbucket.com".to_string()))?;
4041
4042 Ok((temp_dir, repo_path))
4043 }
4044
4045 #[tokio::test]
4046 async fn test_create_stack() {
4047 let (temp_dir, repo_path) = match create_test_repo() {
4048 Ok(repo) => repo,
4049 Err(_) => {
4050 println!("Skipping test due to git environment setup failure");
4051 return;
4052 }
4053 };
4054 let _ = &temp_dir;
4056
4057 let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4061 match env::set_current_dir(&repo_path) {
4062 Ok(_) => {
4063 let result = create_stack(
4064 "test-stack".to_string(),
4065 None, Some("Test description".to_string()),
4067 )
4068 .await;
4069
4070 if let Ok(orig) = original_dir {
4072 let _ = env::set_current_dir(orig);
4073 }
4074
4075 assert!(
4076 result.is_ok(),
4077 "Stack creation should succeed in initialized repository"
4078 );
4079 }
4080 Err(_) => {
4081 println!("Skipping test due to directory access restrictions");
4083 }
4084 }
4085 }
4086
4087 #[tokio::test]
4088 async fn test_list_empty_stacks() {
4089 let (temp_dir, repo_path) = match create_test_repo() {
4090 Ok(repo) => repo,
4091 Err(_) => {
4092 println!("Skipping test due to git environment setup failure");
4093 return;
4094 }
4095 };
4096 let _ = &temp_dir;
4098
4099 let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4103 match env::set_current_dir(&repo_path) {
4104 Ok(_) => {
4105 let result = list_stacks(false, false, None).await;
4106
4107 if let Ok(orig) = original_dir {
4109 let _ = env::set_current_dir(orig);
4110 }
4111
4112 assert!(
4113 result.is_ok(),
4114 "Listing stacks should succeed in initialized repository"
4115 );
4116 }
4117 Err(_) => {
4118 println!("Skipping test due to directory access restrictions");
4120 }
4121 }
4122 }
4123
4124 #[test]
4127 fn test_extract_feature_from_wip_basic() {
4128 let messages = vec![
4129 "WIP: add authentication".to_string(),
4130 "WIP: implement login flow".to_string(),
4131 ];
4132
4133 let result = extract_feature_from_wip(&messages);
4134 assert_eq!(result, "Add authentication");
4135 }
4136
4137 #[test]
4138 fn test_extract_feature_from_wip_capitalize() {
4139 let messages = vec!["WIP: fix user validation bug".to_string()];
4140
4141 let result = extract_feature_from_wip(&messages);
4142 assert_eq!(result, "Fix user validation bug");
4143 }
4144
4145 #[test]
4146 fn test_extract_feature_from_wip_fallback() {
4147 let messages = vec![
4148 "WIP user interface changes".to_string(),
4149 "wip: css styling".to_string(),
4150 ];
4151
4152 let result = extract_feature_from_wip(&messages);
4153 assert!(result.contains("Implement") || result.contains("Squashed") || result.len() > 5);
4155 }
4156
4157 #[test]
4158 fn test_extract_feature_from_wip_empty() {
4159 let messages = vec![];
4160
4161 let result = extract_feature_from_wip(&messages);
4162 assert_eq!(result, "Squashed 0 commits");
4163 }
4164
4165 #[test]
4166 fn test_extract_feature_from_wip_short_message() {
4167 let messages = vec!["WIP: x".to_string()]; let result = extract_feature_from_wip(&messages);
4170 assert!(result.starts_with("Implement") || result.contains("Squashed"));
4171 }
4172
4173 #[test]
4176 fn test_squash_message_final_strategy() {
4177 let messages = [
4181 "Final: implement user authentication system".to_string(),
4182 "WIP: add tests".to_string(),
4183 "WIP: fix validation".to_string(),
4184 ];
4185
4186 assert!(messages[0].starts_with("Final:"));
4188
4189 let extracted = messages[0].trim_start_matches("Final:").trim();
4191 assert_eq!(extracted, "implement user authentication system");
4192 }
4193
4194 #[test]
4195 fn test_squash_message_wip_detection() {
4196 let messages = [
4197 "WIP: start feature".to_string(),
4198 "WIP: continue work".to_string(),
4199 "WIP: almost done".to_string(),
4200 "Regular commit message".to_string(),
4201 ];
4202
4203 let wip_count = messages
4204 .iter()
4205 .filter(|m| {
4206 m.to_lowercase().starts_with("wip") || m.to_lowercase().contains("work in progress")
4207 })
4208 .count();
4209
4210 assert_eq!(wip_count, 3); assert!(wip_count > messages.len() / 2); let non_wip: Vec<&String> = messages
4215 .iter()
4216 .filter(|m| {
4217 !m.to_lowercase().starts_with("wip")
4218 && !m.to_lowercase().contains("work in progress")
4219 })
4220 .collect();
4221
4222 assert_eq!(non_wip.len(), 1);
4223 assert_eq!(non_wip[0], "Regular commit message");
4224 }
4225
4226 #[test]
4227 fn test_squash_message_all_wip() {
4228 let messages = vec![
4229 "WIP: add feature A".to_string(),
4230 "WIP: add feature B".to_string(),
4231 "WIP: finish implementation".to_string(),
4232 ];
4233
4234 let result = extract_feature_from_wip(&messages);
4235 assert_eq!(result, "Add feature A");
4237 }
4238
4239 #[test]
4240 fn test_squash_message_edge_cases() {
4241 let empty_messages: Vec<String> = vec![];
4243 let result = extract_feature_from_wip(&empty_messages);
4244 assert_eq!(result, "Squashed 0 commits");
4245
4246 let whitespace_messages = vec![" ".to_string(), "\t\n".to_string()];
4248 let result = extract_feature_from_wip(&whitespace_messages);
4249 assert!(result.contains("Squashed") || result.contains("Implement"));
4250
4251 let mixed_case = vec!["wip: Add Feature".to_string()];
4253 let result = extract_feature_from_wip(&mixed_case);
4254 assert_eq!(result, "Add Feature");
4255 }
4256
4257 #[tokio::test]
4260 async fn test_auto_land_wrapper() {
4261 let (temp_dir, repo_path) = match create_test_repo() {
4263 Ok(repo) => repo,
4264 Err(_) => {
4265 println!("Skipping test due to git environment setup failure");
4266 return;
4267 }
4268 };
4269 let _ = &temp_dir;
4271
4272 crate::config::initialize_repo(&repo_path, Some("https://test.bitbucket.com".to_string()))
4274 .expect("Failed to initialize Cascade in test repo");
4275
4276 let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4277 match env::set_current_dir(&repo_path) {
4278 Ok(_) => {
4279 let result = create_stack(
4281 "test-stack".to_string(),
4282 None,
4283 Some("Test stack for auto-land".to_string()),
4284 )
4285 .await;
4286
4287 if let Ok(orig) = original_dir {
4288 let _ = env::set_current_dir(orig);
4289 }
4290
4291 assert!(
4294 result.is_ok(),
4295 "Stack creation should succeed in initialized repository"
4296 );
4297 }
4298 Err(_) => {
4299 println!("Skipping test due to directory access restrictions");
4300 }
4301 }
4302 }
4303
4304 #[test]
4305 fn test_auto_land_action_enum() {
4306 use crate::cli::commands::stack::StackAction;
4308
4309 let _action = StackAction::AutoLand {
4311 force: false,
4312 dry_run: true,
4313 wait_for_builds: true,
4314 strategy: Some(MergeStrategyArg::Squash),
4315 build_timeout: 1800,
4316 };
4317
4318 }
4320
4321 #[test]
4322 fn test_merge_strategy_conversion() {
4323 let squash_strategy = MergeStrategyArg::Squash;
4325 let merge_strategy: crate::bitbucket::pull_request::MergeStrategy = squash_strategy.into();
4326
4327 match merge_strategy {
4328 crate::bitbucket::pull_request::MergeStrategy::Squash => {
4329 }
4331 _ => unreachable!("SquashStrategyArg only has Squash variant"),
4332 }
4333
4334 let merge_strategy = MergeStrategyArg::Merge;
4335 let converted: crate::bitbucket::pull_request::MergeStrategy = merge_strategy.into();
4336
4337 match converted {
4338 crate::bitbucket::pull_request::MergeStrategy::Merge => {
4339 }
4341 _ => unreachable!("MergeStrategyArg::Merge maps to MergeStrategy::Merge"),
4342 }
4343 }
4344
4345 #[test]
4346 fn test_auto_merge_conditions_structure() {
4347 use std::time::Duration;
4349
4350 let conditions = crate::bitbucket::pull_request::AutoMergeConditions {
4351 merge_strategy: crate::bitbucket::pull_request::MergeStrategy::Squash,
4352 wait_for_builds: true,
4353 build_timeout: Duration::from_secs(1800),
4354 allowed_authors: None,
4355 };
4356
4357 assert!(conditions.wait_for_builds);
4359 assert_eq!(conditions.build_timeout.as_secs(), 1800);
4360 assert!(conditions.allowed_authors.is_none());
4361 assert!(matches!(
4362 conditions.merge_strategy,
4363 crate::bitbucket::pull_request::MergeStrategy::Squash
4364 ));
4365 }
4366
4367 #[test]
4368 fn test_polling_constants() {
4369 use std::time::Duration;
4371
4372 let expected_polling_interval = Duration::from_secs(30);
4374
4375 assert!(expected_polling_interval.as_secs() >= 10); assert!(expected_polling_interval.as_secs() <= 60); assert_eq!(expected_polling_interval.as_secs(), 30); }
4380
4381 #[test]
4382 fn test_build_timeout_defaults() {
4383 const DEFAULT_TIMEOUT: u64 = 1800; assert_eq!(DEFAULT_TIMEOUT, 1800);
4386 let timeout_value = 1800u64;
4388 assert!(timeout_value >= 300); assert!(timeout_value <= 3600); }
4391
4392 #[test]
4393 fn test_scattered_commit_detection() {
4394 use std::collections::HashSet;
4395
4396 let mut source_branches = HashSet::new();
4398 source_branches.insert("feature-branch-1".to_string());
4399 source_branches.insert("feature-branch-2".to_string());
4400 source_branches.insert("feature-branch-3".to_string());
4401
4402 let single_branch = HashSet::from(["main".to_string()]);
4404 assert_eq!(single_branch.len(), 1);
4405
4406 assert!(source_branches.len() > 1);
4408 assert_eq!(source_branches.len(), 3);
4409
4410 assert!(source_branches.contains("feature-branch-1"));
4412 assert!(source_branches.contains("feature-branch-2"));
4413 assert!(source_branches.contains("feature-branch-3"));
4414 }
4415
4416 #[test]
4417 fn test_source_branch_tracking() {
4418 let branch_a = "feature-work";
4422 let branch_b = "feature-work";
4423 assert_eq!(branch_a, branch_b);
4424
4425 let branch_1 = "feature-ui";
4427 let branch_2 = "feature-api";
4428 assert_ne!(branch_1, branch_2);
4429
4430 assert!(branch_1.starts_with("feature-"));
4432 assert!(branch_2.starts_with("feature-"));
4433 }
4434
4435 #[tokio::test]
4438 async fn test_push_default_behavior() {
4439 let (temp_dir, repo_path) = match create_test_repo() {
4441 Ok(repo) => repo,
4442 Err(_) => {
4443 println!("Skipping test due to git environment setup failure");
4444 return;
4445 }
4446 };
4447 let _ = &temp_dir;
4449
4450 if !repo_path.exists() {
4452 println!("Skipping test due to temporary directory creation issue");
4453 return;
4454 }
4455
4456 let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4458
4459 match env::set_current_dir(&repo_path) {
4460 Ok(_) => {
4461 let result = push_to_stack(
4463 None, None, None, None, None, None, None, false, false, false, )
4474 .await;
4475
4476 if let Ok(orig) = original_dir {
4478 let _ = env::set_current_dir(orig);
4479 }
4480
4481 match &result {
4483 Err(e) => {
4484 let error_msg = e.to_string();
4485 assert!(
4487 error_msg.contains("No active stack")
4488 || error_msg.contains("config")
4489 || error_msg.contains("current directory")
4490 || error_msg.contains("Not a git repository")
4491 || error_msg.contains("could not find repository"),
4492 "Expected 'No active stack' or repository error, got: {error_msg}"
4493 );
4494 }
4495 Ok(_) => {
4496 println!(
4498 "Push succeeded unexpectedly - test environment may have active stack"
4499 );
4500 }
4501 }
4502 }
4503 Err(_) => {
4504 println!("Skipping test due to directory access restrictions");
4506 }
4507 }
4508
4509 let push_action = StackAction::Push {
4511 branch: None,
4512 message: None,
4513 commit: None,
4514 since: None,
4515 commits: None,
4516 squash: None,
4517 squash_since: None,
4518 auto_branch: false,
4519 allow_base_branch: false,
4520 dry_run: false,
4521 };
4522
4523 assert!(matches!(
4524 push_action,
4525 StackAction::Push {
4526 branch: None,
4527 message: None,
4528 commit: None,
4529 since: None,
4530 commits: None,
4531 squash: None,
4532 squash_since: None,
4533 auto_branch: false,
4534 allow_base_branch: false,
4535 dry_run: false
4536 }
4537 ));
4538 }
4539
4540 #[tokio::test]
4541 async fn test_submit_default_behavior() {
4542 let (temp_dir, repo_path) = match create_test_repo() {
4544 Ok(repo) => repo,
4545 Err(_) => {
4546 println!("Skipping test due to git environment setup failure");
4547 return;
4548 }
4549 };
4550 let _ = &temp_dir;
4552
4553 if !repo_path.exists() {
4555 println!("Skipping test due to temporary directory creation issue");
4556 return;
4557 }
4558
4559 let original_dir = match env::current_dir() {
4561 Ok(dir) => dir,
4562 Err(_) => {
4563 println!("Skipping test due to current directory access restrictions");
4564 return;
4565 }
4566 };
4567
4568 match env::set_current_dir(&repo_path) {
4569 Ok(_) => {
4570 let result = submit_entry(
4572 None, None, None, None, false, true, )
4579 .await;
4580
4581 let _ = env::set_current_dir(original_dir);
4583
4584 match &result {
4586 Err(e) => {
4587 let error_msg = e.to_string();
4588 assert!(
4590 error_msg.contains("No active stack")
4591 || error_msg.contains("config")
4592 || error_msg.contains("current directory")
4593 || error_msg.contains("Not a git repository")
4594 || error_msg.contains("could not find repository"),
4595 "Expected 'No active stack' or repository error, got: {error_msg}"
4596 );
4597 }
4598 Ok(_) => {
4599 println!("Submit succeeded unexpectedly - test environment may have active stack");
4601 }
4602 }
4603 }
4604 Err(_) => {
4605 println!("Skipping test due to directory access restrictions");
4607 }
4608 }
4609
4610 let submit_action = StackAction::Submit {
4612 entry: None,
4613 title: None,
4614 description: None,
4615 range: None,
4616 draft: true, open: true,
4618 };
4619
4620 assert!(matches!(
4621 submit_action,
4622 StackAction::Submit {
4623 entry: None,
4624 title: None,
4625 description: None,
4626 range: None,
4627 draft: true, open: true
4629 }
4630 ));
4631 }
4632
4633 #[test]
4634 fn test_targeting_options_still_work() {
4635 let commits = "abc123,def456,ghi789";
4639 let parsed: Vec<&str> = commits.split(',').map(|s| s.trim()).collect();
4640 assert_eq!(parsed.len(), 3);
4641 assert_eq!(parsed[0], "abc123");
4642 assert_eq!(parsed[1], "def456");
4643 assert_eq!(parsed[2], "ghi789");
4644
4645 let range = "1-3";
4647 assert!(range.contains('-'));
4648 let parts: Vec<&str> = range.split('-').collect();
4649 assert_eq!(parts.len(), 2);
4650
4651 let since_ref = "HEAD~3";
4653 assert!(since_ref.starts_with("HEAD"));
4654 assert!(since_ref.contains('~'));
4655 }
4656
4657 #[test]
4658 fn test_command_flow_logic() {
4659 assert!(matches!(
4661 StackAction::Push {
4662 branch: None,
4663 message: None,
4664 commit: None,
4665 since: None,
4666 commits: None,
4667 squash: None,
4668 squash_since: None,
4669 auto_branch: false,
4670 allow_base_branch: false,
4671 dry_run: false
4672 },
4673 StackAction::Push { .. }
4674 ));
4675
4676 assert!(matches!(
4677 StackAction::Submit {
4678 entry: None,
4679 title: None,
4680 description: None,
4681 range: None,
4682 draft: false,
4683 open: true
4684 },
4685 StackAction::Submit { .. }
4686 ));
4687 }
4688
4689 #[tokio::test]
4690 async fn test_deactivate_command_structure() {
4691 let deactivate_action = StackAction::Deactivate { force: false };
4693
4694 assert!(matches!(
4696 deactivate_action,
4697 StackAction::Deactivate { force: false }
4698 ));
4699
4700 let force_deactivate = StackAction::Deactivate { force: true };
4702 assert!(matches!(
4703 force_deactivate,
4704 StackAction::Deactivate { force: true }
4705 ));
4706 }
4707}