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)]
147 draft: bool,
148 #[arg(long, default_value_t = true, action = clap::ArgAction::Set)]
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 },
188
189 Rebase {
191 #[arg(long, short)]
193 interactive: bool,
194 #[arg(long)]
196 onto: Option<String>,
197 #[arg(long, value_enum)]
199 strategy: Option<RebaseStrategyArg>,
200 },
201
202 ContinueRebase,
204
205 AbortRebase,
207
208 RebaseStatus,
210
211 Delete {
213 name: String,
215 #[arg(long)]
217 force: bool,
218 },
219
220 Validate {
232 name: Option<String>,
234 #[arg(long)]
236 fix: Option<String>,
237 },
238
239 Land {
241 entry: Option<usize>,
243 #[arg(short, long)]
245 force: bool,
246 #[arg(short, long)]
248 dry_run: bool,
249 #[arg(long)]
251 auto: bool,
252 #[arg(long)]
254 wait_for_builds: bool,
255 #[arg(long, value_enum, default_value = "squash")]
257 strategy: Option<MergeStrategyArg>,
258 #[arg(long, default_value = "1800")]
260 build_timeout: u64,
261 },
262
263 AutoLand {
265 #[arg(short, long)]
267 force: bool,
268 #[arg(short, long)]
270 dry_run: bool,
271 #[arg(long)]
273 wait_for_builds: bool,
274 #[arg(long, value_enum, default_value = "squash")]
276 strategy: Option<MergeStrategyArg>,
277 #[arg(long, default_value = "1800")]
279 build_timeout: u64,
280 },
281
282 ListPrs {
284 #[arg(short, long)]
286 state: Option<String>,
287 #[arg(short, long)]
289 verbose: bool,
290 },
291
292 ContinueLand,
294
295 AbortLand,
297
298 LandStatus,
300
301 Cleanup {
303 #[arg(long)]
305 dry_run: bool,
306 #[arg(long)]
308 force: bool,
309 #[arg(long)]
311 include_stale: bool,
312 #[arg(long, default_value = "30")]
314 stale_days: u32,
315 #[arg(long)]
317 cleanup_remote: bool,
318 #[arg(long)]
320 include_non_stack: bool,
321 #[arg(long)]
323 verbose: bool,
324 },
325
326 Repair,
328}
329
330pub async fn run(action: StackAction) -> Result<()> {
331 match action {
332 StackAction::Create {
333 name,
334 base,
335 description,
336 } => create_stack(name, base, description).await,
337 StackAction::List {
338 verbose,
339 active,
340 format,
341 } => list_stacks(verbose, active, format).await,
342 StackAction::Switch { name } => switch_stack(name).await,
343 StackAction::Deactivate { force } => deactivate_stack(force).await,
344 StackAction::Show { verbose, mergeable } => show_stack(verbose, mergeable).await,
345 StackAction::Push {
346 branch,
347 message,
348 commit,
349 since,
350 commits,
351 squash,
352 squash_since,
353 auto_branch,
354 allow_base_branch,
355 dry_run,
356 } => {
357 push_to_stack(
358 branch,
359 message,
360 commit,
361 since,
362 commits,
363 squash,
364 squash_since,
365 auto_branch,
366 allow_base_branch,
367 dry_run,
368 )
369 .await
370 }
371 StackAction::Pop { keep_branch } => pop_from_stack(keep_branch).await,
372 StackAction::Submit {
373 entry,
374 title,
375 description,
376 range,
377 draft,
378 open,
379 } => submit_entry(entry, title, description, range, draft, open).await,
380 StackAction::Status { name } => check_stack_status(name).await,
381 StackAction::Prs { state, verbose } => list_pull_requests(state, verbose).await,
382 StackAction::Check { force } => check_stack(force).await,
383 StackAction::Sync {
384 force,
385 cleanup,
386 interactive,
387 } => sync_stack(force, cleanup, interactive).await,
388 StackAction::Rebase {
389 interactive,
390 onto,
391 strategy,
392 } => rebase_stack(interactive, onto, strategy).await,
393 StackAction::ContinueRebase => continue_rebase().await,
394 StackAction::AbortRebase => abort_rebase().await,
395 StackAction::RebaseStatus => rebase_status().await,
396 StackAction::Delete { name, force } => delete_stack(name, force).await,
397 StackAction::Validate { name, fix } => validate_stack(name, fix).await,
398 StackAction::Land {
399 entry,
400 force,
401 dry_run,
402 auto,
403 wait_for_builds,
404 strategy,
405 build_timeout,
406 } => {
407 land_stack(
408 entry,
409 force,
410 dry_run,
411 auto,
412 wait_for_builds,
413 strategy,
414 build_timeout,
415 )
416 .await
417 }
418 StackAction::AutoLand {
419 force,
420 dry_run,
421 wait_for_builds,
422 strategy,
423 build_timeout,
424 } => auto_land_stack(force, dry_run, wait_for_builds, strategy, build_timeout).await,
425 StackAction::ListPrs { state, verbose } => list_pull_requests(state, verbose).await,
426 StackAction::ContinueLand => continue_land().await,
427 StackAction::AbortLand => abort_land().await,
428 StackAction::LandStatus => land_status().await,
429 StackAction::Cleanup {
430 dry_run,
431 force,
432 include_stale,
433 stale_days,
434 cleanup_remote,
435 include_non_stack,
436 verbose,
437 } => {
438 cleanup_branches(
439 dry_run,
440 force,
441 include_stale,
442 stale_days,
443 cleanup_remote,
444 include_non_stack,
445 verbose,
446 )
447 .await
448 }
449 StackAction::Repair => repair_stack_data().await,
450 }
451}
452
453pub async fn show(verbose: bool, mergeable: bool) -> Result<()> {
455 show_stack(verbose, mergeable).await
456}
457
458#[allow(clippy::too_many_arguments)]
459pub async fn push(
460 branch: Option<String>,
461 message: Option<String>,
462 commit: Option<String>,
463 since: Option<String>,
464 commits: Option<String>,
465 squash: Option<usize>,
466 squash_since: Option<String>,
467 auto_branch: bool,
468 allow_base_branch: bool,
469 dry_run: bool,
470) -> Result<()> {
471 push_to_stack(
472 branch,
473 message,
474 commit,
475 since,
476 commits,
477 squash,
478 squash_since,
479 auto_branch,
480 allow_base_branch,
481 dry_run,
482 )
483 .await
484}
485
486pub async fn pop(keep_branch: bool) -> Result<()> {
487 pop_from_stack(keep_branch).await
488}
489
490pub async fn land(
491 entry: Option<usize>,
492 force: bool,
493 dry_run: bool,
494 auto: bool,
495 wait_for_builds: bool,
496 strategy: Option<MergeStrategyArg>,
497 build_timeout: u64,
498) -> Result<()> {
499 land_stack(
500 entry,
501 force,
502 dry_run,
503 auto,
504 wait_for_builds,
505 strategy,
506 build_timeout,
507 )
508 .await
509}
510
511pub async fn autoland(
512 force: bool,
513 dry_run: bool,
514 wait_for_builds: bool,
515 strategy: Option<MergeStrategyArg>,
516 build_timeout: u64,
517) -> Result<()> {
518 auto_land_stack(force, dry_run, wait_for_builds, strategy, build_timeout).await
519}
520
521pub async fn sync(force: bool, skip_cleanup: bool, interactive: bool) -> Result<()> {
522 sync_stack(force, skip_cleanup, interactive).await
523}
524
525pub async fn rebase(
526 interactive: bool,
527 onto: Option<String>,
528 strategy: Option<RebaseStrategyArg>,
529) -> Result<()> {
530 rebase_stack(interactive, onto, strategy).await
531}
532
533pub async fn deactivate(force: bool) -> Result<()> {
534 deactivate_stack(force).await
535}
536
537pub async fn switch(name: String) -> Result<()> {
538 switch_stack(name).await
539}
540
541async fn create_stack(
542 name: String,
543 base: Option<String>,
544 description: Option<String>,
545) -> Result<()> {
546 let current_dir = env::current_dir()
547 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
548
549 let repo_root = find_repository_root(¤t_dir)
550 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
551
552 let mut manager = StackManager::new(&repo_root)?;
553 let stack_id = manager.create_stack(name.clone(), base.clone(), description.clone())?;
554
555 let stack = manager
557 .get_stack(&stack_id)
558 .ok_or_else(|| CascadeError::config("Failed to get created stack"))?;
559
560 Output::stack_info(
562 &name,
563 &stack_id.to_string(),
564 &stack.base_branch,
565 stack.working_branch.as_deref(),
566 true, );
568
569 if let Some(desc) = description {
570 Output::sub_item(format!("Description: {desc}"));
571 }
572
573 if stack.working_branch.is_none() {
575 Output::warning(format!(
576 "You're currently on the base branch '{}'",
577 stack.base_branch
578 ));
579 Output::next_steps(&[
580 &format!("Create a feature branch: git checkout -b {name}"),
581 "Make changes and commit them",
582 "Run 'ca push' to add commits to this stack",
583 ]);
584 } else {
585 Output::next_steps(&[
586 "Make changes and commit them",
587 "Run 'ca push' to add commits to this stack",
588 "Use 'ca submit' when ready to create pull requests",
589 ]);
590 }
591
592 Ok(())
593}
594
595async fn list_stacks(verbose: bool, _active: bool, _format: Option<String>) -> Result<()> {
596 let current_dir = env::current_dir()
597 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
598
599 let repo_root = find_repository_root(¤t_dir)
600 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
601
602 let manager = StackManager::new(&repo_root)?;
603 let stacks = manager.list_stacks();
604
605 if stacks.is_empty() {
606 Output::info("No stacks found. Create one with: ca stack create <name>");
607 return Ok(());
608 }
609
610 println!("Stacks:");
611 for (stack_id, name, status, entry_count, active_marker) in stacks {
612 let status_icon = match status {
613 StackStatus::Clean => "✓",
614 StackStatus::Dirty => "~",
615 StackStatus::OutOfSync => "!",
616 StackStatus::Conflicted => "✗",
617 StackStatus::Rebasing => "↔",
618 StackStatus::NeedsSync => "~",
619 StackStatus::Corrupted => "✗",
620 };
621
622 let active_indicator = if active_marker.is_some() {
623 " (active)"
624 } else {
625 ""
626 };
627
628 let stack = manager.get_stack(&stack_id);
630
631 if verbose {
632 println!(" {status_icon} {name} [{entry_count}]{active_indicator}");
633 println!(" ID: {stack_id}");
634 if let Some(stack_meta) = manager.get_stack_metadata(&stack_id) {
635 println!(" Base: {}", stack_meta.base_branch);
636 if let Some(desc) = &stack_meta.description {
637 println!(" Description: {desc}");
638 }
639 println!(
640 " Commits: {} total, {} submitted",
641 stack_meta.total_commits, stack_meta.submitted_commits
642 );
643 if stack_meta.has_conflicts {
644 println!(" ⚠️ Has conflicts");
645 }
646 }
647
648 if let Some(stack_obj) = stack {
650 if !stack_obj.entries.is_empty() {
651 println!(" Branches:");
652 for (i, entry) in stack_obj.entries.iter().enumerate() {
653 let entry_num = i + 1;
654 let submitted_indicator = if entry.is_submitted {
655 "[submitted]"
656 } else {
657 ""
658 };
659 let branch_name = &entry.branch;
660 let short_message = if entry.message.len() > 40 {
661 format!("{}...", &entry.message[..37])
662 } else {
663 entry.message.clone()
664 };
665 println!(" {entry_num}. {submitted_indicator} {branch_name} - {short_message}");
666 }
667 }
668 }
669 println!();
670 } else {
671 let branch_info = if let Some(stack_obj) = stack {
673 if stack_obj.entries.is_empty() {
674 String::new()
675 } else if stack_obj.entries.len() == 1 {
676 format!(" → {}", stack_obj.entries[0].branch)
677 } else {
678 let first_branch = &stack_obj.entries[0].branch;
679 let last_branch = &stack_obj.entries.last().unwrap().branch;
680 format!(" → {first_branch} … {last_branch}")
681 }
682 } else {
683 String::new()
684 };
685
686 println!(" {status_icon} {name} [{entry_count}]{branch_info}{active_indicator}");
687 }
688 }
689
690 if !verbose {
691 println!("\nUse --verbose for more details");
692 }
693
694 Ok(())
695}
696
697async fn switch_stack(name: String) -> Result<()> {
698 let current_dir = env::current_dir()
699 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
700
701 let repo_root = find_repository_root(¤t_dir)
702 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
703
704 let mut manager = StackManager::new(&repo_root)?;
705 let repo = GitRepository::open(&repo_root)?;
706
707 let stack = manager
709 .get_stack_by_name(&name)
710 .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
711
712 if let Some(working_branch) = &stack.working_branch {
714 let current_branch = repo.get_current_branch().ok();
716
717 if current_branch.as_ref() != Some(working_branch) {
718 Output::progress(format!(
719 "Switching to stack working branch: {working_branch}"
720 ));
721
722 if repo.branch_exists(working_branch) {
724 match repo.checkout_branch(working_branch) {
725 Ok(_) => {
726 Output::success(format!("Checked out branch: {working_branch}"));
727 }
728 Err(e) => {
729 Output::warning(format!("Failed to checkout '{working_branch}': {e}"));
730 Output::sub_item("Stack activated but stayed on current branch");
731 Output::sub_item(format!(
732 "You can manually checkout with: git checkout {working_branch}"
733 ));
734 }
735 }
736 } else {
737 Output::warning(format!(
738 "Stack working branch '{working_branch}' doesn't exist locally"
739 ));
740 Output::sub_item("Stack activated but stayed on current branch");
741 Output::sub_item(format!(
742 "You may need to fetch from remote: git fetch origin {working_branch}"
743 ));
744 }
745 } else {
746 Output::success(format!("Already on stack working branch: {working_branch}"));
747 }
748 } else {
749 Output::warning(format!("Stack '{name}' has no working branch set"));
751 Output::sub_item(
752 "This typically happens when a stack was created while on the base branch",
753 );
754
755 Output::tip("To start working on this stack:");
756 Output::bullet(format!("Create a feature branch: git checkout -b {name}"));
757 Output::bullet("The stack will automatically track this as its working branch");
758 Output::bullet("Then use 'ca push' to add commits to the stack");
759
760 Output::sub_item(format!("Base branch: {}", stack.base_branch));
761 }
762
763 manager.set_active_stack_by_name(&name)?;
765 Output::success(format!("Switched to stack '{name}'"));
766
767 Ok(())
768}
769
770async fn deactivate_stack(force: bool) -> Result<()> {
771 let current_dir = env::current_dir()
772 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
773
774 let repo_root = find_repository_root(¤t_dir)
775 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
776
777 let mut manager = StackManager::new(&repo_root)?;
778
779 let active_stack = manager.get_active_stack();
780
781 if active_stack.is_none() {
782 Output::info("No active stack to deactivate");
783 return Ok(());
784 }
785
786 let stack_name = active_stack.unwrap().name.clone();
787
788 if !force {
789 Output::warning(format!(
790 "This will deactivate stack '{stack_name}' and return to normal Git workflow"
791 ));
792 Output::sub_item(format!(
793 "You can reactivate it later with 'ca stacks switch {stack_name}'"
794 ));
795 let should_deactivate = Confirm::with_theme(&ColorfulTheme::default())
797 .with_prompt("Continue with deactivation?")
798 .default(false)
799 .interact()
800 .map_err(|e| CascadeError::config(format!("Failed to get user confirmation: {e}")))?;
801
802 if !should_deactivate {
803 Output::info("Cancelled deactivation");
804 return Ok(());
805 }
806 }
807
808 manager.set_active_stack(None)?;
810
811 Output::success(format!("Deactivated stack '{stack_name}'"));
812 Output::sub_item("Stack management is now OFF - you can use normal Git workflow");
813 Output::sub_item(format!("To reactivate: ca stacks switch {stack_name}"));
814
815 Ok(())
816}
817
818async fn show_stack(verbose: bool, show_mergeable: bool) -> Result<()> {
819 let current_dir = env::current_dir()
820 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
821
822 let repo_root = find_repository_root(¤t_dir)
823 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
824
825 let stack_manager = StackManager::new(&repo_root)?;
826
827 let (stack_id, stack_name, stack_base, stack_working, stack_entries) = {
829 let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
830 CascadeError::config(
831 "No active stack. Use 'ca stacks create' or 'ca stacks switch' to select a stack"
832 .to_string(),
833 )
834 })?;
835
836 (
837 active_stack.id,
838 active_stack.name.clone(),
839 active_stack.base_branch.clone(),
840 active_stack.working_branch.clone(),
841 active_stack.entries.clone(),
842 )
843 };
844
845 Output::stack_info(
847 &stack_name,
848 &stack_id.to_string(),
849 &stack_base,
850 stack_working.as_deref(),
851 true, );
853 Output::sub_item(format!("Total entries: {}", stack_entries.len()));
854
855 if stack_entries.is_empty() {
856 Output::info("No entries in this stack yet");
857 Output::tip("Use 'ca push' to add commits to this stack");
858 return Ok(());
859 }
860
861 Output::section("Stack Entries");
863 for (i, entry) in stack_entries.iter().enumerate() {
864 let entry_num = i + 1;
865 let short_hash = entry.short_hash();
866 let short_msg = entry.short_message(50);
867
868 let metadata = stack_manager.get_repository_metadata();
870 let source_branch_info = if let Some(commit_meta) = metadata.get_commit(&entry.commit_hash)
871 {
872 if commit_meta.source_branch != commit_meta.branch
873 && !commit_meta.source_branch.is_empty()
874 {
875 format!(" (from {})", commit_meta.source_branch)
876 } else {
877 String::new()
878 }
879 } else {
880 String::new()
881 };
882
883 let status_icon = if entry.is_submitted {
884 "[submitted]"
885 } else {
886 "[pending]"
887 };
888 Output::numbered_item(
889 entry_num,
890 format!("{short_hash} {status_icon} {short_msg}{source_branch_info}"),
891 );
892
893 if verbose {
894 Output::sub_item(format!("Branch: {}", entry.branch));
895 Output::sub_item(format!(
896 "Created: {}",
897 entry.created_at.format("%Y-%m-%d %H:%M")
898 ));
899 if let Some(pr_id) = &entry.pull_request_id {
900 Output::sub_item(format!("PR: #{pr_id}"));
901 }
902
903 Output::sub_item("Commit Message:");
905 let lines: Vec<&str> = entry.message.lines().collect();
906 for line in lines {
907 Output::sub_item(format!(" {line}"));
908 }
909 }
910 }
911
912 if show_mergeable {
914 Output::section("Mergability Status");
915
916 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
918 let config_path = config_dir.join("config.json");
919 let settings = crate::config::Settings::load_from_file(&config_path)?;
920
921 let cascade_config = crate::config::CascadeConfig {
922 bitbucket: Some(settings.bitbucket.clone()),
923 git: settings.git.clone(),
924 auth: crate::config::AuthConfig::default(),
925 cascade: settings.cascade.clone(),
926 };
927
928 let integration =
929 crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
930
931 match integration.check_enhanced_stack_status(&stack_id).await {
932 Ok(status) => {
933 Output::bullet(format!("Total entries: {}", status.total_entries));
934 Output::bullet(format!("Submitted: {}", status.submitted_entries));
935 Output::bullet(format!("Open PRs: {}", status.open_prs));
936 Output::bullet(format!("Merged PRs: {}", status.merged_prs));
937 Output::bullet(format!("Declined PRs: {}", status.declined_prs));
938 Output::bullet(format!(
939 "Completion: {:.1}%",
940 status.completion_percentage()
941 ));
942
943 if !status.enhanced_statuses.is_empty() {
944 Output::section("Pull Request Status");
945 let mut ready_to_land = 0;
946
947 for enhanced in &status.enhanced_statuses {
948 let status_display = enhanced.get_display_status();
949 let ready_icon = if enhanced.is_ready_to_land() {
950 ready_to_land += 1;
951 "[READY]"
952 } else {
953 "[PENDING]"
954 };
955
956 Output::bullet(format!(
957 "{} PR #{}: {} ({})",
958 ready_icon, enhanced.pr.id, enhanced.pr.title, status_display
959 ));
960
961 if verbose {
962 println!(
963 " {} -> {}",
964 enhanced.pr.from_ref.display_id, enhanced.pr.to_ref.display_id
965 );
966
967 if !enhanced.is_ready_to_land() {
969 let blocking = enhanced.get_blocking_reasons();
970 if !blocking.is_empty() {
971 println!(" Blocking: {}", blocking.join(", "));
972 }
973 }
974
975 println!(
977 " Reviews: {} approval{}",
978 enhanced.review_status.current_approvals,
979 if enhanced.review_status.current_approvals == 1 {
980 ""
981 } else {
982 "s"
983 }
984 );
985
986 if enhanced.review_status.needs_work_count > 0 {
987 println!(
988 " {} reviewers requested changes",
989 enhanced.review_status.needs_work_count
990 );
991 }
992
993 if let Some(build) = &enhanced.build_status {
995 let build_icon = match build.state {
996 crate::bitbucket::pull_request::BuildState::Successful => "✓",
997 crate::bitbucket::pull_request::BuildState::Failed => "✗",
998 crate::bitbucket::pull_request::BuildState::InProgress => "~",
999 _ => "○",
1000 };
1001 println!(" Build: {} {:?}", build_icon, build.state);
1002 }
1003
1004 if let Some(url) = enhanced.pr.web_url() {
1005 println!(" URL: {url}");
1006 }
1007 println!();
1008 }
1009 }
1010
1011 if ready_to_land > 0 {
1012 println!(
1013 "\n🎯 {} PR{} ready to land! Use 'ca land' to land them all.",
1014 ready_to_land,
1015 if ready_to_land == 1 { " is" } else { "s are" }
1016 );
1017 }
1018 }
1019 }
1020 Err(e) => {
1021 warn!("Failed to get enhanced stack status: {}", e);
1022 println!(" ⚠️ Could not fetch mergability status");
1023 println!(" Use 'ca stack show --verbose' for basic PR information");
1024 }
1025 }
1026 } else {
1027 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
1029 let config_path = config_dir.join("config.json");
1030 let settings = crate::config::Settings::load_from_file(&config_path)?;
1031
1032 let cascade_config = crate::config::CascadeConfig {
1033 bitbucket: Some(settings.bitbucket.clone()),
1034 git: settings.git.clone(),
1035 auth: crate::config::AuthConfig::default(),
1036 cascade: settings.cascade.clone(),
1037 };
1038
1039 let integration =
1040 crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
1041
1042 match integration.check_stack_status(&stack_id).await {
1043 Ok(status) => {
1044 println!("\nPull Request Status:");
1045 println!(" Total entries: {}", status.total_entries);
1046 println!(" Submitted: {}", status.submitted_entries);
1047 println!(" Open PRs: {}", status.open_prs);
1048 println!(" Merged PRs: {}", status.merged_prs);
1049 println!(" Declined PRs: {}", status.declined_prs);
1050 println!(" Completion: {:.1}%", status.completion_percentage());
1051
1052 if !status.pull_requests.is_empty() {
1053 println!("\nPull Requests:");
1054 for pr in &status.pull_requests {
1055 let state_icon = match pr.state {
1056 crate::bitbucket::PullRequestState::Open => "○",
1057 crate::bitbucket::PullRequestState::Merged => "✓",
1058 crate::bitbucket::PullRequestState::Declined => "✗",
1059 };
1060 println!(
1061 " {} PR #{}: {} ({} -> {})",
1062 state_icon,
1063 pr.id,
1064 pr.title,
1065 pr.from_ref.display_id,
1066 pr.to_ref.display_id
1067 );
1068 if let Some(url) = pr.web_url() {
1069 println!(" URL: {url}");
1070 }
1071 }
1072 }
1073
1074 println!("\n💡 Use 'ca stack --mergeable' to see detailed status including build and review information");
1075 }
1076 Err(e) => {
1077 warn!("Failed to check stack status: {}", e);
1078 }
1079 }
1080 }
1081
1082 Ok(())
1083}
1084
1085#[allow(clippy::too_many_arguments)]
1086async fn push_to_stack(
1087 branch: Option<String>,
1088 message: Option<String>,
1089 commit: Option<String>,
1090 since: Option<String>,
1091 commits: Option<String>,
1092 squash: Option<usize>,
1093 squash_since: Option<String>,
1094 auto_branch: bool,
1095 allow_base_branch: bool,
1096 dry_run: bool,
1097) -> Result<()> {
1098 let current_dir = env::current_dir()
1099 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1100
1101 let repo_root = find_repository_root(¤t_dir)
1102 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1103
1104 let mut manager = StackManager::new(&repo_root)?;
1105 let repo = GitRepository::open(&repo_root)?;
1106
1107 if !manager.check_for_branch_change()? {
1109 return Ok(()); }
1111
1112 let active_stack = manager.get_active_stack().ok_or_else(|| {
1114 CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
1115 })?;
1116
1117 let current_branch = repo.get_current_branch()?;
1119 let base_branch = &active_stack.base_branch;
1120
1121 if current_branch == *base_branch {
1122 Output::error(format!(
1123 "You're currently on the base branch '{base_branch}'"
1124 ));
1125 Output::sub_item("Making commits directly on the base branch is not recommended.");
1126 Output::sub_item("This can pollute the base branch with work-in-progress commits.");
1127
1128 if allow_base_branch {
1130 Output::warning("Proceeding anyway due to --allow-base-branch flag");
1131 } else {
1132 let has_changes = repo.is_dirty()?;
1134
1135 if has_changes {
1136 if auto_branch {
1137 let feature_branch = format!("feature/{}-work", active_stack.name);
1139 Output::progress(format!(
1140 "Auto-creating feature branch '{feature_branch}'..."
1141 ));
1142
1143 repo.create_branch(&feature_branch, None)?;
1144 repo.checkout_branch(&feature_branch)?;
1145
1146 Output::success(format!("Created and switched to '{feature_branch}'"));
1147 println!(" You can now commit and push your changes safely");
1148
1149 } else {
1151 println!("\nYou have uncommitted changes. Here are your options:");
1152 println!(" 1. Create a feature branch first:");
1153 println!(" git checkout -b feature/my-work");
1154 println!(" git commit -am \"your work\"");
1155 println!(" ca push");
1156 println!("\n 2. Auto-create a branch (recommended):");
1157 println!(" ca push --auto-branch");
1158 println!("\n 3. Force push to base branch (dangerous):");
1159 println!(" ca push --allow-base-branch");
1160
1161 return Err(CascadeError::config(
1162 "Refusing to push uncommitted changes from base branch. Use one of the options above."
1163 ));
1164 }
1165 } else {
1166 let commits_to_check = if let Some(commits_str) = &commits {
1168 commits_str
1169 .split(',')
1170 .map(|s| s.trim().to_string())
1171 .collect::<Vec<String>>()
1172 } else if let Some(since_ref) = &since {
1173 let since_commit = repo.resolve_reference(since_ref)?;
1174 let head_commit = repo.get_head_commit()?;
1175 let commits = repo.get_commits_between(
1176 &since_commit.id().to_string(),
1177 &head_commit.id().to_string(),
1178 )?;
1179 commits.into_iter().map(|c| c.id().to_string()).collect()
1180 } else if commit.is_none() {
1181 let mut unpushed = Vec::new();
1182 let head_commit = repo.get_head_commit()?;
1183 let mut current_commit = head_commit;
1184
1185 loop {
1186 let commit_hash = current_commit.id().to_string();
1187 let already_in_stack = active_stack
1188 .entries
1189 .iter()
1190 .any(|entry| entry.commit_hash == commit_hash);
1191
1192 if already_in_stack {
1193 break;
1194 }
1195
1196 unpushed.push(commit_hash);
1197
1198 if let Some(parent) = current_commit.parents().next() {
1199 current_commit = parent;
1200 } else {
1201 break;
1202 }
1203 }
1204
1205 unpushed.reverse();
1206 unpushed
1207 } else {
1208 vec![repo.get_head_commit()?.id().to_string()]
1209 };
1210
1211 if !commits_to_check.is_empty() {
1212 if auto_branch {
1213 let feature_branch = format!("feature/{}-work", active_stack.name);
1215 Output::progress(format!(
1216 "Auto-creating feature branch '{feature_branch}'..."
1217 ));
1218
1219 repo.create_branch(&feature_branch, Some(base_branch))?;
1220 repo.checkout_branch(&feature_branch)?;
1221
1222 println!(
1224 "🍒 Cherry-picking {} commit(s) to new branch...",
1225 commits_to_check.len()
1226 );
1227 for commit_hash in &commits_to_check {
1228 match repo.cherry_pick(commit_hash) {
1229 Ok(_) => println!(" ✅ Cherry-picked {}", &commit_hash[..8]),
1230 Err(e) => {
1231 println!(
1232 " ❌ Failed to cherry-pick {}: {}",
1233 &commit_hash[..8],
1234 e
1235 );
1236 println!(" 💡 You may need to resolve conflicts manually");
1237 return Err(CascadeError::branch(format!(
1238 "Failed to cherry-pick commit {commit_hash}: {e}"
1239 )));
1240 }
1241 }
1242 }
1243
1244 println!(
1245 "✅ Successfully moved {} commit(s) to '{feature_branch}'",
1246 commits_to_check.len()
1247 );
1248 println!(
1249 " You're now on the feature branch and can continue with 'ca push'"
1250 );
1251
1252 } else {
1254 println!(
1255 "\n💡 Found {} commit(s) to push from base branch '{base_branch}'",
1256 commits_to_check.len()
1257 );
1258 println!(" These commits are currently ON the base branch, which may not be intended.");
1259 println!("\n Options:");
1260 println!(" 1. Auto-create feature branch and cherry-pick commits:");
1261 println!(" ca push --auto-branch");
1262 println!("\n 2. Manually create branch and move commits:");
1263 println!(" git checkout -b feature/my-work");
1264 println!(" ca push");
1265 println!("\n 3. Force push from base branch (not recommended):");
1266 println!(" ca push --allow-base-branch");
1267
1268 return Err(CascadeError::config(
1269 "Refusing to push commits from base branch. Use --auto-branch or create a feature branch manually."
1270 ));
1271 }
1272 }
1273 }
1274 }
1275 }
1276
1277 if let Some(squash_count) = squash {
1279 if squash_count == 0 {
1280 let active_stack = manager.get_active_stack().ok_or_else(|| {
1282 CascadeError::config(
1283 "No active stack. Create a stack first with 'ca stacks create'",
1284 )
1285 })?;
1286
1287 let unpushed_count = get_unpushed_commits(&repo, active_stack)?.len();
1288
1289 if unpushed_count == 0 {
1290 Output::info(" No unpushed commits to squash");
1291 } else if unpushed_count == 1 {
1292 Output::info(" Only 1 unpushed commit, no squashing needed");
1293 } else {
1294 println!(" Auto-detected {unpushed_count} unpushed commits, squashing...");
1295 squash_commits(&repo, unpushed_count, None).await?;
1296 Output::success(" Squashed {unpushed_count} unpushed commits into one");
1297 }
1298 } else {
1299 println!(" Squashing last {squash_count} commits...");
1300 squash_commits(&repo, squash_count, None).await?;
1301 Output::success(" Squashed {squash_count} commits into one");
1302 }
1303 } else if let Some(since_ref) = squash_since {
1304 println!(" Squashing commits since {since_ref}...");
1305 let since_commit = repo.resolve_reference(&since_ref)?;
1306 let commits_count = count_commits_since(&repo, &since_commit.id().to_string())?;
1307 squash_commits(&repo, commits_count, Some(since_ref.clone())).await?;
1308 Output::success(" Squashed {commits_count} commits since {since_ref} into one");
1309 }
1310
1311 let commits_to_push = if let Some(commits_str) = commits {
1313 commits_str
1315 .split(',')
1316 .map(|s| s.trim().to_string())
1317 .collect::<Vec<String>>()
1318 } else if let Some(since_ref) = since {
1319 let since_commit = repo.resolve_reference(&since_ref)?;
1321 let head_commit = repo.get_head_commit()?;
1322
1323 let commits = repo.get_commits_between(
1325 &since_commit.id().to_string(),
1326 &head_commit.id().to_string(),
1327 )?;
1328 commits.into_iter().map(|c| c.id().to_string()).collect()
1329 } else if let Some(hash) = commit {
1330 vec![hash]
1332 } else {
1333 let active_stack = manager.get_active_stack().ok_or_else(|| {
1335 CascadeError::config("No active stack. Create a stack first with 'ca stacks create'")
1336 })?;
1337
1338 let base_branch = &active_stack.base_branch;
1340 let current_branch = repo.get_current_branch()?;
1341
1342 if current_branch == *base_branch {
1344 let mut unpushed = Vec::new();
1345 let head_commit = repo.get_head_commit()?;
1346 let mut current_commit = head_commit;
1347
1348 loop {
1350 let commit_hash = current_commit.id().to_string();
1351 let already_in_stack = active_stack
1352 .entries
1353 .iter()
1354 .any(|entry| entry.commit_hash == commit_hash);
1355
1356 if already_in_stack {
1357 break;
1358 }
1359
1360 unpushed.push(commit_hash);
1361
1362 if let Some(parent) = current_commit.parents().next() {
1364 current_commit = parent;
1365 } else {
1366 break;
1367 }
1368 }
1369
1370 unpushed.reverse(); unpushed
1372 } else {
1373 match repo.get_commits_between(base_branch, ¤t_branch) {
1375 Ok(commits) => {
1376 let mut unpushed: Vec<String> =
1377 commits.into_iter().map(|c| c.id().to_string()).collect();
1378
1379 unpushed.retain(|commit_hash| {
1381 !active_stack
1382 .entries
1383 .iter()
1384 .any(|entry| entry.commit_hash == *commit_hash)
1385 });
1386
1387 unpushed.reverse(); unpushed
1389 }
1390 Err(e) => {
1391 return Err(CascadeError::branch(format!(
1392 "Failed to calculate commits between '{base_branch}' and '{current_branch}': {e}. \
1393 This usually means the branches have diverged or don't share common history."
1394 )));
1395 }
1396 }
1397 }
1398 };
1399
1400 if commits_to_push.is_empty() {
1401 Output::info(" No commits to push to stack");
1402 return Ok(());
1403 }
1404
1405 analyze_commits_for_safeguards(&commits_to_push, &repo, dry_run).await?;
1407
1408 if dry_run {
1410 return Ok(());
1411 }
1412
1413 let mut pushed_count = 0;
1415 let mut source_branches = std::collections::HashSet::new();
1416
1417 for (i, commit_hash) in commits_to_push.iter().enumerate() {
1418 let commit_obj = repo.get_commit(commit_hash)?;
1419 let commit_msg = commit_obj.message().unwrap_or("").to_string();
1420
1421 let commit_source_branch = repo
1423 .find_branch_containing_commit(commit_hash)
1424 .unwrap_or_else(|_| current_branch.clone());
1425 source_branches.insert(commit_source_branch.clone());
1426
1427 let branch_name = if i == 0 && branch.is_some() {
1429 branch.clone().unwrap()
1430 } else {
1431 let temp_repo = GitRepository::open(&repo_root)?;
1433 let branch_mgr = crate::git::BranchManager::new(temp_repo);
1434 branch_mgr.generate_branch_name(&commit_msg)
1435 };
1436
1437 let final_message = if i == 0 && message.is_some() {
1439 message.clone().unwrap()
1440 } else {
1441 commit_msg.clone()
1442 };
1443
1444 let entry_id = manager.push_to_stack(
1445 branch_name.clone(),
1446 commit_hash.clone(),
1447 final_message.clone(),
1448 commit_source_branch.clone(),
1449 )?;
1450 pushed_count += 1;
1451
1452 Output::success(format!(
1453 "Pushed commit {}/{} to stack",
1454 i + 1,
1455 commits_to_push.len()
1456 ));
1457 Output::sub_item(format!(
1458 "Commit: {} ({})",
1459 &commit_hash[..8],
1460 commit_msg.split('\n').next().unwrap_or("")
1461 ));
1462 Output::sub_item(format!("Branch: {branch_name}"));
1463 Output::sub_item(format!("Source: {commit_source_branch}"));
1464 Output::sub_item(format!("Entry ID: {entry_id}"));
1465 println!();
1466 }
1467
1468 if source_branches.len() > 1 {
1470 Output::warning("Scattered Commit Detection");
1471 Output::sub_item(format!(
1472 "You've pushed commits from {} different Git branches:",
1473 source_branches.len()
1474 ));
1475 for branch in &source_branches {
1476 Output::bullet(branch.to_string());
1477 }
1478
1479 Output::section("This can lead to confusion because:");
1480 Output::bullet("Stack appears sequential but commits are scattered across branches");
1481 Output::bullet("Team members won't know which branch contains which work");
1482 Output::bullet("Branch cleanup becomes unclear after merge");
1483 Output::bullet("Rebase operations become more complex");
1484
1485 Output::tip("Consider consolidating work to a single feature branch:");
1486 Output::bullet("Create a new feature branch: git checkout -b feature/consolidated-work");
1487 Output::bullet("Cherry-pick commits in order: git cherry-pick <commit1> <commit2> ...");
1488 Output::bullet("Delete old scattered branches");
1489 Output::bullet("Push the consolidated branch to your stack");
1490 println!();
1491 }
1492
1493 Output::success(format!(
1494 "Successfully pushed {} commit{} to stack",
1495 pushed_count,
1496 if pushed_count == 1 { "" } else { "s" }
1497 ));
1498
1499 Ok(())
1500}
1501
1502async fn pop_from_stack(keep_branch: bool) -> Result<()> {
1503 let current_dir = env::current_dir()
1504 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1505
1506 let repo_root = find_repository_root(¤t_dir)
1507 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1508
1509 let mut manager = StackManager::new(&repo_root)?;
1510 let repo = GitRepository::open(&repo_root)?;
1511
1512 let entry = manager.pop_from_stack()?;
1513
1514 Output::success("Popped commit from stack");
1515 Output::sub_item(format!(
1516 "Commit: {} ({})",
1517 entry.short_hash(),
1518 entry.short_message(50)
1519 ));
1520 Output::sub_item(format!("Branch: {}", entry.branch));
1521
1522 if !keep_branch && entry.branch != repo.get_current_branch()? {
1524 match repo.delete_branch(&entry.branch) {
1525 Ok(_) => Output::sub_item(format!("Deleted branch: {}", entry.branch)),
1526 Err(e) => Output::warning(format!("Could not delete branch {}: {}", entry.branch, e)),
1527 }
1528 }
1529
1530 Ok(())
1531}
1532
1533async fn submit_entry(
1534 entry: Option<usize>,
1535 title: Option<String>,
1536 description: Option<String>,
1537 range: Option<String>,
1538 draft: bool,
1539 open: bool,
1540) -> Result<()> {
1541 let current_dir = env::current_dir()
1542 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1543
1544 let repo_root = find_repository_root(¤t_dir)
1545 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1546
1547 let mut stack_manager = StackManager::new(&repo_root)?;
1548
1549 if !stack_manager.check_for_branch_change()? {
1551 return Ok(()); }
1553
1554 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
1556 let config_path = config_dir.join("config.json");
1557 let settings = crate::config::Settings::load_from_file(&config_path)?;
1558
1559 let cascade_config = crate::config::CascadeConfig {
1561 bitbucket: Some(settings.bitbucket.clone()),
1562 git: settings.git.clone(),
1563 auth: crate::config::AuthConfig::default(),
1564 cascade: settings.cascade.clone(),
1565 };
1566
1567 let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
1569 CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
1570 })?;
1571 let stack_id = active_stack.id;
1572
1573 let entries_to_submit = if let Some(range_str) = range {
1575 let mut entries = Vec::new();
1577
1578 if range_str.contains('-') {
1579 let parts: Vec<&str> = range_str.split('-').collect();
1581 if parts.len() != 2 {
1582 return Err(CascadeError::config(
1583 "Invalid range format. Use 'start-end' (e.g., '1-3')",
1584 ));
1585 }
1586
1587 let start: usize = parts[0]
1588 .parse()
1589 .map_err(|_| CascadeError::config("Invalid start number in range"))?;
1590 let end: usize = parts[1]
1591 .parse()
1592 .map_err(|_| CascadeError::config("Invalid end number in range"))?;
1593
1594 if start == 0
1595 || end == 0
1596 || start > active_stack.entries.len()
1597 || end > active_stack.entries.len()
1598 {
1599 return Err(CascadeError::config(format!(
1600 "Range out of bounds. Stack has {} entries",
1601 active_stack.entries.len()
1602 )));
1603 }
1604
1605 for i in start..=end {
1606 entries.push((i, active_stack.entries[i - 1].clone()));
1607 }
1608 } else {
1609 for entry_str in range_str.split(',') {
1611 let entry_num: usize = entry_str.trim().parse().map_err(|_| {
1612 CascadeError::config(format!("Invalid entry number: {entry_str}"))
1613 })?;
1614
1615 if entry_num == 0 || entry_num > active_stack.entries.len() {
1616 return Err(CascadeError::config(format!(
1617 "Entry {} out of bounds. Stack has {} entries",
1618 entry_num,
1619 active_stack.entries.len()
1620 )));
1621 }
1622
1623 entries.push((entry_num, active_stack.entries[entry_num - 1].clone()));
1624 }
1625 }
1626
1627 entries
1628 } else if let Some(entry_num) = entry {
1629 if entry_num == 0 || entry_num > active_stack.entries.len() {
1631 return Err(CascadeError::config(format!(
1632 "Invalid entry number: {}. Stack has {} entries",
1633 entry_num,
1634 active_stack.entries.len()
1635 )));
1636 }
1637 vec![(entry_num, active_stack.entries[entry_num - 1].clone())]
1638 } else {
1639 active_stack
1641 .entries
1642 .iter()
1643 .enumerate()
1644 .filter(|(_, entry)| !entry.is_submitted)
1645 .map(|(i, entry)| (i + 1, entry.clone())) .collect::<Vec<(usize, _)>>()
1647 };
1648
1649 if entries_to_submit.is_empty() {
1650 Output::info("No entries to submit");
1651 return Ok(());
1652 }
1653
1654 Output::section(format!(
1656 "Submitting {} {}",
1657 entries_to_submit.len(),
1658 if entries_to_submit.len() == 1 {
1659 "entry"
1660 } else {
1661 "entries"
1662 }
1663 ));
1664 println!();
1665
1666 let integration_stack_manager = StackManager::new(&repo_root)?;
1668 let mut integration =
1669 BitbucketIntegration::new(integration_stack_manager, cascade_config.clone())?;
1670
1671 let mut submitted_count = 0;
1673 let mut failed_entries = Vec::new();
1674 let mut pr_urls = Vec::new(); let total_entries = entries_to_submit.len();
1676
1677 for (entry_num, entry_to_submit) in &entries_to_submit {
1678 let tree_char = if entries_to_submit.len() == 1 {
1680 "→"
1681 } else if entry_num == &entries_to_submit.len() {
1682 "└─"
1683 } else {
1684 "├─"
1685 };
1686 print!(
1687 " {} Entry {}: {}... ",
1688 tree_char, entry_num, entry_to_submit.branch
1689 );
1690 std::io::Write::flush(&mut std::io::stdout()).ok();
1691
1692 let entry_title = if total_entries == 1 {
1694 title.clone()
1695 } else {
1696 None
1697 };
1698 let entry_description = if total_entries == 1 {
1699 description.clone()
1700 } else {
1701 None
1702 };
1703
1704 match integration
1705 .submit_entry(
1706 &stack_id,
1707 &entry_to_submit.id,
1708 entry_title,
1709 entry_description,
1710 draft,
1711 )
1712 .await
1713 {
1714 Ok(pr) => {
1715 submitted_count += 1;
1716 println!("✓ PR #{}", pr.id);
1717 if let Some(url) = pr.web_url() {
1718 Output::sub_item(format!(
1719 "{} → {}",
1720 pr.from_ref.display_id, pr.to_ref.display_id
1721 ));
1722 Output::sub_item(format!("URL: {url}"));
1723 pr_urls.push(url); }
1725 }
1726 Err(e) => {
1727 println!("✗ Failed");
1728 let clean_error = if e.to_string().contains("non-fast-forward") {
1730 "Branch has diverged (was rebased after initial submission). Update to v0.1.41+ to auto force-push.".to_string()
1731 } else if e.to_string().contains("authentication") {
1732 "Authentication failed. Check your Bitbucket credentials.".to_string()
1733 } else {
1734 e.to_string()
1736 .lines()
1737 .filter(|l| !l.trim().starts_with("hint:") && !l.trim().is_empty())
1738 .take(1)
1739 .collect::<Vec<_>>()
1740 .join(" ")
1741 .trim()
1742 .to_string()
1743 };
1744 Output::sub_item(format!("Error: {}", clean_error));
1745 failed_entries.push((*entry_num, clean_error));
1746 }
1747 }
1748 }
1749
1750 println!();
1751
1752 let has_any_prs = active_stack
1754 .entries
1755 .iter()
1756 .any(|e| e.pull_request_id.is_some());
1757 if has_any_prs && submitted_count > 0 {
1758 match integration.update_all_pr_descriptions(&stack_id).await {
1759 Ok(updated_prs) => {
1760 if !updated_prs.is_empty() {
1761 Output::sub_item(format!(
1762 "Updated {} PR description{} with stack hierarchy",
1763 updated_prs.len(),
1764 if updated_prs.len() == 1 { "" } else { "s" }
1765 ));
1766 }
1767 }
1768 Err(e) => {
1769 Output::warning(format!("Failed to update some PR descriptions: {e}"));
1770 }
1771 }
1772 }
1773
1774 if failed_entries.is_empty() {
1776 Output::success(format!(
1777 "All {} {} submitted successfully!",
1778 submitted_count,
1779 if submitted_count == 1 {
1780 "entry"
1781 } else {
1782 "entries"
1783 }
1784 ));
1785 } else {
1786 println!();
1787 Output::section("Submission Summary");
1788 println!(" ✓ Successful: {submitted_count}");
1789 println!(" ✗ Failed: {}", failed_entries.len());
1790
1791 if !failed_entries.is_empty() {
1792 println!();
1793 Output::tip("Retry failed entries:");
1794 for (entry_num, _) in &failed_entries {
1795 Output::bullet(format!("ca stack submit {entry_num}"));
1796 }
1797 }
1798 }
1799
1800 if open && !pr_urls.is_empty() {
1802 println!();
1803 for url in &pr_urls {
1804 if let Err(e) = open::that(url) {
1805 Output::warning(format!("Could not open browser: {}", e));
1806 Output::tip(format!("Open manually: {}", url));
1807 }
1808 }
1809 }
1810
1811 Ok(())
1812}
1813
1814async fn check_stack_status(name: Option<String>) -> Result<()> {
1815 let current_dir = env::current_dir()
1816 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1817
1818 let repo_root = find_repository_root(¤t_dir)
1819 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1820
1821 let stack_manager = StackManager::new(&repo_root)?;
1822
1823 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
1825 let config_path = config_dir.join("config.json");
1826 let settings = crate::config::Settings::load_from_file(&config_path)?;
1827
1828 let cascade_config = crate::config::CascadeConfig {
1830 bitbucket: Some(settings.bitbucket.clone()),
1831 git: settings.git.clone(),
1832 auth: crate::config::AuthConfig::default(),
1833 cascade: settings.cascade.clone(),
1834 };
1835
1836 let stack = if let Some(name) = name {
1838 stack_manager
1839 .get_stack_by_name(&name)
1840 .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?
1841 } else {
1842 stack_manager.get_active_stack().ok_or_else(|| {
1843 CascadeError::config("No active stack. Use 'ca stack list' to see available stacks")
1844 })?
1845 };
1846 let stack_id = stack.id;
1847
1848 Output::section(format!("Stack: {}", stack.name));
1849 Output::sub_item(format!("ID: {}", stack.id));
1850 Output::sub_item(format!("Base: {}", stack.base_branch));
1851
1852 if let Some(description) = &stack.description {
1853 Output::sub_item(format!("Description: {description}"));
1854 }
1855
1856 let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
1858
1859 match integration.check_stack_status(&stack_id).await {
1861 Ok(status) => {
1862 Output::section("Pull Request Status");
1863 Output::sub_item(format!("Total entries: {}", status.total_entries));
1864 Output::sub_item(format!("Submitted: {}", status.submitted_entries));
1865 Output::sub_item(format!("Open PRs: {}", status.open_prs));
1866 Output::sub_item(format!("Merged PRs: {}", status.merged_prs));
1867 Output::sub_item(format!("Declined PRs: {}", status.declined_prs));
1868 Output::sub_item(format!(
1869 "Completion: {:.1}%",
1870 status.completion_percentage()
1871 ));
1872
1873 if !status.pull_requests.is_empty() {
1874 Output::section("Pull Requests");
1875 for pr in &status.pull_requests {
1876 let state_icon = match pr.state {
1877 crate::bitbucket::PullRequestState::Open => "🔄",
1878 crate::bitbucket::PullRequestState::Merged => "✅",
1879 crate::bitbucket::PullRequestState::Declined => "❌",
1880 };
1881 Output::bullet(format!(
1882 "{} PR #{}: {} ({} -> {})",
1883 state_icon, pr.id, pr.title, pr.from_ref.display_id, pr.to_ref.display_id
1884 ));
1885 if let Some(url) = pr.web_url() {
1886 Output::sub_item(format!("URL: {url}"));
1887 }
1888 }
1889 }
1890 }
1891 Err(e) => {
1892 warn!("Failed to check stack status: {}", e);
1893 return Err(e);
1894 }
1895 }
1896
1897 Ok(())
1898}
1899
1900async fn list_pull_requests(state: Option<String>, verbose: bool) -> Result<()> {
1901 let current_dir = env::current_dir()
1902 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1903
1904 let repo_root = find_repository_root(¤t_dir)
1905 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
1906
1907 let stack_manager = StackManager::new(&repo_root)?;
1908
1909 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
1911 let config_path = config_dir.join("config.json");
1912 let settings = crate::config::Settings::load_from_file(&config_path)?;
1913
1914 let cascade_config = crate::config::CascadeConfig {
1916 bitbucket: Some(settings.bitbucket.clone()),
1917 git: settings.git.clone(),
1918 auth: crate::config::AuthConfig::default(),
1919 cascade: settings.cascade.clone(),
1920 };
1921
1922 let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
1924
1925 let pr_state = if let Some(state_str) = state {
1927 match state_str.to_lowercase().as_str() {
1928 "open" => Some(crate::bitbucket::PullRequestState::Open),
1929 "merged" => Some(crate::bitbucket::PullRequestState::Merged),
1930 "declined" => Some(crate::bitbucket::PullRequestState::Declined),
1931 _ => {
1932 return Err(CascadeError::config(format!(
1933 "Invalid state '{state_str}'. Use: open, merged, declined"
1934 )))
1935 }
1936 }
1937 } else {
1938 None
1939 };
1940
1941 match integration.list_pull_requests(pr_state).await {
1943 Ok(pr_page) => {
1944 if pr_page.values.is_empty() {
1945 Output::info("No pull requests found.");
1946 return Ok(());
1947 }
1948
1949 println!("Pull Requests ({} total):", pr_page.values.len());
1950 for pr in &pr_page.values {
1951 let state_icon = match pr.state {
1952 crate::bitbucket::PullRequestState::Open => "○",
1953 crate::bitbucket::PullRequestState::Merged => "✓",
1954 crate::bitbucket::PullRequestState::Declined => "✗",
1955 };
1956 println!(" {} PR #{}: {}", state_icon, pr.id, pr.title);
1957 if verbose {
1958 println!(
1959 " From: {} -> {}",
1960 pr.from_ref.display_id, pr.to_ref.display_id
1961 );
1962 println!(
1963 " Author: {}",
1964 pr.author
1965 .user
1966 .display_name
1967 .as_deref()
1968 .unwrap_or(&pr.author.user.name)
1969 );
1970 if let Some(url) = pr.web_url() {
1971 println!(" URL: {url}");
1972 }
1973 if let Some(desc) = &pr.description {
1974 if !desc.is_empty() {
1975 println!(" Description: {desc}");
1976 }
1977 }
1978 println!();
1979 }
1980 }
1981
1982 if !verbose {
1983 println!("\nUse --verbose for more details");
1984 }
1985 }
1986 Err(e) => {
1987 warn!("Failed to list pull requests: {}", e);
1988 return Err(e);
1989 }
1990 }
1991
1992 Ok(())
1993}
1994
1995async fn check_stack(_force: bool) -> Result<()> {
1996 let current_dir = env::current_dir()
1997 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
1998
1999 let repo_root = find_repository_root(¤t_dir)
2000 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2001
2002 let mut manager = StackManager::new(&repo_root)?;
2003
2004 let active_stack = manager
2005 .get_active_stack()
2006 .ok_or_else(|| CascadeError::config("No active stack"))?;
2007 let stack_id = active_stack.id;
2008
2009 manager.sync_stack(&stack_id)?;
2010
2011 Output::success("Stack check completed successfully");
2012
2013 Ok(())
2014}
2015
2016async fn sync_stack(force: bool, cleanup: bool, interactive: bool) -> Result<()> {
2017 let current_dir = env::current_dir()
2018 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2019
2020 let repo_root = find_repository_root(¤t_dir)
2021 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2022
2023 let mut stack_manager = StackManager::new(&repo_root)?;
2024
2025 if stack_manager.is_in_edit_mode() {
2028 debug!("Exiting edit mode before sync (commit SHAs will change)");
2029 stack_manager.exit_edit_mode()?;
2030 }
2031
2032 let git_repo = GitRepository::open(&repo_root)?;
2033
2034 let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
2036 CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
2037 })?;
2038
2039 let base_branch = active_stack.base_branch.clone();
2040 let stack_name = active_stack.name.clone();
2041
2042 let original_branch = git_repo.get_current_branch().ok();
2044
2045 println!("Syncing stack '{stack_name}' with remote...");
2047
2048 match git_repo.checkout_branch(&base_branch) {
2050 Ok(_) => {
2051 match git_repo.pull(&base_branch) {
2052 Ok(_) => {
2053 }
2055 Err(e) => {
2056 if force {
2057 Output::warning(format!("Pull failed: {e} (continuing due to --force)"));
2058 } else {
2059 Output::error(format!("Failed to pull latest changes: {e}"));
2060 Output::tip("Use --force to skip pull and continue with rebase");
2061 return Err(CascadeError::branch(format!(
2062 "Failed to pull latest changes from '{base_branch}': {e}. Use --force to continue anyway."
2063 )));
2064 }
2065 }
2066 }
2067 }
2068 Err(e) => {
2069 if force {
2070 Output::warning(format!(
2071 "Failed to checkout '{base_branch}': {e} (continuing due to --force)"
2072 ));
2073 } else {
2074 Output::error(format!(
2075 "Failed to checkout base branch '{base_branch}': {e}"
2076 ));
2077 Output::tip("Use --force to bypass checkout issues and continue anyway");
2078 return Err(CascadeError::branch(format!(
2079 "Failed to checkout base branch '{base_branch}': {e}. Use --force to continue anyway."
2080 )));
2081 }
2082 }
2083 }
2084
2085 let mut updated_stack_manager = StackManager::new(&repo_root)?;
2088 let stack_id = active_stack.id;
2089
2090 if let Some(stack) = updated_stack_manager.get_stack_mut(&stack_id) {
2093 for entry in &mut stack.entries {
2094 if let Ok(current_commit) = git_repo.get_branch_head(&entry.branch) {
2095 if entry.commit_hash != current_commit {
2096 debug!(
2097 "Reconciling entry '{}': updating hash from {} to {} (current branch HEAD)",
2098 entry.branch,
2099 &entry.commit_hash[..8],
2100 ¤t_commit[..8]
2101 );
2102 entry.commit_hash = current_commit;
2103 }
2104 }
2105 }
2106 updated_stack_manager.save_to_disk()?;
2108 }
2109
2110 match updated_stack_manager.sync_stack(&stack_id) {
2111 Ok(_) => {
2112 if let Some(updated_stack) = updated_stack_manager.get_stack(&stack_id) {
2114 match &updated_stack.status {
2115 crate::stack::StackStatus::NeedsSync => {
2116 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
2118 let config_path = config_dir.join("config.json");
2119 let settings = crate::config::Settings::load_from_file(&config_path)?;
2120
2121 let cascade_config = crate::config::CascadeConfig {
2122 bitbucket: Some(settings.bitbucket.clone()),
2123 git: settings.git.clone(),
2124 auth: crate::config::AuthConfig::default(),
2125 cascade: settings.cascade.clone(),
2126 };
2127
2128 let options = crate::stack::RebaseOptions {
2131 strategy: crate::stack::RebaseStrategy::ForcePush,
2132 interactive,
2133 target_base: Some(base_branch.clone()),
2134 preserve_merges: true,
2135 auto_resolve: !interactive, max_retries: 3,
2137 skip_pull: Some(true), original_working_branch: original_branch.clone(), };
2140
2141 let mut rebase_manager = crate::stack::RebaseManager::new(
2142 updated_stack_manager,
2143 git_repo,
2144 options,
2145 );
2146
2147 match rebase_manager.rebase_stack(&stack_id) {
2148 Ok(result) => {
2149 if !result.branch_mapping.is_empty() {
2150 if let Some(ref _bitbucket_config) = cascade_config.bitbucket {
2152 let integration_stack_manager =
2153 StackManager::new(&repo_root)?;
2154 let mut integration =
2155 crate::bitbucket::BitbucketIntegration::new(
2156 integration_stack_manager,
2157 cascade_config,
2158 )?;
2159
2160 match integration
2161 .update_prs_after_rebase(
2162 &stack_id,
2163 &result.branch_mapping,
2164 )
2165 .await
2166 {
2167 Ok(updated_prs) => {
2168 if !updated_prs.is_empty() {
2169 println!(
2170 "Updated {} pull requests",
2171 updated_prs.len()
2172 );
2173 }
2174 }
2175 Err(e) => {
2176 Output::warning(format!(
2177 "Failed to update pull requests: {e}"
2178 ));
2179 }
2180 }
2181 }
2182 }
2183 }
2184 Err(e) => {
2185 Output::error(format!("Rebase failed: {e}"));
2186 Output::tip("To resolve conflicts:");
2187 Output::bullet("Fix conflicts in the affected files");
2188 Output::bullet("Stage resolved files: git add <files>");
2189 Output::bullet("Continue: ca stack continue-rebase");
2190 return Err(e);
2191 }
2192 }
2193 }
2194 crate::stack::StackStatus::Clean => {
2195 }
2197 other => {
2198 Output::info(format!("Stack status: {other:?}"));
2200 }
2201 }
2202 }
2203 }
2204 Err(e) => {
2205 if force {
2206 Output::warning(format!(
2207 "Failed to check stack status: {e} (continuing due to --force)"
2208 ));
2209 } else {
2210 return Err(e);
2211 }
2212 }
2213 }
2214
2215 if cleanup {
2217 let git_repo_for_cleanup = GitRepository::open(&repo_root)?;
2218 match perform_simple_cleanup(&stack_manager, &git_repo_for_cleanup, false).await {
2219 Ok(result) => {
2220 if result.total_candidates > 0 {
2221 Output::section("Cleanup Summary");
2222 if !result.cleaned_branches.is_empty() {
2223 Output::success(format!(
2224 "Cleaned up {} merged branches",
2225 result.cleaned_branches.len()
2226 ));
2227 for branch in &result.cleaned_branches {
2228 Output::sub_item(format!("🗑️ Deleted: {branch}"));
2229 }
2230 }
2231 if !result.skipped_branches.is_empty() {
2232 Output::sub_item(format!(
2233 "Skipped {} branches",
2234 result.skipped_branches.len()
2235 ));
2236 }
2237 if !result.failed_branches.is_empty() {
2238 for (branch, error) in &result.failed_branches {
2239 Output::warning(format!("Failed to clean up {branch}: {error}"));
2240 }
2241 }
2242 }
2243 }
2244 Err(e) => {
2245 Output::warning(format!("Branch cleanup failed: {e}"));
2246 }
2247 }
2248 }
2249
2250 if let Some(orig_branch) = original_branch {
2252 if orig_branch != base_branch {
2253 if let Ok(git_repo) = GitRepository::open(&repo_root) {
2255 if let Err(e) = git_repo.checkout_branch(&orig_branch) {
2256 Output::warning(format!(
2257 "Could not return to original branch '{}': {}",
2258 orig_branch, e
2259 ));
2260 }
2261 }
2262 }
2263 }
2264
2265 Output::success("Sync completed successfully!");
2266
2267 Ok(())
2268}
2269
2270async fn rebase_stack(
2271 interactive: bool,
2272 onto: Option<String>,
2273 strategy: Option<RebaseStrategyArg>,
2274) -> Result<()> {
2275 let current_dir = env::current_dir()
2276 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2277
2278 let repo_root = find_repository_root(¤t_dir)
2279 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2280
2281 let stack_manager = StackManager::new(&repo_root)?;
2282 let git_repo = GitRepository::open(&repo_root)?;
2283
2284 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
2286 let config_path = config_dir.join("config.json");
2287 let settings = crate::config::Settings::load_from_file(&config_path)?;
2288
2289 let cascade_config = crate::config::CascadeConfig {
2291 bitbucket: Some(settings.bitbucket.clone()),
2292 git: settings.git.clone(),
2293 auth: crate::config::AuthConfig::default(),
2294 cascade: settings.cascade.clone(),
2295 };
2296
2297 let active_stack = stack_manager.get_active_stack().ok_or_else(|| {
2299 CascadeError::config("No active stack. Create a stack first with 'ca stack create'")
2300 })?;
2301 let stack_id = active_stack.id;
2302
2303 let active_stack = stack_manager
2304 .get_stack(&stack_id)
2305 .ok_or_else(|| CascadeError::config("Active stack not found"))?
2306 .clone();
2307
2308 if active_stack.entries.is_empty() {
2309 Output::info("Stack is empty. Nothing to rebase.");
2310 return Ok(());
2311 }
2312
2313 Output::progress(format!("Rebasing stack: {}", active_stack.name));
2314 Output::sub_item(format!("Base: {}", active_stack.base_branch));
2315
2316 let rebase_strategy = if let Some(cli_strategy) = strategy {
2318 match cli_strategy {
2319 RebaseStrategyArg::ForcePush => crate::stack::RebaseStrategy::ForcePush,
2320 RebaseStrategyArg::Interactive => crate::stack::RebaseStrategy::Interactive,
2321 }
2322 } else {
2323 crate::stack::RebaseStrategy::ForcePush
2325 };
2326
2327 let original_branch = git_repo.get_current_branch().ok();
2329
2330 let options = crate::stack::RebaseOptions {
2332 strategy: rebase_strategy.clone(),
2333 interactive,
2334 target_base: onto,
2335 preserve_merges: true,
2336 auto_resolve: !interactive, max_retries: 3,
2338 skip_pull: None, original_working_branch: original_branch,
2340 };
2341
2342 debug!(" Strategy: {:?}", rebase_strategy);
2343 debug!(" Interactive: {}", interactive);
2344 debug!(" Target base: {:?}", options.target_base);
2345 debug!(" Entries: {}", active_stack.entries.len());
2346
2347 let mut rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2349
2350 if rebase_manager.is_rebase_in_progress() {
2351 Output::warning("Rebase already in progress!");
2352 Output::tip("Use 'git status' to check the current state");
2353 Output::next_steps(&[
2354 "Run 'ca stack continue-rebase' to continue",
2355 "Run 'ca stack abort-rebase' to abort",
2356 ]);
2357 return Ok(());
2358 }
2359
2360 match rebase_manager.rebase_stack(&stack_id) {
2362 Ok(result) => {
2363 Output::success("Rebase completed!");
2364 Output::sub_item(result.get_summary());
2365
2366 if result.has_conflicts() {
2367 Output::warning(format!(
2368 "{} conflicts were resolved",
2369 result.conflicts.len()
2370 ));
2371 for conflict in &result.conflicts {
2372 Output::bullet(&conflict[..8.min(conflict.len())]);
2373 }
2374 }
2375
2376 if !result.branch_mapping.is_empty() {
2377 Output::section("Branch mapping");
2378 for (old, new) in &result.branch_mapping {
2379 Output::bullet(format!("{old} -> {new}"));
2380 }
2381
2382 if let Some(ref _bitbucket_config) = cascade_config.bitbucket {
2384 let integration_stack_manager = StackManager::new(&repo_root)?;
2386 let mut integration = BitbucketIntegration::new(
2387 integration_stack_manager,
2388 cascade_config.clone(),
2389 )?;
2390
2391 match integration
2392 .update_prs_after_rebase(&stack_id, &result.branch_mapping)
2393 .await
2394 {
2395 Ok(updated_prs) => {
2396 if !updated_prs.is_empty() {
2397 println!(" 🔄 Preserved pull request history:");
2398 for pr_update in updated_prs {
2399 println!(" ✅ {pr_update}");
2400 }
2401 }
2402 }
2403 Err(e) => {
2404 eprintln!(" ⚠️ Failed to update pull requests: {e}");
2405 eprintln!(" You may need to manually update PRs in Bitbucket");
2406 }
2407 }
2408 }
2409 }
2410
2411 println!(
2412 " ✅ {} commits successfully rebased",
2413 result.success_count()
2414 );
2415
2416 if matches!(rebase_strategy, crate::stack::RebaseStrategy::ForcePush) {
2418 println!("\n📝 Next steps:");
2419 if !result.branch_mapping.is_empty() {
2420 println!(" 1. ✅ Branches have been rebased and force-pushed");
2421 println!(" 2. ✅ Pull requests updated automatically (history preserved)");
2422 println!(" 3. 🔍 Review the updated PRs in Bitbucket");
2423 println!(" 4. 🧪 Test your changes");
2424 } else {
2425 println!(" 1. Review the rebased stack");
2426 println!(" 2. Test your changes");
2427 println!(" 3. Submit new pull requests with 'ca stack submit'");
2428 }
2429 }
2430 }
2431 Err(e) => {
2432 warn!("❌ Rebase failed: {}", e);
2433 Output::tip(" Tips for resolving rebase issues:");
2434 println!(" - Check for uncommitted changes with 'git status'");
2435 println!(" - Ensure base branch is up to date");
2436 println!(" - Try interactive mode: 'ca stack rebase --interactive'");
2437 return Err(e);
2438 }
2439 }
2440
2441 Ok(())
2442}
2443
2444async fn continue_rebase() -> Result<()> {
2445 let current_dir = env::current_dir()
2446 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2447
2448 let repo_root = find_repository_root(¤t_dir)
2449 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2450
2451 let stack_manager = StackManager::new(&repo_root)?;
2452 let git_repo = crate::git::GitRepository::open(&repo_root)?;
2453 let options = crate::stack::RebaseOptions::default();
2454 let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2455
2456 if !rebase_manager.is_rebase_in_progress() {
2457 Output::info(" No rebase in progress");
2458 return Ok(());
2459 }
2460
2461 println!(" Continuing rebase...");
2462 match rebase_manager.continue_rebase() {
2463 Ok(_) => {
2464 Output::success(" Rebase continued successfully");
2465 println!(" Check 'ca stack rebase-status' for current state");
2466 }
2467 Err(e) => {
2468 warn!("❌ Failed to continue rebase: {}", e);
2469 Output::tip(" You may need to resolve conflicts first:");
2470 println!(" 1. Edit conflicted files");
2471 println!(" 2. Stage resolved files with 'git add'");
2472 println!(" 3. Run 'ca stack continue-rebase' again");
2473 }
2474 }
2475
2476 Ok(())
2477}
2478
2479async fn abort_rebase() -> Result<()> {
2480 let current_dir = env::current_dir()
2481 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2482
2483 let repo_root = find_repository_root(¤t_dir)
2484 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2485
2486 let stack_manager = StackManager::new(&repo_root)?;
2487 let git_repo = crate::git::GitRepository::open(&repo_root)?;
2488 let options = crate::stack::RebaseOptions::default();
2489 let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
2490
2491 if !rebase_manager.is_rebase_in_progress() {
2492 Output::info(" No rebase in progress");
2493 return Ok(());
2494 }
2495
2496 println!("⚠️ Aborting rebase...");
2497 match rebase_manager.abort_rebase() {
2498 Ok(_) => {
2499 Output::success(" Rebase aborted successfully");
2500 println!(" Repository restored to pre-rebase state");
2501 }
2502 Err(e) => {
2503 warn!("❌ Failed to abort rebase: {}", e);
2504 println!("⚠️ You may need to manually clean up the repository state");
2505 }
2506 }
2507
2508 Ok(())
2509}
2510
2511async fn rebase_status() -> Result<()> {
2512 let current_dir = env::current_dir()
2513 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2514
2515 let repo_root = find_repository_root(¤t_dir)
2516 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2517
2518 let stack_manager = StackManager::new(&repo_root)?;
2519 let git_repo = crate::git::GitRepository::open(&repo_root)?;
2520
2521 println!("Rebase Status");
2522
2523 let git_dir = current_dir.join(".git");
2525 let rebase_in_progress = git_dir.join("REBASE_HEAD").exists()
2526 || git_dir.join("rebase-merge").exists()
2527 || git_dir.join("rebase-apply").exists();
2528
2529 if rebase_in_progress {
2530 println!(" Status: 🔄 Rebase in progress");
2531 println!(
2532 "
2533📝 Actions available:"
2534 );
2535 println!(" - 'ca stack continue-rebase' to continue");
2536 println!(" - 'ca stack abort-rebase' to abort");
2537 println!(" - 'git status' to see conflicted files");
2538
2539 match git_repo.get_status() {
2541 Ok(statuses) => {
2542 let mut conflicts = Vec::new();
2543 for status in statuses.iter() {
2544 if status.status().contains(git2::Status::CONFLICTED) {
2545 if let Some(path) = status.path() {
2546 conflicts.push(path.to_string());
2547 }
2548 }
2549 }
2550
2551 if !conflicts.is_empty() {
2552 println!(" ⚠️ Conflicts in {} files:", conflicts.len());
2553 for conflict in conflicts {
2554 println!(" - {conflict}");
2555 }
2556 println!(
2557 "
2558💡 To resolve conflicts:"
2559 );
2560 println!(" 1. Edit the conflicted files");
2561 println!(" 2. Stage resolved files: git add <file>");
2562 println!(" 3. Continue: ca stack continue-rebase");
2563 }
2564 }
2565 Err(e) => {
2566 warn!("Failed to get git status: {}", e);
2567 }
2568 }
2569 } else {
2570 println!(" Status: ✅ No rebase in progress");
2571
2572 if let Some(active_stack) = stack_manager.get_active_stack() {
2574 println!(" Active stack: {}", active_stack.name);
2575 println!(" Entries: {}", active_stack.entries.len());
2576 println!(" Base branch: {}", active_stack.base_branch);
2577 }
2578 }
2579
2580 Ok(())
2581}
2582
2583async fn delete_stack(name: String, force: bool) -> Result<()> {
2584 let current_dir = env::current_dir()
2585 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2586
2587 let repo_root = find_repository_root(¤t_dir)
2588 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2589
2590 let mut manager = StackManager::new(&repo_root)?;
2591
2592 let stack = manager
2593 .get_stack_by_name(&name)
2594 .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
2595 let stack_id = stack.id;
2596
2597 if !force && !stack.entries.is_empty() {
2598 return Err(CascadeError::config(format!(
2599 "Stack '{}' has {} entries. Use --force to delete anyway",
2600 name,
2601 stack.entries.len()
2602 )));
2603 }
2604
2605 let deleted = manager.delete_stack(&stack_id)?;
2606
2607 Output::success(format!("Deleted stack '{}'", deleted.name));
2608 if !deleted.entries.is_empty() {
2609 Output::warning(format!("{} entries were removed", deleted.entries.len()));
2610 }
2611
2612 Ok(())
2613}
2614
2615async fn validate_stack(name: Option<String>, fix_mode: Option<String>) -> Result<()> {
2616 let current_dir = env::current_dir()
2617 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2618
2619 let repo_root = find_repository_root(¤t_dir)
2620 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2621
2622 let mut manager = StackManager::new(&repo_root)?;
2623
2624 if let Some(name) = name {
2625 let stack = manager
2627 .get_stack_by_name(&name)
2628 .ok_or_else(|| CascadeError::config(format!("Stack '{name}' not found")))?;
2629
2630 let stack_id = stack.id;
2631
2632 match stack.validate() {
2634 Ok(_message) => {
2635 Output::success(format!("Stack '{}' structure validation passed", name));
2636 }
2637 Err(e) => {
2638 println!("✗ Stack '{}' structure validation failed: {}", name, e);
2639 return Err(CascadeError::config(e));
2640 }
2641 }
2642
2643 manager.handle_branch_modifications(&stack_id, fix_mode)?;
2645
2646 println!("🎉 Stack '{name}' validation completed");
2647 Ok(())
2648 } else {
2649 println!("🔍 Validating all stacks...");
2651
2652 let all_stacks = manager.get_all_stacks();
2654 let stack_ids: Vec<uuid::Uuid> = all_stacks.iter().map(|s| s.id).collect();
2655
2656 if stack_ids.is_empty() {
2657 println!("📭 No stacks found");
2658 return Ok(());
2659 }
2660
2661 let mut all_valid = true;
2662 for stack_id in stack_ids {
2663 let stack = manager.get_stack(&stack_id).unwrap();
2664 let stack_name = &stack.name;
2665
2666 println!("\nChecking stack '{stack_name}':");
2667
2668 match stack.validate() {
2670 Ok(message) => {
2671 println!(" ✅ Structure: {message}");
2672 }
2673 Err(e) => {
2674 println!(" ❌ Structure: {e}");
2675 all_valid = false;
2676 continue;
2677 }
2678 }
2679
2680 match manager.handle_branch_modifications(&stack_id, fix_mode.clone()) {
2682 Ok(_) => {
2683 println!(" ✅ Git integrity: OK");
2684 }
2685 Err(e) => {
2686 println!(" ❌ Git integrity: {e}");
2687 all_valid = false;
2688 }
2689 }
2690 }
2691
2692 if all_valid {
2693 println!("\n🎉 All stacks passed validation");
2694 } else {
2695 println!("\n⚠️ Some stacks have validation issues");
2696 return Err(CascadeError::config("Stack validation failed".to_string()));
2697 }
2698
2699 Ok(())
2700 }
2701}
2702
2703#[allow(dead_code)]
2705fn get_unpushed_commits(repo: &GitRepository, stack: &crate::stack::Stack) -> Result<Vec<String>> {
2706 let mut unpushed = Vec::new();
2707 let head_commit = repo.get_head_commit()?;
2708 let mut current_commit = head_commit;
2709
2710 loop {
2712 let commit_hash = current_commit.id().to_string();
2713 let already_in_stack = stack
2714 .entries
2715 .iter()
2716 .any(|entry| entry.commit_hash == commit_hash);
2717
2718 if already_in_stack {
2719 break;
2720 }
2721
2722 unpushed.push(commit_hash);
2723
2724 if let Some(parent) = current_commit.parents().next() {
2726 current_commit = parent;
2727 } else {
2728 break;
2729 }
2730 }
2731
2732 unpushed.reverse(); Ok(unpushed)
2734}
2735
2736pub async fn squash_commits(
2738 repo: &GitRepository,
2739 count: usize,
2740 since_ref: Option<String>,
2741) -> Result<()> {
2742 if count <= 1 {
2743 return Ok(()); }
2745
2746 let _current_branch = repo.get_current_branch()?;
2748
2749 let rebase_range = if let Some(ref since) = since_ref {
2751 since.clone()
2752 } else {
2753 format!("HEAD~{count}")
2754 };
2755
2756 println!(" Analyzing {count} commits to create smart squash message...");
2757
2758 let head_commit = repo.get_head_commit()?;
2760 let mut commits_to_squash = Vec::new();
2761 let mut current = head_commit;
2762
2763 for _ in 0..count {
2765 commits_to_squash.push(current.clone());
2766 if current.parent_count() > 0 {
2767 current = current.parent(0).map_err(CascadeError::Git)?;
2768 } else {
2769 break;
2770 }
2771 }
2772
2773 let smart_message = generate_squash_message(&commits_to_squash)?;
2775 println!(
2776 " Smart message: {}",
2777 smart_message.lines().next().unwrap_or("")
2778 );
2779
2780 let reset_target = if since_ref.is_some() {
2782 format!("{rebase_range}~1")
2784 } else {
2785 format!("HEAD~{count}")
2787 };
2788
2789 repo.reset_soft(&reset_target)?;
2791
2792 repo.stage_all()?;
2794
2795 let new_commit_hash = repo.commit(&smart_message)?;
2797
2798 println!(
2799 " Created squashed commit: {} ({})",
2800 &new_commit_hash[..8],
2801 smart_message.lines().next().unwrap_or("")
2802 );
2803 println!(" 💡 Tip: Use 'git commit --amend' to edit the commit message if needed");
2804
2805 Ok(())
2806}
2807
2808pub fn generate_squash_message(commits: &[git2::Commit]) -> Result<String> {
2810 if commits.is_empty() {
2811 return Ok("Squashed commits".to_string());
2812 }
2813
2814 let messages: Vec<String> = commits
2816 .iter()
2817 .map(|c| c.message().unwrap_or("").trim().to_string())
2818 .filter(|m| !m.is_empty())
2819 .collect();
2820
2821 if messages.is_empty() {
2822 return Ok("Squashed commits".to_string());
2823 }
2824
2825 if let Some(last_msg) = messages.first() {
2827 if last_msg.starts_with("Final:") || last_msg.starts_with("final:") {
2829 return Ok(last_msg
2830 .trim_start_matches("Final:")
2831 .trim_start_matches("final:")
2832 .trim()
2833 .to_string());
2834 }
2835 }
2836
2837 let wip_count = messages
2839 .iter()
2840 .filter(|m| {
2841 m.to_lowercase().starts_with("wip") || m.to_lowercase().contains("work in progress")
2842 })
2843 .count();
2844
2845 if wip_count > messages.len() / 2 {
2846 let non_wip: Vec<&String> = messages
2848 .iter()
2849 .filter(|m| {
2850 !m.to_lowercase().starts_with("wip")
2851 && !m.to_lowercase().contains("work in progress")
2852 })
2853 .collect();
2854
2855 if let Some(best_msg) = non_wip.first() {
2856 return Ok(best_msg.to_string());
2857 }
2858
2859 let feature = extract_feature_from_wip(&messages);
2861 return Ok(feature);
2862 }
2863
2864 Ok(messages.first().unwrap().clone())
2866}
2867
2868pub fn extract_feature_from_wip(messages: &[String]) -> String {
2870 for msg in messages {
2872 if msg.to_lowercase().starts_with("wip:") {
2874 if let Some(rest) = msg
2875 .strip_prefix("WIP:")
2876 .or_else(|| msg.strip_prefix("wip:"))
2877 {
2878 let feature = rest.trim();
2879 if !feature.is_empty() && feature.len() > 3 {
2880 let mut chars: Vec<char> = feature.chars().collect();
2882 if let Some(first) = chars.first_mut() {
2883 *first = first.to_uppercase().next().unwrap_or(*first);
2884 }
2885 return chars.into_iter().collect();
2886 }
2887 }
2888 }
2889 }
2890
2891 if let Some(first) = messages.first() {
2893 let cleaned = first
2894 .trim_start_matches("WIP:")
2895 .trim_start_matches("wip:")
2896 .trim_start_matches("WIP")
2897 .trim_start_matches("wip")
2898 .trim();
2899
2900 if !cleaned.is_empty() {
2901 return format!("Implement {cleaned}");
2902 }
2903 }
2904
2905 format!("Squashed {} commits", messages.len())
2906}
2907
2908pub fn count_commits_since(repo: &GitRepository, since_commit_hash: &str) -> Result<usize> {
2910 let head_commit = repo.get_head_commit()?;
2911 let since_commit = repo.get_commit(since_commit_hash)?;
2912
2913 let mut count = 0;
2914 let mut current = head_commit;
2915
2916 loop {
2918 if current.id() == since_commit.id() {
2919 break;
2920 }
2921
2922 count += 1;
2923
2924 if current.parent_count() == 0 {
2926 break; }
2928
2929 current = current.parent(0).map_err(CascadeError::Git)?;
2930 }
2931
2932 Ok(count)
2933}
2934
2935async fn land_stack(
2937 entry: Option<usize>,
2938 force: bool,
2939 dry_run: bool,
2940 auto: bool,
2941 wait_for_builds: bool,
2942 strategy: Option<MergeStrategyArg>,
2943 build_timeout: u64,
2944) -> Result<()> {
2945 let current_dir = env::current_dir()
2946 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
2947
2948 let repo_root = find_repository_root(¤t_dir)
2949 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
2950
2951 let stack_manager = StackManager::new(&repo_root)?;
2952
2953 let stack_id = stack_manager
2955 .get_active_stack()
2956 .map(|s| s.id)
2957 .ok_or_else(|| {
2958 CascadeError::config(
2959 "No active stack. Use 'ca stack create' or 'ca stack switch' to select a stack"
2960 .to_string(),
2961 )
2962 })?;
2963
2964 let active_stack = stack_manager
2965 .get_active_stack()
2966 .cloned()
2967 .ok_or_else(|| CascadeError::config("No active stack found".to_string()))?;
2968
2969 let config_dir = crate::config::get_repo_config_dir(&repo_root)?;
2971 let config_path = config_dir.join("config.json");
2972 let settings = crate::config::Settings::load_from_file(&config_path)?;
2973
2974 let cascade_config = crate::config::CascadeConfig {
2975 bitbucket: Some(settings.bitbucket.clone()),
2976 git: settings.git.clone(),
2977 auth: crate::config::AuthConfig::default(),
2978 cascade: settings.cascade.clone(),
2979 };
2980
2981 let integration = crate::bitbucket::BitbucketIntegration::new(stack_manager, cascade_config)?;
2982
2983 let status = integration.check_enhanced_stack_status(&stack_id).await?;
2985
2986 if status.enhanced_statuses.is_empty() {
2987 println!("❌ No pull requests found to land");
2988 return Ok(());
2989 }
2990
2991 let ready_prs: Vec<_> = status
2993 .enhanced_statuses
2994 .iter()
2995 .filter(|pr_status| {
2996 if let Some(entry_num) = entry {
2998 if let Some(stack_entry) = active_stack.entries.get(entry_num.saturating_sub(1)) {
3000 if pr_status.pr.from_ref.display_id != stack_entry.branch {
3002 return false;
3003 }
3004 } else {
3005 return false; }
3007 }
3008
3009 if force {
3010 pr_status.pr.state == crate::bitbucket::pull_request::PullRequestState::Open
3012 } else {
3013 pr_status.is_ready_to_land()
3014 }
3015 })
3016 .collect();
3017
3018 if ready_prs.is_empty() {
3019 if let Some(entry_num) = entry {
3020 println!("❌ Entry {entry_num} is not ready to land or doesn't exist");
3021 } else {
3022 println!("❌ No pull requests are ready to land");
3023 }
3024
3025 println!("\n🚫 Blocking Issues:");
3027 for pr_status in &status.enhanced_statuses {
3028 if pr_status.pr.state == crate::bitbucket::pull_request::PullRequestState::Open {
3029 let blocking = pr_status.get_blocking_reasons();
3030 if !blocking.is_empty() {
3031 println!(" PR #{}: {}", pr_status.pr.id, blocking.join(", "));
3032 }
3033 }
3034 }
3035
3036 if !force {
3037 println!("\n💡 Use --force to land PRs with blocking issues (dangerous!)");
3038 }
3039 return Ok(());
3040 }
3041
3042 if dry_run {
3043 if let Some(entry_num) = entry {
3044 println!("🏃 Dry Run - Entry {entry_num} that would be landed:");
3045 } else {
3046 println!("🏃 Dry Run - PRs that would be landed:");
3047 }
3048 for pr_status in &ready_prs {
3049 println!(" ✅ PR #{}: {}", pr_status.pr.id, pr_status.pr.title);
3050 if !pr_status.is_ready_to_land() && force {
3051 let blocking = pr_status.get_blocking_reasons();
3052 println!(
3053 " ⚠️ Would force land despite: {}",
3054 blocking.join(", ")
3055 );
3056 }
3057 }
3058 return Ok(());
3059 }
3060
3061 if entry.is_some() && ready_prs.len() > 1 {
3064 println!(
3065 "🎯 {} PRs are ready to land, but landing only entry #{}",
3066 ready_prs.len(),
3067 entry.unwrap()
3068 );
3069 }
3070
3071 let merge_strategy: crate::bitbucket::pull_request::MergeStrategy =
3073 strategy.unwrap_or(MergeStrategyArg::Squash).into();
3074 let auto_merge_conditions = crate::bitbucket::pull_request::AutoMergeConditions {
3075 merge_strategy: merge_strategy.clone(),
3076 wait_for_builds,
3077 build_timeout: std::time::Duration::from_secs(build_timeout),
3078 allowed_authors: None, };
3080
3081 println!(
3083 "🚀 Landing {} PR{}...",
3084 ready_prs.len(),
3085 if ready_prs.len() == 1 { "" } else { "s" }
3086 );
3087
3088 let pr_manager = crate::bitbucket::pull_request::PullRequestManager::new(
3089 crate::bitbucket::BitbucketClient::new(&settings.bitbucket)?,
3090 );
3091
3092 let mut landed_count = 0;
3094 let mut failed_count = 0;
3095 let total_ready_prs = ready_prs.len();
3096
3097 for pr_status in ready_prs {
3098 let pr_id = pr_status.pr.id;
3099
3100 print!("🚀 Landing PR #{}: {}", pr_id, pr_status.pr.title);
3101
3102 let land_result = if auto {
3103 pr_manager
3105 .auto_merge_if_ready(pr_id, &auto_merge_conditions)
3106 .await
3107 } else {
3108 pr_manager
3110 .merge_pull_request(pr_id, merge_strategy.clone())
3111 .await
3112 .map(
3113 |pr| crate::bitbucket::pull_request::AutoMergeResult::Merged {
3114 pr: Box::new(pr),
3115 merge_strategy: merge_strategy.clone(),
3116 },
3117 )
3118 };
3119
3120 match land_result {
3121 Ok(crate::bitbucket::pull_request::AutoMergeResult::Merged { .. }) => {
3122 println!(" ✅");
3123 landed_count += 1;
3124
3125 if landed_count < total_ready_prs {
3127 println!(" Retargeting remaining PRs to latest base...");
3128
3129 let base_branch = active_stack.base_branch.clone();
3131 let git_repo = crate::git::GitRepository::open(&repo_root)?;
3132
3133 println!(" 📥 Updating base branch: {base_branch}");
3134 match git_repo.pull(&base_branch) {
3135 Ok(_) => println!(" ✅ Base branch updated successfully"),
3136 Err(e) => {
3137 println!(" ⚠️ Warning: Failed to update base branch: {e}");
3138 println!(
3139 " 💡 You may want to manually run: git pull origin {base_branch}"
3140 );
3141 }
3142 }
3143
3144 let mut rebase_manager = crate::stack::RebaseManager::new(
3146 StackManager::new(&repo_root)?,
3147 git_repo,
3148 crate::stack::RebaseOptions {
3149 strategy: crate::stack::RebaseStrategy::ForcePush,
3150 target_base: Some(base_branch.clone()),
3151 ..Default::default()
3152 },
3153 );
3154
3155 match rebase_manager.rebase_stack(&stack_id) {
3156 Ok(rebase_result) => {
3157 if !rebase_result.branch_mapping.is_empty() {
3158 let retarget_config = crate::config::CascadeConfig {
3160 bitbucket: Some(settings.bitbucket.clone()),
3161 git: settings.git.clone(),
3162 auth: crate::config::AuthConfig::default(),
3163 cascade: settings.cascade.clone(),
3164 };
3165 let mut retarget_integration = BitbucketIntegration::new(
3166 StackManager::new(&repo_root)?,
3167 retarget_config,
3168 )?;
3169
3170 match retarget_integration
3171 .update_prs_after_rebase(
3172 &stack_id,
3173 &rebase_result.branch_mapping,
3174 )
3175 .await
3176 {
3177 Ok(updated_prs) => {
3178 if !updated_prs.is_empty() {
3179 println!(
3180 " ✅ Updated {} PRs with new targets",
3181 updated_prs.len()
3182 );
3183 }
3184 }
3185 Err(e) => {
3186 println!(" ⚠️ Failed to update remaining PRs: {e}");
3187 println!(
3188 " 💡 You may need to run: ca stack rebase --onto {base_branch}"
3189 );
3190 }
3191 }
3192 }
3193 }
3194 Err(e) => {
3195 println!(" ❌ Auto-retargeting conflicts detected!");
3197 println!(" 📝 To resolve conflicts and continue landing:");
3198 println!(" 1. Resolve conflicts in the affected files");
3199 println!(" 2. Stage resolved files: git add <files>");
3200 println!(" 3. Continue the process: ca stack continue-land");
3201 println!(" 4. Or abort the operation: ca stack abort-land");
3202 println!();
3203 println!(" 💡 Check current status: ca stack land-status");
3204 println!(" ⚠️ Error details: {e}");
3205
3206 break;
3208 }
3209 }
3210 }
3211 }
3212 Ok(crate::bitbucket::pull_request::AutoMergeResult::NotReady { blocking_reasons }) => {
3213 println!(" ❌ Not ready: {}", blocking_reasons.join(", "));
3214 failed_count += 1;
3215 if !force {
3216 break;
3217 }
3218 }
3219 Ok(crate::bitbucket::pull_request::AutoMergeResult::Failed { error }) => {
3220 println!(" ❌ Failed: {error}");
3221 failed_count += 1;
3222 if !force {
3223 break;
3224 }
3225 }
3226 Err(e) => {
3227 println!(" ❌");
3228 eprintln!("Failed to land PR #{pr_id}: {e}");
3229 failed_count += 1;
3230
3231 if !force {
3232 break;
3233 }
3234 }
3235 }
3236 }
3237
3238 println!("\n🎯 Landing Summary:");
3240 println!(" ✅ Successfully landed: {landed_count}");
3241 if failed_count > 0 {
3242 println!(" ❌ Failed to land: {failed_count}");
3243 }
3244
3245 if landed_count > 0 {
3246 Output::success(" Landing operation completed!");
3247 } else {
3248 println!("❌ No PRs were successfully landed");
3249 }
3250
3251 Ok(())
3252}
3253
3254async fn auto_land_stack(
3256 force: bool,
3257 dry_run: bool,
3258 wait_for_builds: bool,
3259 strategy: Option<MergeStrategyArg>,
3260 build_timeout: u64,
3261) -> Result<()> {
3262 land_stack(
3264 None,
3265 force,
3266 dry_run,
3267 true, wait_for_builds,
3269 strategy,
3270 build_timeout,
3271 )
3272 .await
3273}
3274
3275async fn continue_land() -> Result<()> {
3276 let current_dir = env::current_dir()
3277 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3278
3279 let repo_root = find_repository_root(¤t_dir)
3280 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3281
3282 let stack_manager = StackManager::new(&repo_root)?;
3283 let git_repo = crate::git::GitRepository::open(&repo_root)?;
3284 let options = crate::stack::RebaseOptions::default();
3285 let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
3286
3287 if !rebase_manager.is_rebase_in_progress() {
3288 Output::info(" No rebase in progress");
3289 return Ok(());
3290 }
3291
3292 println!(" Continuing land operation...");
3293 match rebase_manager.continue_rebase() {
3294 Ok(_) => {
3295 Output::success(" Land operation continued successfully");
3296 println!(" Check 'ca stack land-status' for current state");
3297 }
3298 Err(e) => {
3299 warn!("❌ Failed to continue land operation: {}", e);
3300 Output::tip(" You may need to resolve conflicts first:");
3301 println!(" 1. Edit conflicted files");
3302 println!(" 2. Stage resolved files with 'git add'");
3303 println!(" 3. Run 'ca stack continue-land' again");
3304 }
3305 }
3306
3307 Ok(())
3308}
3309
3310async fn abort_land() -> Result<()> {
3311 let current_dir = env::current_dir()
3312 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3313
3314 let repo_root = find_repository_root(¤t_dir)
3315 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3316
3317 let stack_manager = StackManager::new(&repo_root)?;
3318 let git_repo = crate::git::GitRepository::open(&repo_root)?;
3319 let options = crate::stack::RebaseOptions::default();
3320 let rebase_manager = crate::stack::RebaseManager::new(stack_manager, git_repo, options);
3321
3322 if !rebase_manager.is_rebase_in_progress() {
3323 Output::info(" No rebase in progress");
3324 return Ok(());
3325 }
3326
3327 println!("⚠️ Aborting land operation...");
3328 match rebase_manager.abort_rebase() {
3329 Ok(_) => {
3330 Output::success(" Land operation aborted successfully");
3331 println!(" Repository restored to pre-land state");
3332 }
3333 Err(e) => {
3334 warn!("❌ Failed to abort land operation: {}", e);
3335 println!("⚠️ You may need to manually clean up the repository state");
3336 }
3337 }
3338
3339 Ok(())
3340}
3341
3342async fn land_status() -> Result<()> {
3343 let current_dir = env::current_dir()
3344 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3345
3346 let repo_root = find_repository_root(¤t_dir)
3347 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3348
3349 let stack_manager = StackManager::new(&repo_root)?;
3350 let git_repo = crate::git::GitRepository::open(&repo_root)?;
3351
3352 println!("Land Status");
3353
3354 let git_dir = repo_root.join(".git");
3356 let land_in_progress = git_dir.join("REBASE_HEAD").exists()
3357 || git_dir.join("rebase-merge").exists()
3358 || git_dir.join("rebase-apply").exists();
3359
3360 if land_in_progress {
3361 println!(" Status: 🔄 Land operation in progress");
3362 println!(
3363 "
3364📝 Actions available:"
3365 );
3366 println!(" - 'ca stack continue-land' to continue");
3367 println!(" - 'ca stack abort-land' to abort");
3368 println!(" - 'git status' to see conflicted files");
3369
3370 match git_repo.get_status() {
3372 Ok(statuses) => {
3373 let mut conflicts = Vec::new();
3374 for status in statuses.iter() {
3375 if status.status().contains(git2::Status::CONFLICTED) {
3376 if let Some(path) = status.path() {
3377 conflicts.push(path.to_string());
3378 }
3379 }
3380 }
3381
3382 if !conflicts.is_empty() {
3383 println!(" ⚠️ Conflicts in {} files:", conflicts.len());
3384 for conflict in conflicts {
3385 println!(" - {conflict}");
3386 }
3387 println!(
3388 "
3389💡 To resolve conflicts:"
3390 );
3391 println!(" 1. Edit the conflicted files");
3392 println!(" 2. Stage resolved files: git add <file>");
3393 println!(" 3. Continue: ca stack continue-land");
3394 }
3395 }
3396 Err(e) => {
3397 warn!("Failed to get git status: {}", e);
3398 }
3399 }
3400 } else {
3401 println!(" Status: ✅ No land operation in progress");
3402
3403 if let Some(active_stack) = stack_manager.get_active_stack() {
3405 println!(" Active stack: {}", active_stack.name);
3406 println!(" Entries: {}", active_stack.entries.len());
3407 println!(" Base branch: {}", active_stack.base_branch);
3408 }
3409 }
3410
3411 Ok(())
3412}
3413
3414async fn repair_stack_data() -> Result<()> {
3415 let current_dir = env::current_dir()
3416 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3417
3418 let repo_root = find_repository_root(¤t_dir)
3419 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3420
3421 let mut stack_manager = StackManager::new(&repo_root)?;
3422
3423 println!("🔧 Repairing stack data consistency...");
3424
3425 stack_manager.repair_all_stacks()?;
3426
3427 Output::success(" Stack data consistency repaired successfully!");
3428 Output::tip(" Run 'ca stack --mergeable' to see updated status");
3429
3430 Ok(())
3431}
3432
3433async fn cleanup_branches(
3435 dry_run: bool,
3436 force: bool,
3437 include_stale: bool,
3438 stale_days: u32,
3439 cleanup_remote: bool,
3440 include_non_stack: bool,
3441 verbose: bool,
3442) -> Result<()> {
3443 let current_dir = env::current_dir()
3444 .map_err(|e| CascadeError::config(format!("Could not get current directory: {e}")))?;
3445
3446 let repo_root = find_repository_root(¤t_dir)
3447 .map_err(|e| CascadeError::config(format!("Could not find git repository: {e}")))?;
3448
3449 let stack_manager = StackManager::new(&repo_root)?;
3450 let git_repo = GitRepository::open(&repo_root)?;
3451
3452 let result = perform_cleanup(
3453 &stack_manager,
3454 &git_repo,
3455 dry_run,
3456 force,
3457 include_stale,
3458 stale_days,
3459 cleanup_remote,
3460 include_non_stack,
3461 verbose,
3462 )
3463 .await?;
3464
3465 if result.total_candidates == 0 {
3467 Output::success("No branches found that need cleanup");
3468 return Ok(());
3469 }
3470
3471 Output::section("Cleanup Results");
3472
3473 if dry_run {
3474 Output::sub_item(format!(
3475 "Found {} branches that would be cleaned up",
3476 result.total_candidates
3477 ));
3478 } else {
3479 if !result.cleaned_branches.is_empty() {
3480 Output::success(format!(
3481 "Successfully cleaned up {} branches",
3482 result.cleaned_branches.len()
3483 ));
3484 for branch in &result.cleaned_branches {
3485 Output::sub_item(format!("🗑️ Deleted: {branch}"));
3486 }
3487 }
3488
3489 if !result.skipped_branches.is_empty() {
3490 Output::sub_item(format!(
3491 "Skipped {} branches",
3492 result.skipped_branches.len()
3493 ));
3494 if verbose {
3495 for (branch, reason) in &result.skipped_branches {
3496 Output::sub_item(format!("⏭️ {branch}: {reason}"));
3497 }
3498 }
3499 }
3500
3501 if !result.failed_branches.is_empty() {
3502 Output::warning(format!(
3503 "Failed to clean up {} branches",
3504 result.failed_branches.len()
3505 ));
3506 for (branch, error) in &result.failed_branches {
3507 Output::sub_item(format!("❌ {branch}: {error}"));
3508 }
3509 }
3510 }
3511
3512 Ok(())
3513}
3514
3515#[allow(clippy::too_many_arguments)]
3517async fn perform_cleanup(
3518 stack_manager: &StackManager,
3519 git_repo: &GitRepository,
3520 dry_run: bool,
3521 force: bool,
3522 include_stale: bool,
3523 stale_days: u32,
3524 cleanup_remote: bool,
3525 include_non_stack: bool,
3526 verbose: bool,
3527) -> Result<CleanupResult> {
3528 let options = CleanupOptions {
3529 dry_run,
3530 force,
3531 include_stale,
3532 cleanup_remote,
3533 stale_threshold_days: stale_days,
3534 cleanup_non_stack: include_non_stack,
3535 };
3536
3537 let stack_manager_copy = StackManager::new(stack_manager.repo_path())?;
3538 let git_repo_copy = GitRepository::open(git_repo.path())?;
3539 let mut cleanup_manager = CleanupManager::new(stack_manager_copy, git_repo_copy, options);
3540
3541 let candidates = cleanup_manager.find_cleanup_candidates()?;
3543
3544 if candidates.is_empty() {
3545 return Ok(CleanupResult {
3546 cleaned_branches: Vec::new(),
3547 failed_branches: Vec::new(),
3548 skipped_branches: Vec::new(),
3549 total_candidates: 0,
3550 });
3551 }
3552
3553 if verbose || dry_run {
3555 Output::section("Cleanup Candidates");
3556 for candidate in &candidates {
3557 let reason_icon = match candidate.reason {
3558 crate::stack::CleanupReason::FullyMerged => "🔀",
3559 crate::stack::CleanupReason::StackEntryMerged => "✅",
3560 crate::stack::CleanupReason::Stale => "⏰",
3561 crate::stack::CleanupReason::Orphaned => "👻",
3562 };
3563
3564 Output::sub_item(format!(
3565 "{} {} - {} ({})",
3566 reason_icon,
3567 candidate.branch_name,
3568 candidate.reason_to_string(),
3569 candidate.safety_info
3570 ));
3571 }
3572 }
3573
3574 if !force && !dry_run && !candidates.is_empty() {
3576 Output::warning(format!("About to delete {} branches", candidates.len()));
3577
3578 let preview_count = 5.min(candidates.len());
3580 for candidate in candidates.iter().take(preview_count) {
3581 println!(" • {}", candidate.branch_name);
3582 }
3583 if candidates.len() > preview_count {
3584 println!(" ... and {} more", candidates.len() - preview_count);
3585 }
3586 println!(); let should_continue = Confirm::with_theme(&ColorfulTheme::default())
3590 .with_prompt("Continue with branch cleanup?")
3591 .default(false)
3592 .interact()
3593 .map_err(|e| CascadeError::config(format!("Failed to get user confirmation: {e}")))?;
3594
3595 if !should_continue {
3596 Output::sub_item("Cleanup cancelled");
3597 return Ok(CleanupResult {
3598 cleaned_branches: Vec::new(),
3599 failed_branches: Vec::new(),
3600 skipped_branches: Vec::new(),
3601 total_candidates: candidates.len(),
3602 });
3603 }
3604 }
3605
3606 cleanup_manager.perform_cleanup(&candidates)
3608}
3609
3610async fn perform_simple_cleanup(
3612 stack_manager: &StackManager,
3613 git_repo: &GitRepository,
3614 dry_run: bool,
3615) -> Result<CleanupResult> {
3616 perform_cleanup(
3617 stack_manager,
3618 git_repo,
3619 dry_run,
3620 false, false, 30, false, false, false, )
3627 .await
3628}
3629
3630async fn analyze_commits_for_safeguards(
3632 commits_to_push: &[String],
3633 repo: &GitRepository,
3634 dry_run: bool,
3635) -> Result<()> {
3636 const LARGE_COMMIT_THRESHOLD: usize = 10;
3637 const WEEK_IN_SECONDS: i64 = 7 * 24 * 3600;
3638
3639 if commits_to_push.len() > LARGE_COMMIT_THRESHOLD {
3641 println!(
3642 "⚠️ Warning: About to push {} commits to stack",
3643 commits_to_push.len()
3644 );
3645 println!(" This may indicate a merge commit issue or unexpected commit range.");
3646 println!(" Large commit counts often result from merging instead of rebasing.");
3647
3648 if !dry_run && !confirm_large_push(commits_to_push.len())? {
3649 return Err(CascadeError::config("Push cancelled by user"));
3650 }
3651 }
3652
3653 let commit_objects: Result<Vec<_>> = commits_to_push
3655 .iter()
3656 .map(|hash| repo.get_commit(hash))
3657 .collect();
3658 let commit_objects = commit_objects?;
3659
3660 let merge_commits: Vec<_> = commit_objects
3662 .iter()
3663 .filter(|c| c.parent_count() > 1)
3664 .collect();
3665
3666 if !merge_commits.is_empty() {
3667 println!(
3668 "⚠️ Warning: {} merge commits detected in push",
3669 merge_commits.len()
3670 );
3671 println!(" This often indicates you merged instead of rebased.");
3672 println!(" Consider using 'ca sync' to rebase on the base branch.");
3673 println!(" Merge commits in stacks can cause confusion and duplicate work.");
3674 }
3675
3676 if commit_objects.len() > 1 {
3678 let oldest_commit_time = commit_objects.first().unwrap().time().seconds();
3679 let newest_commit_time = commit_objects.last().unwrap().time().seconds();
3680 let time_span = newest_commit_time - oldest_commit_time;
3681
3682 if time_span > WEEK_IN_SECONDS {
3683 let days = time_span / (24 * 3600);
3684 println!("⚠️ Warning: Commits span {days} days");
3685 println!(" This may indicate merged history rather than new work.");
3686 println!(" Recent work should typically span hours or days, not weeks.");
3687 }
3688 }
3689
3690 if commits_to_push.len() > 5 {
3692 Output::tip(" Tip: If you only want recent commits, use:");
3693 println!(
3694 " ca push --since HEAD~{} # pushes last {} commits",
3695 std::cmp::min(commits_to_push.len(), 5),
3696 std::cmp::min(commits_to_push.len(), 5)
3697 );
3698 println!(" ca push --commits <hash1>,<hash2> # pushes specific commits");
3699 println!(" ca push --dry-run # preview what would be pushed");
3700 }
3701
3702 if dry_run {
3704 println!("🔍 DRY RUN: Would push {} commits:", commits_to_push.len());
3705 for (i, (commit_hash, commit_obj)) in commits_to_push
3706 .iter()
3707 .zip(commit_objects.iter())
3708 .enumerate()
3709 {
3710 let summary = commit_obj.summary().unwrap_or("(no message)");
3711 let short_hash = &commit_hash[..std::cmp::min(commit_hash.len(), 7)];
3712 println!(" {}: {} ({})", i + 1, summary, short_hash);
3713 }
3714 Output::tip(" Run without --dry-run to actually push these commits.");
3715 }
3716
3717 Ok(())
3718}
3719
3720fn confirm_large_push(count: usize) -> Result<bool> {
3722 let should_continue = Confirm::with_theme(&ColorfulTheme::default())
3724 .with_prompt(format!("Continue pushing {count} commits?"))
3725 .default(false)
3726 .interact()
3727 .map_err(|e| CascadeError::config(format!("Failed to get user confirmation: {e}")))?;
3728
3729 Ok(should_continue)
3730}
3731
3732#[cfg(test)]
3733mod tests {
3734 use super::*;
3735 use std::process::Command;
3736 use tempfile::TempDir;
3737
3738 fn create_test_repo() -> Result<(TempDir, std::path::PathBuf)> {
3739 let temp_dir = TempDir::new()
3740 .map_err(|e| CascadeError::config(format!("Failed to create temp directory: {e}")))?;
3741 let repo_path = temp_dir.path().to_path_buf();
3742
3743 let output = Command::new("git")
3745 .args(["init"])
3746 .current_dir(&repo_path)
3747 .output()
3748 .map_err(|e| CascadeError::config(format!("Failed to run git init: {e}")))?;
3749 if !output.status.success() {
3750 return Err(CascadeError::config("Git init failed".to_string()));
3751 }
3752
3753 let output = Command::new("git")
3754 .args(["config", "user.name", "Test User"])
3755 .current_dir(&repo_path)
3756 .output()
3757 .map_err(|e| CascadeError::config(format!("Failed to run git config: {e}")))?;
3758 if !output.status.success() {
3759 return Err(CascadeError::config(
3760 "Git config user.name failed".to_string(),
3761 ));
3762 }
3763
3764 let output = Command::new("git")
3765 .args(["config", "user.email", "test@example.com"])
3766 .current_dir(&repo_path)
3767 .output()
3768 .map_err(|e| CascadeError::config(format!("Failed to run git config: {e}")))?;
3769 if !output.status.success() {
3770 return Err(CascadeError::config(
3771 "Git config user.email failed".to_string(),
3772 ));
3773 }
3774
3775 std::fs::write(repo_path.join("README.md"), "# Test")
3777 .map_err(|e| CascadeError::config(format!("Failed to write file: {e}")))?;
3778 let output = Command::new("git")
3779 .args(["add", "."])
3780 .current_dir(&repo_path)
3781 .output()
3782 .map_err(|e| CascadeError::config(format!("Failed to run git add: {e}")))?;
3783 if !output.status.success() {
3784 return Err(CascadeError::config("Git add failed".to_string()));
3785 }
3786
3787 let output = Command::new("git")
3788 .args(["commit", "-m", "Initial commit"])
3789 .current_dir(&repo_path)
3790 .output()
3791 .map_err(|e| CascadeError::config(format!("Failed to run git commit: {e}")))?;
3792 if !output.status.success() {
3793 return Err(CascadeError::config("Git commit failed".to_string()));
3794 }
3795
3796 crate::config::initialize_repo(&repo_path, Some("https://test.bitbucket.com".to_string()))?;
3798
3799 Ok((temp_dir, repo_path))
3800 }
3801
3802 #[tokio::test]
3803 async fn test_create_stack() {
3804 let (temp_dir, repo_path) = match create_test_repo() {
3805 Ok(repo) => repo,
3806 Err(_) => {
3807 println!("Skipping test due to git environment setup failure");
3808 return;
3809 }
3810 };
3811 let _ = &temp_dir;
3813
3814 let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
3818 match env::set_current_dir(&repo_path) {
3819 Ok(_) => {
3820 let result = create_stack(
3821 "test-stack".to_string(),
3822 None, Some("Test description".to_string()),
3824 )
3825 .await;
3826
3827 if let Ok(orig) = original_dir {
3829 let _ = env::set_current_dir(orig);
3830 }
3831
3832 assert!(
3833 result.is_ok(),
3834 "Stack creation should succeed in initialized repository"
3835 );
3836 }
3837 Err(_) => {
3838 println!("Skipping test due to directory access restrictions");
3840 }
3841 }
3842 }
3843
3844 #[tokio::test]
3845 async fn test_list_empty_stacks() {
3846 let (temp_dir, repo_path) = match create_test_repo() {
3847 Ok(repo) => repo,
3848 Err(_) => {
3849 println!("Skipping test due to git environment setup failure");
3850 return;
3851 }
3852 };
3853 let _ = &temp_dir;
3855
3856 let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
3860 match env::set_current_dir(&repo_path) {
3861 Ok(_) => {
3862 let result = list_stacks(false, false, None).await;
3863
3864 if let Ok(orig) = original_dir {
3866 let _ = env::set_current_dir(orig);
3867 }
3868
3869 assert!(
3870 result.is_ok(),
3871 "Listing stacks should succeed in initialized repository"
3872 );
3873 }
3874 Err(_) => {
3875 println!("Skipping test due to directory access restrictions");
3877 }
3878 }
3879 }
3880
3881 #[test]
3884 fn test_extract_feature_from_wip_basic() {
3885 let messages = vec![
3886 "WIP: add authentication".to_string(),
3887 "WIP: implement login flow".to_string(),
3888 ];
3889
3890 let result = extract_feature_from_wip(&messages);
3891 assert_eq!(result, "Add authentication");
3892 }
3893
3894 #[test]
3895 fn test_extract_feature_from_wip_capitalize() {
3896 let messages = vec!["WIP: fix user validation bug".to_string()];
3897
3898 let result = extract_feature_from_wip(&messages);
3899 assert_eq!(result, "Fix user validation bug");
3900 }
3901
3902 #[test]
3903 fn test_extract_feature_from_wip_fallback() {
3904 let messages = vec![
3905 "WIP user interface changes".to_string(),
3906 "wip: css styling".to_string(),
3907 ];
3908
3909 let result = extract_feature_from_wip(&messages);
3910 assert!(result.contains("Implement") || result.contains("Squashed") || result.len() > 5);
3912 }
3913
3914 #[test]
3915 fn test_extract_feature_from_wip_empty() {
3916 let messages = vec![];
3917
3918 let result = extract_feature_from_wip(&messages);
3919 assert_eq!(result, "Squashed 0 commits");
3920 }
3921
3922 #[test]
3923 fn test_extract_feature_from_wip_short_message() {
3924 let messages = vec!["WIP: x".to_string()]; let result = extract_feature_from_wip(&messages);
3927 assert!(result.starts_with("Implement") || result.contains("Squashed"));
3928 }
3929
3930 #[test]
3933 fn test_squash_message_final_strategy() {
3934 let messages = [
3938 "Final: implement user authentication system".to_string(),
3939 "WIP: add tests".to_string(),
3940 "WIP: fix validation".to_string(),
3941 ];
3942
3943 assert!(messages[0].starts_with("Final:"));
3945
3946 let extracted = messages[0].trim_start_matches("Final:").trim();
3948 assert_eq!(extracted, "implement user authentication system");
3949 }
3950
3951 #[test]
3952 fn test_squash_message_wip_detection() {
3953 let messages = [
3954 "WIP: start feature".to_string(),
3955 "WIP: continue work".to_string(),
3956 "WIP: almost done".to_string(),
3957 "Regular commit message".to_string(),
3958 ];
3959
3960 let wip_count = messages
3961 .iter()
3962 .filter(|m| {
3963 m.to_lowercase().starts_with("wip") || m.to_lowercase().contains("work in progress")
3964 })
3965 .count();
3966
3967 assert_eq!(wip_count, 3); assert!(wip_count > messages.len() / 2); let non_wip: Vec<&String> = messages
3972 .iter()
3973 .filter(|m| {
3974 !m.to_lowercase().starts_with("wip")
3975 && !m.to_lowercase().contains("work in progress")
3976 })
3977 .collect();
3978
3979 assert_eq!(non_wip.len(), 1);
3980 assert_eq!(non_wip[0], "Regular commit message");
3981 }
3982
3983 #[test]
3984 fn test_squash_message_all_wip() {
3985 let messages = vec![
3986 "WIP: add feature A".to_string(),
3987 "WIP: add feature B".to_string(),
3988 "WIP: finish implementation".to_string(),
3989 ];
3990
3991 let result = extract_feature_from_wip(&messages);
3992 assert_eq!(result, "Add feature A");
3994 }
3995
3996 #[test]
3997 fn test_squash_message_edge_cases() {
3998 let empty_messages: Vec<String> = vec![];
4000 let result = extract_feature_from_wip(&empty_messages);
4001 assert_eq!(result, "Squashed 0 commits");
4002
4003 let whitespace_messages = vec![" ".to_string(), "\t\n".to_string()];
4005 let result = extract_feature_from_wip(&whitespace_messages);
4006 assert!(result.contains("Squashed") || result.contains("Implement"));
4007
4008 let mixed_case = vec!["wip: Add Feature".to_string()];
4010 let result = extract_feature_from_wip(&mixed_case);
4011 assert_eq!(result, "Add Feature");
4012 }
4013
4014 #[tokio::test]
4017 async fn test_auto_land_wrapper() {
4018 let (temp_dir, repo_path) = match create_test_repo() {
4020 Ok(repo) => repo,
4021 Err(_) => {
4022 println!("Skipping test due to git environment setup failure");
4023 return;
4024 }
4025 };
4026 let _ = &temp_dir;
4028
4029 crate::config::initialize_repo(&repo_path, Some("https://test.bitbucket.com".to_string()))
4031 .expect("Failed to initialize Cascade in test repo");
4032
4033 let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4034 match env::set_current_dir(&repo_path) {
4035 Ok(_) => {
4036 let result = create_stack(
4038 "test-stack".to_string(),
4039 None,
4040 Some("Test stack for auto-land".to_string()),
4041 )
4042 .await;
4043
4044 if let Ok(orig) = original_dir {
4045 let _ = env::set_current_dir(orig);
4046 }
4047
4048 assert!(
4051 result.is_ok(),
4052 "Stack creation should succeed in initialized repository"
4053 );
4054 }
4055 Err(_) => {
4056 println!("Skipping test due to directory access restrictions");
4057 }
4058 }
4059 }
4060
4061 #[test]
4062 fn test_auto_land_action_enum() {
4063 use crate::cli::commands::stack::StackAction;
4065
4066 let _action = StackAction::AutoLand {
4068 force: false,
4069 dry_run: true,
4070 wait_for_builds: true,
4071 strategy: Some(MergeStrategyArg::Squash),
4072 build_timeout: 1800,
4073 };
4074
4075 }
4077
4078 #[test]
4079 fn test_merge_strategy_conversion() {
4080 let squash_strategy = MergeStrategyArg::Squash;
4082 let merge_strategy: crate::bitbucket::pull_request::MergeStrategy = squash_strategy.into();
4083
4084 match merge_strategy {
4085 crate::bitbucket::pull_request::MergeStrategy::Squash => {
4086 }
4088 _ => unreachable!("SquashStrategyArg only has Squash variant"),
4089 }
4090
4091 let merge_strategy = MergeStrategyArg::Merge;
4092 let converted: crate::bitbucket::pull_request::MergeStrategy = merge_strategy.into();
4093
4094 match converted {
4095 crate::bitbucket::pull_request::MergeStrategy::Merge => {
4096 }
4098 _ => unreachable!("MergeStrategyArg::Merge maps to MergeStrategy::Merge"),
4099 }
4100 }
4101
4102 #[test]
4103 fn test_auto_merge_conditions_structure() {
4104 use std::time::Duration;
4106
4107 let conditions = crate::bitbucket::pull_request::AutoMergeConditions {
4108 merge_strategy: crate::bitbucket::pull_request::MergeStrategy::Squash,
4109 wait_for_builds: true,
4110 build_timeout: Duration::from_secs(1800),
4111 allowed_authors: None,
4112 };
4113
4114 assert!(conditions.wait_for_builds);
4116 assert_eq!(conditions.build_timeout.as_secs(), 1800);
4117 assert!(conditions.allowed_authors.is_none());
4118 assert!(matches!(
4119 conditions.merge_strategy,
4120 crate::bitbucket::pull_request::MergeStrategy::Squash
4121 ));
4122 }
4123
4124 #[test]
4125 fn test_polling_constants() {
4126 use std::time::Duration;
4128
4129 let expected_polling_interval = Duration::from_secs(30);
4131
4132 assert!(expected_polling_interval.as_secs() >= 10); assert!(expected_polling_interval.as_secs() <= 60); assert_eq!(expected_polling_interval.as_secs(), 30); }
4137
4138 #[test]
4139 fn test_build_timeout_defaults() {
4140 const DEFAULT_TIMEOUT: u64 = 1800; assert_eq!(DEFAULT_TIMEOUT, 1800);
4143 let timeout_value = 1800u64;
4145 assert!(timeout_value >= 300); assert!(timeout_value <= 3600); }
4148
4149 #[test]
4150 fn test_scattered_commit_detection() {
4151 use std::collections::HashSet;
4152
4153 let mut source_branches = HashSet::new();
4155 source_branches.insert("feature-branch-1".to_string());
4156 source_branches.insert("feature-branch-2".to_string());
4157 source_branches.insert("feature-branch-3".to_string());
4158
4159 let single_branch = HashSet::from(["main".to_string()]);
4161 assert_eq!(single_branch.len(), 1);
4162
4163 assert!(source_branches.len() > 1);
4165 assert_eq!(source_branches.len(), 3);
4166
4167 assert!(source_branches.contains("feature-branch-1"));
4169 assert!(source_branches.contains("feature-branch-2"));
4170 assert!(source_branches.contains("feature-branch-3"));
4171 }
4172
4173 #[test]
4174 fn test_source_branch_tracking() {
4175 let branch_a = "feature-work";
4179 let branch_b = "feature-work";
4180 assert_eq!(branch_a, branch_b);
4181
4182 let branch_1 = "feature-ui";
4184 let branch_2 = "feature-api";
4185 assert_ne!(branch_1, branch_2);
4186
4187 assert!(branch_1.starts_with("feature-"));
4189 assert!(branch_2.starts_with("feature-"));
4190 }
4191
4192 #[tokio::test]
4195 async fn test_push_default_behavior() {
4196 let (temp_dir, repo_path) = match create_test_repo() {
4198 Ok(repo) => repo,
4199 Err(_) => {
4200 println!("Skipping test due to git environment setup failure");
4201 return;
4202 }
4203 };
4204 let _ = &temp_dir;
4206
4207 if !repo_path.exists() {
4209 println!("Skipping test due to temporary directory creation issue");
4210 return;
4211 }
4212
4213 let original_dir = env::current_dir().map_err(|_| "Failed to get current dir");
4215
4216 match env::set_current_dir(&repo_path) {
4217 Ok(_) => {
4218 let result = push_to_stack(
4220 None, None, None, None, None, None, None, false, false, false, )
4231 .await;
4232
4233 if let Ok(orig) = original_dir {
4235 let _ = env::set_current_dir(orig);
4236 }
4237
4238 match &result {
4240 Err(e) => {
4241 let error_msg = e.to_string();
4242 assert!(
4244 error_msg.contains("No active stack")
4245 || error_msg.contains("config")
4246 || error_msg.contains("current directory")
4247 || error_msg.contains("Not a git repository")
4248 || error_msg.contains("could not find repository"),
4249 "Expected 'No active stack' or repository error, got: {error_msg}"
4250 );
4251 }
4252 Ok(_) => {
4253 println!(
4255 "Push succeeded unexpectedly - test environment may have active stack"
4256 );
4257 }
4258 }
4259 }
4260 Err(_) => {
4261 println!("Skipping test due to directory access restrictions");
4263 }
4264 }
4265
4266 let push_action = StackAction::Push {
4268 branch: None,
4269 message: None,
4270 commit: None,
4271 since: None,
4272 commits: None,
4273 squash: None,
4274 squash_since: None,
4275 auto_branch: false,
4276 allow_base_branch: false,
4277 dry_run: false,
4278 };
4279
4280 assert!(matches!(
4281 push_action,
4282 StackAction::Push {
4283 branch: None,
4284 message: None,
4285 commit: None,
4286 since: None,
4287 commits: None,
4288 squash: None,
4289 squash_since: None,
4290 auto_branch: false,
4291 allow_base_branch: false,
4292 dry_run: false
4293 }
4294 ));
4295 }
4296
4297 #[tokio::test]
4298 async fn test_submit_default_behavior() {
4299 let (temp_dir, repo_path) = match create_test_repo() {
4301 Ok(repo) => repo,
4302 Err(_) => {
4303 println!("Skipping test due to git environment setup failure");
4304 return;
4305 }
4306 };
4307 let _ = &temp_dir;
4309
4310 if !repo_path.exists() {
4312 println!("Skipping test due to temporary directory creation issue");
4313 return;
4314 }
4315
4316 let original_dir = match env::current_dir() {
4318 Ok(dir) => dir,
4319 Err(_) => {
4320 println!("Skipping test due to current directory access restrictions");
4321 return;
4322 }
4323 };
4324
4325 match env::set_current_dir(&repo_path) {
4326 Ok(_) => {
4327 let result = submit_entry(
4329 None, None, None, None, false, true, )
4336 .await;
4337
4338 let _ = env::set_current_dir(original_dir);
4340
4341 match &result {
4343 Err(e) => {
4344 let error_msg = e.to_string();
4345 assert!(
4347 error_msg.contains("No active stack")
4348 || error_msg.contains("config")
4349 || error_msg.contains("current directory")
4350 || error_msg.contains("Not a git repository")
4351 || error_msg.contains("could not find repository"),
4352 "Expected 'No active stack' or repository error, got: {error_msg}"
4353 );
4354 }
4355 Ok(_) => {
4356 println!("Submit succeeded unexpectedly - test environment may have active stack");
4358 }
4359 }
4360 }
4361 Err(_) => {
4362 println!("Skipping test due to directory access restrictions");
4364 }
4365 }
4366
4367 let submit_action = StackAction::Submit {
4369 entry: None,
4370 title: None,
4371 description: None,
4372 range: None,
4373 draft: false,
4374 open: true,
4375 };
4376
4377 assert!(matches!(
4378 submit_action,
4379 StackAction::Submit {
4380 entry: None,
4381 title: None,
4382 description: None,
4383 range: None,
4384 draft: false,
4385 open: true
4386 }
4387 ));
4388 }
4389
4390 #[test]
4391 fn test_targeting_options_still_work() {
4392 let commits = "abc123,def456,ghi789";
4396 let parsed: Vec<&str> = commits.split(',').map(|s| s.trim()).collect();
4397 assert_eq!(parsed.len(), 3);
4398 assert_eq!(parsed[0], "abc123");
4399 assert_eq!(parsed[1], "def456");
4400 assert_eq!(parsed[2], "ghi789");
4401
4402 let range = "1-3";
4404 assert!(range.contains('-'));
4405 let parts: Vec<&str> = range.split('-').collect();
4406 assert_eq!(parts.len(), 2);
4407
4408 let since_ref = "HEAD~3";
4410 assert!(since_ref.starts_with("HEAD"));
4411 assert!(since_ref.contains('~'));
4412 }
4413
4414 #[test]
4415 fn test_command_flow_logic() {
4416 assert!(matches!(
4418 StackAction::Push {
4419 branch: None,
4420 message: None,
4421 commit: None,
4422 since: None,
4423 commits: None,
4424 squash: None,
4425 squash_since: None,
4426 auto_branch: false,
4427 allow_base_branch: false,
4428 dry_run: false
4429 },
4430 StackAction::Push { .. }
4431 ));
4432
4433 assert!(matches!(
4434 StackAction::Submit {
4435 entry: None,
4436 title: None,
4437 description: None,
4438 range: None,
4439 draft: false,
4440 open: true
4441 },
4442 StackAction::Submit { .. }
4443 ));
4444 }
4445
4446 #[tokio::test]
4447 async fn test_deactivate_command_structure() {
4448 let deactivate_action = StackAction::Deactivate { force: false };
4450
4451 assert!(matches!(
4453 deactivate_action,
4454 StackAction::Deactivate { force: false }
4455 ));
4456
4457 let force_deactivate = StackAction::Deactivate { force: true };
4459 assert!(matches!(
4460 force_deactivate,
4461 StackAction::Deactivate { force: true }
4462 ));
4463 }
4464}