@eric-emg/symphiq-components 1.3.77 → 1.3.78

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -524,7 +524,13 @@ class ModalService {
524
524
  }
525
525
  navigateToObjectiveStrategies(objective, goalTitle, viewMode) {
526
526
  const currentState = this.modalState.value;
527
- const data = { objective, goalTitle, viewMode };
527
+ let sourceAnalysisType;
528
+ let sourceTypeTitle;
529
+ if (currentState.data && 'sourceAnalysisType' in currentState.data) {
530
+ sourceAnalysisType = currentState.data.sourceAnalysisType;
531
+ sourceTypeTitle = currentState.data.sourceTypeTitle;
532
+ }
533
+ const data = { objective, goalTitle, viewMode, sourceAnalysisType, sourceTypeTitle };
528
534
  const currentStack = currentState.navigationStack || [];
529
535
  let newStack = currentStack;
530
536
  if ((currentState.type === 'goal-objectives' || currentState.type === 'unified-goal-objectives' || currentState.type === 'objective-strategies' || currentState.type === 'strategy-recommendations') && currentState.data) {
@@ -548,7 +554,13 @@ class ModalService {
548
554
  }
549
555
  navigateToStrategyRecommendations(strategy, objectiveTitle, goalTitle, viewMode, expandedRecommendationId) {
550
556
  const currentState = this.modalState.value;
551
- const data = { strategy, objectiveTitle, goalTitle, viewMode, expandedRecommendationId };
557
+ let sourceAnalysisType;
558
+ let sourceTypeTitle;
559
+ if (currentState.data && 'sourceAnalysisType' in currentState.data) {
560
+ sourceAnalysisType = currentState.data.sourceAnalysisType;
561
+ sourceTypeTitle = currentState.data.sourceTypeTitle;
562
+ }
563
+ const data = { strategy, objectiveTitle, goalTitle, viewMode, expandedRecommendationId, sourceAnalysisType, sourceTypeTitle };
552
564
  const currentStack = currentState.navigationStack || [];
553
565
  let newStack = currentStack;
554
566
  if ((currentState.type === 'goal-objectives' || currentState.type === 'unified-goal-objectives' || currentState.type === 'objective-strategies' || currentState.type === 'strategy-recommendations') && currentState.data) {
@@ -1030,12 +1042,13 @@ class ModalService {
1030
1042
  navigationStack: newStack
1031
1043
  });
1032
1044
  }
1033
- openUnifiedGoalModal(goal, allMetrics, allCharts, loadedSourceAnalysisIds, viewMode, loadingSourceAnalysisId, previousState, allInsights) {
1045
+ openUnifiedGoalModal(goal, allMetrics, allCharts, loadedSourceAnalysisIds, viewMode, loadingSourceAnalysisId, previousState, allInsights, allBusinessInsights) {
1034
1046
  const data = {
1035
1047
  goal,
1036
1048
  allMetrics,
1037
1049
  allCharts,
1038
1050
  allInsights,
1051
+ allBusinessInsights,
1039
1052
  loadedSourceAnalysisIds,
1040
1053
  loadingSourceAnalysisId,
1041
1054
  viewMode
@@ -3837,6 +3850,102 @@ class DataLoaderService {
3837
3850
  args: [{ providedIn: 'root' }]
3838
3851
  }], () => [{ type: i1.HttpClient }], null); })();
3839
3852
 
3853
+ var GoalActionStateEnum;
3854
+ (function (GoalActionStateEnum) {
3855
+ GoalActionStateEnum["PLAN"] = "PLAN";
3856
+ GoalActionStateEnum["POTENTIAL"] = "POTENTIAL";
3857
+ GoalActionStateEnum["SKIP"] = "SKIP";
3858
+ })(GoalActionStateEnum || (GoalActionStateEnum = {}));
3859
+ const STORAGE_KEY = 'symphiq-unified-goal-action-states';
3860
+ class GoalActionStateService {
3861
+ constructor() {
3862
+ this.statesSignal = signal({}, ...(ngDevMode ? [{ debugName: "statesSignal" }] : []));
3863
+ this.stateChangesSubject = new BehaviorSubject({});
3864
+ this.states = this.statesSignal.asReadonly();
3865
+ this.stateChanges$ = this.stateChangesSubject.asObservable();
3866
+ this.loadFromStorage();
3867
+ }
3868
+ getState(goalId) {
3869
+ return this.statesSignal()[goalId];
3870
+ }
3871
+ setState(goalId, state) {
3872
+ const current = this.statesSignal();
3873
+ const updated = { ...current, [goalId]: state };
3874
+ this.statesSignal.set(updated);
3875
+ this.saveToStorage(updated);
3876
+ this.stateChangesSubject.next(updated);
3877
+ }
3878
+ getAllStates() {
3879
+ return this.statesSignal();
3880
+ }
3881
+ getStatesByGoalIds(ids) {
3882
+ const all = this.statesSignal();
3883
+ const filtered = {};
3884
+ for (const id of ids) {
3885
+ if (all[id] !== undefined) {
3886
+ filtered[id] = all[id];
3887
+ }
3888
+ }
3889
+ return filtered;
3890
+ }
3891
+ clearState(goalId) {
3892
+ const current = this.statesSignal();
3893
+ const { [goalId]: _, ...rest } = current;
3894
+ this.statesSignal.set(rest);
3895
+ this.saveToStorage(rest);
3896
+ this.stateChangesSubject.next(rest);
3897
+ }
3898
+ clearAllStates() {
3899
+ this.statesSignal.set({});
3900
+ this.saveToStorage({});
3901
+ this.stateChangesSubject.next({});
3902
+ }
3903
+ getCompletedCount(goalIds) {
3904
+ const states = this.statesSignal();
3905
+ return goalIds.filter(id => states[id] !== undefined).length;
3906
+ }
3907
+ allGoalsHaveState(goalIds) {
3908
+ if (goalIds.length === 0)
3909
+ return false;
3910
+ const states = this.statesSignal();
3911
+ return goalIds.every(id => states[id] !== undefined);
3912
+ }
3913
+ getOutput(goalIds) {
3914
+ return {
3915
+ goalStates: this.getStatesByGoalIds(goalIds),
3916
+ completedCount: this.getCompletedCount(goalIds),
3917
+ totalCount: goalIds.length
3918
+ };
3919
+ }
3920
+ loadFromStorage() {
3921
+ try {
3922
+ const saved = localStorage.getItem(STORAGE_KEY);
3923
+ if (saved) {
3924
+ const parsed = JSON.parse(saved);
3925
+ this.statesSignal.set(parsed);
3926
+ this.stateChangesSubject.next(parsed);
3927
+ }
3928
+ }
3929
+ catch {
3930
+ }
3931
+ }
3932
+ saveToStorage(states) {
3933
+ try {
3934
+ localStorage.setItem(STORAGE_KEY, JSON.stringify(states));
3935
+ }
3936
+ catch {
3937
+ }
3938
+ }
3939
+ static { this.ɵfac = function GoalActionStateService_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || GoalActionStateService)(); }; }
3940
+ static { this.ɵprov = /*@__PURE__*/ i0.ɵɵdefineInjectable({ token: GoalActionStateService, factory: GoalActionStateService.ɵfac, providedIn: 'root' }); }
3941
+ }
3942
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassMetadata(GoalActionStateService, [{
3943
+ type: Injectable,
3944
+ args: [{
3945
+ providedIn: 'root'
3946
+ }]
3947
+ }], () => [], null); })();
3948
+
3840
3949
  const _c0$1r = a0 => ["skeleton-loader", "rounded-lg", "relative", "overflow-hidden", a0];
3841
3950
  const _c1$N = a0 => ["skeleton-shimmer-overlay", "absolute", "inset-0", "bg-gradient-to-r", a0];
3842
3951
  class SkeletonLoaderComponent {
@@ -4557,7 +4666,7 @@ class CompetitiveScoreService {
4557
4666
  }]
4558
4667
  }], null, null); })();
4559
4668
 
4560
- const _forTrack0$1j = ($index, $item) => $item.category;
4669
+ const _forTrack0$1l = ($index, $item) => $item.category;
4561
4670
  function CompetitivePositioningSummaryComponent_Conditional_1_For_47_Conditional_12_Template(rf, ctx) { if (rf & 1) {
4562
4671
  i0.ɵɵelementStart(0, "div", 15);
4563
4672
  i0.ɵɵelement(1, "div", 37);
@@ -4716,7 +4825,7 @@ function CompetitivePositioningSummaryComponent_Conditional_1_Template(rf, ctx)
4716
4825
  i0.ɵɵelementEnd()();
4717
4826
  i0.ɵɵnamespaceHTML();
4718
4827
  i0.ɵɵelementStart(43, "div", 24)(44, "div", 25)(45, "div", 26);
4719
- i0.ɵɵrepeaterCreate(46, CompetitivePositioningSummaryComponent_Conditional_1_For_47_Template, 15, 12, "div", 27, _forTrack0$1j);
4828
+ i0.ɵɵrepeaterCreate(46, CompetitivePositioningSummaryComponent_Conditional_1_For_47_Template, 15, 12, "div", 27, _forTrack0$1l);
4720
4829
  i0.ɵɵelementEnd()()()();
4721
4830
  i0.ɵɵelementStart(48, "div", 28)(49, "button", 29);
4722
4831
  i0.ɵɵlistener("click", function CompetitivePositioningSummaryComponent_Conditional_1_Template_button_click_49_listener() { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.scrollToCompetitive.emit()); });
@@ -4925,7 +5034,7 @@ function CompetitivePositioningSummaryComponent_Conditional_2_Template(rf, ctx)
4925
5034
  i0.ɵɵelementStart(32, "div", 50)(33, "h4", 51);
4926
5035
  i0.ɵɵtext(34, "By Funnel Stage");
4927
5036
  i0.ɵɵelementEnd();
4928
- i0.ɵɵrepeaterCreate(35, CompetitivePositioningSummaryComponent_Conditional_2_For_36_Template, 12, 11, "div", 52, _forTrack0$1j);
5037
+ i0.ɵɵrepeaterCreate(35, CompetitivePositioningSummaryComponent_Conditional_2_For_36_Template, 12, 11, "div", 52, _forTrack0$1l);
4929
5038
  i0.ɵɵelementEnd();
4930
5039
  i0.ɵɵelementStart(37, "div", 28)(38, "button", 53);
4931
5040
  i0.ɵɵlistener("click", function CompetitivePositioningSummaryComponent_Conditional_2_Template_button_click_38_listener() { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.scrollToCompetitive.emit()); });
@@ -9594,7 +9703,7 @@ class MetricCardComponent {
9594
9703
  const _c0$1n = () => [1, 2, 3];
9595
9704
  const _c1$L = (a0, a1, a2) => [a0, a1, a2];
9596
9705
  const _c2$u = (a0, a1) => [a0, a1];
9597
- const _forTrack0$1i = ($index, $item) => $item.metric;
9706
+ const _forTrack0$1k = ($index, $item) => $item.metric;
9598
9707
  const _forTrack1$d = ($index, $item) => $item.metric.dimensionValue;
9599
9708
  function BreakdownSectionComponent_Conditional_0_For_7_For_4_Template(rf, ctx) { if (rf & 1) {
9600
9709
  i0.ɵɵelementStart(0, "div", 7);
@@ -9916,7 +10025,7 @@ function BreakdownSectionComponent_Conditional_1_Template(rf, ctx) { if (rf & 1)
9916
10025
  i0.ɵɵelementEnd()();
9917
10026
  i0.ɵɵconditionalCreate(6, BreakdownSectionComponent_Conditional_1_Conditional_6_Template, 3, 0, "div", 11);
9918
10027
  i0.ɵɵelementStart(7, "div", 12);
9919
- i0.ɵɵrepeaterCreate(8, BreakdownSectionComponent_Conditional_1_For_9_Template, 28, 18, "div", 13, _forTrack0$1i);
10028
+ i0.ɵɵrepeaterCreate(8, BreakdownSectionComponent_Conditional_1_For_9_Template, 28, 18, "div", 13, _forTrack0$1k);
9920
10029
  i0.ɵɵelementEnd()();
9921
10030
  } if (rf & 2) {
9922
10031
  const ctx_r0 = i0.ɵɵnextContext();
@@ -11300,7 +11409,7 @@ class ChartCardComponent {
11300
11409
  }], null, { chart: [{ type: i0.Input, args: [{ isSignal: true, alias: "chart", required: true }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], isLightMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLightMode", required: false }] }], chartClick: [{ type: i0.Output, args: ["chartClick"] }] }); }); })();
11301
11410
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ChartCardComponent, { className: "ChartCardComponent", filePath: "lib/components/shared/chart-card.component.ts", lineNumber: 108 }); })();
11302
11411
 
11303
- const _forTrack0$1h = ($index, $item) => $item.id;
11412
+ const _forTrack0$1j = ($index, $item) => $item.id;
11304
11413
  function FunnelStrengthsListModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
11305
11414
  i0.ɵɵelementStart(0, "div", 1);
11306
11415
  i0.ɵɵnamespaceSVG();
@@ -11414,7 +11523,7 @@ function FunnelStrengthsListModalContentComponent_Conditional_2_For_2_Template(r
11414
11523
  } }
11415
11524
  function FunnelStrengthsListModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
11416
11525
  i0.ɵɵelementStart(0, "div", 2);
11417
- i0.ɵɵrepeaterCreate(1, FunnelStrengthsListModalContentComponent_Conditional_2_For_2_Template, 30, 22, "button", 7, _forTrack0$1h);
11526
+ i0.ɵɵrepeaterCreate(1, FunnelStrengthsListModalContentComponent_Conditional_2_For_2_Template, 30, 22, "button", 7, _forTrack0$1j);
11418
11527
  i0.ɵɵelementEnd();
11419
11528
  } if (rf & 2) {
11420
11529
  const ctx_r0 = i0.ɵɵnextContext();
@@ -11624,7 +11733,7 @@ class FunnelStrengthsListModalContentComponent {
11624
11733
  }], null, { strengths: [{ type: i0.Input, args: [{ isSignal: true, alias: "strengths", required: true }] }], isLightMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLightMode", required: true }] }] }); })();
11625
11734
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(FunnelStrengthsListModalContentComponent, { className: "FunnelStrengthsListModalContentComponent", filePath: "lib/components/funnel-analysis-dashboard/funnel-strengths-list-modal-content.component.ts", lineNumber: 93 }); })();
11626
11735
 
11627
- const _forTrack0$1g = ($index, $item) => $item.severity;
11736
+ const _forTrack0$1i = ($index, $item) => $item.severity;
11628
11737
  const _forTrack1$c = ($index, $item) => $item.id;
11629
11738
  function FunnelWeaknessesListModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
11630
11739
  i0.ɵɵelementStart(0, "div", 1);
@@ -11803,7 +11912,7 @@ function FunnelWeaknessesListModalContentComponent_Conditional_2_For_2_Template(
11803
11912
  } }
11804
11913
  function FunnelWeaknessesListModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
11805
11914
  i0.ɵɵelementStart(0, "div", 2);
11806
- i0.ɵɵrepeaterCreate(1, FunnelWeaknessesListModalContentComponent_Conditional_2_For_2_Template, 9, 7, "div", null, _forTrack0$1g);
11915
+ i0.ɵɵrepeaterCreate(1, FunnelWeaknessesListModalContentComponent_Conditional_2_For_2_Template, 9, 7, "div", null, _forTrack0$1i);
11807
11916
  i0.ɵɵelementEnd();
11808
11917
  } if (rf & 2) {
11809
11918
  const ctx_r0 = i0.ɵɵnextContext();
@@ -13578,7 +13687,7 @@ class ProfileItemLookupService {
13578
13687
  }], null, null); })();
13579
13688
 
13580
13689
  const _c0$1k = a0 => ({ name: "chevron-right", source: a0 });
13581
- const _forTrack0$1f = ($index, $item) => $item.id;
13690
+ const _forTrack0$1h = ($index, $item) => $item.id;
13582
13691
  function RelatedAreaChipsComponent_Conditional_0_For_2_Template(rf, ctx) { if (rf & 1) {
13583
13692
  const _r1 = i0.ɵɵgetCurrentView();
13584
13693
  i0.ɵɵelementStart(0, "button", 2);
@@ -13599,7 +13708,7 @@ function RelatedAreaChipsComponent_Conditional_0_For_2_Template(rf, ctx) { if (r
13599
13708
  } }
13600
13709
  function RelatedAreaChipsComponent_Conditional_0_Template(rf, ctx) { if (rf & 1) {
13601
13710
  i0.ɵɵelementStart(0, "div", 0);
13602
- i0.ɵɵrepeaterCreate(1, RelatedAreaChipsComponent_Conditional_0_For_2_Template, 4, 5, "button", 1, _forTrack0$1f);
13711
+ i0.ɵɵrepeaterCreate(1, RelatedAreaChipsComponent_Conditional_0_For_2_Template, 4, 5, "button", 1, _forTrack0$1h);
13603
13712
  i0.ɵɵelementEnd();
13604
13713
  } if (rf & 2) {
13605
13714
  const ctx_r2 = i0.ɵɵnextContext();
@@ -13824,7 +13933,7 @@ class CompetitorChipListComponent {
13824
13933
  }], null, { relatedCompetitorIds: [{ type: i0.Input, args: [{ isSignal: true, alias: "relatedCompetitorIds", required: false }] }], competitors: [{ type: i0.Input, args: [{ isSignal: true, alias: "competitors", required: false }] }], label: [{ type: i0.Input, args: [{ isSignal: true, alias: "label", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], isDark: [{ type: i0.Input, args: [{ isSignal: true, alias: "isDark", required: false }] }], inModalContext: [{ type: i0.Input, args: [{ isSignal: true, alias: "inModalContext", required: false }] }] }); })();
13825
13934
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(CompetitorChipListComponent, { className: "CompetitorChipListComponent", filePath: "lib/components/business-analysis-dashboard/shared/competitor-chip-list.component.ts", lineNumber: 37 }); })();
13826
13935
 
13827
- const _forTrack0$1e = ($index, $item) => $item.id;
13936
+ const _forTrack0$1g = ($index, $item) => $item.id;
13828
13937
  function CompetitorContextSectionComponent_Conditional_0_Conditional_8_Template(rf, ctx) { if (rf & 1) {
13829
13938
  const _r1 = i0.ɵɵgetCurrentView();
13830
13939
  i0.ɵɵelementStart(0, "button", 8);
@@ -13907,7 +14016,7 @@ function CompetitorContextSectionComponent_Conditional_0_Template(rf, ctx) { if
13907
14016
  i0.ɵɵconditionalCreate(8, CompetitorContextSectionComponent_Conditional_0_Conditional_8_Template, 5, 4, "button", 4);
13908
14017
  i0.ɵɵelementEnd();
13909
14018
  i0.ɵɵelementStart(9, "div", 5)(10, "div", 6);
13910
- i0.ɵɵrepeaterCreate(11, CompetitorContextSectionComponent_Conditional_0_For_12_Template, 10, 6, "button", 7, _forTrack0$1e);
14019
+ i0.ɵɵrepeaterCreate(11, CompetitorContextSectionComponent_Conditional_0_For_12_Template, 10, 6, "button", 7, _forTrack0$1g);
13911
14020
  i0.ɵɵelementEnd()()();
13912
14021
  } if (rf & 2) {
13913
14022
  const ctx_r1 = i0.ɵɵnextContext();
@@ -14098,7 +14207,7 @@ class CompetitorContextSectionComponent {
14098
14207
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(CompetitorContextSectionComponent, { className: "CompetitorContextSectionComponent", filePath: "lib/components/business-analysis-dashboard/cards/competitor-context-section.component.ts", lineNumber: 86 }); })();
14099
14208
 
14100
14209
  const _c0$1i = a0 => ({ name: "chevron-right", source: a0 });
14101
- const _forTrack0$1d = ($index, $item) => $item.id;
14210
+ const _forTrack0$1f = ($index, $item) => $item.id;
14102
14211
  function RelatedRecommendationChipsComponent_Conditional_0_For_3_Template(rf, ctx) { if (rf & 1) {
14103
14212
  const _r1 = i0.ɵɵgetCurrentView();
14104
14213
  i0.ɵɵelementStart(0, "button", 4);
@@ -14141,7 +14250,7 @@ function RelatedRecommendationChipsComponent_Conditional_0_Conditional_4_Templat
14141
14250
  } }
14142
14251
  function RelatedRecommendationChipsComponent_Conditional_0_Template(rf, ctx) { if (rf & 1) {
14143
14252
  i0.ɵɵelementStart(0, "div", 0)(1, "div", 1);
14144
- i0.ɵɵrepeaterCreate(2, RelatedRecommendationChipsComponent_Conditional_0_For_3_Template, 5, 6, "button", 2, _forTrack0$1d);
14253
+ i0.ɵɵrepeaterCreate(2, RelatedRecommendationChipsComponent_Conditional_0_For_3_Template, 5, 6, "button", 2, _forTrack0$1f);
14145
14254
  i0.ɵɵelementEnd();
14146
14255
  i0.ɵɵconditionalCreate(4, RelatedRecommendationChipsComponent_Conditional_0_Conditional_4_Template, 5, 4, "button", 3);
14147
14256
  i0.ɵɵelementEnd();
@@ -14597,7 +14706,7 @@ class RelatedFunnelInsightsSectionComponent {
14597
14706
  }], null, { insightCount: [{ type: i0.Input, args: [{ isSignal: true, alias: "insightCount", required: true }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], insightsClicked: [{ type: i0.Output, args: ["insightsClicked"] }] }); })();
14598
14707
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(RelatedFunnelInsightsSectionComponent, { className: "RelatedFunnelInsightsSectionComponent", filePath: "lib/components/business-analysis-dashboard/shared/related-funnel-insights-section.component.ts", lineNumber: 47 }); })();
14599
14708
 
14600
- const _forTrack0$1c = ($index, $item) => $item.order;
14709
+ const _forTrack0$1e = ($index, $item) => $item.order;
14601
14710
  function RecommendationCardComponent_Conditional_3_Template(rf, ctx) { if (rf & 1) {
14602
14711
  i0.ɵɵelementStart(0, "div", 9);
14603
14712
  i0.ɵɵelement(1, "symphiq-icon", 11);
@@ -14950,7 +15059,7 @@ function RecommendationCardComponent_Conditional_13_Conditional_12_Conditional_6
14950
15059
  } }
14951
15060
  function RecommendationCardComponent_Conditional_13_Conditional_12_Conditional_6_Template(rf, ctx) { if (rf & 1) {
14952
15061
  i0.ɵɵelementStart(0, "div", 37);
14953
- i0.ɵɵrepeaterCreate(1, RecommendationCardComponent_Conditional_13_Conditional_12_Conditional_6_For_2_Template, 13, 9, "div", 41, _forTrack0$1c);
15062
+ i0.ɵɵrepeaterCreate(1, RecommendationCardComponent_Conditional_13_Conditional_12_Conditional_6_For_2_Template, 13, 9, "div", 41, _forTrack0$1e);
14954
15063
  i0.ɵɵelementEnd();
14955
15064
  } if (rf & 2) {
14956
15065
  const ctx_r0 = i0.ɵɵnextContext(3);
@@ -15788,7 +15897,7 @@ const ModalComponent_Conditional_0_Conditional_16_Conditional_4_Defer_2_DepsFn =
15788
15897
  const ModalComponent_Conditional_0_Conditional_16_Conditional_5_Defer_2_DepsFn = () => [Promise.resolve().then(function () { return barChart_component; }).then(m => m.BarChartComponent)];
15789
15898
  const ModalComponent_Conditional_0_Conditional_16_Conditional_6_Defer_2_DepsFn = () => [Promise.resolve().then(function () { return pieChart_component; }).then(m => m.PieChartComponent)];
15790
15899
  const ModalComponent_Conditional_0_Conditional_16_Conditional_7_Defer_2_DepsFn = () => [Promise.resolve().then(function () { return areaChart_component; }).then(m => m.AreaChartComponent)];
15791
- const _forTrack0$1b = ($index, $item) => $item.id || $index;
15900
+ const _forTrack0$1d = ($index, $item) => $item.id || $index;
15792
15901
  function ModalComponent_Conditional_0_Conditional_6_Template(rf, ctx) { if (rf & 1) {
15793
15902
  const _r3 = i0.ɵɵgetCurrentView();
15794
15903
  i0.ɵɵelementStart(0, "button", 10);
@@ -16173,7 +16282,7 @@ function ModalComponent_Conditional_0_Conditional_19_For_3_Template(rf, ctx) { i
16173
16282
  function ModalComponent_Conditional_0_Conditional_19_Template(rf, ctx) { if (rf & 1) {
16174
16283
  i0.ɵɵelementStart(0, "div", 19);
16175
16284
  i0.ɵɵconditionalCreate(1, ModalComponent_Conditional_0_Conditional_19_Conditional_1_Template, 2, 2, "p", 54);
16176
- i0.ɵɵrepeaterCreate(2, ModalComponent_Conditional_0_Conditional_19_For_3_Template, 2, 5, "div", null, _forTrack0$1b);
16285
+ i0.ɵɵrepeaterCreate(2, ModalComponent_Conditional_0_Conditional_19_For_3_Template, 2, 5, "div", null, _forTrack0$1d);
16177
16286
  i0.ɵɵelementEnd();
16178
16287
  } if (rf & 2) {
16179
16288
  const ctx_r1 = i0.ɵɵnextContext(2);
@@ -20469,7 +20578,7 @@ class NarrativeTooltipComponent {
20469
20578
  }], null, { content: [{ type: i0.Input, args: [{ isSignal: true, alias: "content", required: true }] }], isLightMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLightMode", required: false }] }] }); })();
20470
20579
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(NarrativeTooltipComponent, { className: "NarrativeTooltipComponent", filePath: "lib/components/funnel-analysis-dashboard/tooltip/narrative-tooltip.component.ts", lineNumber: 27 }); })();
20471
20580
 
20472
- const _forTrack0$1a = ($index, $item) => $item.metric.name;
20581
+ const _forTrack0$1c = ($index, $item) => $item.metric.name;
20473
20582
  function CompetitiveStatusTooltipComponent_Conditional_6_For_6_Template(rf, ctx) { if (rf & 1) {
20474
20583
  i0.ɵɵelementStart(0, "div", 7)(1, "div", 8)(2, "div", 9);
20475
20584
  i0.ɵɵelement(3, "div", 10);
@@ -20513,7 +20622,7 @@ function CompetitiveStatusTooltipComponent_Conditional_6_Template(rf, ctx) { if
20513
20622
  i0.ɵɵtext(3);
20514
20623
  i0.ɵɵelementEnd();
20515
20624
  i0.ɵɵelementStart(4, "div", 5);
20516
- i0.ɵɵrepeaterCreate(5, CompetitiveStatusTooltipComponent_Conditional_6_For_6_Template, 13, 12, "div", 6, _forTrack0$1a);
20625
+ i0.ɵɵrepeaterCreate(5, CompetitiveStatusTooltipComponent_Conditional_6_For_6_Template, 13, 12, "div", 6, _forTrack0$1c);
20517
20626
  i0.ɵɵelementEnd()();
20518
20627
  } if (rf & 2) {
20519
20628
  const ctx_r1 = i0.ɵɵnextContext();
@@ -20772,7 +20881,7 @@ class CompetitiveStatusTooltipComponent {
20772
20881
  }], null, { content: [{ type: i0.Input, args: [{ isSignal: true, alias: "content", required: true }] }], isLightMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLightMode", required: false }] }], currencySymbol: [{ type: i0.Input, args: [{ isSignal: true, alias: "currencySymbol", required: false }] }] }); })();
20773
20882
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(CompetitiveStatusTooltipComponent, { className: "CompetitiveStatusTooltipComponent", filePath: "lib/components/funnel-analysis-dashboard/tooltip/competitive-status-tooltip.component.ts", lineNumber: 60 }); })();
20774
20883
 
20775
- const _forTrack0$19 = ($index, $item) => $item.name;
20884
+ const _forTrack0$1b = ($index, $item) => $item.name;
20776
20885
  function FunnelStageCompetitiveTooltipComponent_Conditional_8_For_7_Template(rf, ctx) { if (rf & 1) {
20777
20886
  i0.ɵɵelementStart(0, "div", 9)(1, "div", 10)(2, "span", 11);
20778
20887
  i0.ɵɵtext(3);
@@ -20812,7 +20921,7 @@ function FunnelStageCompetitiveTooltipComponent_Conditional_8_Template(rf, ctx)
20812
20921
  i0.ɵɵtext(4);
20813
20922
  i0.ɵɵelementEnd()();
20814
20923
  i0.ɵɵelementStart(5, "div", 8);
20815
- i0.ɵɵrepeaterCreate(6, FunnelStageCompetitiveTooltipComponent_Conditional_8_For_7_Template, 11, 9, "div", 9, _forTrack0$19);
20924
+ i0.ɵɵrepeaterCreate(6, FunnelStageCompetitiveTooltipComponent_Conditional_8_For_7_Template, 11, 9, "div", 9, _forTrack0$1b);
20816
20925
  i0.ɵɵelementEnd()();
20817
20926
  } if (rf & 2) {
20818
20927
  const ctx_r1 = i0.ɵɵnextContext();
@@ -20862,7 +20971,7 @@ function FunnelStageCompetitiveTooltipComponent_Conditional_9_Template(rf, ctx)
20862
20971
  i0.ɵɵtext(4);
20863
20972
  i0.ɵɵelementEnd()();
20864
20973
  i0.ɵɵelementStart(5, "div", 8);
20865
- i0.ɵɵrepeaterCreate(6, FunnelStageCompetitiveTooltipComponent_Conditional_9_For_7_Template, 11, 9, "div", 9, _forTrack0$19);
20974
+ i0.ɵɵrepeaterCreate(6, FunnelStageCompetitiveTooltipComponent_Conditional_9_For_7_Template, 11, 9, "div", 9, _forTrack0$1b);
20866
20975
  i0.ɵɵelementEnd()();
20867
20976
  } if (rf & 2) {
20868
20977
  const ctx_r1 = i0.ɵɵnextContext();
@@ -20912,7 +21021,7 @@ function FunnelStageCompetitiveTooltipComponent_Conditional_10_Template(rf, ctx)
20912
21021
  i0.ɵɵtext(4);
20913
21022
  i0.ɵɵelementEnd()();
20914
21023
  i0.ɵɵelementStart(5, "div", 8);
20915
- i0.ɵɵrepeaterCreate(6, FunnelStageCompetitiveTooltipComponent_Conditional_10_For_7_Template, 11, 9, "div", 9, _forTrack0$19);
21024
+ i0.ɵɵrepeaterCreate(6, FunnelStageCompetitiveTooltipComponent_Conditional_10_For_7_Template, 11, 9, "div", 9, _forTrack0$1b);
20916
21025
  i0.ɵɵelementEnd()();
20917
21026
  } if (rf & 2) {
20918
21027
  const ctx_r1 = i0.ɵɵnextContext();
@@ -22200,7 +22309,7 @@ class MobileFABComponent {
22200
22309
  }], null, { isLightMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLightMode", required: false }] }], isCompactMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "isCompactMode", required: false }] }], isExpanded: [{ type: i0.Input, args: [{ isSignal: true, alias: "isExpanded", required: false }] }], expandedChange: [{ type: i0.Output, args: ["expandedChange"] }], scrollToTop: [{ type: i0.Output, args: ["scrollToTop"] }], toggleView: [{ type: i0.Output, args: ["toggleView"] }] }); })();
22201
22310
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(MobileFABComponent, { className: "MobileFABComponent", filePath: "lib/components/funnel-analysis-dashboard/mobile-fab.component.ts", lineNumber: 75 }); })();
22202
22311
 
22203
- const _forTrack0$18 = ($index, $item) => $item.id;
22312
+ const _forTrack0$1a = ($index, $item) => $item.id;
22204
22313
  function MobileBottomNavComponent_For_3_Template(rf, ctx) { if (rf & 1) {
22205
22314
  const _r1 = i0.ɵɵgetCurrentView();
22206
22315
  i0.ɵɵelementStart(0, "button", 3);
@@ -22258,7 +22367,7 @@ class MobileBottomNavComponent {
22258
22367
  static { this.ɵfac = function MobileBottomNavComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || MobileBottomNavComponent)(); }; }
22259
22368
  static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: MobileBottomNavComponent, selectors: [["symphiq-mobile-bottom-nav"]], inputs: { isLightMode: [1, "isLightMode"], sections: [1, "sections"], activeSection: [1, "activeSection"] }, outputs: { navigate: "navigate" }, decls: 4, vars: 1, consts: [[1, "fixed", "bottom-0", "left-0", "right-0", "z-50", "lg:hidden", "border-t", "backdrop-blur-md", 3, "ngClass"], [1, "flex", "items-center", "justify-around", "px-2", "py-3"], [1, "flex", "flex-col", "items-center", "gap-1", "px-3", "py-2", "rounded-lg", "transition-all", "duration-200", "active:scale-95", "min-w-[64px]", 3, "ngClass"], [1, "flex", "flex-col", "items-center", "gap-1", "px-3", "py-2", "rounded-lg", "transition-all", "duration-200", "active:scale-95", "min-w-[64px]", 3, "click", "ngClass"], [1, "w-6", "h-6", 3, "innerHTML"], [1, "text-xs", "font-medium"]], template: function MobileBottomNavComponent_Template(rf, ctx) { if (rf & 1) {
22260
22369
  i0.ɵɵelementStart(0, "div", 0)(1, "div", 1);
22261
- i0.ɵɵrepeaterCreate(2, MobileBottomNavComponent_For_3_Template, 4, 3, "button", 2, _forTrack0$18);
22370
+ i0.ɵɵrepeaterCreate(2, MobileBottomNavComponent_For_3_Template, 4, 3, "button", 2, _forTrack0$1a);
22262
22371
  i0.ɵɵelementEnd()();
22263
22372
  } if (rf & 2) {
22264
22373
  i0.ɵɵproperty("ngClass", ctx.containerClass());
@@ -22463,7 +22572,7 @@ class SearchService {
22463
22572
  }], null, null); })();
22464
22573
 
22465
22574
  const _c0$1g = ["searchInput"];
22466
- const _forTrack0$17 = ($index, $item) => $item.id;
22575
+ const _forTrack0$19 = ($index, $item) => $item.id;
22467
22576
  function SearchBarComponent_Conditional_0_Conditional_10_Template(rf, ctx) { if (rf & 1) {
22468
22577
  const _r3 = i0.ɵɵgetCurrentView();
22469
22578
  i0.ɵɵelementStart(0, "button", 18);
@@ -22556,7 +22665,7 @@ function SearchBarComponent_Conditional_0_Conditional_14_For_2_Template(rf, ctx)
22556
22665
  } }
22557
22666
  function SearchBarComponent_Conditional_0_Conditional_14_Template(rf, ctx) { if (rf & 1) {
22558
22667
  i0.ɵɵelementStart(0, "div", 15);
22559
- i0.ɵɵrepeaterCreate(1, SearchBarComponent_Conditional_0_Conditional_14_For_2_Template, 16, 12, "button", 19, _forTrack0$17);
22668
+ i0.ɵɵrepeaterCreate(1, SearchBarComponent_Conditional_0_Conditional_14_For_2_Template, 16, 12, "button", 19, _forTrack0$19);
22560
22669
  i0.ɵɵelementEnd();
22561
22670
  } if (rf & 2) {
22562
22671
  const ctx_r1 = i0.ɵɵnextContext(2);
@@ -23047,7 +23156,7 @@ class SearchHighlightDirective {
23047
23156
  }]
23048
23157
  }], () => [], { symphiqSearchHighlight: [{ type: i0.Input, args: [{ isSignal: true, alias: "libSymphiqSearchHighlight", required: false }] }], highlightId: [{ type: i0.Input, args: [{ isSignal: true, alias: "highlightId", required: false }] }] }); })();
23049
23158
 
23050
- const _forTrack0$16 = ($index, $item) => $item.value;
23159
+ const _forTrack0$18 = ($index, $item) => $item.value;
23051
23160
  const _forTrack1$b = ($index, $item) => $item.performanceItemId;
23052
23161
  function CompetitiveScorecardComponent_For_12_Template(rf, ctx) { if (rf & 1) {
23053
23162
  i0.ɵɵelementStart(0, "div", 7);
@@ -23422,7 +23531,7 @@ class CompetitiveScorecardComponent {
23422
23531
  i0.ɵɵtext(9);
23423
23532
  i0.ɵɵelementEnd()()();
23424
23533
  i0.ɵɵelementStart(10, "div", 6);
23425
- i0.ɵɵrepeaterCreate(11, CompetitiveScorecardComponent_For_12_Template, 4, 7, "div", 7, _forTrack0$16);
23534
+ i0.ɵɵrepeaterCreate(11, CompetitiveScorecardComponent_For_12_Template, 4, 7, "div", 7, _forTrack0$18);
23426
23535
  i0.ɵɵelementEnd();
23427
23536
  i0.ɵɵelementStart(13, "div", 8)(14, "table", 9)(15, "thead")(16, "tr", 10)(17, "th", 11);
23428
23537
  i0.ɵɵtext(18, "Metric");
@@ -24055,7 +24164,7 @@ class SectionDividerComponent {
24055
24164
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], animationDelay: [{ type: i0.Input, args: [{ isSignal: true, alias: "animationDelay", required: false }] }], sectionIcon: [{ type: i0.Input, args: [{ isSignal: true, alias: "sectionIcon", required: false }] }], subsections: [{ type: i0.Input, args: [{ isSignal: true, alias: "subsections", required: false }] }] }); })();
24056
24165
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(SectionDividerComponent, { className: "SectionDividerComponent", filePath: "lib/components/shared/section-divider.component.ts", lineNumber: 36 }); })();
24057
24166
 
24058
- const _forTrack0$15 = ($index, $item) => $item.id;
24167
+ const _forTrack0$17 = ($index, $item) => $item.id;
24059
24168
  function FloatingTocComponent_Conditional_15_Template(rf, ctx) { if (rf & 1) {
24060
24169
  i0.ɵɵnamespaceSVG();
24061
24170
  i0.ɵɵelement(0, "path", 8);
@@ -24107,7 +24216,7 @@ function FloatingTocComponent_For_19_Conditional_7_For_2_Template(rf, ctx) { if
24107
24216
  } }
24108
24217
  function FloatingTocComponent_For_19_Conditional_7_Template(rf, ctx) { if (rf & 1) {
24109
24218
  i0.ɵɵelementStart(0, "div", 17);
24110
- i0.ɵɵrepeaterCreate(1, FloatingTocComponent_For_19_Conditional_7_For_2_Template, 4, 4, "button", 19, _forTrack0$15);
24219
+ i0.ɵɵrepeaterCreate(1, FloatingTocComponent_For_19_Conditional_7_For_2_Template, 4, 4, "button", 19, _forTrack0$17);
24111
24220
  i0.ɵɵelementEnd();
24112
24221
  } if (rf & 2) {
24113
24222
  const section_r2 = i0.ɵɵnextContext().$implicit;
@@ -24497,7 +24606,7 @@ class FloatingTocComponent {
24497
24606
  i0.ɵɵelementEnd()()();
24498
24607
  i0.ɵɵnamespaceHTML();
24499
24608
  i0.ɵɵelementStart(17, "nav", 9);
24500
- i0.ɵɵrepeaterCreate(18, FloatingTocComponent_For_19_Template, 8, 6, "div", 10, _forTrack0$15);
24609
+ i0.ɵɵrepeaterCreate(18, FloatingTocComponent_For_19_Template, 8, 6, "div", 10, _forTrack0$17);
24501
24610
  i0.ɵɵelementEnd();
24502
24611
  i0.ɵɵelementStart(20, "div", 11)(21, "button", 7);
24503
24612
  i0.ɵɵlistener("click", function FloatingTocComponent_Template_button_click_21_listener() { return ctx.scrollToTop(); });
@@ -24651,7 +24760,7 @@ class FloatingTocComponent {
24651
24760
  }], null, { sections: [{ type: i0.Input, args: [{ isSignal: true, alias: "sections", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], embedded: [{ type: i0.Input, args: [{ isSignal: true, alias: "embedded", required: false }] }], containerElement: [{ type: i0.Input, args: [{ isSignal: true, alias: "containerElement", required: false }] }], scrollElement: [{ type: i0.Input, args: [{ isSignal: true, alias: "scrollElement", required: false }] }], parentHeaderOffset: [{ type: i0.Input, args: [{ isSignal: true, alias: "parentHeaderOffset", required: false }] }] }); })();
24652
24761
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(FloatingTocComponent, { className: "FloatingTocComponent", filePath: "lib/components/business-analysis-dashboard/floating-toc.component.ts", lineNumber: 125 }); })();
24653
24762
 
24654
- const _forTrack0$14 = ($index, $item) => $item.id;
24763
+ const _forTrack0$16 = ($index, $item) => $item.id;
24655
24764
  function JourneyProgressIndicatorComponent_For_5_Conditional_2_Template(rf, ctx) { if (rf & 1) {
24656
24765
  i0.ɵɵnamespaceSVG();
24657
24766
  i0.ɵɵelementStart(0, "svg", 22);
@@ -24884,7 +24993,7 @@ function JourneyProgressIndicatorComponent_Conditional_23_Template(rf, ctx) { if
24884
24993
  i0.ɵɵtext(2, "Journey Progress");
24885
24994
  i0.ɵɵelementEnd();
24886
24995
  i0.ɵɵelementStart(3, "div", 44);
24887
- i0.ɵɵrepeaterCreate(4, JourneyProgressIndicatorComponent_Conditional_23_For_5_Template, 14, 8, "div", 45, _forTrack0$14);
24996
+ i0.ɵɵrepeaterCreate(4, JourneyProgressIndicatorComponent_Conditional_23_For_5_Template, 14, 8, "div", 45, _forTrack0$16);
24888
24997
  i0.ɵɵelementEnd()();
24889
24998
  } if (rf & 2) {
24890
24999
  const ctx_r2 = i0.ɵɵnextContext();
@@ -25334,7 +25443,7 @@ class JourneyProgressIndicatorComponent {
25334
25443
  static { this.ɵfac = function JourneyProgressIndicatorComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || JourneyProgressIndicatorComponent)(); }; }
25335
25444
  static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: JourneyProgressIndicatorComponent, selectors: [["symphiq-journey-progress-indicator"]], inputs: { viewMode: [1, "viewMode"], currentStepId: [1, "currentStepId"], showNextStepAction: [1, "showNextStepAction"], forDemo: [1, "forDemo"], maxAccessibleStepId: [1, "maxAccessibleStepId"] }, outputs: { nextStepClick: "nextStepClick", stepClick: "stepClick" }, decls: 25, vars: 14, consts: [[1, "sticky", "z-40", "border-b", "pt-8", "pb-6", "px-6", "transition-all", "duration-200", "overflow-visible", 3, "ngClass"], [1, "max-w-7xl", "mx-auto", "overflow-visible"], [1, "hidden", "lg:flex", "items-start", "justify-between", "overflow-visible"], [1, "flex-1", "flex", "items-start", "justify-start", "overflow-visible"], ["type", "button", 1, "px-4", "py-2", "rounded-lg", "font-medium", "text-sm", "transition-all", "duration-200", "flex-shrink-0", "flex", "items-center", "gap-2", "whitespace-nowrap", "ml-4", "mt-0", 3, "disabled", "ngClass", "cursor-pointer", "cursor-not-allowed", "opacity-50", "hover:scale-105"], [1, "lg:hidden"], [1, "flex", "items-center", "justify-between", "gap-4"], [1, "flex-1", "flex", "items-center", "gap-3"], [1, "w-10", "h-10", "min-w-[2.5rem]", "min-h-[2.5rem]", "rounded-full", "flex", "items-center", "justify-center", "flex-shrink-0", 3, "ngClass"], ["fill", "currentColor", "viewBox", "0 0 20 20", 1, "w-5", "h-5"], [1, "w-3", "h-3", "min-w-[0.75rem]", "min-h-[0.75rem]", "rounded-full", "animate-pulse", 3, "ngClass"], [1, "text-sm", "font-bold", 3, "ngClass"], [1, "flex-1", "text-left"], [1, "flex", "items-center", "gap-1.5", "relative", 3, "mouseenter", "mouseleave", "click"], [1, "text-xs", "cursor-pointer", 3, "ngClass"], [1, "p-0.5", "rounded-full", "cursor-pointer", 3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-3", "h-3"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M13 16h-1v-4h-1m1-4h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"], [1, "absolute", "top-full", "left-0", "mt-2", "w-80", "max-w-[calc(100vw-2rem)]", "p-4", "rounded-lg", "shadow-xl", "z-50", 3, "ngClass"], ["type", "button", 1, "px-3", "py-1.5", "rounded-lg", "font-medium", "text-xs", "transition-all", "duration-200", "flex-shrink-0", "flex", "items-center", "gap-1.5", "whitespace-nowrap", 3, "disabled", "ngClass", "cursor-pointer", "cursor-not-allowed", "opacity-50", "hover:scale-105"], [1, "flex", "flex-col", "items-center", "relative", "step-column", "overflow-visible", "flex-shrink-0", 3, "mouseenter", "mouseleave", "click"], [1, "w-8", "h-8", "min-w-[2rem]", "min-h-[2rem]", "rounded-full", "flex", "items-center", "justify-center", "flex-shrink-0", "step-circle", "relative", "z-10", "mb-1.5", 3, "ngClass"], ["fill", "currentColor", "viewBox", "0 0 20 20", 1, "w-4", "h-4"], [1, "w-2.5", "h-2.5", "min-w-[0.625rem]", "min-h-[0.625rem]", "rounded-full", "animate-pulse", 3, "ngClass"], [1, "w-2", "h-2", "min-w-[0.5rem]", "min-h-[0.5rem]", "rounded-full", 3, "ngClass"], [1, "text-xs", "font-bold", 3, "ngClass"], [1, "text-[10px]", "text-center", "leading-tight", "whitespace-nowrap", "max-w-[64px]", "overflow-hidden", "text-ellipsis", 3, "ngClass"], [1, "absolute", "rounded-lg", "shadow-2xl", "z-50", "pointer-events-none", 3, "ngClass", "expanded-card-right", "expanded-card-left", "top", "left", "right"], [1, "flex-1", "h-0.5", "transition-all", "duration-200", "mt-[16px]", 3, "ngClass"], ["fill-rule", "evenodd", "d", "M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z", "clip-rule", "evenodd"], [1, "absolute", "rounded-lg", "shadow-2xl", "z-50", "pointer-events-none", 3, "ngClass"], [1, "flex", "items-start", "px-4", "py-3", "expanded-content"], [1, "flex", "items-start", "gap-2", "w-full"], [1, "text-xs", "font-bold", "flex-shrink-0", "mt-0.5", 3, "ngClass"], [1, "flex", "flex-col", "gap-1", "flex-1"], [1, "text-sm", "font-bold", "leading-tight", 3, "ngClass"], [1, "text-xs", "leading-relaxed", "description-fade", 3, "ngClass"], ["type", "button", 1, "px-4", "py-2", "rounded-lg", "font-medium", "text-sm", "transition-all", "duration-200", "flex-shrink-0", "flex", "items-center", "gap-2", "whitespace-nowrap", "ml-4", "mt-0", 3, "click", "disabled", "ngClass"], ["fill", "none", "viewBox", "0 0 24 24", 1, "w-4", "h-4", "animate-spin"], ["cx", "12", "cy", "12", "r", "10", "stroke", "currentColor", "stroke-width", "4", 1, "opacity-25"], ["fill", "currentColor", "d", "M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z", 1, "opacity-75"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-4", "h-4"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M13 7l5 5m0 0l-5 5m5-5H6"], [1, "text-sm", "font-bold", "mb-3", 3, "ngClass"], [1, "space-y-2"], [1, "flex", "items-start", "gap-2"], [1, "w-6", "h-6", "min-w-[1.5rem]", "min-h-[1.5rem]", "rounded-full", "flex", "items-center", "justify-center", "flex-shrink-0", 3, "ngClass"], ["fill", "currentColor", "viewBox", "0 0 20 20", 1, "w-3", "h-3"], [1, "w-2", "h-2", "min-w-[0.5rem]", "min-h-[0.5rem]", "rounded-full", "animate-pulse", 3, "ngClass"], [1, "w-1.5", "h-1.5", "min-w-[0.375rem]", "min-h-[0.375rem]", "rounded-full", 3, "ngClass"], [1, "text-[10px]", "font-bold", 3, "ngClass"], [1, "flex-1", "min-w-0"], [1, "flex", "items-center", "gap-2"], [1, "text-xs", "font-medium", 3, "ngClass"], [1, "text-[10px]", "mt-0.5", 3, "ngClass"], ["type", "button", 1, "px-3", "py-1.5", "rounded-lg", "font-medium", "text-xs", "transition-all", "duration-200", "flex-shrink-0", "flex", "items-center", "gap-1.5", "whitespace-nowrap", 3, "click", "disabled", "ngClass"], ["fill", "none", "viewBox", "0 0 24 24", 1, "w-3.5", "h-3.5", "animate-spin"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-3.5", "h-3.5"]], template: function JourneyProgressIndicatorComponent_Template(rf, ctx) { if (rf & 1) {
25336
25445
  i0.ɵɵelementStart(0, "div", 0)(1, "div", 1)(2, "div", 2)(3, "div", 3);
25337
- i0.ɵɵrepeaterCreate(4, JourneyProgressIndicatorComponent_For_5_Template, 10, 10, null, null, _forTrack0$14);
25446
+ i0.ɵɵrepeaterCreate(4, JourneyProgressIndicatorComponent_For_5_Template, 10, 10, null, null, _forTrack0$16);
25338
25447
  i0.ɵɵelementEnd();
25339
25448
  i0.ɵɵconditionalCreate(6, JourneyProgressIndicatorComponent_Conditional_6_Template, 3, 11, "button", 4);
25340
25449
  i0.ɵɵelementEnd();
@@ -26682,7 +26791,7 @@ class ContinueYourJourneyComponent {
26682
26791
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], colorScheme: [{ type: i0.Input, args: [{ isSignal: true, alias: "colorScheme", required: false }] }], isOnboarded: [{ type: i0.Input, args: [{ isSignal: true, alias: "isOnboarded", required: false }] }], title: [{ type: i0.Input, args: [{ isSignal: true, alias: "title", required: false }] }], onboardedTitle: [{ type: i0.Input, args: [{ isSignal: true, alias: "onboardedTitle", required: false }] }], description: [{ type: i0.Input, args: [{ isSignal: true, alias: "description", required: false }] }], onboardedDescription: [{ type: i0.Input, args: [{ isSignal: true, alias: "onboardedDescription", required: false }] }] }); })();
26683
26792
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ContinueYourJourneyComponent, { className: "ContinueYourJourneyComponent", filePath: "lib/components/shared/continue-your-journey.component.ts", lineNumber: 32 }); })();
26684
26793
 
26685
- const _forTrack0$13 = ($index, $item) => $item.title;
26794
+ const _forTrack0$15 = ($index, $item) => $item.title;
26686
26795
  function WhatYoullSeeBelowComponent_For_8_Template(rf, ctx) { if (rf & 1) {
26687
26796
  i0.ɵɵelementStart(0, "li", 6);
26688
26797
  i0.ɵɵnamespaceSVG();
@@ -26753,7 +26862,7 @@ class WhatYoullSeeBelowComponent {
26753
26862
  i0.ɵɵtext(5, " What You'll See Below ");
26754
26863
  i0.ɵɵelementEnd();
26755
26864
  i0.ɵɵelementStart(6, "ul", 5);
26756
- i0.ɵɵrepeaterCreate(7, WhatYoullSeeBelowComponent_For_8_Template, 7, 2, "li", 6, _forTrack0$13);
26865
+ i0.ɵɵrepeaterCreate(7, WhatYoullSeeBelowComponent_For_8_Template, 7, 2, "li", 6, _forTrack0$15);
26757
26866
  i0.ɵɵconditionalCreate(9, WhatYoullSeeBelowComponent_Conditional_9_Template, 7, 2, "li", 6);
26758
26867
  i0.ɵɵelementEnd()()();
26759
26868
  } if (rf & 2) {
@@ -27977,7 +28086,7 @@ class ViewModeSwitcherModalComponent {
27977
28086
  const _c0$1e = a0 => ({ name: "check-badge", source: a0 });
27978
28087
  const _c1$J = a0 => ({ name: "check-circle", source: a0 });
27979
28088
  const _c2$t = a0 => ({ name: "chevron-right", source: a0 });
27980
- const _forTrack0$12 = ($index, $item) => $item.area;
28089
+ const _forTrack0$14 = ($index, $item) => $item.area;
27981
28090
  function KeyStrengthsListModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
27982
28091
  i0.ɵɵelementStart(0, "div", 1);
27983
28092
  i0.ɵɵelement(1, "symphiq-icon", 3);
@@ -28046,7 +28155,7 @@ function KeyStrengthsListModalContentComponent_Conditional_2_For_2_Template(rf,
28046
28155
  } }
28047
28156
  function KeyStrengthsListModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
28048
28157
  i0.ɵɵelementStart(0, "div", 2);
28049
- i0.ɵɵrepeaterCreate(1, KeyStrengthsListModalContentComponent_Conditional_2_For_2_Template, 15, 18, "button", 6, _forTrack0$12);
28158
+ i0.ɵɵrepeaterCreate(1, KeyStrengthsListModalContentComponent_Conditional_2_For_2_Template, 15, 18, "button", 6, _forTrack0$14);
28050
28159
  i0.ɵɵelementEnd();
28051
28160
  } if (rf & 2) {
28052
28161
  const ctx_r0 = i0.ɵɵnextContext();
@@ -28210,7 +28319,7 @@ const _c0$1d = a0 => ({ name: "shield-check", source: a0 });
28210
28319
  const _c1$I = a0 => ({ name: "exclamation-triangle", source: a0 });
28211
28320
  const _c2$s = a0 => ({ name: "document-text", source: a0 });
28212
28321
  const _c3$k = a0 => ({ name: "chevron-right", source: a0 });
28213
- const _forTrack0$11 = ($index, $item) => $item.area;
28322
+ const _forTrack0$13 = ($index, $item) => $item.area;
28214
28323
  function CriticalGapsListModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
28215
28324
  i0.ɵɵelementStart(0, "div", 1);
28216
28325
  i0.ɵɵelement(1, "symphiq-icon", 3);
@@ -28295,7 +28404,7 @@ function CriticalGapsListModalContentComponent_Conditional_2_For_2_Template(rf,
28295
28404
  } }
28296
28405
  function CriticalGapsListModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
28297
28406
  i0.ɵɵelementStart(0, "div", 2);
28298
- i0.ɵɵrepeaterCreate(1, CriticalGapsListModalContentComponent_Conditional_2_For_2_Template, 23, 25, "button", 6, _forTrack0$11);
28407
+ i0.ɵɵrepeaterCreate(1, CriticalGapsListModalContentComponent_Conditional_2_For_2_Template, 23, 25, "button", 6, _forTrack0$13);
28299
28408
  i0.ɵɵelementEnd();
28300
28409
  } if (rf & 2) {
28301
28410
  const ctx_r0 = i0.ɵɵnextContext();
@@ -28524,7 +28633,7 @@ class CriticalGapsListModalContentComponent {
28524
28633
 
28525
28634
  const _c0$1c = a0 => ({ name: "check-circle", source: a0 });
28526
28635
  const _c1$H = a0 => ({ name: "chat-bubble-left-right", source: a0 });
28527
- const _forTrack0$10 = ($index, $item) => $item.questionId;
28636
+ const _forTrack0$12 = ($index, $item) => $item.questionId;
28528
28637
  function KeyStrengthDetailModalContentComponent_Conditional_13_For_6_Conditional_8_Template(rf, ctx) { if (rf & 1) {
28529
28638
  i0.ɵɵelementStart(0, "div", 19)(1, "span", 20);
28530
28639
  i0.ɵɵtext(2);
@@ -28571,7 +28680,7 @@ function KeyStrengthDetailModalContentComponent_Conditional_13_Template(rf, ctx)
28571
28680
  i0.ɵɵtext(3, " Supporting Evidence ");
28572
28681
  i0.ɵɵelementEnd();
28573
28682
  i0.ɵɵelementStart(4, "div", 12);
28574
- i0.ɵɵrepeaterCreate(5, KeyStrengthDetailModalContentComponent_Conditional_13_For_6_Template, 9, 10, "div", 13, _forTrack0$10);
28683
+ i0.ɵɵrepeaterCreate(5, KeyStrengthDetailModalContentComponent_Conditional_13_For_6_Template, 9, 10, "div", 13, _forTrack0$12);
28575
28684
  i0.ɵɵelementEnd()();
28576
28685
  } if (rf & 2) {
28577
28686
  const ctx_r1 = i0.ɵɵnextContext();
@@ -28766,7 +28875,7 @@ class KeyStrengthDetailModalContentComponent {
28766
28875
  const _c0$1b = a0 => ({ name: "exclamation-triangle", source: a0 });
28767
28876
  const _c1$G = a0 => ({ name: "document-text", source: a0 });
28768
28877
  const _c2$r = a0 => ({ name: "chat-bubble-left-right", source: a0 });
28769
- const _forTrack0$$ = ($index, $item) => $item.questionId;
28878
+ const _forTrack0$11 = ($index, $item) => $item.questionId;
28770
28879
  function CriticalGapDetailModalContentComponent_Conditional_20_For_6_Conditional_8_Template(rf, ctx) { if (rf & 1) {
28771
28880
  i0.ɵɵelementStart(0, "div", 23)(1, "p", 25);
28772
28881
  i0.ɵɵtext(2, " Gap Identified: ");
@@ -28834,7 +28943,7 @@ function CriticalGapDetailModalContentComponent_Conditional_20_Template(rf, ctx)
28834
28943
  i0.ɵɵtext(3, " Supporting Evidence ");
28835
28944
  i0.ɵɵelementEnd();
28836
28945
  i0.ɵɵelementStart(4, "div", 17);
28837
- i0.ɵɵrepeaterCreate(5, CriticalGapDetailModalContentComponent_Conditional_20_For_6_Template, 10, 11, "div", 18, _forTrack0$$);
28946
+ i0.ɵɵrepeaterCreate(5, CriticalGapDetailModalContentComponent_Conditional_20_For_6_Template, 10, 11, "div", 18, _forTrack0$11);
28838
28947
  i0.ɵɵelementEnd()();
28839
28948
  } if (rf & 2) {
28840
28949
  const ctx_r1 = i0.ɵɵnextContext();
@@ -30343,7 +30452,7 @@ class GoalDetailModalContentComponent {
30343
30452
  }], null, { goal: [{ type: i0.Input, args: [{ isSignal: true, alias: "goal", required: true }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: true }] }], allInsights: [{ type: i0.Input, args: [{ isSignal: true, alias: "allInsights", required: false }] }], allMetrics: [{ type: i0.Input, args: [{ isSignal: true, alias: "allMetrics", required: false }] }], allBusinessInsights: [{ type: i0.Input, args: [{ isSignal: true, alias: "allBusinessInsights", required: false }] }], allCharts: [{ type: i0.Input, args: [{ isSignal: true, alias: "allCharts", required: false }] }], showObjectives: [{ type: i0.Output, args: ["showObjectives"] }] }); })();
30344
30453
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(GoalDetailModalContentComponent, { className: "GoalDetailModalContentComponent", filePath: "lib/components/profile-analysis-shop-dashboard/modals/goal-detail-modal-content.component.ts", lineNumber: 65 }); })();
30345
30454
 
30346
- const _forTrack0$_ = ($index, $item) => $item.id || $index;
30455
+ const _forTrack0$10 = ($index, $item) => $item.id || $index;
30347
30456
  function GoalObjectivesModalContentComponent_For_2_Conditional_10_Template(rf, ctx) { if (rf & 1) {
30348
30457
  i0.ɵɵelementStart(0, "p", 9);
30349
30458
  i0.ɵɵtext(1);
@@ -30601,7 +30710,7 @@ class GoalObjectivesModalContentComponent {
30601
30710
  static { this.ɵfac = function GoalObjectivesModalContentComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || GoalObjectivesModalContentComponent)(); }; }
30602
30711
  static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: GoalObjectivesModalContentComponent, selectors: [["symphiq-goal-objectives-modal-content"]], inputs: { objectives: [1, "objectives"], goalTitle: [1, "goalTitle"], viewMode: [1, "viewMode"] }, decls: 3, vars: 0, consts: [[1, "space-y-6"], [1, "rounded-lg", "p-5", "transition-all", "duration-200", 3, "ngClass"], [1, "flex", "items-start", "gap-3"], [3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-4", "h-4"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2m-6 9l2 2 4-4"], [1, "flex-1", "min-w-0"], [1, "text-xs", "font-semibold", "uppercase", "tracking-wider", "mb-1", 3, "ngClass"], [1, "font-semibold", "text-base", "mb-2", 3, "ngClass"], [1, "text-sm", "mb-3", 3, "ngClass"], [1, "p-3", "rounded-lg", "mb-3", 3, "ngClass"], [1, "grid", "grid-cols-2", "gap-3", "mb-3"], [1, "w-full", "px-5", "py-4", "rounded-lg", "border-2", "transition-all", "duration-200", "hover:scale-[1.01]", "active:scale-[0.99]", "cursor-pointer", "group", 3, "ngClass"], [1, "flex", "items-start", "gap-2"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-4", "h-4", "flex-shrink-0", "mt-0.5", 3, "ngClass"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 19v-6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2a2 2 0 002-2zm0 0V9a2 2 0 012-2h2a2 2 0 012 2v10m-6 0a2 2 0 002 2h2a2 2 0 002-2m0 0V5a2 2 0 012-2h2a2 2 0 012 2v14a2 2 0 01-2 2h-2a2 2 0 01-2-2z"], [1, "flex-1"], [1, "text-xs", "font-medium", "mb-1", 3, "ngClass"], [1, "text-sm", "font-semibold", 3, "ngClass"], [1, "p-3", "rounded-lg", 3, "ngClass"], [1, "text-sm", 3, "ngClass"], [1, "w-full", "px-5", "py-4", "rounded-lg", "border-2", "transition-all", "duration-200", "hover:scale-[1.01]", "active:scale-[0.99]", "cursor-pointer", "group", 3, "click", "ngClass"], [1, "flex", "items-center", "justify-between"], [1, "flex", "items-center", "gap-3"], [1, "w-10", "h-10", "rounded-lg", "flex", "items-center", "justify-center", 3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5", 3, "ngClass"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M13 10V3L4 14h7v7l9-11h-7z"], [1, "text-left"], [1, "text-xs", 3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5", "transition-transform", "group-hover:translate-x-1", 3, "ngClass"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 5l7 7-7 7"]], template: function GoalObjectivesModalContentComponent_Template(rf, ctx) { if (rf & 1) {
30603
30712
  i0.ɵɵelementStart(0, "div", 0);
30604
- i0.ɵɵrepeaterCreate(1, GoalObjectivesModalContentComponent_For_2_Template, 14, 9, "div", 1, _forTrack0$_);
30713
+ i0.ɵɵrepeaterCreate(1, GoalObjectivesModalContentComponent_For_2_Template, 14, 9, "div", 1, _forTrack0$10);
30605
30714
  i0.ɵɵelementEnd();
30606
30715
  } if (rf & 2) {
30607
30716
  i0.ɵɵadvance();
@@ -31164,7 +31273,7 @@ const _c0$1a = a0 => ({ name: "check-badge", source: a0 });
31164
31273
  const _c1$F = a0 => ({ name: "check-circle", source: a0 });
31165
31274
  const _c2$q = a0 => ({ name: "chevron-right", source: a0 });
31166
31275
  const _c3$j = a0 => ({ name: "chart-bar", source: a0 });
31167
- const _forTrack0$Z = ($index, $item) => $item.capability;
31276
+ const _forTrack0$$ = ($index, $item) => $item.capability;
31168
31277
  function FocusAreaStrengthsListModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
31169
31278
  i0.ɵɵelementStart(0, "div", 1);
31170
31279
  i0.ɵɵelement(1, "symphiq-icon", 3);
@@ -31279,7 +31388,7 @@ function FocusAreaStrengthsListModalContentComponent_Conditional_2_For_2_Templat
31279
31388
  } }
31280
31389
  function FocusAreaStrengthsListModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
31281
31390
  i0.ɵɵelementStart(0, "div", 2);
31282
- i0.ɵɵrepeaterCreate(1, FocusAreaStrengthsListModalContentComponent_Conditional_2_For_2_Template, 16, 18, "button", 6, _forTrack0$Z);
31391
+ i0.ɵɵrepeaterCreate(1, FocusAreaStrengthsListModalContentComponent_Conditional_2_For_2_Template, 16, 18, "button", 6, _forTrack0$$);
31283
31392
  i0.ɵɵelementEnd();
31284
31393
  } if (rf & 2) {
31285
31394
  const ctx_r0 = i0.ɵɵnextContext();
@@ -31486,7 +31595,7 @@ class FocusAreaStrengthsListModalContentComponent {
31486
31595
  const _c0$19 = a0 => ({ name: "exclamation-triangle", source: a0 });
31487
31596
  const _c1$E = a0 => ({ name: "exclamation-circle", source: a0 });
31488
31597
  const _c2$p = a0 => ({ name: "chevron-right", source: a0 });
31489
- function _forTrack0$Y($index, $item) { return this.getGapTitle($item); }
31598
+ function _forTrack0$_($index, $item) { return this.getGapTitle($item); }
31490
31599
  function FocusAreaGapsListModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
31491
31600
  i0.ɵɵelementStart(0, "div", 1);
31492
31601
  i0.ɵɵelement(1, "symphiq-icon", 3);
@@ -31603,7 +31712,7 @@ function FocusAreaGapsListModalContentComponent_Conditional_2_For_2_Template(rf,
31603
31712
  } }
31604
31713
  function FocusAreaGapsListModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
31605
31714
  i0.ɵɵelementStart(0, "div", 2);
31606
- i0.ɵɵrepeaterCreate(1, FocusAreaGapsListModalContentComponent_Conditional_2_For_2_Template, 15, 18, "button", 6, _forTrack0$Y, true);
31715
+ i0.ɵɵrepeaterCreate(1, FocusAreaGapsListModalContentComponent_Conditional_2_For_2_Template, 15, 18, "button", 6, _forTrack0$_, true);
31607
31716
  i0.ɵɵelementEnd();
31608
31717
  } if (rf & 2) {
31609
31718
  const ctx_r0 = i0.ɵɵnextContext();
@@ -31880,7 +31989,7 @@ class FocusAreaGapsListModalContentComponent {
31880
31989
  const _c0$18 = a0 => ({ name: "light-bulb", source: a0 });
31881
31990
  const _c1$D = a0 => ({ name: "chevron-right", source: a0 });
31882
31991
  const _c2$o = a0 => ({ name: "chart-bar", source: a0 });
31883
- const _forTrack0$X = ($index, $item) => $item.opportunity;
31992
+ const _forTrack0$Z = ($index, $item) => $item.opportunity;
31884
31993
  function FocusAreaOpportunitiesListModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
31885
31994
  i0.ɵɵelementStart(0, "div", 1);
31886
31995
  i0.ɵɵelement(1, "symphiq-icon", 3);
@@ -31971,7 +32080,7 @@ function FocusAreaOpportunitiesListModalContentComponent_Conditional_2_For_2_Tem
31971
32080
  } }
31972
32081
  function FocusAreaOpportunitiesListModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
31973
32082
  i0.ɵɵelementStart(0, "div", 2);
31974
- i0.ɵɵrepeaterCreate(1, FocusAreaOpportunitiesListModalContentComponent_Conditional_2_For_2_Template, 11, 11, "button", 6, _forTrack0$X);
32083
+ i0.ɵɵrepeaterCreate(1, FocusAreaOpportunitiesListModalContentComponent_Conditional_2_For_2_Template, 11, 11, "button", 6, _forTrack0$Z);
31975
32084
  i0.ɵɵelementEnd();
31976
32085
  } if (rf & 2) {
31977
32086
  const ctx_r0 = i0.ɵɵnextContext();
@@ -32148,7 +32257,7 @@ class FocusAreaOpportunitiesListModalContentComponent {
32148
32257
 
32149
32258
  const _c0$17 = a0 => ({ name: "chevron-right", source: a0 });
32150
32259
  const _c1$C = a0 => ({ name: "chat-bubble-left-right", source: a0 });
32151
- const _forTrack0$W = ($index, $item) => $item.performanceItemId;
32260
+ const _forTrack0$Y = ($index, $item) => $item.performanceItemId;
32152
32261
  function FocusAreaStrengthDetailModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
32153
32262
  i0.ɵɵelementStart(0, "div")(1, "p", 2);
32154
32263
  i0.ɵɵtext(2);
@@ -32218,7 +32327,7 @@ function FocusAreaStrengthDetailModalContentComponent_Conditional_4_Template(rf,
32218
32327
  i0.ɵɵtext(2);
32219
32328
  i0.ɵɵelementEnd();
32220
32329
  i0.ɵɵelementStart(3, "div", 9);
32221
- i0.ɵɵrepeaterCreate(4, FocusAreaStrengthDetailModalContentComponent_Conditional_4_For_5_Template, 4, 5, "button", 10, _forTrack0$W);
32330
+ i0.ɵɵrepeaterCreate(4, FocusAreaStrengthDetailModalContentComponent_Conditional_4_For_5_Template, 4, 5, "button", 10, _forTrack0$Y);
32222
32331
  i0.ɵɵelementEnd()();
32223
32332
  } if (rf & 2) {
32224
32333
  const ctx_r0 = i0.ɵɵnextContext();
@@ -32867,7 +32976,7 @@ class FocusAreaGapDetailModalContentComponent {
32867
32976
 
32868
32977
  const _c0$15 = a0 => ({ name: "chevron-right", source: a0 });
32869
32978
  const _c1$B = () => [];
32870
- const _forTrack0$V = ($index, $item) => $item.performanceItemId;
32979
+ const _forTrack0$X = ($index, $item) => $item.performanceItemId;
32871
32980
  function FocusAreaOpportunityDetailModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
32872
32981
  i0.ɵɵelementStart(0, "div")(1, "p", 2);
32873
32982
  i0.ɵɵtext(2);
@@ -32919,7 +33028,7 @@ function FocusAreaOpportunityDetailModalContentComponent_Conditional_3_Template(
32919
33028
  i0.ɵɵtext(2);
32920
33029
  i0.ɵɵelementEnd();
32921
33030
  i0.ɵɵelementStart(3, "div", 6);
32922
- i0.ɵɵrepeaterCreate(4, FocusAreaOpportunityDetailModalContentComponent_Conditional_3_For_5_Template, 4, 5, "button", 7, _forTrack0$V);
33031
+ i0.ɵɵrepeaterCreate(4, FocusAreaOpportunityDetailModalContentComponent_Conditional_3_For_5_Template, 4, 5, "button", 7, _forTrack0$X);
32923
33032
  i0.ɵɵelementEnd()();
32924
33033
  } if (rf & 2) {
32925
33034
  const ctx_r0 = i0.ɵɵnextContext();
@@ -38052,7 +38161,7 @@ const _c4$9 = a0 => ({ name: "academic-cap", source: a0 });
38052
38161
  const _c5$6 = a0 => ({ name: "information-circle", source: a0 });
38053
38162
  const _c6$2 = a0 => ({ name: "signal", source: a0 });
38054
38163
  const _c7$1 = a0 => ({ name: "wrench-screwdriver", source: a0 });
38055
- const _forTrack0$U = ($index, $item) => $item.name;
38164
+ const _forTrack0$W = ($index, $item) => $item.name;
38056
38165
  function ProductCategoryCardComponent_Conditional_9_Template(rf, ctx) { if (rf & 1) {
38057
38166
  i0.ɵɵelementStart(0, "p", 8);
38058
38167
  i0.ɵɵtext(1);
@@ -38183,7 +38292,7 @@ function ProductCategoryCardComponent_Conditional_16_Template(rf, ctx) { if (rf
38183
38292
  i0.ɵɵelementStart(6, "symphiq-visualization-container", 21);
38184
38293
  i0.ɵɵlistener("visualizationClick", function ProductCategoryCardComponent_Conditional_16_Template_symphiq_visualization_container_visualizationClick_6_listener($event) { i0.ɵɵrestoreView(_r4); const ctx_r0 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r0.openHorizontalBarModal($event)); });
38185
38294
  i0.ɵɵelementStart(7, "div", 22);
38186
- i0.ɵɵrepeaterCreate(8, ProductCategoryCardComponent_Conditional_16_For_9_Template, 2, 5, "div", 23, _forTrack0$U);
38295
+ i0.ɵɵrepeaterCreate(8, ProductCategoryCardComponent_Conditional_16_For_9_Template, 2, 5, "div", 23, _forTrack0$W);
38187
38296
  i0.ɵɵelementEnd()()()();
38188
38297
  } if (rf & 2) {
38189
38298
  const ctx_r0 = i0.ɵɵnextContext();
@@ -43169,7 +43278,7 @@ const ProfileAnalysisModalComponent_Conditional_0_Conditional_30_Conditional_6_D
43169
43278
  const _c3$b = a0 => ({ name: "arrow-left", source: a0 });
43170
43279
  const _c4$7 = a0 => ({ name: "chevron-right", source: a0 });
43171
43280
  const _c5$4 = () => [];
43172
- const _forTrack0$T = ($index, $item) => $item.performanceItemId || $index;
43281
+ const _forTrack0$V = ($index, $item) => $item.performanceItemId || $index;
43173
43282
  const _forTrack1$a = ($index, $item) => $item.id || $index;
43174
43283
  const _forTrack2$2 = ($index, $item) => $item.metric || $index;
43175
43284
  function ProfileAnalysisModalComponent_Conditional_0_Conditional_7_For_5_Conditional_0_Conditional_0_Template(rf, ctx) { if (rf & 1) {
@@ -43402,7 +43511,7 @@ function ProfileAnalysisModalComponent_Conditional_0_Conditional_20_For_3_Templa
43402
43511
  function ProfileAnalysisModalComponent_Conditional_0_Conditional_20_Template(rf, ctx) { if (rf & 1) {
43403
43512
  i0.ɵɵelementStart(0, "div", 20);
43404
43513
  i0.ɵɵconditionalCreate(1, ProfileAnalysisModalComponent_Conditional_0_Conditional_20_Conditional_1_Template, 2, 2, "p", 53);
43405
- i0.ɵɵrepeaterCreate(2, ProfileAnalysisModalComponent_Conditional_0_Conditional_20_For_3_Template, 13, 10, "div", 54, _forTrack0$T);
43514
+ i0.ɵɵrepeaterCreate(2, ProfileAnalysisModalComponent_Conditional_0_Conditional_20_For_3_Template, 13, 10, "div", 54, _forTrack0$V);
43406
43515
  i0.ɵɵelementEnd();
43407
43516
  } if (rf & 2) {
43408
43517
  const data_r12 = ctx;
@@ -43482,7 +43591,7 @@ function ProfileAnalysisModalComponent_Conditional_0_Conditional_21_For_3_Templa
43482
43591
  function ProfileAnalysisModalComponent_Conditional_0_Conditional_21_Template(rf, ctx) { if (rf & 1) {
43483
43592
  i0.ɵɵelementStart(0, "div", 20);
43484
43593
  i0.ɵɵconditionalCreate(1, ProfileAnalysisModalComponent_Conditional_0_Conditional_21_Conditional_1_Template, 2, 2, "p", 53);
43485
- i0.ɵɵrepeaterCreate(2, ProfileAnalysisModalComponent_Conditional_0_Conditional_21_For_3_Template, 13, 10, "div", 54, _forTrack0$T);
43594
+ i0.ɵɵrepeaterCreate(2, ProfileAnalysisModalComponent_Conditional_0_Conditional_21_For_3_Template, 13, 10, "div", 54, _forTrack0$V);
43486
43595
  i0.ɵɵelementEnd();
43487
43596
  } if (rf & 2) {
43488
43597
  const data_r15 = ctx;
@@ -43667,7 +43776,7 @@ function ProfileAnalysisModalComponent_Conditional_0_Conditional_26_Conditional_
43667
43776
  i0.ɵɵproperty("metric", metric_r39)("isLightMode", ctx_r1.isLightMode())("animationKey", $index_r40);
43668
43777
  } }
43669
43778
  function ProfileAnalysisModalComponent_Conditional_0_Conditional_26_Conditional_2_Template(rf, ctx) { if (rf & 1) {
43670
- i0.ɵɵrepeaterCreate(0, ProfileAnalysisModalComponent_Conditional_0_Conditional_26_Conditional_2_For_1_Template, 2, 3, "div", null, _forTrack0$T);
43779
+ i0.ɵɵrepeaterCreate(0, ProfileAnalysisModalComponent_Conditional_0_Conditional_26_Conditional_2_For_1_Template, 2, 3, "div", null, _forTrack0$V);
43671
43780
  } if (rf & 2) {
43672
43781
  const data_r33 = i0.ɵɵnextContext();
43673
43782
  i0.ɵɵrepeater(data_r33.metrics);
@@ -45506,8 +45615,11 @@ class ProfileAnalysisModalComponent {
45506
45615
  openModalFresh(skipAnimation = false) {
45507
45616
  if (!this.isOpen()) {
45508
45617
  if (skipAnimation) {
45509
- this.moveModalToBody();
45510
- this.modalReady.set(true);
45618
+ this.modalReady.set(false);
45619
+ setTimeout(() => {
45620
+ this.moveModalToBody();
45621
+ this.modalReady.set(true);
45622
+ }, 0);
45511
45623
  }
45512
45624
  else {
45513
45625
  this.isFreshOpen.set(true);
@@ -46469,7 +46581,7 @@ const _c0$R = a0 => ({ name: "list-bullet", source: a0 });
46469
46581
  const _c1$o = a0 => ({ name: "arrow-right", source: a0 });
46470
46582
  const _c2$e = a0 => ({ name: "check-circle", source: a0 });
46471
46583
  const _c3$9 = a0 => ({ name: "exclamation-circle", source: a0 });
46472
- const _forTrack0$S = ($index, $item) => $item.order;
46584
+ const _forTrack0$U = ($index, $item) => $item.order;
46473
46585
  function RecommendationActionStepsModalComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
46474
46586
  i0.ɵɵelementStart(0, "div", 1)(1, "div", 5);
46475
46587
  i0.ɵɵelement(2, "symphiq-icon", 6);
@@ -46623,7 +46735,7 @@ class RecommendationActionStepsModalComponent {
46623
46735
  i0.ɵɵelementStart(0, "div", 0);
46624
46736
  i0.ɵɵconditionalCreate(1, RecommendationActionStepsModalComponent_Conditional_1_Template, 8, 7, "div", 1);
46625
46737
  i0.ɵɵelementStart(2, "div", 2);
46626
- i0.ɵɵrepeaterCreate(3, RecommendationActionStepsModalComponent_For_4_Template, 13, 11, "div", 3, _forTrack0$S);
46738
+ i0.ɵɵrepeaterCreate(3, RecommendationActionStepsModalComponent_For_4_Template, 13, 11, "div", 3, _forTrack0$U);
46627
46739
  i0.ɵɵelementEnd();
46628
46740
  i0.ɵɵconditionalCreate(5, RecommendationActionStepsModalComponent_Conditional_5_Template, 4, 5, "div", 4);
46629
46741
  i0.ɵɵelementEnd();
@@ -48743,7 +48855,7 @@ const _c2$d = () => [1, 2, 3, 4, 5, 6];
48743
48855
  const _c3$8 = () => [1, 2, 3];
48744
48856
  const _c4$5 = () => [1, 2, 3, 4];
48745
48857
  const _c5$2 = () => [1, 2];
48746
- const _forTrack0$R = ($index, $item) => $item.value;
48858
+ const _forTrack0$T = ($index, $item) => $item.value;
48747
48859
  function SymphiqFunnelAnalysisDashboardComponent_Conditional_6_For_6_Template(rf, ctx) { if (rf & 1) {
48748
48860
  i0.ɵɵelementStart(0, "option", 25);
48749
48861
  i0.ɵɵtext(1);
@@ -48763,7 +48875,7 @@ function SymphiqFunnelAnalysisDashboardComponent_Conditional_6_Template(rf, ctx)
48763
48875
  i0.ɵɵlistener("click", function SymphiqFunnelAnalysisDashboardComponent_Conditional_6_Template_div_click_3_listener($event) { i0.ɵɵrestoreView(_r2); return i0.ɵɵresetView($event.stopPropagation()); })("mousedown", function SymphiqFunnelAnalysisDashboardComponent_Conditional_6_Template_div_mousedown_3_listener($event) { i0.ɵɵrestoreView(_r2); return i0.ɵɵresetView($event.stopPropagation()); })("pointerdown", function SymphiqFunnelAnalysisDashboardComponent_Conditional_6_Template_div_pointerdown_3_listener($event) { i0.ɵɵrestoreView(_r2); return i0.ɵɵresetView($event.stopPropagation()); });
48764
48876
  i0.ɵɵelementStart(4, "select", 24);
48765
48877
  i0.ɵɵlistener("ngModelChange", function SymphiqFunnelAnalysisDashboardComponent_Conditional_6_Template_select_ngModelChange_4_listener($event) { i0.ɵɵrestoreView(_r2); const ctx_r2 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r2.changeSectionFilter($event)); });
48766
- i0.ɵɵrepeaterCreate(5, SymphiqFunnelAnalysisDashboardComponent_Conditional_6_For_6_Template, 2, 2, "option", 25, _forTrack0$R);
48878
+ i0.ɵɵrepeaterCreate(5, SymphiqFunnelAnalysisDashboardComponent_Conditional_6_For_6_Template, 2, 2, "option", 25, _forTrack0$T);
48767
48879
  i0.ɵɵelementEnd()()();
48768
48880
  } if (rf & 2) {
48769
48881
  const ctx_r2 = i0.ɵɵnextContext();
@@ -48815,7 +48927,7 @@ function SymphiqFunnelAnalysisDashboardComponent_Conditional_10_Template(rf, ctx
48815
48927
  i0.ɵɵlistener("click", function SymphiqFunnelAnalysisDashboardComponent_Conditional_10_Template_div_click_0_listener($event) { i0.ɵɵrestoreView(_r5); return i0.ɵɵresetView($event.stopPropagation()); })("mousedown", function SymphiqFunnelAnalysisDashboardComponent_Conditional_10_Template_div_mousedown_0_listener($event) { i0.ɵɵrestoreView(_r5); return i0.ɵɵresetView($event.stopPropagation()); })("pointerdown", function SymphiqFunnelAnalysisDashboardComponent_Conditional_10_Template_div_pointerdown_0_listener($event) { i0.ɵɵrestoreView(_r5); return i0.ɵɵresetView($event.stopPropagation()); });
48816
48928
  i0.ɵɵelementStart(1, "select", 29);
48817
48929
  i0.ɵɵlistener("ngModelChange", function SymphiqFunnelAnalysisDashboardComponent_Conditional_10_Template_select_ngModelChange_1_listener($event) { i0.ɵɵrestoreView(_r5); const ctx_r2 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r2.changeSectionFilter($event)); });
48818
- i0.ɵɵrepeaterCreate(2, SymphiqFunnelAnalysisDashboardComponent_Conditional_10_For_3_Template, 2, 2, "option", 25, _forTrack0$R);
48930
+ i0.ɵɵrepeaterCreate(2, SymphiqFunnelAnalysisDashboardComponent_Conditional_10_For_3_Template, 2, 2, "option", 25, _forTrack0$T);
48819
48931
  i0.ɵɵelementEnd()();
48820
48932
  } if (rf & 2) {
48821
48933
  const ctx_r2 = i0.ɵɵnextContext();
@@ -49609,7 +49721,7 @@ function SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_Te
49609
49721
  i0.ɵɵconditionalCreate(14, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_Conditional_14_Template, 2, 0, "div", 107);
49610
49722
  i0.ɵɵelementStart(15, "select", 108);
49611
49723
  i0.ɵɵlistener("ngModelChange", function SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_Template_select_ngModelChange_15_listener($event) { i0.ɵɵrestoreView(_r26); const ctx_r2 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r2.changeCategoryFilter($event)); });
49612
- i0.ɵɵrepeaterCreate(16, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_For_17_Template, 2, 1, null, null, _forTrack0$R);
49724
+ i0.ɵɵrepeaterCreate(16, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_For_17_Template, 2, 1, null, null, _forTrack0$T);
49613
49725
  i0.ɵɵelementEnd();
49614
49726
  i0.ɵɵelementStart(18, "button", 109);
49615
49727
  i0.ɵɵlistener("click", function SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_Template_button_click_18_listener() { i0.ɵɵrestoreView(_r26); const ctx_r2 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r2.toggleSortOrder()); });
@@ -49623,7 +49735,7 @@ function SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_Te
49623
49735
  i0.ɵɵtext(23, "Sort");
49624
49736
  i0.ɵɵelementEnd()()()();
49625
49737
  i0.ɵɵelementStart(24, "div", 113)(25, "div", 114);
49626
- i0.ɵɵrepeaterCreate(26, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_For_27_Template, 1, 1, null, null, _forTrack0$R);
49738
+ i0.ɵɵrepeaterCreate(26, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_For_27_Template, 1, 1, null, null, _forTrack0$T);
49627
49739
  i0.ɵɵelementEnd()()();
49628
49740
  i0.ɵɵconditionalCreate(28, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_Conditional_28_Template, 3, 1, "div", 115)(29, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_4_Conditional_29_Template, 4, 5, "div", 116);
49629
49741
  i0.ɵɵelementEnd()();
@@ -49800,7 +49912,7 @@ function SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_5_Te
49800
49912
  i0.ɵɵconditionalCreate(12, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_5_Conditional_12_Template, 2, 0, "div", 107);
49801
49913
  i0.ɵɵelementStart(13, "select", 150);
49802
49914
  i0.ɵɵlistener("ngModelChange", function SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_5_Template_select_ngModelChange_13_listener($event) { i0.ɵɵrestoreView(_r36); const ctx_r2 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r2.changeBreakdownFilter($event)); });
49803
- i0.ɵɵrepeaterCreate(14, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_5_For_15_Template, 2, 1, null, null, _forTrack0$R);
49915
+ i0.ɵɵrepeaterCreate(14, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_5_For_15_Template, 2, 1, null, null, _forTrack0$T);
49804
49916
  i0.ɵɵelementEnd()()();
49805
49917
  i0.ɵɵconditionalCreate(16, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_5_Conditional_16_Template, 3, 1, "div", 80)(17, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_5_Conditional_17_Template, 4, 5, "div", 151);
49806
49918
  i0.ɵɵelementEnd()();
@@ -49911,7 +50023,7 @@ function SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_6_Te
49911
50023
  i0.ɵɵconditionalCreate(13, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_6_Conditional_13_Template, 2, 0, "div", 107);
49912
50024
  i0.ɵɵelementStart(14, "select", 108);
49913
50025
  i0.ɵɵlistener("ngModelChange", function SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_6_Template_select_ngModelChange_14_listener($event) { i0.ɵɵrestoreView(_r40); const ctx_r2 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r2.changeCompetitiveFilter($event)); });
49914
- i0.ɵɵrepeaterCreate(15, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_6_For_16_Template, 2, 1, null, null, _forTrack0$R);
50026
+ i0.ɵɵrepeaterCreate(15, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_6_For_16_Template, 2, 1, null, null, _forTrack0$T);
49915
50027
  i0.ɵɵelementEnd()()();
49916
50028
  i0.ɵɵconditionalCreate(17, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_6_Conditional_17_Template, 6, 5, "div", 80)(18, SymphiqFunnelAnalysisDashboardComponent_Conditional_17_Conditional_6_Conditional_18_Template, 1, 6, "symphiq-competitive-intelligence-view", 77);
49917
50029
  i0.ɵɵelementEnd()();
@@ -52433,7 +52545,7 @@ function getTrendClasses(trendPercent, viewMode) {
52433
52545
  }
52434
52546
  }
52435
52547
 
52436
- const _forTrack0$Q = ($index, $item) => $item.metric.performanceItemId;
52548
+ const _forTrack0$S = ($index, $item) => $item.metric.performanceItemId;
52437
52549
  function SymphiqFunnelAnalysisPreviewComponent_Conditional_12_Template(rf, ctx) { if (rf & 1) {
52438
52550
  i0.ɵɵelementStart(0, "div", 17)(1, "p", 18);
52439
52551
  i0.ɵɵtext(2);
@@ -53045,7 +53157,7 @@ class SymphiqFunnelAnalysisPreviewComponent {
53045
53157
  i0.ɵɵconditionalCreate(12, SymphiqFunnelAnalysisPreviewComponent_Conditional_12_Template, 3, 7, "div", 9);
53046
53158
  i0.ɵɵconditionalCreate(13, SymphiqFunnelAnalysisPreviewComponent_Conditional_13_Template, 18, 23, "div", 10);
53047
53159
  i0.ɵɵelementStart(14, "div", 11);
53048
- i0.ɵɵrepeaterCreate(15, SymphiqFunnelAnalysisPreviewComponent_For_16_Template, 10, 17, "div", 12, _forTrack0$Q);
53160
+ i0.ɵɵrepeaterCreate(15, SymphiqFunnelAnalysisPreviewComponent_For_16_Template, 10, 17, "div", 12, _forTrack0$S);
53049
53161
  i0.ɵɵelementEnd();
53050
53162
  i0.ɵɵconditionalCreate(17, SymphiqFunnelAnalysisPreviewComponent_Conditional_17_Template, 9, 11, "div", 9);
53051
53163
  i0.ɵɵconditionalCreate(18, SymphiqFunnelAnalysisPreviewComponent_Conditional_18_Template, 14, 19, "div", 9);
@@ -53288,7 +53400,7 @@ class SymphiqFunnelAnalysisPreviewComponent {
53288
53400
  }], () => [], { analysisInput: [{ type: i0.Input, args: [{ isSignal: true, alias: "funnelAnalysis", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], scrollElement: [{ type: i0.Input, args: [{ isSignal: true, alias: "scrollElement", required: false }] }], onViewAnalysis: [{ type: i0.Output, args: ["onViewAnalysis"] }] }); })();
53289
53401
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(SymphiqFunnelAnalysisPreviewComponent, { className: "SymphiqFunnelAnalysisPreviewComponent", filePath: "lib/components/funnel-analysis-preview/symphiq-funnel-analysis-preview.component.ts", lineNumber: 228 }); })();
53290
53402
 
53291
- const _forTrack0$P = ($index, $item) => $item.id;
53403
+ const _forTrack0$R = ($index, $item) => $item.id;
53292
53404
  function SymphiqWelcomeDashboardComponent_For_50_Template(rf, ctx) { if (rf & 1) {
53293
53405
  i0.ɵɵelementStart(0, "div", 27)(1, "div", 32)(2, "div", 33)(3, "span", 34);
53294
53406
  i0.ɵɵtext(4);
@@ -53517,7 +53629,7 @@ class SymphiqWelcomeDashboardComponent {
53517
53629
  i0.ɵɵtext(47, " Your Onboarding Journey ");
53518
53630
  i0.ɵɵelementEnd();
53519
53631
  i0.ɵɵelementStart(48, "div", 26);
53520
- i0.ɵɵrepeaterCreate(49, SymphiqWelcomeDashboardComponent_For_50_Template, 9, 3, "div", 27, _forTrack0$P);
53632
+ i0.ɵɵrepeaterCreate(49, SymphiqWelcomeDashboardComponent_For_50_Template, 9, 3, "div", 27, _forTrack0$R);
53521
53633
  i0.ɵɵelementEnd()()();
53522
53634
  i0.ɵɵelementStart(51, "div", 28);
53523
53635
  i0.ɵɵnamespaceSVG();
@@ -53701,7 +53813,7 @@ class SymphiqWelcomeDashboardComponent {
53701
53813
  }] }); })();
53702
53814
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(SymphiqWelcomeDashboardComponent, { className: "SymphiqWelcomeDashboardComponent", filePath: "lib/components/welcome-dashboard/symphiq-welcome-dashboard.component.ts", lineNumber: 163 }); })();
53703
53815
 
53704
- const _forTrack0$O = ($index, $item) => $item.status;
53816
+ const _forTrack0$Q = ($index, $item) => $item.status;
53705
53817
  function FocusAreaQuestionComponent_Conditional_6_Template(rf, ctx) { if (rf & 1) {
53706
53818
  i0.ɵɵelementStart(0, "span", 5);
53707
53819
  i0.ɵɵtext(1, " Not answered yet ");
@@ -53914,7 +54026,7 @@ class FocusAreaQuestionComponent {
53914
54026
  i0.ɵɵtext(8);
53915
54027
  i0.ɵɵelementEnd()();
53916
54028
  i0.ɵɵelementStart(9, "div", 7);
53917
- i0.ɵɵrepeaterCreate(10, FocusAreaQuestionComponent_For_11_Template, 10, 8, "label", 8, _forTrack0$O);
54029
+ i0.ɵɵrepeaterCreate(10, FocusAreaQuestionComponent_For_11_Template, 10, 8, "label", 8, _forTrack0$Q);
53918
54030
  i0.ɵɵelementEnd();
53919
54031
  i0.ɵɵelementStart(12, "div", 9)(13, "div", 10)(14, "div", 11)(15, "label", 12);
53920
54032
  i0.ɵɵtext(16, " Marketing automation tools used ");
@@ -54049,7 +54161,7 @@ class FocusAreaQuestionComponent {
54049
54161
  }], null, { focusAreaDomain: [{ type: i0.Input, args: [{ isSignal: true, alias: "focusAreaDomain", required: true }] }], selectedStatus: [{ type: i0.Input, args: [{ isSignal: true, alias: "selectedStatus", required: false }] }], selectedTools: [{ type: i0.Input, args: [{ isSignal: true, alias: "selectedTools", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], title: [{ type: i0.Input, args: [{ isSignal: true, alias: "title", required: true }] }], description: [{ type: i0.Input, args: [{ isSignal: true, alias: "description", required: true }] }], statusChange: [{ type: i0.Output, args: ["statusChange"] }], toolsClick: [{ type: i0.Output, args: ["toolsClick"] }] }); })();
54050
54162
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(FocusAreaQuestionComponent, { className: "FocusAreaQuestionComponent", filePath: "lib/components/create-account-dashboard/focus-area-question.component.ts", lineNumber: 106 }); })();
54051
54163
 
54052
- const _forTrack0$N = ($index, $item) => $item.tool;
54164
+ const _forTrack0$P = ($index, $item) => $item.tool;
54053
54165
  function FocusAreaToolsModalComponent_Conditional_0_Conditional_10_For_5_Template(rf, ctx) { if (rf & 1) {
54054
54166
  const _r3 = i0.ɵɵgetCurrentView();
54055
54167
  i0.ɵɵelementStart(0, "label", 18)(1, "input", 19);
@@ -54073,7 +54185,7 @@ function FocusAreaToolsModalComponent_Conditional_0_Conditional_10_Template(rf,
54073
54185
  i0.ɵɵtext(2, " Select tools from the list: ");
54074
54186
  i0.ɵɵelementEnd();
54075
54187
  i0.ɵɵelementStart(3, "div", 17);
54076
- i0.ɵɵrepeaterCreate(4, FocusAreaToolsModalComponent_Conditional_0_Conditional_10_For_5_Template, 4, 4, "label", 18, _forTrack0$N);
54188
+ i0.ɵɵrepeaterCreate(4, FocusAreaToolsModalComponent_Conditional_0_Conditional_10_For_5_Template, 4, 4, "label", 18, _forTrack0$P);
54077
54189
  i0.ɵɵelementEnd()();
54078
54190
  } if (rf & 2) {
54079
54191
  const ctx_r1 = i0.ɵɵnextContext(2);
@@ -54367,7 +54479,7 @@ class FocusAreaToolsModalComponent {
54367
54479
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(FocusAreaToolsModalComponent, { className: "FocusAreaToolsModalComponent", filePath: "lib/components/create-account-dashboard/focus-area-tools-modal.component.ts", lineNumber: 149 }); })();
54368
54480
 
54369
54481
  const _c0$N = ["shopNameInput"];
54370
- const _forTrack0$M = ($index, $item) => $item.focusArea.focusAreaDomain;
54482
+ const _forTrack0$O = ($index, $item) => $item.focusArea.focusAreaDomain;
54371
54483
  const _forTrack1$9 = ($index, $item) => $item.domain;
54372
54484
  function SymphiqCreateAccountDashboardComponent_Conditional_8_Template(rf, ctx) { if (rf & 1) {
54373
54485
  i0.ɵɵelementStart(0, "div", 8);
@@ -54704,7 +54816,7 @@ function SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Cond
54704
54816
  i0.ɵɵtext(3);
54705
54817
  i0.ɵɵelementEnd();
54706
54818
  i0.ɵɵelementStart(4, "div", 52);
54707
- i0.ɵɵrepeaterCreate(5, SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Conditional_12_For_6_Template, 7, 5, "div", 53, _forTrack0$M);
54819
+ i0.ɵɵrepeaterCreate(5, SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Conditional_12_For_6_Template, 7, 5, "div", 53, _forTrack0$O);
54708
54820
  i0.ɵɵelementEnd()();
54709
54821
  } if (rf & 2) {
54710
54822
  const ctx_r0 = i0.ɵɵnextContext(3);
@@ -54734,7 +54846,7 @@ function SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Cond
54734
54846
  i0.ɵɵtext(3);
54735
54847
  i0.ɵɵelementEnd();
54736
54848
  i0.ɵɵelementStart(4, "div", 62);
54737
- i0.ɵɵrepeaterCreate(5, SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Conditional_13_For_6_Template, 3, 3, "div", 63, _forTrack0$M);
54849
+ i0.ɵɵrepeaterCreate(5, SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Conditional_13_For_6_Template, 3, 3, "div", 63, _forTrack0$O);
54738
54850
  i0.ɵɵelementEnd()();
54739
54851
  } if (rf & 2) {
54740
54852
  const ctx_r0 = i0.ɵɵnextContext(3);
@@ -54764,7 +54876,7 @@ function SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Cond
54764
54876
  i0.ɵɵtext(3);
54765
54877
  i0.ɵɵelementEnd();
54766
54878
  i0.ɵɵelementStart(4, "div", 65);
54767
- i0.ɵɵrepeaterCreate(5, SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Conditional_14_For_6_Template, 3, 3, "div", 66, _forTrack0$M);
54879
+ i0.ɵɵrepeaterCreate(5, SymphiqCreateAccountDashboardComponent_Conditional_9_Conditional_3_Conditional_14_For_6_Template, 3, 3, "div", 66, _forTrack0$O);
54768
54880
  i0.ɵɵelementEnd()();
54769
54881
  } if (rf & 2) {
54770
54882
  const ctx_r0 = i0.ɵɵnextContext(3);
@@ -56355,7 +56467,7 @@ class ConnectGaWelcomeBannerComponent {
56355
56467
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], isOnboarded: [{ type: i0.Input, args: [{ isSignal: true, alias: "isOnboarded", required: false }] }] }); })();
56356
56468
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ConnectGaWelcomeBannerComponent, { className: "ConnectGaWelcomeBannerComponent", filePath: "lib/components/connect-ga-dashboard/connect-ga-welcome-banner.component.ts", lineNumber: 70 }); })();
56357
56469
 
56358
- const _forTrack0$L = ($index, $item) => $item.property.id;
56470
+ const _forTrack0$N = ($index, $item) => $item.property.id;
56359
56471
  function SymphiqConnectGaDashboardComponent_Conditional_8_Template(rf, ctx) { if (rf & 1) {
56360
56472
  i0.ɵɵelementStart(0, "div", 8)(1, "div", 10)(2, "div", 11);
56361
56473
  i0.ɵɵelement(3, "symphiq-indeterminate-spinner", 12);
@@ -56584,7 +56696,7 @@ function SymphiqConnectGaDashboardComponent_Conditional_10_Conditional_14_For_2_
56584
56696
  function SymphiqConnectGaDashboardComponent_Conditional_10_Conditional_14_Template(rf, ctx) { if (rf & 1) {
56585
56697
  const _r5 = i0.ɵɵgetCurrentView();
56586
56698
  i0.ɵɵelementStart(0, "div", 53);
56587
- i0.ɵɵrepeaterCreate(1, SymphiqConnectGaDashboardComponent_Conditional_10_Conditional_14_For_2_Template, 11, 8, "label", 54, _forTrack0$L);
56699
+ i0.ɵɵrepeaterCreate(1, SymphiqConnectGaDashboardComponent_Conditional_10_Conditional_14_For_2_Template, 11, 8, "label", 54, _forTrack0$N);
56588
56700
  i0.ɵɵelementEnd();
56589
56701
  i0.ɵɵelement(3, "div", 55);
56590
56702
  i0.ɵɵelementStart(4, "button", 56);
@@ -58415,7 +58527,7 @@ class TargetChangeBadgeComponent {
58415
58527
  }], () => [{ type: i0.ElementRef }], { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], percentageChange: [{ type: i0.Input, args: [{ isSignal: true, alias: "percentageChange", required: false }] }], metric: [{ type: i0.Input, args: [{ isSignal: true, alias: "metric", required: false }] }], priorYear: [{ type: i0.Input, args: [{ isSignal: true, alias: "priorYear", required: false }] }], isCompact: [{ type: i0.Input, args: [{ isSignal: true, alias: "isCompact", required: false }] }] }); })();
58416
58528
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(TargetChangeBadgeComponent, { className: "TargetChangeBadgeComponent", filePath: "lib/components/revenue-calculator-dashboard/target-change-badge.component.ts", lineNumber: 27 }); })();
58417
58529
 
58418
- const _forTrack0$K = ($index, $item) => $item.stageMetric.metric;
58530
+ const _forTrack0$M = ($index, $item) => $item.stageMetric.metric;
58419
58531
  const _forTrack1$8 = ($index, $item) => $item.calc.metric;
58420
58532
  function FunnelMetricsVisualizationComponent_For_4_Conditional_6_Template(rf, ctx) { if (rf & 1) {
58421
58533
  i0.ɵɵelementStart(0, "button", 7);
@@ -58871,7 +58983,7 @@ class FunnelMetricsVisualizationComponent {
58871
58983
  i0.ɵɵelementStart(0, "div", 0);
58872
58984
  i0.ɵɵelement(1, "symphiq-tooltip-container");
58873
58985
  i0.ɵɵelementStart(2, "div", 1);
58874
- i0.ɵɵrepeaterCreate(3, FunnelMetricsVisualizationComponent_For_4_Template, 28, 15, "div", 2, _forTrack0$K);
58986
+ i0.ɵɵrepeaterCreate(3, FunnelMetricsVisualizationComponent_For_4_Template, 28, 15, "div", 2, _forTrack0$M);
58875
58987
  i0.ɵɵelementEnd()();
58876
58988
  } if (rf & 2) {
58877
58989
  i0.ɵɵadvance(3);
@@ -60770,7 +60882,7 @@ class ProgressToTargetChartComponent {
60770
60882
  }] }); })();
60771
60883
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ProgressToTargetChartComponent, { className: "ProgressToTargetChartComponent", filePath: "lib/components/revenue-calculator-dashboard/progress-to-target-chart.component.ts", lineNumber: 67 }); })();
60772
60884
 
60773
- const _forTrack0$J = ($index, $item) => $item.metric.metric;
60885
+ const _forTrack0$L = ($index, $item) => $item.metric.metric;
60774
60886
  function MetricReportModalComponent_Conditional_0_Conditional_9_Template(rf, ctx) { if (rf & 1) {
60775
60887
  i0.ɵɵelement(0, "symphiq-current-data-indicator", 9);
60776
60888
  } if (rf & 2) {
@@ -60914,7 +61026,7 @@ function MetricReportModalComponent_Conditional_0_Conditional_63_Template(rf, ct
60914
61026
  i0.ɵɵtext(12, "Improve by");
60915
61027
  i0.ɵɵelementEnd()()();
60916
61028
  i0.ɵɵelementStart(13, "tbody");
60917
- i0.ɵɵrepeaterCreate(14, MetricReportModalComponent_Conditional_0_Conditional_63_For_15_Template, 15, 7, "tr", 46, _forTrack0$J);
61029
+ i0.ɵɵrepeaterCreate(14, MetricReportModalComponent_Conditional_0_Conditional_63_For_15_Template, 15, 7, "tr", 46, _forTrack0$L);
60918
61030
  i0.ɵɵelementEnd()()()();
60919
61031
  } if (rf & 2) {
60920
61032
  const ctx_r1 = i0.ɵɵnextContext(2);
@@ -62487,7 +62599,7 @@ class UserDisplayComponent {
62487
62599
 
62488
62600
  const _c0$J = ["absoluteInputRef"];
62489
62601
  const _c1$k = ["percentageInputRef"];
62490
- const _forTrack0$I = ($index, $item) => $item.history.id;
62602
+ const _forTrack0$K = ($index, $item) => $item.history.id;
62491
62603
  function EditMetricTargetModalComponent_Conditional_0_Conditional_24_Template(rf, ctx) { if (rf & 1) {
62492
62604
  const _r3 = i0.ɵɵgetCurrentView();
62493
62605
  i0.ɵɵelementStart(0, "div", 16);
@@ -62903,7 +63015,7 @@ function EditMetricTargetModalComponent_Conditional_0_Conditional_34_Template(rf
62903
63015
  i0.ɵɵtext(8, "Amount set");
62904
63016
  i0.ɵɵelementEnd()();
62905
63017
  i0.ɵɵelementStart(9, "div", 65);
62906
- i0.ɵɵrepeaterCreate(10, EditMetricTargetModalComponent_Conditional_0_Conditional_34_For_11_Template, 7, 6, "div", 66, _forTrack0$I);
63018
+ i0.ɵɵrepeaterCreate(10, EditMetricTargetModalComponent_Conditional_0_Conditional_34_For_11_Template, 7, 6, "div", 66, _forTrack0$K);
62907
63019
  i0.ɵɵelementEnd()()();
62908
63020
  } if (rf & 2) {
62909
63021
  const ctx_r1 = i0.ɵɵnextContext(2);
@@ -68001,7 +68113,7 @@ class FloatingBackButtonComponent {
68001
68113
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(FloatingBackButtonComponent, { className: "FloatingBackButtonComponent", filePath: "lib/components/business-analysis-dashboard/floating-back-button.component.ts", lineNumber: 70 }); })();
68002
68114
 
68003
68115
  const _c0$F = ["searchInput"];
68004
- const _forTrack0$H = ($index, $item) => $item.result.id;
68116
+ const _forTrack0$J = ($index, $item) => $item.result.id;
68005
68117
  function SearchModalComponent_Conditional_0_Conditional_10_Template(rf, ctx) { if (rf & 1) {
68006
68118
  const _r3 = i0.ɵɵgetCurrentView();
68007
68119
  i0.ɵɵelementStart(0, "button", 18);
@@ -68125,7 +68237,7 @@ function SearchModalComponent_Conditional_0_Conditional_14_For_2_Template(rf, ct
68125
68237
  } }
68126
68238
  function SearchModalComponent_Conditional_0_Conditional_14_Template(rf, ctx) { if (rf & 1) {
68127
68239
  i0.ɵɵelementStart(0, "div", 15);
68128
- i0.ɵɵrepeaterCreate(1, SearchModalComponent_Conditional_0_Conditional_14_For_2_Template, 17, 13, "button", 19, _forTrack0$H);
68240
+ i0.ɵɵrepeaterCreate(1, SearchModalComponent_Conditional_0_Conditional_14_For_2_Template, 17, 13, "button", 19, _forTrack0$J);
68129
68241
  i0.ɵɵelementEnd();
68130
68242
  } if (rf & 2) {
68131
68243
  const ctx_r1 = i0.ɵɵnextContext(2);
@@ -69114,7 +69226,7 @@ class SimplifiedRecommendationCardComponent {
69114
69226
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(SimplifiedRecommendationCardComponent, { className: "SimplifiedRecommendationCardComponent", filePath: "lib/components/business-analysis-dashboard/simplified-recommendation-card.component.ts", lineNumber: 121 }); })();
69115
69227
 
69116
69228
  const _c0$E = () => [0, 1, 2];
69117
- const _forTrack0$G = ($index, $item) => $item.id;
69229
+ const _forTrack0$I = ($index, $item) => $item.id;
69118
69230
  function RecommendationsTiledGridComponent_Conditional_12_Template(rf, ctx) { if (rf & 1) {
69119
69231
  i0.ɵɵelementStart(0, "div", 9);
69120
69232
  i0.ɵɵtext(1);
@@ -69138,7 +69250,7 @@ function RecommendationsTiledGridComponent_Conditional_14_For_2_Template(rf, ctx
69138
69250
  } }
69139
69251
  function RecommendationsTiledGridComponent_Conditional_14_Template(rf, ctx) { if (rf & 1) {
69140
69252
  i0.ɵɵelementStart(0, "div", 11);
69141
- i0.ɵɵrepeaterCreate(1, RecommendationsTiledGridComponent_Conditional_14_For_2_Template, 1, 3, "symphiq-simplified-recommendation-card", 13, _forTrack0$G);
69253
+ i0.ɵɵrepeaterCreate(1, RecommendationsTiledGridComponent_Conditional_14_For_2_Template, 1, 3, "symphiq-simplified-recommendation-card", 13, _forTrack0$I);
69142
69254
  i0.ɵɵelementEnd();
69143
69255
  } if (rf & 2) {
69144
69256
  const ctx_r0 = i0.ɵɵnextContext();
@@ -69430,7 +69542,7 @@ class RecommendationsTiledGridComponent {
69430
69542
  }], null, { recommendations: [{ type: i0.Input, args: [{ isSignal: true, alias: "recommendations", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], isLoading: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLoading", required: false }] }], viewMoreClick: [{ type: i0.Output, args: ["viewMoreClick"] }] }); })();
69431
69543
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(RecommendationsTiledGridComponent, { className: "RecommendationsTiledGridComponent", filePath: "lib/components/business-analysis-dashboard/recommendations-tiled-grid.component.ts", lineNumber: 92 }); })();
69432
69544
 
69433
- const _forTrack0$F = ($index, $item) => $item.section.id;
69545
+ const _forTrack0$H = ($index, $item) => $item.section.id;
69434
69546
  function CollapsibleSectionGroupComponent_For_23_Conditional_3_Template(rf, ctx) { if (rf & 1) {
69435
69547
  i0.ɵɵelementStart(0, "div", 20);
69436
69548
  i0.ɵɵelement(1, "symphiq-icon", 30);
@@ -69702,7 +69814,7 @@ class CollapsibleSectionGroupComponent {
69702
69814
  i0.ɵɵtext(20, " The information below was gathered from your website and competitor research. While recommendations above are based on this initial analysis, connecting your GA4 data will provide quantitative insights that dramatically improve recommendation accuracy. ");
69703
69815
  i0.ɵɵelementEnd()()();
69704
69816
  i0.ɵɵelementStart(21, "div", 16);
69705
- i0.ɵɵrepeaterCreate(22, CollapsibleSectionGroupComponent_For_23_Template, 15, 17, "div", 17, _forTrack0$F);
69817
+ i0.ɵɵrepeaterCreate(22, CollapsibleSectionGroupComponent_For_23_Template, 15, 17, "div", 17, _forTrack0$H);
69706
69818
  i0.ɵɵelementEnd()()();
69707
69819
  } if (rf & 2) {
69708
69820
  i0.ɵɵproperty("ngClass", ctx.containerClasses());
@@ -71220,7 +71332,7 @@ class MetricWelcomeBannerComponent {
71220
71332
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(MetricWelcomeBannerComponent, { className: "MetricWelcomeBannerComponent", filePath: "lib/components/profile-analysis-shop-dashboard/metric-welcome-banner.component.ts", lineNumber: 63 }); })();
71221
71333
 
71222
71334
  const _c0$C = a0 => ({ name: "chevron-right", source: a0 });
71223
- const _forTrack0$E = ($index, $item) => $item.id;
71335
+ const _forTrack0$G = ($index, $item) => $item.id;
71224
71336
  function RelatedGoalChipsComponent_Conditional_0_For_2_Template(rf, ctx) { if (rf & 1) {
71225
71337
  const _r1 = i0.ɵɵgetCurrentView();
71226
71338
  i0.ɵɵelementStart(0, "button", 2);
@@ -71241,7 +71353,7 @@ function RelatedGoalChipsComponent_Conditional_0_For_2_Template(rf, ctx) { if (r
71241
71353
  } }
71242
71354
  function RelatedGoalChipsComponent_Conditional_0_Template(rf, ctx) { if (rf & 1) {
71243
71355
  i0.ɵɵelementStart(0, "div", 0);
71244
- i0.ɵɵrepeaterCreate(1, RelatedGoalChipsComponent_Conditional_0_For_2_Template, 4, 5, "button", 1, _forTrack0$E);
71356
+ i0.ɵɵrepeaterCreate(1, RelatedGoalChipsComponent_Conditional_0_For_2_Template, 4, 5, "button", 1, _forTrack0$G);
71245
71357
  i0.ɵɵelementEnd();
71246
71358
  } if (rf & 2) {
71247
71359
  const ctx_r2 = i0.ɵɵnextContext();
@@ -71410,7 +71522,7 @@ const _c7 = a0 => ({ name: "light-bulb", source: a0 });
71410
71522
  const _c8 = a0 => ({ name: "clock", source: a0 });
71411
71523
  const _c9 = a0 => [a0];
71412
71524
  const _c10 = () => [];
71413
- const _forTrack0$D = ($index, $item) => $item.index;
71525
+ const _forTrack0$F = ($index, $item) => $item.index;
71414
71526
  function MetricExecutiveSummaryComponent_Conditional_11_Template(rf, ctx) { if (rf & 1) {
71415
71527
  i0.ɵɵelement(0, "symphiq-grade-badge", 9);
71416
71528
  } if (rf & 2) {
@@ -71717,7 +71829,7 @@ function MetricExecutiveSummaryComponent_Conditional_31_Template(rf, ctx) { if (
71717
71829
  i0.ɵɵtext(2, "Quick Wins");
71718
71830
  i0.ɵɵelementEnd();
71719
71831
  i0.ɵɵelementStart(3, "div", 48);
71720
- i0.ɵɵrepeaterCreate(4, MetricExecutiveSummaryComponent_Conditional_31_For_5_Template, 14, 11, "div", 49, _forTrack0$D);
71832
+ i0.ɵɵrepeaterCreate(4, MetricExecutiveSummaryComponent_Conditional_31_For_5_Template, 14, 11, "div", 49, _forTrack0$F);
71721
71833
  i0.ɵɵelementEnd()();
71722
71834
  } if (rf & 2) {
71723
71835
  const ctx_r0 = i0.ɵɵnextContext();
@@ -73971,7 +74083,7 @@ class CapabilityMatrixCardComponent {
73971
74083
  }], () => [], { capability: [{ type: i0.Input, args: [{ isSignal: true, alias: "capability", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], allGoals: [{ type: i0.Input, args: [{ isSignal: true, alias: "allGoals", required: false }] }] }); })();
73972
74084
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(CapabilityMatrixCardComponent, { className: "CapabilityMatrixCardComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/capability-matrix-card.component.ts", lineNumber: 118 }); })();
73973
74085
 
73974
- const _forTrack0$C = ($index, $item) => $item.competitorId || $index;
74086
+ const _forTrack0$E = ($index, $item) => $item.competitorId || $index;
73975
74087
  function CompetitiveComparisonCardComponent_Conditional_8_Conditional_1_Template(rf, ctx) { if (rf & 1) {
73976
74088
  i0.ɵɵelementStart(0, "span", 15);
73977
74089
  i0.ɵɵtext(1);
@@ -74084,7 +74196,7 @@ function CompetitiveComparisonCardComponent_Conditional_13_Template(rf, ctx) { i
74084
74196
  i0.ɵɵelementStart(0, "div", 12)(1, "h6", 21);
74085
74197
  i0.ɵɵtext(2, " Competitor Positions ");
74086
74198
  i0.ɵɵelementEnd();
74087
- i0.ɵɵrepeaterCreate(3, CompetitiveComparisonCardComponent_Conditional_13_For_4_Template, 7, 6, "div", 22, _forTrack0$C);
74199
+ i0.ɵɵrepeaterCreate(3, CompetitiveComparisonCardComponent_Conditional_13_For_4_Template, 7, 6, "div", 22, _forTrack0$E);
74088
74200
  i0.ɵɵelementEnd();
74089
74201
  } if (rf & 2) {
74090
74202
  const ctx_r1 = i0.ɵɵnextContext();
@@ -74473,7 +74585,7 @@ class CompetitiveComparisonCardComponent {
74473
74585
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(CompetitiveComparisonCardComponent, { className: "CompetitiveComparisonCardComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/competitive-comparison-card.component.ts", lineNumber: 126 }); })();
74474
74586
 
74475
74587
  const _c0$y = a0 => ({ name: "chevron-right", source: a0 });
74476
- const _forTrack0$B = ($index, $item) => $item.id;
74588
+ const _forTrack0$D = ($index, $item) => $item.id;
74477
74589
  function PhaseTimelineCardComponent_Conditional_8_For_7_Template(rf, ctx) { if (rf & 1) {
74478
74590
  const _r1 = i0.ɵɵgetCurrentView();
74479
74591
  i0.ɵɵelementStart(0, "button", 15);
@@ -74502,7 +74614,7 @@ function PhaseTimelineCardComponent_Conditional_8_Template(rf, ctx) { if (rf & 1
74502
74614
  i0.ɵɵelementEnd();
74503
74615
  i0.ɵɵnamespaceHTML();
74504
74616
  i0.ɵɵelementStart(5, "div", 13);
74505
- i0.ɵɵrepeaterCreate(6, PhaseTimelineCardComponent_Conditional_8_For_7_Template, 4, 5, "button", 14, _forTrack0$B);
74617
+ i0.ɵɵrepeaterCreate(6, PhaseTimelineCardComponent_Conditional_8_For_7_Template, 4, 5, "button", 14, _forTrack0$D);
74506
74618
  i0.ɵɵelementEnd()();
74507
74619
  } if (rf & 2) {
74508
74620
  const ctx_r2 = i0.ɵɵnextContext();
@@ -74539,7 +74651,7 @@ function PhaseTimelineCardComponent_Conditional_9_Template(rf, ctx) { if (rf & 1
74539
74651
  i0.ɵɵelementEnd();
74540
74652
  i0.ɵɵnamespaceHTML();
74541
74653
  i0.ɵɵelementStart(5, "div", 18);
74542
- i0.ɵɵrepeaterCreate(6, PhaseTimelineCardComponent_Conditional_9_For_7_Template, 4, 5, "button", 14, _forTrack0$B);
74654
+ i0.ɵɵrepeaterCreate(6, PhaseTimelineCardComponent_Conditional_9_For_7_Template, 4, 5, "button", 14, _forTrack0$D);
74543
74655
  i0.ɵɵelementEnd()();
74544
74656
  } if (rf & 2) {
74545
74657
  const ctx_r2 = i0.ɵɵnextContext();
@@ -75553,7 +75665,7 @@ class OperationalCategoryCardComponent {
75553
75665
 
75554
75666
  const _c0$w = a0 => ({ name: "arrow-trending-up", source: a0 });
75555
75667
  const _c1$g = a0 => ({ name: "chat-bubble-left-right", source: a0 });
75556
- const _forTrack0$A = ($index, $item) => $item.questionId;
75668
+ const _forTrack0$C = ($index, $item) => $item.questionId;
75557
75669
  function KeyDriverCardComponent_Conditional_12_For_6_Template(rf, ctx) { if (rf & 1) {
75558
75670
  i0.ɵɵelementStart(0, "div", 13)(1, "p", 14);
75559
75671
  i0.ɵɵtext(2);
@@ -75573,7 +75685,7 @@ function KeyDriverCardComponent_Conditional_12_Template(rf, ctx) { if (rf & 1) {
75573
75685
  i0.ɵɵelementStart(3, "span", 12);
75574
75686
  i0.ɵɵtext(4, " Supporting Profile Insights ");
75575
75687
  i0.ɵɵelementEnd()();
75576
- i0.ɵɵrepeaterCreate(5, KeyDriverCardComponent_Conditional_12_For_6_Template, 3, 3, "div", 13, _forTrack0$A);
75688
+ i0.ɵɵrepeaterCreate(5, KeyDriverCardComponent_Conditional_12_For_6_Template, 3, 3, "div", 13, _forTrack0$C);
75577
75689
  i0.ɵɵelementEnd();
75578
75690
  } if (rf & 2) {
75579
75691
  const ctx_r1 = i0.ɵɵnextContext();
@@ -75763,7 +75875,7 @@ class KeyDriverCardComponent {
75763
75875
 
75764
75876
  const _c0$v = a0 => ({ name: "exclamation-triangle", source: a0 });
75765
75877
  const _c1$f = a0 => ({ name: "chat-bubble-left-right", source: a0 });
75766
- const _forTrack0$z = ($index, $item) => $item.questionId;
75878
+ const _forTrack0$B = ($index, $item) => $item.questionId;
75767
75879
  function BottleneckCardComponent_Conditional_12_For_6_Template(rf, ctx) { if (rf & 1) {
75768
75880
  i0.ɵɵelementStart(0, "div", 13)(1, "p", 14);
75769
75881
  i0.ɵɵtext(2);
@@ -75783,7 +75895,7 @@ function BottleneckCardComponent_Conditional_12_Template(rf, ctx) { if (rf & 1)
75783
75895
  i0.ɵɵelementStart(3, "span", 12);
75784
75896
  i0.ɵɵtext(4, " Supporting Profile Insights ");
75785
75897
  i0.ɵɵelementEnd()();
75786
- i0.ɵɵrepeaterCreate(5, BottleneckCardComponent_Conditional_12_For_6_Template, 3, 3, "div", 13, _forTrack0$z);
75898
+ i0.ɵɵrepeaterCreate(5, BottleneckCardComponent_Conditional_12_For_6_Template, 3, 3, "div", 13, _forTrack0$B);
75787
75899
  i0.ɵɵelementEnd();
75788
75900
  } if (rf & 2) {
75789
75901
  const ctx_r1 = i0.ɵɵnextContext();
@@ -75992,7 +76104,7 @@ const _c0$u = a0 => ({ name: "arrow-right", source: a0 });
75992
76104
  const _c1$e = a0 => ({ name: "arrow-left", source: a0 });
75993
76105
  const _c2$b = a0 => ({ name: "arrows-right-left", source: a0 });
75994
76106
  const _c3$6 = a0 => ({ name: "scale", source: a0 });
75995
- const _forTrack0$y = ($index, $item) => $item.metric;
76107
+ const _forTrack0$A = ($index, $item) => $item.metric;
75996
76108
  function MetricRelationshipsCardComponent_Conditional_1_For_8_Template(rf, ctx) { if (rf & 1) {
75997
76109
  const _r1 = i0.ɵɵgetCurrentView();
75998
76110
  i0.ɵɵelementStart(0, "button", 8);
@@ -76017,7 +76129,7 @@ function MetricRelationshipsCardComponent_Conditional_1_Template(rf, ctx) { if (
76017
76129
  i0.ɵɵtext(5, " Directly Influences ");
76018
76130
  i0.ɵɵelementEnd()();
76019
76131
  i0.ɵɵelementStart(6, "div", 6);
76020
- i0.ɵɵrepeaterCreate(7, MetricRelationshipsCardComponent_Conditional_1_For_8_Template, 4, 2, "button", 7, _forTrack0$y);
76132
+ i0.ɵɵrepeaterCreate(7, MetricRelationshipsCardComponent_Conditional_1_For_8_Template, 4, 2, "button", 7, _forTrack0$A);
76021
76133
  i0.ɵɵelementEnd()();
76022
76134
  } if (rf & 2) {
76023
76135
  const ctx_r2 = i0.ɵɵnextContext();
@@ -76055,7 +76167,7 @@ function MetricRelationshipsCardComponent_Conditional_2_Template(rf, ctx) { if (
76055
76167
  i0.ɵɵtext(5, " Directly Influenced By ");
76056
76168
  i0.ɵɵelementEnd()();
76057
76169
  i0.ɵɵelementStart(6, "div", 6);
76058
- i0.ɵɵrepeaterCreate(7, MetricRelationshipsCardComponent_Conditional_2_For_8_Template, 4, 2, "button", 7, _forTrack0$y);
76170
+ i0.ɵɵrepeaterCreate(7, MetricRelationshipsCardComponent_Conditional_2_For_8_Template, 4, 2, "button", 7, _forTrack0$A);
76059
76171
  i0.ɵɵelementEnd()();
76060
76172
  } if (rf & 2) {
76061
76173
  const ctx_r2 = i0.ɵɵnextContext();
@@ -76101,7 +76213,7 @@ function MetricRelationshipsCardComponent_Conditional_3_Template(rf, ctx) { if (
76101
76213
  i0.ɵɵtext(5, " Trade-offs ");
76102
76214
  i0.ɵɵelementEnd()();
76103
76215
  i0.ɵɵelementStart(6, "div", 11);
76104
- i0.ɵɵrepeaterCreate(7, MetricRelationshipsCardComponent_Conditional_3_For_8_Template, 7, 9, "div", 12, _forTrack0$y);
76216
+ i0.ɵɵrepeaterCreate(7, MetricRelationshipsCardComponent_Conditional_3_For_8_Template, 7, 9, "div", 12, _forTrack0$A);
76105
76217
  i0.ɵɵelementEnd()();
76106
76218
  } if (rf & 2) {
76107
76219
  const ctx_r2 = i0.ɵɵnextContext();
@@ -76341,7 +76453,7 @@ class MetricRelationshipsCardComponent {
76341
76453
 
76342
76454
  const _c0$t = a0 => ({ name: "chevron-right", source: a0 });
76343
76455
  const _c1$d = a0 => ({ name: "link", source: a0 });
76344
- const _forTrack0$x = ($index, $item) => $item.id;
76456
+ const _forTrack0$z = ($index, $item) => $item.id;
76345
76457
  function RelatedMetricCardComponent_Conditional_18_Conditional_5_For_2_Template(rf, ctx) { if (rf & 1) {
76346
76458
  const _r1 = i0.ɵɵgetCurrentView();
76347
76459
  i0.ɵɵelementStart(0, "button", 18);
@@ -76362,7 +76474,7 @@ function RelatedMetricCardComponent_Conditional_18_Conditional_5_For_2_Template(
76362
76474
  } }
76363
76475
  function RelatedMetricCardComponent_Conditional_18_Conditional_5_Template(rf, ctx) { if (rf & 1) {
76364
76476
  i0.ɵɵelementStart(0, "div", 16);
76365
- i0.ɵɵrepeaterCreate(1, RelatedMetricCardComponent_Conditional_18_Conditional_5_For_2_Template, 4, 5, "button", 17, _forTrack0$x);
76477
+ i0.ɵɵrepeaterCreate(1, RelatedMetricCardComponent_Conditional_18_Conditional_5_For_2_Template, 4, 5, "button", 17, _forTrack0$z);
76366
76478
  i0.ɵɵelementEnd();
76367
76479
  } if (rf & 2) {
76368
76480
  const ctx_r2 = i0.ɵɵnextContext(2);
@@ -76675,7 +76787,7 @@ class RelatedMetricCardComponent {
76675
76787
  }], null, { metric: [{ type: i0.Input, args: [{ isSignal: true, alias: "metric", required: true }] }], relationship: [{ type: i0.Input, args: [{ isSignal: true, alias: "relationship", required: true }] }], relationshipDescription: [{ type: i0.Input, args: [{ isSignal: true, alias: "relationshipDescription", required: true }] }], priority: [{ type: i0.Input, args: [{ isSignal: true, alias: "priority", required: true }] }], sharedGoalIds: [{ type: i0.Input, args: [{ isSignal: true, alias: "sharedGoalIds", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], allGoals: [{ type: i0.Input, args: [{ isSignal: true, alias: "allGoals", required: false }] }], cardClicked: [{ type: i0.Output, args: ["cardClicked"] }] }); })();
76676
76788
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(RelatedMetricCardComponent, { className: "RelatedMetricCardComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/related-metric-card.component.ts", lineNumber: 97 }); })();
76677
76789
 
76678
- const _forTrack0$w = ($index, $item) => $item.metric;
76790
+ const _forTrack0$y = ($index, $item) => $item.metric;
76679
76791
  function RelatedMetricsListComponent_Conditional_1_For_14_Template(rf, ctx) { if (rf & 1) {
76680
76792
  const _r1 = i0.ɵɵgetCurrentView();
76681
76793
  i0.ɵɵelementStart(0, "symphiq-related-metric-card", 12);
@@ -76703,7 +76815,7 @@ function RelatedMetricsListComponent_Conditional_1_Template(rf, ctx) { if (rf &
76703
76815
  i0.ɵɵtext(11);
76704
76816
  i0.ɵɵelementEnd()();
76705
76817
  i0.ɵɵelementStart(12, "div", 10);
76706
- i0.ɵɵrepeaterCreate(13, RelatedMetricsListComponent_Conditional_1_For_14_Template, 1, 7, "symphiq-related-metric-card", 11, _forTrack0$w);
76818
+ i0.ɵɵrepeaterCreate(13, RelatedMetricsListComponent_Conditional_1_For_14_Template, 1, 7, "symphiq-related-metric-card", 11, _forTrack0$y);
76707
76819
  i0.ɵɵelementEnd()();
76708
76820
  } if (rf & 2) {
76709
76821
  const ctx_r1 = i0.ɵɵnextContext();
@@ -76749,7 +76861,7 @@ function RelatedMetricsListComponent_Conditional_2_Template(rf, ctx) { if (rf &
76749
76861
  i0.ɵɵtext(11);
76750
76862
  i0.ɵɵelementEnd()();
76751
76863
  i0.ɵɵelementStart(12, "div", 10);
76752
- i0.ɵɵrepeaterCreate(13, RelatedMetricsListComponent_Conditional_2_For_14_Template, 1, 7, "symphiq-related-metric-card", 11, _forTrack0$w);
76864
+ i0.ɵɵrepeaterCreate(13, RelatedMetricsListComponent_Conditional_2_For_14_Template, 1, 7, "symphiq-related-metric-card", 11, _forTrack0$y);
76753
76865
  i0.ɵɵelementEnd()();
76754
76866
  } if (rf & 2) {
76755
76867
  const ctx_r1 = i0.ɵɵnextContext();
@@ -76795,7 +76907,7 @@ function RelatedMetricsListComponent_Conditional_3_Template(rf, ctx) { if (rf &
76795
76907
  i0.ɵɵtext(11);
76796
76908
  i0.ɵɵelementEnd()();
76797
76909
  i0.ɵɵelementStart(12, "div", 10);
76798
- i0.ɵɵrepeaterCreate(13, RelatedMetricsListComponent_Conditional_3_For_14_Template, 1, 7, "symphiq-related-metric-card", 11, _forTrack0$w);
76910
+ i0.ɵɵrepeaterCreate(13, RelatedMetricsListComponent_Conditional_3_For_14_Template, 1, 7, "symphiq-related-metric-card", 11, _forTrack0$y);
76799
76911
  i0.ɵɵelementEnd()();
76800
76912
  } if (rf & 2) {
76801
76913
  const ctx_r1 = i0.ɵɵnextContext();
@@ -76841,7 +76953,7 @@ function RelatedMetricsListComponent_Conditional_4_Template(rf, ctx) { if (rf &
76841
76953
  i0.ɵɵtext(11);
76842
76954
  i0.ɵɵelementEnd()();
76843
76955
  i0.ɵɵelementStart(12, "div", 10);
76844
- i0.ɵɵrepeaterCreate(13, RelatedMetricsListComponent_Conditional_4_For_14_Template, 1, 7, "symphiq-related-metric-card", 11, _forTrack0$w);
76956
+ i0.ɵɵrepeaterCreate(13, RelatedMetricsListComponent_Conditional_4_For_14_Template, 1, 7, "symphiq-related-metric-card", 11, _forTrack0$y);
76845
76957
  i0.ɵɵelementEnd()();
76846
76958
  } if (rf & 2) {
76847
76959
  const ctx_r1 = i0.ɵɵnextContext();
@@ -78332,7 +78444,7 @@ const _c3$3 = a0 => [a0];
78332
78444
  const _c4$1 = () => [];
78333
78445
  const _c5 = a0 => ({ name: "chart-bar", source: a0 });
78334
78446
  const _c6 = a0 => ({ name: "user", source: a0 });
78335
- const _forTrack0$v = ($index, $item) => $item.id || $index;
78447
+ const _forTrack0$x = ($index, $item) => $item.id || $index;
78336
78448
  const _forTrack1$7 = ($index, $item) => $item.dimension || $index;
78337
78449
  const _forTrack2$1 = ($index, $item) => $item.rec.id || $index;
78338
78450
  const _forTrack3$1 = ($index, $item) => $item.phase || $index;
@@ -78661,7 +78773,7 @@ function ProfileSectionContentComponent_Conditional_4_For_2_Template(rf, ctx) {
78661
78773
  } }
78662
78774
  function ProfileSectionContentComponent_Conditional_4_Template(rf, ctx) { if (rf & 1) {
78663
78775
  i0.ɵɵelementStart(0, "div", 3);
78664
- i0.ɵɵrepeaterCreate(1, ProfileSectionContentComponent_Conditional_4_For_2_Template, 2, 3, "div", null, _forTrack0$v);
78776
+ i0.ɵɵrepeaterCreate(1, ProfileSectionContentComponent_Conditional_4_For_2_Template, 2, 3, "div", null, _forTrack0$x);
78665
78777
  i0.ɵɵelementEnd();
78666
78778
  } if (rf & 2) {
78667
78779
  const ctx_r1 = i0.ɵɵnextContext();
@@ -78678,7 +78790,7 @@ function ProfileSectionContentComponent_Conditional_5_For_2_Template(rf, ctx) {
78678
78790
  } }
78679
78791
  function ProfileSectionContentComponent_Conditional_5_Template(rf, ctx) { if (rf & 1) {
78680
78792
  i0.ɵɵelementStart(0, "div", 4);
78681
- i0.ɵɵrepeaterCreate(1, ProfileSectionContentComponent_Conditional_5_For_2_Template, 1, 8, "symphiq-goal-card", 47, _forTrack0$v);
78793
+ i0.ɵɵrepeaterCreate(1, ProfileSectionContentComponent_Conditional_5_For_2_Template, 1, 8, "symphiq-goal-card", 47, _forTrack0$x);
78682
78794
  i0.ɵɵelementEnd();
78683
78795
  } if (rf & 2) {
78684
78796
  const ctx_r1 = i0.ɵɵnextContext();
@@ -78694,7 +78806,7 @@ function ProfileSectionContentComponent_Conditional_6_For_2_Template(rf, ctx) {
78694
78806
  } }
78695
78807
  function ProfileSectionContentComponent_Conditional_6_Template(rf, ctx) { if (rf & 1) {
78696
78808
  i0.ɵɵelementStart(0, "div", 5);
78697
- i0.ɵɵrepeaterCreate(1, ProfileSectionContentComponent_Conditional_6_For_2_Template, 1, 3, "symphiq-capability-matrix-card", 48, _forTrack0$v);
78809
+ i0.ɵɵrepeaterCreate(1, ProfileSectionContentComponent_Conditional_6_For_2_Template, 1, 3, "symphiq-capability-matrix-card", 48, _forTrack0$x);
78698
78810
  i0.ɵɵelementEnd();
78699
78811
  } if (rf & 2) {
78700
78812
  const ctx_r1 = i0.ɵɵnextContext();
@@ -78749,7 +78861,7 @@ function ProfileSectionContentComponent_Conditional_9_For_2_Template(rf, ctx) {
78749
78861
  } }
78750
78862
  function ProfileSectionContentComponent_Conditional_9_Template(rf, ctx) { if (rf & 1) {
78751
78863
  i0.ɵɵelementStart(0, "div", 8);
78752
- i0.ɵɵrepeaterCreate(1, ProfileSectionContentComponent_Conditional_9_For_2_Template, 1, 2, "symphiq-operational-category-card", 52, _forTrack0$v);
78864
+ i0.ɵɵrepeaterCreate(1, ProfileSectionContentComponent_Conditional_9_For_2_Template, 1, 2, "symphiq-operational-category-card", 52, _forTrack0$x);
78753
78865
  i0.ɵɵelementEnd();
78754
78866
  } if (rf & 2) {
78755
78867
  const ctx_r1 = i0.ɵɵnextContext();
@@ -81146,7 +81258,7 @@ class ProfileSectionContentComponent {
81146
81258
  }], null, { section: [{ type: i0.Input, args: [{ isSignal: true, alias: "section", required: false }] }], executiveSummary: [{ type: i0.Input, args: [{ isSignal: true, alias: "executiveSummary", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], sectionIndex: [{ type: i0.Input, args: [{ isSignal: true, alias: "sectionIndex", required: false }] }], allGoals: [{ type: i0.Input, args: [{ isSignal: true, alias: "allGoals", required: false }] }], allMetrics: [{ type: i0.Input, args: [{ isSignal: true, alias: "allMetrics", required: false }] }], allCharts: [{ type: i0.Input, args: [{ isSignal: true, alias: "allCharts", required: false }] }], allInsights: [{ type: i0.Input, args: [{ isSignal: true, alias: "allInsights", required: false }] }], businessProfile: [{ type: i0.Input, args: [{ isSignal: true, alias: "businessProfile", required: false }] }] }); })();
81147
81259
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ProfileSectionContentComponent, { className: "ProfileSectionContentComponent", filePath: "lib/components/profile-analysis-shop-dashboard/profile-section-content.component.ts", lineNumber: 765 }); })();
81148
81260
 
81149
- const _forTrack0$u = ($index, $item) => $item.id || $index;
81261
+ const _forTrack0$w = ($index, $item) => $item.id || $index;
81150
81262
  const _forTrack1$6 = ($index, $item) => ($item == null ? null : $item.questionId) || $index;
81151
81263
  function ObjectiveStrategiesModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
81152
81264
  i0.ɵɵelementStart(0, "div", 2)(1, "p", 6);
@@ -81587,7 +81699,7 @@ class ObjectiveStrategiesModalContentComponent {
81587
81699
  i0.ɵɵconditionalCreate(3, ObjectiveStrategiesModalContentComponent_Conditional_3_Template, 10, 5, "div", 3);
81588
81700
  i0.ɵɵconditionalCreate(4, ObjectiveStrategiesModalContentComponent_Conditional_4_Template, 6, 2, "div", 4);
81589
81701
  i0.ɵɵelementEnd();
81590
- i0.ɵɵrepeaterCreate(5, ObjectiveStrategiesModalContentComponent_For_6_Template, 17, 10, "div", 5, _forTrack0$u);
81702
+ i0.ɵɵrepeaterCreate(5, ObjectiveStrategiesModalContentComponent_For_6_Template, 17, 10, "div", 5, _forTrack0$w);
81591
81703
  i0.ɵɵelementEnd();
81592
81704
  } if (rf & 2) {
81593
81705
  let tmp_1_0;
@@ -81888,7 +82000,7 @@ class TooltipContentBuilder {
81888
82000
  }
81889
82001
  }
81890
82002
 
81891
- const _forTrack0$t = ($index, $item) => $item.id || $index;
82003
+ const _forTrack0$v = ($index, $item) => $item.id || $index;
81892
82004
  const _forTrack1$5 = ($index, $item) => $item.type + $item.label;
81893
82005
  const _forTrack2 = ($index, $item) => $item.order || $index;
81894
82006
  const _forTrack3 = ($index, $item) => ($item == null ? null : $item.questionId) || $index;
@@ -83667,7 +83779,7 @@ class StrategyRecommendationsModalContentComponent {
83667
83779
  i0.ɵɵconditionalCreate(5, StrategyRecommendationsModalContentComponent_Conditional_5_Template, 2, 2, "span", 4);
83668
83780
  i0.ɵɵconditionalCreate(6, StrategyRecommendationsModalContentComponent_Conditional_6_Template, 2, 2, "span", 4);
83669
83781
  i0.ɵɵelementEnd()();
83670
- i0.ɵɵrepeaterCreate(7, StrategyRecommendationsModalContentComponent_For_8_Template, 35, 32, "div", 5, _forTrack0$t);
83782
+ i0.ɵɵrepeaterCreate(7, StrategyRecommendationsModalContentComponent_For_8_Template, 35, 32, "div", 5, _forTrack0$v);
83671
83783
  i0.ɵɵelementEnd();
83672
83784
  } if (rf & 2) {
83673
83785
  let tmp_1_0;
@@ -85697,7 +85809,7 @@ class GapDetailModalContentComponent {
85697
85809
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(GapDetailModalContentComponent, { className: "GapDetailModalContentComponent", filePath: "lib/components/profile-analysis-shop-dashboard/modals/gap-detail-modal-content.component.ts", lineNumber: 133 }); })();
85698
85810
 
85699
85811
  const _c0$m = a0 => ({ name: "chevron-right", source: a0 });
85700
- const _forTrack0$s = ($index, $item) => $item.id || $index;
85812
+ const _forTrack0$u = ($index, $item) => $item.id || $index;
85701
85813
  function OpportunityDetailModalContentComponent_Conditional_11_Template(rf, ctx) { if (rf & 1) {
85702
85814
  i0.ɵɵelementStart(0, "div", 9)(1, "h4", 10);
85703
85815
  i0.ɵɵnamespaceSVG();
@@ -85808,7 +85920,7 @@ function OpportunityDetailModalContentComponent_Conditional_14_Conditional_0_Tem
85808
85920
  i0.ɵɵtext(2, " Related Goals ");
85809
85921
  i0.ɵɵelementEnd();
85810
85922
  i0.ɵɵelementStart(3, "div", 25);
85811
- i0.ɵɵrepeaterCreate(4, OpportunityDetailModalContentComponent_Conditional_14_Conditional_0_For_5_Template, 4, 6, "div", 26, _forTrack0$s);
85923
+ i0.ɵɵrepeaterCreate(4, OpportunityDetailModalContentComponent_Conditional_14_Conditional_0_For_5_Template, 4, 6, "div", 26, _forTrack0$u);
85812
85924
  i0.ɵɵelementEnd()();
85813
85925
  } if (rf & 2) {
85814
85926
  const goals_r6 = i0.ɵɵnextContext();
@@ -86084,7 +86196,7 @@ class OpportunityDetailModalContentComponent {
86084
86196
  }], null, { opportunity: [{ type: i0.Input, args: [{ isSignal: true, alias: "opportunity", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], allGoals: [{ type: i0.Input, args: [{ isSignal: true, alias: "allGoals", required: false }] }], allStrengths: [{ type: i0.Input, args: [{ isSignal: true, alias: "allStrengths", required: false }] }], currentModalState: [{ type: i0.Input, args: [{ isSignal: true, alias: "currentModalState", required: false }] }] }); })();
86085
86197
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(OpportunityDetailModalContentComponent, { className: "OpportunityDetailModalContentComponent", filePath: "lib/components/profile-analysis-shop-dashboard/modals/opportunity-detail-modal-content.component.ts", lineNumber: 121 }); })();
86086
86198
 
86087
- const _forTrack0$r = ($index, $item) => $item.icon;
86199
+ const _forTrack0$t = ($index, $item) => $item.icon;
86088
86200
  function RoadmapMetricsComponent_Conditional_0_For_2_Conditional_0_Conditional_0_Template(rf, ctx) { if (rf & 1) {
86089
86201
  i0.ɵɵelement(0, "div", 1);
86090
86202
  } if (rf & 2) {
@@ -86154,7 +86266,7 @@ function RoadmapMetricsComponent_Conditional_0_For_2_Template(rf, ctx) { if (rf
86154
86266
  } }
86155
86267
  function RoadmapMetricsComponent_Conditional_0_Template(rf, ctx) { if (rf & 1) {
86156
86268
  i0.ɵɵelementStart(0, "div", 0);
86157
- i0.ɵɵrepeaterCreate(1, RoadmapMetricsComponent_Conditional_0_For_2_Template, 1, 1, null, null, _forTrack0$r);
86269
+ i0.ɵɵrepeaterCreate(1, RoadmapMetricsComponent_Conditional_0_For_2_Template, 1, 1, null, null, _forTrack0$t);
86158
86270
  i0.ɵɵelementEnd();
86159
86271
  } if (rf & 2) {
86160
86272
  const ctx_r0 = i0.ɵɵnextContext();
@@ -86571,7 +86683,7 @@ class SimplifiedGoalCardComponent {
86571
86683
  }], null, { goal: [{ type: i0.Input, args: [{ isSignal: true, alias: "goal", required: true }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], animationIndex: [{ type: i0.Input, args: [{ isSignal: true, alias: "animationIndex", required: false }] }], viewMoreClick: [{ type: i0.Output, args: ["viewMoreClick"] }] }); })();
86572
86684
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(SimplifiedGoalCardComponent, { className: "SimplifiedGoalCardComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/simplified-goal-card.component.ts", lineNumber: 101 }); })();
86573
86685
 
86574
- const _forTrack0$q = ($index, $item) => $item.id;
86686
+ const _forTrack0$s = ($index, $item) => $item.id;
86575
86687
  function StrategicGoalsTiledGridComponent_Conditional_12_Template(rf, ctx) { if (rf & 1) {
86576
86688
  i0.ɵɵelementStart(0, "div", 9);
86577
86689
  i0.ɵɵtext(1);
@@ -86595,7 +86707,7 @@ function StrategicGoalsTiledGridComponent_Conditional_14_For_2_Template(rf, ctx)
86595
86707
  } }
86596
86708
  function StrategicGoalsTiledGridComponent_Conditional_14_Template(rf, ctx) { if (rf & 1) {
86597
86709
  i0.ɵɵelementStart(0, "div", 11);
86598
- i0.ɵɵrepeaterCreate(1, StrategicGoalsTiledGridComponent_Conditional_14_For_2_Template, 1, 3, "symphiq-simplified-goal-card", 13, _forTrack0$q);
86710
+ i0.ɵɵrepeaterCreate(1, StrategicGoalsTiledGridComponent_Conditional_14_For_2_Template, 1, 3, "symphiq-simplified-goal-card", 13, _forTrack0$s);
86599
86711
  i0.ɵɵelementEnd();
86600
86712
  } if (rf & 2) {
86601
86713
  const ctx_r0 = i0.ɵɵnextContext();
@@ -86810,7 +86922,7 @@ class StrategicGoalsTiledGridComponent {
86810
86922
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(StrategicGoalsTiledGridComponent, { className: "StrategicGoalsTiledGridComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/strategic-goals-tiled-grid.component.ts", lineNumber: 69 }); })();
86811
86923
 
86812
86924
  const _c0$l = a0 => ({ name: "calendar", source: a0 });
86813
- const _forTrack0$p = ($index, $item) => $item.id;
86925
+ const _forTrack0$r = ($index, $item) => $item.id;
86814
86926
  const _forTrack1$4 = ($index, $item) => $item.title;
86815
86927
  function UnifiedTimelineComponent_Conditional_0_Conditional_1_Template(rf, ctx) { if (rf & 1) {
86816
86928
  i0.ɵɵelement(0, "symphiq-section-divider", 6)(1, "symphiq-section-header", 7);
@@ -86875,7 +86987,7 @@ function UnifiedTimelineComponent_Conditional_0_For_7_Conditional_12_Template(rf
86875
86987
  i0.ɵɵtext(2);
86876
86988
  i0.ɵɵelementEnd();
86877
86989
  i0.ɵɵelementStart(3, "div", 23);
86878
- i0.ɵɵrepeaterCreate(4, UnifiedTimelineComponent_Conditional_0_For_7_Conditional_12_For_5_Template, 5, 2, "div", 24, _forTrack0$p);
86990
+ i0.ɵɵrepeaterCreate(4, UnifiedTimelineComponent_Conditional_0_For_7_Conditional_12_For_5_Template, 5, 2, "div", 24, _forTrack0$r);
86879
86991
  i0.ɵɵelementEnd()();
86880
86992
  } if (rf & 2) {
86881
86993
  const phase_r3 = i0.ɵɵnextContext().$implicit;
@@ -86951,7 +87063,7 @@ function UnifiedTimelineComponent_Conditional_0_Template(rf, ctx) { if (rf & 1)
86951
87063
  i0.ɵɵelementStart(2, "div", 1)(3, "div", 2);
86952
87064
  i0.ɵɵelement(4, "div", 3);
86953
87065
  i0.ɵɵelementStart(5, "div", 4);
86954
- i0.ɵɵrepeaterCreate(6, UnifiedTimelineComponent_Conditional_0_For_7_Template, 17, 31, "div", 5, _forTrack0$p);
87066
+ i0.ɵɵrepeaterCreate(6, UnifiedTimelineComponent_Conditional_0_For_7_Template, 17, 31, "div", 5, _forTrack0$r);
86955
87067
  i0.ɵɵelementEnd()()()();
86956
87068
  } if (rf & 2) {
86957
87069
  const ctx_r0 = i0.ɵɵnextContext();
@@ -87171,7 +87283,7 @@ class UnifiedTimelineComponent {
87171
87283
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedTimelineComponent, { className: "UnifiedTimelineComponent", filePath: "lib/components/profile-analysis-unified-dashboard/cards/unified-timeline.component.ts", lineNumber: 186 }); })();
87172
87284
 
87173
87285
  const _c0$k = a0 => ({ name: "squares-2x2", source: a0 });
87174
- const _forTrack0$o = ($index, $item) => $item.id;
87286
+ const _forTrack0$q = ($index, $item) => $item.id;
87175
87287
  function UnifiedPriorityMatrixComponent_Conditional_0_Conditional_1_Template(rf, ctx) { if (rf & 1) {
87176
87288
  i0.ɵɵelement(0, "symphiq-section-divider", 26)(1, "symphiq-section-header", 27);
87177
87289
  } if (rf & 2) {
@@ -87301,7 +87413,7 @@ function UnifiedPriorityMatrixComponent_Conditional_0_Template(rf, ctx) { if (rf
87301
87413
  i0.ɵɵtext(17, "High Impact / Low Effort");
87302
87414
  i0.ɵɵelementEnd();
87303
87415
  i0.ɵɵelementStart(18, "div", 14);
87304
- i0.ɵɵrepeaterCreate(19, UnifiedPriorityMatrixComponent_Conditional_0_For_20_Template, 6, 2, "button", 15, _forTrack0$o);
87416
+ i0.ɵɵrepeaterCreate(19, UnifiedPriorityMatrixComponent_Conditional_0_For_20_Template, 6, 2, "button", 15, _forTrack0$q);
87305
87417
  i0.ɵɵconditionalCreate(21, UnifiedPriorityMatrixComponent_Conditional_0_Conditional_21_Template, 2, 1, "div", 16);
87306
87418
  i0.ɵɵelementEnd()();
87307
87419
  i0.ɵɵelementStart(22, "div", 9)(23, "div", 10);
@@ -87313,7 +87425,7 @@ function UnifiedPriorityMatrixComponent_Conditional_0_Template(rf, ctx) { if (rf
87313
87425
  i0.ɵɵtext(28, "High Impact / High Effort");
87314
87426
  i0.ɵɵelementEnd();
87315
87427
  i0.ɵɵelementStart(29, "div", 14);
87316
- i0.ɵɵrepeaterCreate(30, UnifiedPriorityMatrixComponent_Conditional_0_For_31_Template, 6, 2, "button", 18, _forTrack0$o);
87428
+ i0.ɵɵrepeaterCreate(30, UnifiedPriorityMatrixComponent_Conditional_0_For_31_Template, 6, 2, "button", 18, _forTrack0$q);
87317
87429
  i0.ɵɵconditionalCreate(32, UnifiedPriorityMatrixComponent_Conditional_0_Conditional_32_Template, 2, 1, "div", 16);
87318
87430
  i0.ɵɵelementEnd()();
87319
87431
  i0.ɵɵelementStart(33, "div", 9)(34, "div", 10);
@@ -87325,7 +87437,7 @@ function UnifiedPriorityMatrixComponent_Conditional_0_Template(rf, ctx) { if (rf
87325
87437
  i0.ɵɵtext(39, "Low Impact / Low Effort");
87326
87438
  i0.ɵɵelementEnd();
87327
87439
  i0.ɵɵelementStart(40, "div", 14);
87328
- i0.ɵɵrepeaterCreate(41, UnifiedPriorityMatrixComponent_Conditional_0_For_42_Template, 6, 2, "button", 20, _forTrack0$o);
87440
+ i0.ɵɵrepeaterCreate(41, UnifiedPriorityMatrixComponent_Conditional_0_For_42_Template, 6, 2, "button", 20, _forTrack0$q);
87329
87441
  i0.ɵɵconditionalCreate(43, UnifiedPriorityMatrixComponent_Conditional_0_Conditional_43_Template, 2, 1, "div", 16);
87330
87442
  i0.ɵɵelementEnd()();
87331
87443
  i0.ɵɵelementStart(44, "div", 9)(45, "div", 10);
@@ -87337,7 +87449,7 @@ function UnifiedPriorityMatrixComponent_Conditional_0_Template(rf, ctx) { if (rf
87337
87449
  i0.ɵɵtext(50, "Low Impact / High Effort");
87338
87450
  i0.ɵɵelementEnd();
87339
87451
  i0.ɵɵelementStart(51, "div", 14);
87340
- i0.ɵɵrepeaterCreate(52, UnifiedPriorityMatrixComponent_Conditional_0_For_53_Template, 6, 2, "button", 22, _forTrack0$o);
87452
+ i0.ɵɵrepeaterCreate(52, UnifiedPriorityMatrixComponent_Conditional_0_For_53_Template, 6, 2, "button", 22, _forTrack0$q);
87341
87453
  i0.ɵɵconditionalCreate(54, UnifiedPriorityMatrixComponent_Conditional_0_Conditional_54_Template, 2, 1, "div", 16);
87342
87454
  i0.ɵɵelementEnd()()();
87343
87455
  i0.ɵɵelementStart(55, "div", 23);
@@ -87640,7 +87752,7 @@ class UnifiedPriorityMatrixComponent {
87640
87752
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedPriorityMatrixComponent, { className: "UnifiedPriorityMatrixComponent", filePath: "lib/components/profile-analysis-unified-dashboard/cards/unified-priority-matrix.component.ts", lineNumber: 219 }); })();
87641
87753
 
87642
87754
  const _c0$j = a0 => ({ name: "arrow-right-circle", source: a0 });
87643
- const _forTrack0$n = ($index, $item) => $item.title;
87755
+ const _forTrack0$p = ($index, $item) => $item.title;
87644
87756
  const _forTrack1$3 = ($index, $item) => $item.id || $index;
87645
87757
  function UnifiedNextStepsComponent_Conditional_0_Conditional_1_Template(rf, ctx) { if (rf & 1) {
87646
87758
  i0.ɵɵelement(0, "symphiq-section-divider", 3)(1, "symphiq-section-header", 4);
@@ -87791,7 +87903,7 @@ function UnifiedNextStepsComponent_Conditional_0_Template(rf, ctx) { if (rf & 1)
87791
87903
  i0.ɵɵelementStart(0, "section", 0);
87792
87904
  i0.ɵɵconditionalCreate(1, UnifiedNextStepsComponent_Conditional_0_Conditional_1_Template, 2, 8);
87793
87905
  i0.ɵɵelementStart(2, "div", 1);
87794
- i0.ɵɵrepeaterCreate(3, UnifiedNextStepsComponent_Conditional_0_For_4_Template, 13, 11, "div", 2, _forTrack0$n);
87906
+ i0.ɵɵrepeaterCreate(3, UnifiedNextStepsComponent_Conditional_0_For_4_Template, 13, 11, "div", 2, _forTrack0$p);
87795
87907
  i0.ɵɵelementEnd()();
87796
87908
  } if (rf & 2) {
87797
87909
  const ctx_r0 = i0.ɵɵnextContext();
@@ -88586,7 +88698,7 @@ class FocusAreaHealthIndicatorComponent {
88586
88698
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(FocusAreaHealthIndicatorComponent, { className: "FocusAreaHealthIndicatorComponent", filePath: "lib/components/profile-analysis-focus-area-dashboard/focus-area-health-indicator.component.ts", lineNumber: 46 }); })();
88587
88699
 
88588
88700
  const _c0$i = a0 => [a0];
88589
- const _forTrack0$m = ($index, $item) => $item.index;
88701
+ const _forTrack0$o = ($index, $item) => $item.index;
88590
88702
  function QuickWinsGridComponent_Conditional_0_Conditional_1_Template(rf, ctx) { if (rf & 1) {
88591
88703
  i0.ɵɵelementStart(0, "h3", 1);
88592
88704
  i0.ɵɵtext(1, " Quick Wins ");
@@ -88671,7 +88783,7 @@ function QuickWinsGridComponent_Conditional_0_Template(rf, ctx) { if (rf & 1) {
88671
88783
  i0.ɵɵelementStart(0, "div", 0);
88672
88784
  i0.ɵɵconditionalCreate(1, QuickWinsGridComponent_Conditional_0_Conditional_1_Template, 2, 1, "h3", 1);
88673
88785
  i0.ɵɵelementStart(2, "div", 2);
88674
- i0.ɵɵrepeaterCreate(3, QuickWinsGridComponent_Conditional_0_For_4_Template, 14, 11, "div", 3, _forTrack0$m);
88786
+ i0.ɵɵrepeaterCreate(3, QuickWinsGridComponent_Conditional_0_For_4_Template, 14, 11, "div", 3, _forTrack0$o);
88675
88787
  i0.ɵɵelementEnd()();
88676
88788
  } if (rf & 2) {
88677
88789
  const ctx_r0 = i0.ɵɵnextContext();
@@ -89103,7 +89215,7 @@ class FocusAreaExecutiveSummaryComponent {
89103
89215
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], summary: [{ type: i0.Input, args: [{ isSignal: true, alias: "summary", required: false }] }], allGoals: [{ type: i0.Input, args: [{ isSignal: true, alias: "allGoals", required: false }] }], topPrioritiesClick: [{ type: i0.Output, args: ["topPrioritiesClick"] }], priorityDetailClick: [{ type: i0.Output, args: ["priorityDetailClick"] }] }); })();
89104
89216
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(FocusAreaExecutiveSummaryComponent, { className: "FocusAreaExecutiveSummaryComponent", filePath: "lib/components/profile-analysis-focus-area-dashboard/focus-area-executive-summary.component.ts", lineNumber: 125 }); })();
89105
89217
 
89106
- const _forTrack0$l = ($index, $item) => $item.id;
89218
+ const _forTrack0$n = ($index, $item) => $item.id;
89107
89219
  function CollapsibleAnalysisSectionGroupComponent_For_23_Conditional_3_Template(rf, ctx) { if (rf & 1) {
89108
89220
  i0.ɵɵelementStart(0, "div", 20);
89109
89221
  i0.ɵɵelement(1, "symphiq-icon", 35);
@@ -89603,7 +89715,7 @@ class CollapsibleAnalysisSectionGroupComponent {
89603
89715
  i0.ɵɵtext(20);
89604
89716
  i0.ɵɵelementEnd()()();
89605
89717
  i0.ɵɵelementStart(21, "div", 16);
89606
- i0.ɵɵrepeaterCreate(22, CollapsibleAnalysisSectionGroupComponent_For_23_Template, 20, 14, "div", 17, _forTrack0$l);
89718
+ i0.ɵɵrepeaterCreate(22, CollapsibleAnalysisSectionGroupComponent_For_23_Template, 20, 14, "div", 17, _forTrack0$n);
89607
89719
  i0.ɵɵelementEnd()()();
89608
89720
  } if (rf & 2) {
89609
89721
  i0.ɵɵproperty("ngClass", ctx.containerClasses());
@@ -89831,7 +89943,7 @@ class CollapsibleAnalysisSectionGroupComponent {
89831
89943
  }], null, { sections: [{ type: i0.Input, args: [{ isSignal: true, alias: "sections", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], executiveSummary: [{ type: i0.Input, args: [{ isSignal: true, alias: "executiveSummary", required: false }] }], focusAreaExecutiveSummary: [{ type: i0.Input, args: [{ isSignal: true, alias: "focusAreaExecutiveSummary", required: false }] }], metricExecutiveSummary: [{ type: i0.Input, args: [{ isSignal: true, alias: "metricExecutiveSummary", required: false }] }], metricName: [{ type: i0.Input, args: [{ isSignal: true, alias: "metricName", required: false }] }], allGoals: [{ type: i0.Input, args: [{ isSignal: true, alias: "allGoals", required: false }] }], allMetrics: [{ type: i0.Input, args: [{ isSignal: true, alias: "allMetrics", required: false }] }], allCharts: [{ type: i0.Input, args: [{ isSignal: true, alias: "allCharts", required: false }] }], allInsights: [{ type: i0.Input, args: [{ isSignal: true, alias: "allInsights", required: false }] }], businessProfile: [{ type: i0.Input, args: [{ isSignal: true, alias: "businessProfile", required: false }] }], storageKey: [{ type: i0.Input, args: [{ isSignal: true, alias: "storageKey", required: false }] }], unifiedExecutiveSummary: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedExecutiveSummary", required: false }] }], unifiedTimeline: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedTimeline", required: false }] }], unifiedPriorityMatrix: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedPriorityMatrix", required: false }] }], unifiedNextSteps: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedNextSteps", required: false }] }], unifiedGoals: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedGoals", required: false }] }], shopCounts: [{ type: i0.Input, args: [{ isSignal: true, alias: "shopCounts", required: false }] }], focusAreaCounts: [{ type: i0.Input, args: [{ isSignal: true, alias: "focusAreaCounts", required: false }] }], metricCounts: [{ type: i0.Input, args: [{ isSignal: true, alias: "metricCounts", required: false }] }], viewReportClick: [{ type: i0.Output, args: ["viewReportClick"] }], unifiedGoalClick: [{ type: i0.Output, args: ["unifiedGoalClick"] }], viewAllPriorityActionsClick: [{ type: i0.Output, args: ["viewAllPriorityActionsClick"] }] }); })();
89832
89944
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(CollapsibleAnalysisSectionGroupComponent, { className: "CollapsibleAnalysisSectionGroupComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/collapsible-analysis-section-group.component.ts", lineNumber: 212 }); })();
89833
89945
 
89834
- const _forTrack0$k = ($index, $item) => $item.item.id;
89946
+ const _forTrack0$m = ($index, $item) => $item.item.id;
89835
89947
  function ProfileCategoryListComponent_For_2_Template(rf, ctx) { if (rf & 1) {
89836
89948
  const _r1 = i0.ɵɵgetCurrentView();
89837
89949
  i0.ɵɵelementStart(0, "div", 1)(1, "div", 0)(2, "div", 2)(3, "div", 3)(4, "div", 4);
@@ -89921,7 +90033,7 @@ class ProfileCategoryListComponent {
89921
90033
  static { this.ɵfac = function ProfileCategoryListComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || ProfileCategoryListComponent)(); }; }
89922
90034
  static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: ProfileCategoryListComponent, selectors: [["symphiq-profile-category-list"]], inputs: { viewMode: [1, "viewMode"], items: [1, "items"], delayAnimation: [1, "delayAnimation"] }, outputs: { itemClick: "itemClick" }, decls: 3, vars: 0, consts: [[1, "space-y-4"], [1, "rounded-xl", "p-6", "transition-all", "duration-300", "hover:scale-[1.01]", 3, "ngClass"], [1, "flex", "items-start", "justify-between", "gap-4"], [1, "flex-1", "min-w-0"], [1, "text-xs", "font-semibold", "uppercase", "tracking-wider", "mb-2", 3, "ngClass"], [1, "text-lg", "font-semibold", "leading-tight", 3, "ngClass"], ["type", "button", 1, "flex-shrink-0", "px-5", "py-2.5", "rounded-lg", "font-medium", "text-sm", "transition-all", "duration-300", "flex", "items-center", "gap-2", "hover:scale-105", "active:scale-95", 3, "click", "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-4", "h-4"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 5l7 7-7 7"], [1, "space-y-2"], [1, "h-2", "rounded-full", "overflow-hidden", 3, "ngClass"], [3, "ngClass"], [1, "flex", "justify-between", "items-center"], [1, "text-sm", "font-medium", 3, "ngClass"]], template: function ProfileCategoryListComponent_Template(rf, ctx) { if (rf & 1) {
89923
90035
  i0.ɵɵelementStart(0, "div", 0);
89924
- i0.ɵɵrepeaterCreate(1, ProfileCategoryListComponent_For_2_Template, 19, 16, "div", 1, _forTrack0$k);
90036
+ i0.ɵɵrepeaterCreate(1, ProfileCategoryListComponent_For_2_Template, 19, 16, "div", 1, _forTrack0$m);
89925
90037
  i0.ɵɵelementEnd();
89926
90038
  } if (rf & 2) {
89927
90039
  i0.ɵɵadvance();
@@ -89990,7 +90102,7 @@ class ProfileCategoryListComponent {
89990
90102
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], items: [{ type: i0.Input, args: [{ isSignal: true, alias: "items", required: false }] }], delayAnimation: [{ type: i0.Input, args: [{ isSignal: true, alias: "delayAnimation", required: false }] }], itemClick: [{ type: i0.Output, args: ["itemClick"] }] }); })();
89991
90103
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ProfileCategoryListComponent, { className: "ProfileCategoryListComponent", filePath: "lib/components/shared/profile/profile-category-list.component.ts", lineNumber: 71 }); })();
89992
90104
 
89993
- const _forTrack0$j = ($index, $item) => $item.type;
90105
+ const _forTrack0$l = ($index, $item) => $item.type;
89994
90106
  function ProfileViewToggleComponent_For_2_Template(rf, ctx) { if (rf & 1) {
89995
90107
  const _r1 = i0.ɵɵgetCurrentView();
89996
90108
  i0.ɵɵelementStart(0, "button", 2);
@@ -90039,7 +90151,7 @@ class ProfileViewToggleComponent {
90039
90151
  static { this.ɵfac = function ProfileViewToggleComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || ProfileViewToggleComponent)(); }; }
90040
90152
  static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: ProfileViewToggleComponent, selectors: [["symphiq-profile-view-toggle"]], inputs: { viewMode: [1, "viewMode"], currentView: [1, "currentView"], options: [1, "options"] }, outputs: { viewChanged: "viewChanged" }, decls: 3, vars: 1, consts: [[1, "inline-flex", "gap-2", "rounded-lg", "p-1", 3, "ngClass"], ["type", "button", 1, "px-6", "py-2.5", "rounded-md", "font-medium", "text-sm", "transition-all", "duration-300", "ease-in-out", 3, "ngClass"], ["type", "button", 1, "px-6", "py-2.5", "rounded-md", "font-medium", "text-sm", "transition-all", "duration-300", "ease-in-out", 3, "click", "ngClass"]], template: function ProfileViewToggleComponent_Template(rf, ctx) { if (rf & 1) {
90041
90153
  i0.ɵɵelementStart(0, "div", 0);
90042
- i0.ɵɵrepeaterCreate(1, ProfileViewToggleComponent_For_2_Template, 2, 2, "button", 1, _forTrack0$j);
90154
+ i0.ɵɵrepeaterCreate(1, ProfileViewToggleComponent_For_2_Template, 2, 2, "button", 1, _forTrack0$l);
90043
90155
  i0.ɵɵelementEnd();
90044
90156
  } if (rf & 2) {
90045
90157
  i0.ɵɵproperty("ngClass", ctx.getContainerClasses());
@@ -90076,7 +90188,7 @@ const _c0$g = ["scrollContainer"];
90076
90188
  const _c1$7 = ["stickySentinel"];
90077
90189
  const _c2$5 = ["stickyHeader"];
90078
90190
  const _c3$2 = ["questionTitle"];
90079
- const _forTrack0$i = ($index, $item) => $item.tempId;
90191
+ const _forTrack0$k = ($index, $item) => $item.tempId;
90080
90192
  function ProfileQuestionAnswerComponent_Conditional_18_Template(rf, ctx) { if (rf & 1) {
90081
90193
  i0.ɵɵelementStart(0, "div", 16);
90082
90194
  i0.ɵɵtext(1);
@@ -90217,7 +90329,7 @@ function ProfileQuestionAnswerComponent_Conditional_26_Conditional_13_Template(r
90217
90329
  function ProfileQuestionAnswerComponent_Conditional_26_Template(rf, ctx) { if (rf & 1) {
90218
90330
  const _r4 = i0.ɵɵgetCurrentView();
90219
90331
  i0.ɵɵelementStart(0, "div", 41);
90220
- i0.ɵɵrepeaterCreate(1, ProfileQuestionAnswerComponent_Conditional_26_For_2_Template, 4, 5, "label", 42, _forTrack0$i);
90332
+ i0.ɵɵrepeaterCreate(1, ProfileQuestionAnswerComponent_Conditional_26_For_2_Template, 4, 5, "label", 42, _forTrack0$k);
90221
90333
  i0.ɵɵelementEnd();
90222
90334
  i0.ɵɵelementStart(3, "div", 43)(4, "div", 44)(5, "div", 45)(6, "div", 46)(7, "textarea", 47);
90223
90335
  i0.ɵɵtwoWayListener("ngModelChange", function ProfileQuestionAnswerComponent_Conditional_26_Template_textarea_ngModelChange_7_listener($event) { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(); i0.ɵɵtwoWayBindingSet(ctx_r1.customAnswerText, $event) || (ctx_r1.customAnswerText = $event); return i0.ɵɵresetView($event); });
@@ -91129,7 +91241,7 @@ class ProfileAnswerAnimationService {
91129
91241
  }]
91130
91242
  }], null, null); })();
91131
91243
 
91132
- const _forTrack0$h = ($index, $item) => $item.answer.id;
91244
+ const _forTrack0$j = ($index, $item) => $item.answer.id;
91133
91245
  function ProfileQuestionCardComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
91134
91246
  i0.ɵɵelementStart(0, "div", 1)(1, "span", 15);
91135
91247
  i0.ɵɵtext(2);
@@ -91218,7 +91330,7 @@ function ProfileQuestionCardComponent_Conditional_9_For_2_Template(rf, ctx) { if
91218
91330
  } }
91219
91331
  function ProfileQuestionCardComponent_Conditional_9_Template(rf, ctx) { if (rf & 1) {
91220
91332
  i0.ɵɵelementStart(0, "div", 8);
91221
- i0.ɵɵrepeaterCreate(1, ProfileQuestionCardComponent_Conditional_9_For_2_Template, 6, 11, null, null, _forTrack0$h);
91333
+ i0.ɵɵrepeaterCreate(1, ProfileQuestionCardComponent_Conditional_9_For_2_Template, 6, 11, null, null, _forTrack0$j);
91222
91334
  i0.ɵɵelementEnd();
91223
91335
  } if (rf & 2) {
91224
91336
  const ctx_r0 = i0.ɵɵnextContext();
@@ -91646,7 +91758,7 @@ class ProfileQuestionCardComponent {
91646
91758
  }], null, { question: [{ type: i0.Input, args: [{ isSignal: true, alias: "question", required: true }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], viewType: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewType", required: false }] }], profileAnswers: [{ type: i0.Input, args: [{ isSignal: true, alias: "profileAnswers", required: false }] }], profileAnswerHistories: [{ type: i0.Input, args: [{ isSignal: true, alias: "profileAnswerHistories", required: false }] }], users: [{ type: i0.Input, args: [{ isSignal: true, alias: "users", required: false }] }], showFocusAreaChips: [{ type: i0.Input, args: [{ isSignal: true, alias: "showFocusAreaChips", required: false }] }], categoryNameFormatter: [{ type: i0.Input, args: [{ isSignal: true, alias: "categoryNameFormatter", required: false }] }], answerClick: [{ type: i0.Output, args: ["answerClick"] }], historyClick: [{ type: i0.Output, args: ["historyClick"] }] }); })();
91647
91759
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ProfileQuestionCardComponent, { className: "ProfileQuestionCardComponent", filePath: "lib/components/shared/profile/profile-question-card.component.ts", lineNumber: 175 }); })();
91648
91760
 
91649
- const _forTrack0$g = ($index, $item) => $item.answer.id;
91761
+ const _forTrack0$i = ($index, $item) => $item.answer.id;
91650
91762
  const _forTrack1$2 = ($index, $item) => $item.history.id;
91651
91763
  function ProfileQuestionHistoryComponent_Conditional_16_For_8_Template(rf, ctx) { if (rf & 1) {
91652
91764
  i0.ɵɵelementStart(0, "div", 20)(1, "span", 21);
@@ -91680,7 +91792,7 @@ function ProfileQuestionHistoryComponent_Conditional_16_Template(rf, ctx) { if (
91680
91792
  i0.ɵɵtext(5);
91681
91793
  i0.ɵɵelementEnd();
91682
91794
  i0.ɵɵelementStart(6, "div", 19);
91683
- i0.ɵɵrepeaterCreate(7, ProfileQuestionHistoryComponent_Conditional_16_For_8_Template, 6, 8, null, null, _forTrack0$g);
91795
+ i0.ɵɵrepeaterCreate(7, ProfileQuestionHistoryComponent_Conditional_16_For_8_Template, 6, 8, null, null, _forTrack0$i);
91684
91796
  i0.ɵɵelementEnd()()();
91685
91797
  } if (rf & 2) {
91686
91798
  const ctx_r1 = i0.ɵɵnextContext();
@@ -92082,7 +92194,7 @@ class ProfileQuestionHistoryComponent {
92082
92194
  const _c0$f = ["modalContent"];
92083
92195
  const _c1$6 = ["modalWrapper"];
92084
92196
  const _c2$4 = ["scrollContainer"];
92085
- const _forTrack0$f = ($index, $item) => $item.id;
92197
+ const _forTrack0$h = ($index, $item) => $item.id;
92086
92198
  function ProfileQuestionsModalComponent_Conditional_0_Conditional_5_Conditional_0_Template(rf, ctx) { if (rf & 1) {
92087
92199
  const _r3 = i0.ɵɵgetCurrentView();
92088
92200
  i0.ɵɵelementStart(0, "symphiq-profile-question-history", 7);
@@ -92134,7 +92246,7 @@ function ProfileQuestionsModalComponent_Conditional_0_Conditional_6_Conditional_
92134
92246
  } }
92135
92247
  function ProfileQuestionsModalComponent_Conditional_0_Conditional_6_Conditional_18_Template(rf, ctx) { if (rf & 1) {
92136
92248
  i0.ɵɵelementStart(0, "div", 22);
92137
- i0.ɵɵrepeaterCreate(1, ProfileQuestionsModalComponent_Conditional_0_Conditional_6_Conditional_18_For_2_Template, 1, 9, "symphiq-profile-question-card", 28, _forTrack0$f);
92249
+ i0.ɵɵrepeaterCreate(1, ProfileQuestionsModalComponent_Conditional_0_Conditional_6_Conditional_18_For_2_Template, 1, 9, "symphiq-profile-question-card", 28, _forTrack0$h);
92138
92250
  i0.ɵɵelementEnd();
92139
92251
  } if (rf & 2) {
92140
92252
  const ctx_r1 = i0.ɵɵnextContext(3);
@@ -93893,7 +94005,7 @@ class CollapsibleShopProfileCardComponent {
93893
94005
  }], () => [{ type: i1$2.Router }], { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], totalQuestions: [{ type: i0.Input, args: [{ isSignal: true, alias: "totalQuestions", required: true }] }], answeredQuestions: [{ type: i0.Input, args: [{ isSignal: true, alias: "answeredQuestions", required: true }] }], questions: [{ type: i0.Input, args: [{ isSignal: true, alias: "questions", required: true }] }], profileAnswers: [{ type: i0.Input, args: [{ isSignal: true, alias: "profileAnswers", required: true }] }], profileAnswerHistories: [{ type: i0.Input, args: [{ isSignal: true, alias: "profileAnswerHistories", required: true }] }], users: [{ type: i0.Input, args: [{ isSignal: true, alias: "users", required: true }] }], config: [{ type: i0.Input, args: [{ isSignal: true, alias: "config", required: true }] }], groupConfig: [{ type: i0.Input, args: [{ isSignal: true, alias: "groupConfig", required: true }] }], currentUser: [{ type: i0.Input, args: [{ isSignal: true, alias: "currentUser", required: false }] }], startCategoryQuestions: [{ type: i0.Output, args: ["startCategoryQuestions"] }], answerSave: [{ type: i0.Output, args: ["answerSave"] }], adminAnswerAction: [{ type: i0.Output, args: ["adminAnswerAction"] }] }); })();
93894
94006
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(CollapsibleShopProfileCardComponent, { className: "CollapsibleShopProfileCardComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/collapsible-shop-profile-card.component.ts", lineNumber: 92 }); })();
93895
94007
 
93896
- const _forTrack0$e = ($index, $item) => $item.code;
94008
+ const _forTrack0$g = ($index, $item) => $item.code;
93897
94009
  function BillingCurrencySelectorCardComponent_For_15_Template(rf, ctx) { if (rf & 1) {
93898
94010
  const _r1 = i0.ɵɵgetCurrentView();
93899
94011
  i0.ɵɵelementStart(0, "label", 11)(1, "input", 12);
@@ -94085,7 +94197,7 @@ class BillingCurrencySelectorCardComponent {
94085
94197
  i0.ɵɵtext(10, " Choose the currency for your subscription ");
94086
94198
  i0.ɵɵelementEnd()()()();
94087
94199
  i0.ɵɵelementStart(11, "div", 8)(12, "div", 9)(13, "div", 10);
94088
- i0.ɵɵrepeaterCreate(14, BillingCurrencySelectorCardComponent_For_15_Template, 10, 12, "label", 11, _forTrack0$e);
94200
+ i0.ɵɵrepeaterCreate(14, BillingCurrencySelectorCardComponent_For_15_Template, 10, 12, "label", 11, _forTrack0$g);
94089
94201
  i0.ɵɵelementEnd()()()();
94090
94202
  } if (rf & 2) {
94091
94203
  i0.ɵɵproperty("ngClass", ctx.containerClasses());
@@ -95117,7 +95229,7 @@ At the end of each month, your total AI usage is calculated and automatically bi
95117
95229
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], planInfo: [{ type: i0.Input, args: [{ isSignal: true, alias: "planInfo", required: true }] }], isSelected: [{ type: i0.Input, args: [{ isSignal: true, alias: "isSelected", required: false }] }], selectedPeriodUnit: [{ type: i0.Input, args: [{ isSignal: true, alias: "selectedPeriodUnit", required: false }] }], monthlyComparisonPrice: [{ type: i0.Input, args: [{ isSignal: true, alias: "monthlyComparisonPrice", required: false }] }], planSelected: [{ type: i0.Output, args: ["planSelected"] }] }); })();
95118
95230
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(PlanCardComponent, { className: "PlanCardComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/plan-card.component.ts", lineNumber: 274 }); })();
95119
95231
 
95120
- const _forTrack0$d = ($index, $item) => $item.planItemPrice.id;
95232
+ const _forTrack0$f = ($index, $item) => $item.planItemPrice.id;
95121
95233
  function PlanSelectionContainerComponent_Conditional_19_Template(rf, ctx) { if (rf & 1) {
95122
95234
  i0.ɵɵelementStart(0, "div", 14);
95123
95235
  i0.ɵɵelement(1, "symphiq-indeterminate-spinner", 18);
@@ -95143,7 +95255,7 @@ function PlanSelectionContainerComponent_Conditional_20_For_2_Template(rf, ctx)
95143
95255
  } }
95144
95256
  function PlanSelectionContainerComponent_Conditional_20_Template(rf, ctx) { if (rf & 1) {
95145
95257
  i0.ɵɵelementStart(0, "div", 15);
95146
- i0.ɵɵrepeaterCreate(1, PlanSelectionContainerComponent_Conditional_20_For_2_Template, 1, 5, "symphiq-plan-card", 20, _forTrack0$d);
95258
+ i0.ɵɵrepeaterCreate(1, PlanSelectionContainerComponent_Conditional_20_For_2_Template, 1, 5, "symphiq-plan-card", 20, _forTrack0$f);
95147
95259
  i0.ɵɵelementEnd();
95148
95260
  } if (rf & 2) {
95149
95261
  const ctx_r0 = i0.ɵɵnextContext();
@@ -95474,7 +95586,7 @@ class PlanSelectionContainerComponent {
95474
95586
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], selectedCurrency: [{ type: i0.Input, args: [{ isSignal: true, alias: "selectedCurrency", required: false }] }], planCardInfos: [{ type: i0.Input, args: [{ isSignal: true, alias: "planCardInfos", required: false }] }], isLoading: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLoading", required: false }] }], selectedPeriodUnit: [{ type: i0.Input, args: [{ isSignal: true, alias: "selectedPeriodUnit", required: false }] }], periodUnitChanged: [{ type: i0.Output, args: ["periodUnitChanged"] }], planSelected: [{ type: i0.Output, args: ["planSelected"] }], editCurrency: [{ type: i0.Output, args: ["editCurrency"] }], checkout: [{ type: i0.Output, args: ["checkout"] }] }); })();
95475
95587
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(PlanSelectionContainerComponent, { className: "PlanSelectionContainerComponent", filePath: "lib/components/profile-analysis-shop-dashboard/cards/plan-selection-container.component.ts", lineNumber: 116 }); })();
95476
95588
 
95477
- const _forTrack0$c = ($index, $item) => $item.label;
95589
+ const _forTrack0$e = ($index, $item) => $item.label;
95478
95590
  const _forTrack1$1 = ($index, $item) => $item.title;
95479
95591
  function SubscriptionValuePropositionCardComponent_For_104_Conditional_7_Template(rf, ctx) { if (rf & 1) {
95480
95592
  i0.ɵɵnamespaceSVG();
@@ -95954,7 +96066,7 @@ class SubscriptionValuePropositionCardComponent {
95954
96066
  i0.ɵɵelementEnd();
95955
96067
  i0.ɵɵnamespaceHTML();
95956
96068
  i0.ɵɵelementStart(102, "div", 39);
95957
- i0.ɵɵrepeaterCreate(103, SubscriptionValuePropositionCardComponent_For_104_Template, 8, 6, "div", 40, _forTrack0$c);
96069
+ i0.ɵɵrepeaterCreate(103, SubscriptionValuePropositionCardComponent_For_104_Template, 8, 6, "div", 40, _forTrack0$e);
95958
96070
  i0.ɵɵelementEnd();
95959
96071
  i0.ɵɵelementStart(105, "div", 41);
95960
96072
  i0.ɵɵnamespaceSVG();
@@ -96664,7 +96776,7 @@ const _c1$5 = ["planSelectionContainer"];
96664
96776
  const _c2$3 = () => [];
96665
96777
  const _c3$1 = a0 => ({ name: "chevron-right", source: a0 });
96666
96778
  const _c4 = a0 => ({ name: "chevron-down", source: a0 });
96667
- const _forTrack0$b = ($index, $item) => $item.id;
96779
+ const _forTrack0$d = ($index, $item) => $item.id;
96668
96780
  function SymphiqProfileShopAnalysisDashboardComponent_Conditional_5_Template(rf, ctx) { if (rf & 1) {
96669
96781
  const _r1 = i0.ɵɵgetCurrentView();
96670
96782
  i0.ɵɵelementStart(0, "symphiq-journey-progress-indicator", 29);
@@ -97087,7 +97199,7 @@ function SymphiqProfileShopAnalysisDashboardComponent_Conditional_10_Conditional
97087
97199
  } }
97088
97200
  function SymphiqProfileShopAnalysisDashboardComponent_Conditional_10_Conditional_3_Template(rf, ctx) { if (rf & 1) {
97089
97201
  i0.ɵɵelementStart(0, "section", 49);
97090
- i0.ɵɵrepeaterCreate(1, SymphiqProfileShopAnalysisDashboardComponent_Conditional_10_Conditional_3_For_2_Template, 9, 16, null, null, _forTrack0$b);
97202
+ i0.ɵɵrepeaterCreate(1, SymphiqProfileShopAnalysisDashboardComponent_Conditional_10_Conditional_3_For_2_Template, 9, 16, null, null, _forTrack0$d);
97091
97203
  i0.ɵɵelementEnd();
97092
97204
  } if (rf & 2) {
97093
97205
  i0.ɵɵadvance();
@@ -99683,7 +99795,7 @@ class ProfileProgressIndicatorComponent {
99683
99795
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], questionsAnswered: [{ type: i0.Input, args: [{ isSignal: true, alias: "questionsAnswered", required: false }] }], totalQuestions: [{ type: i0.Input, args: [{ isSignal: true, alias: "totalQuestions", required: false }] }], progressPercent: [{ type: i0.Input, args: [{ isSignal: true, alias: "progressPercent", required: false }] }], status: [{ type: i0.Input, args: [{ isSignal: true, alias: "status", required: false }] }], label: [{ type: i0.Input, args: [{ isSignal: true, alias: "label", required: false }] }] }); })();
99684
99796
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ProfileProgressIndicatorComponent, { className: "ProfileProgressIndicatorComponent", filePath: "lib/components/shared/profile-progress-indicator.component.ts", lineNumber: 36 }); })();
99685
99797
 
99686
- const _forTrack0$a = ($index, $item) => $item.card.id;
99798
+ const _forTrack0$c = ($index, $item) => $item.card.id;
99687
99799
  function ProfileAnalysisCardGridComponent_For_2_Conditional_6_Template(rf, ctx) { if (rf & 1) {
99688
99800
  i0.ɵɵelementStart(0, "div", 7);
99689
99801
  i0.ɵɵtext(1);
@@ -99951,7 +100063,7 @@ function ProfileAnalysisCardGridComponent_Conditional_3_Template(rf, ctx) { if (
99951
100063
  i0.ɵɵelement(5, "div", 41);
99952
100064
  i0.ɵɵelementEnd();
99953
100065
  i0.ɵɵelementStart(6, "div", 43);
99954
- i0.ɵɵrepeaterCreate(7, ProfileAnalysisCardGridComponent_Conditional_3_For_8_Template, 12, 12, "div", 1, _forTrack0$a);
100066
+ i0.ɵɵrepeaterCreate(7, ProfileAnalysisCardGridComponent_Conditional_3_For_8_Template, 12, 12, "div", 1, _forTrack0$c);
99955
100067
  i0.ɵɵelementEnd()();
99956
100068
  } if (rf & 2) {
99957
100069
  const ctx_r2 = i0.ɵɵnextContext();
@@ -100047,7 +100159,7 @@ class ProfileAnalysisCardGridComponent {
100047
100159
  static { this.ɵfac = function ProfileAnalysisCardGridComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || ProfileAnalysisCardGridComponent)(); }; }
100048
100160
  static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: ProfileAnalysisCardGridComponent, selectors: [["symphiq-profile-analysis-card-grid"]], inputs: { viewMode: [1, "viewMode"], cards: [1, "cards"], config: [1, "config"] }, outputs: { cardClick: "cardClick" }, decls: 4, vars: 1, consts: [[1, "grid", "grid-cols-1", "md:grid-cols-2", "lg:grid-cols-3", "gap-6"], [3, "class"], [1, "mt-12"], [1, "p-6", "flex-1"], [1, "flex", "items-start", "justify-between", "mb-4"], [1, "text-4xl"], [1, "flex", "flex-col", "items-end", "gap-2"], [3, "ngClass"], [1, "px-2.5", "py-1", "rounded-full", "text-xs", "font-medium", "bg-red-100", "dark:bg-red-900/30", "text-red-700", "dark:text-red-400", "flex", "items-center", "gap-1.5", "animate-alert-pulse"], [1, "px-3", "py-1", "bg-emerald-100", "dark:bg-emerald-900/40", "text-emerald-700", "dark:text-emerald-400", "text-xs", "font-semibold", "rounded-full", "flex", "items-center", "gap-1.5", "border", "border-emerald-300/50", "dark:border-emerald-500/30", "shadow-sm"], ["tooltipPosition", "bottom", 3, "libSymphiqTooltip"], [1, "mt-3", "mb-4"], [1, "flex", "items-center", "gap-2", "py-2"], [1, "cursor-pointer", "mt-4"], [1, "px-6", "pb-4"], [1, "w-2", "h-2", "rounded-full", "bg-red-500", "animate-slow-pulse"], ["fill", "currentColor", "viewBox", "0 0 20 20", 1, "w-3.5", "h-3.5"], ["fill-rule", "evenodd", "d", "M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z", "clip-rule", "evenodd"], [1, "flex", "items-center", "gap-2"], [1, "text-xs", "font-medium", 3, "ngClass"], [1, "flex", "flex-wrap", "gap-1.5"], [1, "px-2", "py-0.5", "rounded", "text-xs", 3, "ngClass"], [1, "animate-spin", "w-4", "h-4", "border-2", "border-amber-500/30", "border-t-amber-500", "rounded-full"], [1, "text-xs", "text-amber-600", "dark:text-amber-400", "font-medium"], [1, "cursor-pointer", "mt-4", 3, "click"], [3, "viewMode", "questionsAnswered", "totalQuestions", "progressPercent", "status", "label"], [3, "itemStatus", "viewMode", "compact", "compactTitle"], [1, "mt-auto", "cursor-pointer", "bg-gradient-to-r", "from-blue-600", "via-cyan-600", "to-teal-600", "hover:from-blue-500", "hover:via-cyan-500", "hover:to-teal-500", "transition-all", "duration-300", "px-4", "py-3", "border-t", "border-blue-500/30", "animate-review-pulse"], [1, "mt-auto", "cursor-pointer", "hover:bg-slate-100", "dark:hover:bg-slate-700/50", "transition-colors", 3, "class"], [1, "mt-auto", "cursor-pointer", "bg-gradient-to-r", "from-blue-600", "via-cyan-600", "to-teal-600", "hover:from-blue-500", "hover:via-cyan-500", "hover:to-teal-500", "transition-all", "duration-300", "px-4", "py-3", "border-t", "border-blue-500/30", "animate-review-pulse", 3, "click"], [1, "flex", "items-center", "justify-between"], [1, "text-sm", "font-semibold", "text-white", "flex", "items-center", "gap-2"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5", "animate-pulse"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M15 12a3 3 0 11-6 0 3 3 0 016 0z"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M2.458 12C3.732 7.943 7.523 5 12 5c4.478 0 8.268 2.943 9.542 7-1.274 4.057-5.064 7-9.542 7-4.477 0-8.268-2.943-9.542-7z"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5", "text-white/90", "group-hover:translate-x-1", "transition-transform"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 5l7 7-7 7"], [1, "mt-auto", "cursor-pointer", "hover:bg-slate-100", "dark:hover:bg-slate-700/50", "transition-colors", 3, "click"], [1, "text-sm", "font-medium", "text-slate-600", "dark:text-slate-400"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5", "text-slate-400", "dark:text-slate-500", "hover:text-blue-500", "dark:hover:text-blue-400", "hover:translate-x-1", "transition-all"], [1, "flex", "items-center", "gap-4", "mb-6"], [1, "flex-1", "h-px", 3, "ngClass"], [1, "text-sm", "font-medium", "px-3", 3, "ngClass"], [1, "grid", "grid-cols-1", "md:grid-cols-2", "lg:grid-cols-3", "gap-6", "opacity-60"]], template: function ProfileAnalysisCardGridComponent_Template(rf, ctx) { if (rf & 1) {
100049
100161
  i0.ɵɵelementStart(0, "div", 0);
100050
- i0.ɵɵrepeaterCreate(1, ProfileAnalysisCardGridComponent_For_2_Template, 19, 17, "div", 1, _forTrack0$a);
100162
+ i0.ɵɵrepeaterCreate(1, ProfileAnalysisCardGridComponent_For_2_Template, 19, 17, "div", 1, _forTrack0$c);
100051
100163
  i0.ɵɵelementEnd();
100052
100164
  i0.ɵɵconditionalCreate(3, ProfileAnalysisCardGridComponent_Conditional_3_Template, 9, 4, "div", 2);
100053
100165
  } if (rf & 2) {
@@ -101509,7 +101621,7 @@ class FocusAreaWelcomeBannerComponent {
101509
101621
 
101510
101622
  const _c0$a = ["funnelModalComponent"];
101511
101623
  const _c1$4 = () => [];
101512
- const _forTrack0$9 = ($index, $item) => $item.id;
101624
+ const _forTrack0$b = ($index, $item) => $item.id;
101513
101625
  function SymphiqProfileAnalysisFocusAreaDashboardComponent_Conditional_6_Conditional_2_Template(rf, ctx) { if (rf & 1) {
101514
101626
  i0.ɵɵelement(0, "symphiq-loading-card", 23);
101515
101627
  } if (rf & 2) {
@@ -101685,7 +101797,7 @@ function SymphiqProfileAnalysisFocusAreaDashboardComponent_Conditional_8_Conditi
101685
101797
  } }
101686
101798
  function SymphiqProfileAnalysisFocusAreaDashboardComponent_Conditional_8_Conditional_2_Template(rf, ctx) { if (rf & 1) {
101687
101799
  i0.ɵɵelementStart(0, "section", 31);
101688
- i0.ɵɵrepeaterCreate(1, SymphiqProfileAnalysisFocusAreaDashboardComponent_Conditional_8_Conditional_2_For_2_Template, 9, 15, null, null, _forTrack0$9);
101800
+ i0.ɵɵrepeaterCreate(1, SymphiqProfileAnalysisFocusAreaDashboardComponent_Conditional_8_Conditional_2_For_2_Template, 9, 15, null, null, _forTrack0$b);
101689
101801
  i0.ɵɵelementEnd();
101690
101802
  } if (rf & 2) {
101691
101803
  i0.ɵɵadvance();
@@ -103022,61 +103134,292 @@ class ThematicCategoryBadgeComponent {
103022
103134
  }], null, { category: [{ type: i0.Input, args: [{ isSignal: true, alias: "category", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }] }); })();
103023
103135
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(ThematicCategoryBadgeComponent, { className: "ThematicCategoryBadgeComponent", filePath: "lib/components/shared/thematic-category-badge.component.ts", lineNumber: 18 }); })();
103024
103136
 
103025
- function UnifiedGoalCardComponent_Conditional_10_Template(rf, ctx) { if (rf & 1) {
103026
- i0.ɵɵelementStart(0, "div", 8);
103027
- i0.ɵɵelement(1, "symphiq-thematic-category-badge", 17);
103137
+ const _forTrack0$a = ($index, $item) => $item.value;
103138
+ function GoalActionStateChipComponent_Conditional_6_For_2_Conditional_4_Template(rf, ctx) { if (rf & 1) {
103139
+ i0.ɵɵnamespaceSVG();
103140
+ i0.ɵɵelementStart(0, "svg", 10);
103141
+ i0.ɵɵelement(1, "path", 11);
103142
+ i0.ɵɵelementEnd();
103143
+ } }
103144
+ function GoalActionStateChipComponent_Conditional_6_For_2_Template(rf, ctx) { if (rf & 1) {
103145
+ const _r1 = i0.ɵɵgetCurrentView();
103146
+ i0.ɵɵelementStart(0, "button", 7);
103147
+ i0.ɵɵlistener("click", function GoalActionStateChipComponent_Conditional_6_For_2_Template_button_click_0_listener($event) { const option_r2 = i0.ɵɵrestoreView(_r1).$implicit; const ctx_r2 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r2.selectOption($event, option_r2.value)); });
103148
+ i0.ɵɵelement(1, "span", 8);
103149
+ i0.ɵɵelementStart(2, "span", 9);
103150
+ i0.ɵɵtext(3);
103151
+ i0.ɵɵelementEnd();
103152
+ i0.ɵɵconditionalCreate(4, GoalActionStateChipComponent_Conditional_6_For_2_Conditional_4_Template, 2, 0, ":svg:svg", 10);
103028
103153
  i0.ɵɵelementEnd();
103029
103154
  } if (rf & 2) {
103030
- const ctx_r0 = i0.ɵɵnextContext();
103155
+ const option_r2 = ctx.$implicit;
103156
+ const ctx_r2 = i0.ɵɵnextContext(2);
103157
+ i0.ɵɵproperty("ngClass", ctx_r2.getOptionClasses(option_r2.value));
103031
103158
  i0.ɵɵadvance();
103032
- i0.ɵɵproperty("category", ctx_r0.goal().thematicCategory)("viewMode", ctx_r0.viewMode());
103159
+ i0.ɵɵproperty("ngClass", ctx_r2.getOptionDotClasses(option_r2.value));
103160
+ i0.ɵɵadvance(2);
103161
+ i0.ɵɵtextInterpolate(option_r2.label);
103162
+ i0.ɵɵadvance();
103163
+ i0.ɵɵconditional(ctx_r2.state() === option_r2.value ? 4 : -1);
103033
103164
  } }
103034
- function UnifiedGoalCardComponent_Conditional_11_Template(rf, ctx) { if (rf & 1) {
103035
- i0.ɵɵelementStart(0, "p", 9);
103036
- i0.ɵɵtext(1);
103165
+ function GoalActionStateChipComponent_Conditional_6_Template(rf, ctx) { if (rf & 1) {
103166
+ i0.ɵɵelementStart(0, "div", 5);
103167
+ i0.ɵɵrepeaterCreate(1, GoalActionStateChipComponent_Conditional_6_For_2_Template, 5, 4, "button", 6, _forTrack0$a);
103037
103168
  i0.ɵɵelementEnd();
103038
103169
  } if (rf & 2) {
103039
- const ctx_r0 = i0.ɵɵnextContext();
103040
- i0.ɵɵproperty("ngClass", ctx_r0.descriptionClasses())("libSymphiqTooltip", ctx_r0.goal().description);
103170
+ const ctx_r2 = i0.ɵɵnextContext();
103171
+ i0.ɵɵproperty("ngClass", ctx_r2.dropdownClasses());
103041
103172
  i0.ɵɵadvance();
103042
- i0.ɵɵtextInterpolate(ctx_r0.goal().description);
103173
+ i0.ɵɵrepeater(ctx_r2.options);
103174
+ } }
103175
+ class GoalActionStateChipComponent {
103176
+ constructor() {
103177
+ this.state = input.required(...(ngDevMode ? [{ debugName: "state" }] : []));
103178
+ this.viewMode = input(ViewModeEnum.LIGHT, ...(ngDevMode ? [{ debugName: "viewMode" }] : []));
103179
+ this.goalId = input(...(ngDevMode ? [undefined, { debugName: "goalId" }] : []));
103180
+ this.stateChange = output();
103181
+ this.isOpen = signal(false, ...(ngDevMode ? [{ debugName: "isOpen" }] : []));
103182
+ this.elementRef = inject(ElementRef);
103183
+ this.options = [
103184
+ { value: GoalActionStateEnum.PLAN, label: 'Plan to Act' },
103185
+ { value: GoalActionStateEnum.POTENTIAL, label: 'Keep for Later' },
103186
+ { value: GoalActionStateEnum.SKIP, label: 'Skip' }
103187
+ ];
103188
+ this.isDark = computed(() => this.viewMode() === ViewModeEnum.DARK, ...(ngDevMode ? [{ debugName: "isDark" }] : []));
103189
+ this.label = computed(() => {
103190
+ switch (this.state()) {
103191
+ case GoalActionStateEnum.PLAN: return 'Planned';
103192
+ case GoalActionStateEnum.POTENTIAL: return 'Potential';
103193
+ case GoalActionStateEnum.SKIP: return 'Skipped';
103194
+ default: return 'Choose';
103195
+ }
103196
+ }, ...(ngDevMode ? [{ debugName: "label" }] : []));
103197
+ this.chipClasses = computed(() => {
103198
+ const s = this.state();
103199
+ if (this.isDark()) {
103200
+ switch (s) {
103201
+ case GoalActionStateEnum.PLAN:
103202
+ return 'bg-emerald-900/40 text-emerald-300 border border-emerald-600 hover:bg-emerald-900/60 hover:shadow-emerald-500/20 hover:shadow-md';
103203
+ case GoalActionStateEnum.POTENTIAL:
103204
+ return 'bg-amber-900/40 text-amber-300 border border-amber-600 hover:bg-amber-900/60 hover:shadow-amber-500/20 hover:shadow-md';
103205
+ case GoalActionStateEnum.SKIP:
103206
+ return 'bg-slate-700/50 text-slate-400 border border-slate-600 hover:bg-slate-700/70 hover:shadow-slate-500/20 hover:shadow-md';
103207
+ default:
103208
+ return 'bg-slate-700/50 text-slate-400 border border-slate-600';
103209
+ }
103210
+ }
103211
+ switch (s) {
103212
+ case GoalActionStateEnum.PLAN:
103213
+ return 'bg-emerald-100 text-emerald-700 border border-emerald-300 hover:bg-emerald-200 hover:shadow-emerald-200 hover:shadow-md';
103214
+ case GoalActionStateEnum.POTENTIAL:
103215
+ return 'bg-amber-100 text-amber-700 border border-amber-300 hover:bg-amber-200 hover:shadow-amber-200 hover:shadow-md';
103216
+ case GoalActionStateEnum.SKIP:
103217
+ return 'bg-slate-100 text-slate-500 border border-slate-300 hover:bg-slate-200 hover:shadow-slate-200 hover:shadow-md';
103218
+ default:
103219
+ return 'bg-slate-100 text-slate-600 border border-slate-200';
103220
+ }
103221
+ }, ...(ngDevMode ? [{ debugName: "chipClasses" }] : []));
103222
+ this.dotClasses = computed(() => {
103223
+ const s = this.state();
103224
+ switch (s) {
103225
+ case GoalActionStateEnum.PLAN:
103226
+ return 'bg-emerald-500';
103227
+ case GoalActionStateEnum.POTENTIAL:
103228
+ return 'bg-amber-500';
103229
+ case GoalActionStateEnum.SKIP:
103230
+ return 'bg-slate-400';
103231
+ default:
103232
+ return 'bg-slate-400';
103233
+ }
103234
+ }, ...(ngDevMode ? [{ debugName: "dotClasses" }] : []));
103235
+ this.dropdownClasses = computed(() => {
103236
+ return this.isDark()
103237
+ ? 'bg-slate-800 border-slate-700'
103238
+ : 'bg-white border-slate-200';
103239
+ }, ...(ngDevMode ? [{ debugName: "dropdownClasses" }] : []));
103240
+ }
103241
+ getOptionClasses(value) {
103242
+ const isSelected = this.state() === value;
103243
+ if (this.isDark()) {
103244
+ return isSelected
103245
+ ? 'bg-slate-700/50 text-white'
103246
+ : 'text-slate-300 hover:bg-slate-700/30';
103247
+ }
103248
+ return isSelected
103249
+ ? 'bg-slate-100 text-slate-900'
103250
+ : 'text-slate-700 hover:bg-slate-50';
103251
+ }
103252
+ getOptionDotClasses(value) {
103253
+ switch (value) {
103254
+ case GoalActionStateEnum.PLAN:
103255
+ return 'bg-emerald-500';
103256
+ case GoalActionStateEnum.POTENTIAL:
103257
+ return 'bg-amber-500';
103258
+ case GoalActionStateEnum.SKIP:
103259
+ return 'bg-slate-400';
103260
+ default:
103261
+ return 'bg-slate-400';
103262
+ }
103263
+ }
103264
+ toggleDropdown(event) {
103265
+ event.stopPropagation();
103266
+ this.isOpen.update(v => !v);
103267
+ }
103268
+ selectOption(event, value) {
103269
+ event.stopPropagation();
103270
+ this.isOpen.set(false);
103271
+ if (value !== this.state()) {
103272
+ this.stateChange.emit({ goalId: this.goalId(), state: value });
103273
+ }
103274
+ }
103275
+ onDocumentClick(event) {
103276
+ if (!this.elementRef.nativeElement.contains(event.target)) {
103277
+ this.isOpen.set(false);
103278
+ }
103279
+ }
103280
+ static { this.ɵfac = function GoalActionStateChipComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || GoalActionStateChipComponent)(); }; }
103281
+ static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: GoalActionStateChipComponent, selectors: [["symphiq-goal-action-state-chip"]], hostBindings: function GoalActionStateChipComponent_HostBindings(rf, ctx) { if (rf & 1) {
103282
+ i0.ɵɵlistener("click", function GoalActionStateChipComponent_click_HostBindingHandler($event) { return ctx.onDocumentClick($event); }, i0.ɵɵresolveDocument);
103283
+ } }, inputs: { state: [1, "state"], viewMode: [1, "viewMode"], goalId: [1, "goalId"] }, outputs: { stateChange: "stateChange" }, decls: 7, vars: 6, consts: [[1, "relative", "inline-block"], ["type", "button", 1, "inline-flex", "items-center", "gap-1.5", "px-3", "py-1", "rounded-full", "text-xs", "font-semibold", "whitespace-nowrap", "cursor-pointer", "transition-all", "duration-200", "hover:scale-105", 3, "click", "ngClass"], [1, "w-2", "h-2", "rounded-full", 3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-3", "h-3", "transition-transform", "duration-200"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M19 9l-7 7-7-7"], [1, "absolute", "top-full", "left-0", "mt-1", "min-w-[160px]", "rounded-lg", "shadow-xl", "z-50", "py-1", "border", 3, "ngClass"], ["type", "button", 1, "w-full", "flex", "items-center", "gap-2", "px-3", "py-2", "text-xs", "font-medium", "transition-colors", "duration-150", "text-left", 3, "ngClass"], ["type", "button", 1, "w-full", "flex", "items-center", "gap-2", "px-3", "py-2", "text-xs", "font-medium", "transition-colors", "duration-150", "text-left", 3, "click", "ngClass"], [1, "w-2", "h-2", "rounded-full", "flex-shrink-0", 3, "ngClass"], [1, "flex-1"], ["fill", "currentColor", "viewBox", "0 0 20 20", 1, "w-3.5", "h-3.5", "text-blue-500"], ["fill-rule", "evenodd", "d", "M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z", "clip-rule", "evenodd"]], template: function GoalActionStateChipComponent_Template(rf, ctx) { if (rf & 1) {
103284
+ i0.ɵɵelementStart(0, "div", 0)(1, "button", 1);
103285
+ i0.ɵɵlistener("click", function GoalActionStateChipComponent_Template_button_click_1_listener($event) { return ctx.toggleDropdown($event); });
103286
+ i0.ɵɵelement(2, "span", 2);
103287
+ i0.ɵɵtext(3);
103288
+ i0.ɵɵnamespaceSVG();
103289
+ i0.ɵɵelementStart(4, "svg", 3);
103290
+ i0.ɵɵelement(5, "path", 4);
103291
+ i0.ɵɵelementEnd()();
103292
+ i0.ɵɵconditionalCreate(6, GoalActionStateChipComponent_Conditional_6_Template, 3, 1, "div", 5);
103293
+ i0.ɵɵelementEnd();
103294
+ } if (rf & 2) {
103295
+ i0.ɵɵadvance();
103296
+ i0.ɵɵproperty("ngClass", ctx.chipClasses());
103297
+ i0.ɵɵadvance();
103298
+ i0.ɵɵproperty("ngClass", ctx.dotClasses());
103299
+ i0.ɵɵadvance();
103300
+ i0.ɵɵtextInterpolate1(" ", ctx.label(), " ");
103301
+ i0.ɵɵadvance();
103302
+ i0.ɵɵclassProp("rotate-180", ctx.isOpen());
103303
+ i0.ɵɵadvance(2);
103304
+ i0.ɵɵconditional(ctx.isOpen() ? 6 : -1);
103305
+ } }, dependencies: [CommonModule, i1$1.NgClass], encapsulation: 2, changeDetection: 0 }); }
103306
+ }
103307
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassMetadata(GoalActionStateChipComponent, [{
103308
+ type: Component,
103309
+ args: [{
103310
+ selector: 'symphiq-goal-action-state-chip',
103311
+ standalone: true,
103312
+ imports: [CommonModule],
103313
+ changeDetection: ChangeDetectionStrategy.OnPush,
103314
+ template: `
103315
+ <div class="relative inline-block">
103316
+ <button
103317
+ type="button"
103318
+ (click)="toggleDropdown($event)"
103319
+ [ngClass]="chipClasses()"
103320
+ class="inline-flex items-center gap-1.5 px-3 py-1 rounded-full text-xs font-semibold whitespace-nowrap cursor-pointer transition-all duration-200 hover:scale-105">
103321
+ <span [ngClass]="dotClasses()" class="w-2 h-2 rounded-full"></span>
103322
+ {{ label() }}
103323
+ <svg class="w-3 h-3 transition-transform duration-200" [class.rotate-180]="isOpen()" fill="none" stroke="currentColor" viewBox="0 0 24 24">
103324
+ <path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M19 9l-7 7-7-7"></path>
103325
+ </svg>
103326
+ </button>
103327
+
103328
+ @if (isOpen()) {
103329
+ <div [ngClass]="dropdownClasses()" class="absolute top-full left-0 mt-1 min-w-[160px] rounded-lg shadow-xl z-50 py-1 border">
103330
+ @for (option of options; track option.value) {
103331
+ <button
103332
+ type="button"
103333
+ (click)="selectOption($event, option.value)"
103334
+ [ngClass]="getOptionClasses(option.value)"
103335
+ class="w-full flex items-center gap-2 px-3 py-2 text-xs font-medium transition-colors duration-150 text-left">
103336
+ <span [ngClass]="getOptionDotClasses(option.value)" class="w-2 h-2 rounded-full flex-shrink-0"></span>
103337
+ <span class="flex-1">{{ option.label }}</span>
103338
+ @if (state() === option.value) {
103339
+ <svg class="w-3.5 h-3.5 text-blue-500" fill="currentColor" viewBox="0 0 20 20">
103340
+ <path fill-rule="evenodd" d="M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z" clip-rule="evenodd"></path>
103341
+ </svg>
103342
+ }
103343
+ </button>
103344
+ }
103345
+ </div>
103346
+ }
103347
+ </div>
103348
+ `
103349
+ }]
103350
+ }], null, { state: [{ type: i0.Input, args: [{ isSignal: true, alias: "state", required: true }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], goalId: [{ type: i0.Input, args: [{ isSignal: true, alias: "goalId", required: false }] }], stateChange: [{ type: i0.Output, args: ["stateChange"] }], onDocumentClick: [{
103351
+ type: HostListener,
103352
+ args: ['document:click', ['$event']]
103353
+ }] }); })();
103354
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(GoalActionStateChipComponent, { className: "GoalActionStateChipComponent", filePath: "lib/components/shared/goal-action-state-chip.component.ts", lineNumber: 47 }); })();
103355
+
103356
+ function UnifiedGoalCardComponent_Conditional_9_Template(rf, ctx) { if (rf & 1) {
103357
+ const _r1 = i0.ɵɵgetCurrentView();
103358
+ i0.ɵɵelementStart(0, "symphiq-goal-action-state-chip", 19);
103359
+ i0.ɵɵlistener("stateChange", function UnifiedGoalCardComponent_Conditional_9_Template_symphiq_goal_action_state_chip_stateChange_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.onActionStateChange($event)); });
103360
+ i0.ɵɵelementEnd();
103361
+ } if (rf & 2) {
103362
+ let tmp_3_0;
103363
+ const ctx_r1 = i0.ɵɵnextContext();
103364
+ i0.ɵɵproperty("state", ctx_r1.actionState())("viewMode", ctx_r1.viewMode())("goalId", (tmp_3_0 = ctx_r1.goal()) == null ? null : tmp_3_0.id);
103043
103365
  } }
103044
103366
  function UnifiedGoalCardComponent_Conditional_12_Template(rf, ctx) { if (rf & 1) {
103045
103367
  i0.ɵɵelementStart(0, "div", 10);
103046
- i0.ɵɵelement(1, "symphiq-roadmap-metrics", 18);
103368
+ i0.ɵɵelement(1, "symphiq-thematic-category-badge", 20);
103047
103369
  i0.ɵɵelementEnd();
103048
103370
  } if (rf & 2) {
103049
- const ctx_r0 = i0.ɵɵnextContext();
103371
+ const ctx_r1 = i0.ɵɵnextContext();
103050
103372
  i0.ɵɵadvance();
103051
- i0.ɵɵproperty("metrics", ctx_r0.roadmapMetrics())("viewMode", ctx_r0.viewMode());
103373
+ i0.ɵɵproperty("category", ctx_r1.goal().thematicCategory)("viewMode", ctx_r1.viewMode());
103052
103374
  } }
103053
- function UnifiedGoalCardComponent_Conditional_14_Template(rf, ctx) { if (rf & 1) {
103054
- i0.ɵɵelement(0, "symphiq-priority-badge", 12);
103375
+ function UnifiedGoalCardComponent_Conditional_13_Template(rf, ctx) { if (rf & 1) {
103376
+ i0.ɵɵelementStart(0, "p", 11);
103377
+ i0.ɵɵtext(1);
103378
+ i0.ɵɵelementEnd();
103055
103379
  } if (rf & 2) {
103056
- const ctx_r0 = i0.ɵɵnextContext();
103057
- i0.ɵɵproperty("priority", ctx_r0.goal().priority)("viewMode", ctx_r0.viewMode());
103380
+ const ctx_r1 = i0.ɵɵnextContext();
103381
+ i0.ɵɵproperty("ngClass", ctx_r1.descriptionClasses())("libSymphiqTooltip", ctx_r1.goal().description);
103382
+ i0.ɵɵadvance();
103383
+ i0.ɵɵtextInterpolate(ctx_r1.goal().description);
103058
103384
  } }
103059
- function UnifiedGoalCardComponent_Conditional_15_Template(rf, ctx) { if (rf & 1) {
103060
- i0.ɵɵelement(0, "symphiq-timeframe-badge", 13);
103385
+ function UnifiedGoalCardComponent_Conditional_14_Template(rf, ctx) { if (rf & 1) {
103386
+ i0.ɵɵelementStart(0, "div", 12);
103387
+ i0.ɵɵelement(1, "symphiq-roadmap-metrics", 21);
103388
+ i0.ɵɵelementEnd();
103061
103389
  } if (rf & 2) {
103062
- const ctx_r0 = i0.ɵɵnextContext();
103063
- i0.ɵɵproperty("timeframe", ctx_r0.goal().timeframe)("viewMode", ctx_r0.viewMode());
103390
+ const ctx_r1 = i0.ɵɵnextContext();
103391
+ i0.ɵɵadvance();
103392
+ i0.ɵɵproperty("metrics", ctx_r1.roadmapMetrics())("viewMode", ctx_r1.viewMode());
103064
103393
  } }
103065
103394
  function UnifiedGoalCardComponent_Conditional_16_Template(rf, ctx) { if (rf & 1) {
103066
- i0.ɵɵelement(0, "symphiq-source-summary", 14);
103395
+ i0.ɵɵelement(0, "symphiq-priority-badge", 14);
103067
103396
  } if (rf & 2) {
103068
- const ctx_r0 = i0.ɵɵnextContext();
103069
- i0.ɵɵproperty("sourceTypeCounts", ctx_r0.sourceTypeCounts())("contributingCounts", ctx_r0.contributingCounts())("viewMode", ctx_r0.viewMode());
103397
+ const ctx_r1 = i0.ɵɵnextContext();
103398
+ i0.ɵɵproperty("priority", ctx_r1.goal().priority)("viewMode", ctx_r1.viewMode());
103399
+ } }
103400
+ function UnifiedGoalCardComponent_Conditional_17_Template(rf, ctx) { if (rf & 1) {
103401
+ i0.ɵɵelement(0, "symphiq-timeframe-badge", 15);
103402
+ } if (rf & 2) {
103403
+ const ctx_r1 = i0.ɵɵnextContext();
103404
+ i0.ɵɵproperty("timeframe", ctx_r1.goal().timeframe)("viewMode", ctx_r1.viewMode());
103405
+ } }
103406
+ function UnifiedGoalCardComponent_Conditional_18_Template(rf, ctx) { if (rf & 1) {
103407
+ i0.ɵɵelement(0, "symphiq-source-summary", 16);
103408
+ } if (rf & 2) {
103409
+ const ctx_r1 = i0.ɵɵnextContext();
103410
+ i0.ɵɵproperty("sourceTypeCounts", ctx_r1.sourceTypeCounts())("contributingCounts", ctx_r1.contributingCounts())("viewMode", ctx_r1.viewMode());
103070
103411
  } }
103071
103412
  class UnifiedGoalCardComponent {
103072
103413
  constructor() {
103073
103414
  this.goal = input(...(ngDevMode ? [undefined, { debugName: "goal" }] : []));
103074
103415
  this.viewMode = input(ViewModeEnum.LIGHT, ...(ngDevMode ? [{ debugName: "viewMode" }] : []));
103416
+ this.actionState = input(...(ngDevMode ? [undefined, { debugName: "actionState" }] : []));
103075
103417
  this.goalClick = output();
103076
103418
  this.sourceBadgeClick = output();
103077
103419
  this.relatedMetricsClick = output();
103078
103420
  this.relatedFocusAreasClick = output();
103079
103421
  this.learnMoreClick = output();
103422
+ this.actionStateChange = output();
103080
103423
  this.ProfileAnalysisTypeEnum = ProfileAnalysisTypeEnum;
103081
103424
  this.isDark = computed(() => this.viewMode() === ViewModeEnum.DARK, ...(ngDevMode ? [{ debugName: "isDark" }] : []));
103082
103425
  this.displayedSources = computed(() => {
@@ -103218,59 +103561,66 @@ class UnifiedGoalCardComponent {
103218
103561
  this.learnMoreClick.emit(g);
103219
103562
  }
103220
103563
  }
103564
+ onActionStateChange(event) {
103565
+ this.actionStateChange.emit(event);
103566
+ }
103221
103567
  static { this.ɵfac = function UnifiedGoalCardComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || UnifiedGoalCardComponent)(); }; }
103222
- static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: UnifiedGoalCardComponent, selectors: [["symphiq-unified-goal-card"]], inputs: { goal: [1, "goal"], viewMode: [1, "viewMode"] }, outputs: { goalClick: "goalClick", sourceBadgeClick: "sourceBadgeClick", relatedMetricsClick: "relatedMetricsClick", relatedFocusAreasClick: "relatedFocusAreasClick", learnMoreClick: "learnMoreClick" }, decls: 19, vars: 14, consts: [[1, "rounded-2xl", "p-6", "shadow-lg", "transition-all", "duration-200", 3, "ngClass"], [1, "flex", "items-start", "gap-4", "mb-2"], [3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 12l2 2 4-4M7.835 4.697a3.42 3.42 0 001.946-.806 3.42 3.42 0 014.438 0 3.42 3.42 0 001.946.806 3.42 3.42 0 013.138 3.138 3.42 3.42 0 00.806 1.946 3.42 3.42 0 010 4.438 3.42 3.42 0 00-.806 1.946 3.42 3.42 0 01-3.138 3.138 3.42 3.42 0 00-1.946.806 3.42 3.42 0 01-4.438 0 3.42 3.42 0 00-1.946-.806 3.42 3.42 0 01-3.138-3.138 3.42 3.42 0 00-.806-1.946 3.42 3.42 0 010-4.438 3.42 3.42 0 00.806-1.946 3.42 3.42 0 013.138-3.138z"], [1, "flex-1", "min-w-0"], [1, "text-xs", "font-semibold", "uppercase", "tracking-wider", "mb-1", 3, "ngClass"], [1, "font-semibold", "text-lg", "line-clamp-2", 3, "ngClass"], [1, "mb-3"], [1, "text-sm", "mb-4", "line-clamp-3", "cursor-help", 3, "ngClass", "libSymphiqTooltip"], [1, "mb-4"], [1, "flex", "flex-wrap", "items-center", "justify-between", "gap-3", "mb-4"], [3, "priority", "viewMode"], [3, "timeframe", "viewMode"], [3, "sourceTypeCounts", "contributingCounts", "viewMode"], [1, "mt-4"], [3, "buttonClick", "viewMode", "variant", "label"], [3, "category", "viewMode"], [3, "metrics", "viewMode"]], template: function UnifiedGoalCardComponent_Template(rf, ctx) { if (rf & 1) {
103568
+ static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: UnifiedGoalCardComponent, selectors: [["symphiq-unified-goal-card"]], inputs: { goal: [1, "goal"], viewMode: [1, "viewMode"], actionState: [1, "actionState"] }, outputs: { goalClick: "goalClick", sourceBadgeClick: "sourceBadgeClick", relatedMetricsClick: "relatedMetricsClick", relatedFocusAreasClick: "relatedFocusAreasClick", learnMoreClick: "learnMoreClick", actionStateChange: "actionStateChange" }, decls: 21, vars: 15, consts: [[1, "rounded-2xl", "p-6", "shadow-lg", "transition-all", "duration-200", 3, "ngClass"], [1, "flex", "items-start", "gap-4", "mb-2"], [3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 12l2 2 4-4M7.835 4.697a3.42 3.42 0 001.946-.806 3.42 3.42 0 014.438 0 3.42 3.42 0 001.946.806 3.42 3.42 0 013.138 3.138 3.42 3.42 0 00.806 1.946 3.42 3.42 0 010 4.438 3.42 3.42 0 00-.806 1.946 3.42 3.42 0 01-3.138 3.138 3.42 3.42 0 00-1.946.806 3.42 3.42 0 01-4.438 0 3.42 3.42 0 00-1.946-.806 3.42 3.42 0 01-3.138-3.138 3.42 3.42 0 00-.806-1.946 3.42 3.42 0 010-4.438 3.42 3.42 0 00.806-1.946 3.42 3.42 0 013.138-3.138z"], [1, "flex-1", "min-w-0"], [1, "flex", "items-center", "justify-between", "gap-2", "mb-1"], [1, "text-xs", "font-semibold", "uppercase", "tracking-wider", 3, "ngClass"], [3, "state", "viewMode", "goalId"], [1, "font-semibold", "text-lg", "line-clamp-2", 3, "ngClass"], [1, "mb-3"], [1, "text-sm", "mb-4", "line-clamp-3", "cursor-help", 3, "ngClass", "libSymphiqTooltip"], [1, "mb-4"], [1, "flex", "flex-wrap", "items-center", "justify-between", "gap-3", "mb-4"], [3, "priority", "viewMode"], [3, "timeframe", "viewMode"], [3, "sourceTypeCounts", "contributingCounts", "viewMode"], [1, "mt-4"], [3, "buttonClick", "viewMode", "variant", "label"], [3, "stateChange", "state", "viewMode", "goalId"], [3, "category", "viewMode"], [3, "metrics", "viewMode"]], template: function UnifiedGoalCardComponent_Template(rf, ctx) { if (rf & 1) {
103223
103569
  i0.ɵɵelementStart(0, "div", 0)(1, "div", 1)(2, "div", 2);
103224
103570
  i0.ɵɵnamespaceSVG();
103225
103571
  i0.ɵɵelementStart(3, "svg", 3);
103226
103572
  i0.ɵɵelement(4, "path", 4);
103227
103573
  i0.ɵɵelementEnd()();
103228
103574
  i0.ɵɵnamespaceHTML();
103229
- i0.ɵɵelementStart(5, "div", 5)(6, "div", 6);
103230
- i0.ɵɵtext(7, " Unified Goal ");
103575
+ i0.ɵɵelementStart(5, "div", 5)(6, "div", 6)(7, "div", 7);
103576
+ i0.ɵɵtext(8, " Unified Goal ");
103231
103577
  i0.ɵɵelementEnd();
103232
- i0.ɵɵelementStart(8, "h4", 7);
103233
- i0.ɵɵtext(9);
103578
+ i0.ɵɵconditionalCreate(9, UnifiedGoalCardComponent_Conditional_9_Template, 1, 3, "symphiq-goal-action-state-chip", 8);
103579
+ i0.ɵɵelementEnd();
103580
+ i0.ɵɵelementStart(10, "h4", 9);
103581
+ i0.ɵɵtext(11);
103234
103582
  i0.ɵɵelementEnd()()();
103235
- i0.ɵɵconditionalCreate(10, UnifiedGoalCardComponent_Conditional_10_Template, 2, 2, "div", 8);
103236
- i0.ɵɵconditionalCreate(11, UnifiedGoalCardComponent_Conditional_11_Template, 2, 3, "p", 9);
103237
103583
  i0.ɵɵconditionalCreate(12, UnifiedGoalCardComponent_Conditional_12_Template, 2, 2, "div", 10);
103238
- i0.ɵɵelementStart(13, "div", 11);
103239
- i0.ɵɵconditionalCreate(14, UnifiedGoalCardComponent_Conditional_14_Template, 1, 2, "symphiq-priority-badge", 12);
103240
- i0.ɵɵconditionalCreate(15, UnifiedGoalCardComponent_Conditional_15_Template, 1, 2, "symphiq-timeframe-badge", 13);
103241
- i0.ɵɵelementEnd();
103242
- i0.ɵɵconditionalCreate(16, UnifiedGoalCardComponent_Conditional_16_Template, 1, 3, "symphiq-source-summary", 14);
103243
- i0.ɵɵelementStart(17, "div", 15)(18, "symphiq-learn-more-button", 16);
103244
- i0.ɵɵlistener("buttonClick", function UnifiedGoalCardComponent_Template_symphiq_learn_more_button_buttonClick_18_listener() { return ctx.onLearnMoreClick(); });
103584
+ i0.ɵɵconditionalCreate(13, UnifiedGoalCardComponent_Conditional_13_Template, 2, 3, "p", 11);
103585
+ i0.ɵɵconditionalCreate(14, UnifiedGoalCardComponent_Conditional_14_Template, 2, 2, "div", 12);
103586
+ i0.ɵɵelementStart(15, "div", 13);
103587
+ i0.ɵɵconditionalCreate(16, UnifiedGoalCardComponent_Conditional_16_Template, 1, 2, "symphiq-priority-badge", 14);
103588
+ i0.ɵɵconditionalCreate(17, UnifiedGoalCardComponent_Conditional_17_Template, 1, 2, "symphiq-timeframe-badge", 15);
103589
+ i0.ɵɵelementEnd();
103590
+ i0.ɵɵconditionalCreate(18, UnifiedGoalCardComponent_Conditional_18_Template, 1, 3, "symphiq-source-summary", 16);
103591
+ i0.ɵɵelementStart(19, "div", 17)(20, "symphiq-learn-more-button", 18);
103592
+ i0.ɵɵlistener("buttonClick", function UnifiedGoalCardComponent_Template_symphiq_learn_more_button_buttonClick_20_listener() { return ctx.onLearnMoreClick(); });
103245
103593
  i0.ɵɵelementEnd()()();
103246
103594
  } if (rf & 2) {
103247
- let tmp_4_0;
103248
103595
  let tmp_5_0;
103249
103596
  let tmp_6_0;
103250
- let tmp_8_0;
103597
+ let tmp_7_0;
103251
103598
  let tmp_9_0;
103252
103599
  let tmp_10_0;
103600
+ let tmp_11_0;
103253
103601
  i0.ɵɵproperty("ngClass", ctx.cardClasses());
103254
103602
  i0.ɵɵadvance(2);
103255
103603
  i0.ɵɵproperty("ngClass", ctx.iconContainerClasses());
103256
- i0.ɵɵadvance(4);
103604
+ i0.ɵɵadvance(5);
103257
103605
  i0.ɵɵproperty("ngClass", ctx.typeLabelClasses());
103258
103606
  i0.ɵɵadvance(2);
103607
+ i0.ɵɵconditional(ctx.actionState() ? 9 : -1);
103608
+ i0.ɵɵadvance();
103259
103609
  i0.ɵɵproperty("ngClass", ctx.titleClasses());
103260
103610
  i0.ɵɵadvance();
103261
- i0.ɵɵtextInterpolate((tmp_4_0 = ctx.goal()) == null ? null : tmp_4_0.title);
103611
+ i0.ɵɵtextInterpolate((tmp_5_0 = ctx.goal()) == null ? null : tmp_5_0.title);
103262
103612
  i0.ɵɵadvance();
103263
- i0.ɵɵconditional(((tmp_5_0 = ctx.goal()) == null ? null : tmp_5_0.thematicCategory) ? 10 : -1);
103613
+ i0.ɵɵconditional(((tmp_6_0 = ctx.goal()) == null ? null : tmp_6_0.thematicCategory) ? 12 : -1);
103264
103614
  i0.ɵɵadvance();
103265
- i0.ɵɵconditional(((tmp_6_0 = ctx.goal()) == null ? null : tmp_6_0.description) ? 11 : -1);
103615
+ i0.ɵɵconditional(((tmp_7_0 = ctx.goal()) == null ? null : tmp_7_0.description) ? 13 : -1);
103266
103616
  i0.ɵɵadvance();
103267
- i0.ɵɵconditional(ctx.roadmapMetrics().length > 0 ? 12 : -1);
103617
+ i0.ɵɵconditional(ctx.roadmapMetrics().length > 0 ? 14 : -1);
103268
103618
  i0.ɵɵadvance(2);
103269
- i0.ɵɵconditional(((tmp_8_0 = ctx.goal()) == null ? null : tmp_8_0.priority) ? 14 : -1);
103619
+ i0.ɵɵconditional(((tmp_9_0 = ctx.goal()) == null ? null : tmp_9_0.priority) ? 16 : -1);
103270
103620
  i0.ɵɵadvance();
103271
- i0.ɵɵconditional(((tmp_9_0 = ctx.goal()) == null ? null : tmp_9_0.timeframe) ? 15 : -1);
103621
+ i0.ɵɵconditional(((tmp_10_0 = ctx.goal()) == null ? null : tmp_10_0.timeframe) ? 17 : -1);
103272
103622
  i0.ɵɵadvance();
103273
- i0.ɵɵconditional((((tmp_10_0 = ctx.goal()) == null ? null : tmp_10_0.sourceAnalyses == null ? null : tmp_10_0.sourceAnalyses.length) ?? 0) > 0 || ctx.hasRelatedContext() ? 16 : -1);
103623
+ i0.ɵɵconditional((((tmp_11_0 = ctx.goal()) == null ? null : tmp_11_0.sourceAnalyses == null ? null : tmp_11_0.sourceAnalyses.length) ?? 0) > 0 || ctx.hasRelatedContext() ? 18 : -1);
103274
103624
  i0.ɵɵadvance(2);
103275
103625
  i0.ɵɵproperty("viewMode", ctx.viewMode())("variant", "button")("label", "Learn More");
103276
103626
  } }, dependencies: [CommonModule, i1$1.NgClass, PriorityBadgeComponent,
@@ -103279,7 +103629,8 @@ class UnifiedGoalCardComponent {
103279
103629
  LearnMoreButtonComponent,
103280
103630
  SourceSummaryComponent,
103281
103631
  ThematicCategoryBadgeComponent,
103282
- TooltipDirective], encapsulation: 2, changeDetection: 0 }); }
103632
+ TooltipDirective,
103633
+ GoalActionStateChipComponent], encapsulation: 2, changeDetection: 0 }); }
103283
103634
  }
103284
103635
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassMetadata(UnifiedGoalCardComponent, [{
103285
103636
  type: Component,
@@ -103294,7 +103645,8 @@ class UnifiedGoalCardComponent {
103294
103645
  LearnMoreButtonComponent,
103295
103646
  SourceSummaryComponent,
103296
103647
  ThematicCategoryBadgeComponent,
103297
- TooltipDirective
103648
+ TooltipDirective,
103649
+ GoalActionStateChipComponent
103298
103650
  ],
103299
103651
  changeDetection: ChangeDetectionStrategy.OnPush,
103300
103652
  template: `
@@ -103309,8 +103661,18 @@ class UnifiedGoalCardComponent {
103309
103661
  </svg>
103310
103662
  </div>
103311
103663
  <div class="flex-1 min-w-0">
103312
- <div [ngClass]="typeLabelClasses()" class="text-xs font-semibold uppercase tracking-wider mb-1">
103313
- Unified Goal
103664
+ <div class="flex items-center justify-between gap-2 mb-1">
103665
+ <div [ngClass]="typeLabelClasses()" class="text-xs font-semibold uppercase tracking-wider">
103666
+ Unified Goal
103667
+ </div>
103668
+ @if (actionState()) {
103669
+ <symphiq-goal-action-state-chip
103670
+ [state]="actionState()!"
103671
+ [viewMode]="viewMode()"
103672
+ [goalId]="goal()?.id"
103673
+ (stateChange)="onActionStateChange($event)"
103674
+ />
103675
+ }
103314
103676
  </div>
103315
103677
  <h4 [ngClass]="titleClasses()" class="font-semibold text-lg line-clamp-2">{{ goal()?.title }}</h4>
103316
103678
  </div>
@@ -103373,26 +103735,26 @@ class UnifiedGoalCardComponent {
103373
103735
  </div>
103374
103736
  `
103375
103737
  }]
103376
- }], null, { goal: [{ type: i0.Input, args: [{ isSignal: true, alias: "goal", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], goalClick: [{ type: i0.Output, args: ["goalClick"] }], sourceBadgeClick: [{ type: i0.Output, args: ["sourceBadgeClick"] }], relatedMetricsClick: [{ type: i0.Output, args: ["relatedMetricsClick"] }], relatedFocusAreasClick: [{ type: i0.Output, args: ["relatedFocusAreasClick"] }], learnMoreClick: [{ type: i0.Output, args: ["learnMoreClick"] }] }); })();
103377
- (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedGoalCardComponent, { className: "UnifiedGoalCardComponent", filePath: "lib/components/profile-analysis-unified-dashboard/cards/unified-goal-card.component.ts", lineNumber: 103 }); })();
103738
+ }], null, { goal: [{ type: i0.Input, args: [{ isSignal: true, alias: "goal", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], actionState: [{ type: i0.Input, args: [{ isSignal: true, alias: "actionState", required: false }] }], goalClick: [{ type: i0.Output, args: ["goalClick"] }], sourceBadgeClick: [{ type: i0.Output, args: ["sourceBadgeClick"] }], relatedMetricsClick: [{ type: i0.Output, args: ["relatedMetricsClick"] }], relatedFocusAreasClick: [{ type: i0.Output, args: ["relatedFocusAreasClick"] }], learnMoreClick: [{ type: i0.Output, args: ["learnMoreClick"] }], actionStateChange: [{ type: i0.Output, args: ["actionStateChange"] }] }); })();
103739
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedGoalCardComponent, { className: "UnifiedGoalCardComponent", filePath: "lib/components/profile-analysis-unified-dashboard/cards/unified-goal-card.component.ts", lineNumber: 116 }); })();
103378
103740
 
103379
103741
  const _c0$9 = a0 => ({ name: "flag", source: a0 });
103380
- const _forTrack0$8 = ($index, $item) => $item.id;
103742
+ const _forTrack0$9 = ($index, $item) => $item.id;
103381
103743
  function UnifiedGoalsGridComponent_Conditional_0_For_5_Template(rf, ctx) { if (rf & 1) {
103382
103744
  const _r1 = i0.ɵɵgetCurrentView();
103383
103745
  i0.ɵɵelementStart(0, "symphiq-unified-goal-card", 5);
103384
- i0.ɵɵlistener("goalClick", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_goalClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.goalClick.emit($event)); })("sourceBadgeClick", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_sourceBadgeClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.sourceBadgeClick.emit($event)); })("relatedMetricsClick", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_relatedMetricsClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.relatedMetricsClick.emit($event)); })("learnMoreClick", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_learnMoreClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.goalClick.emit($event)); });
103746
+ i0.ɵɵlistener("goalClick", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_goalClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.goalClick.emit($event)); })("sourceBadgeClick", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_sourceBadgeClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.sourceBadgeClick.emit($event)); })("relatedMetricsClick", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_relatedMetricsClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.relatedMetricsClick.emit($event)); })("learnMoreClick", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_learnMoreClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.goalClick.emit($event)); })("actionStateChange", function UnifiedGoalsGridComponent_Conditional_0_For_5_Template_symphiq_unified_goal_card_actionStateChange_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onActionStateChange($event)); });
103385
103747
  i0.ɵɵelementEnd();
103386
103748
  } if (rf & 2) {
103387
103749
  const goal_r3 = ctx.$implicit;
103388
103750
  const ctx_r1 = i0.ɵɵnextContext(2);
103389
- i0.ɵɵproperty("goal", goal_r3)("viewMode", ctx_r1.viewMode());
103751
+ i0.ɵɵproperty("goal", goal_r3)("viewMode", ctx_r1.viewMode())("actionState", ctx_r1.getActionState(goal_r3.id));
103390
103752
  } }
103391
103753
  function UnifiedGoalsGridComponent_Conditional_0_Template(rf, ctx) { if (rf & 1) {
103392
103754
  i0.ɵɵelementStart(0, "section", 0);
103393
103755
  i0.ɵɵelement(1, "symphiq-section-divider", 1)(2, "symphiq-section-header", 2);
103394
103756
  i0.ɵɵelementStart(3, "div", 3);
103395
- i0.ɵɵrepeaterCreate(4, UnifiedGoalsGridComponent_Conditional_0_For_5_Template, 1, 2, "symphiq-unified-goal-card", 4, _forTrack0$8);
103757
+ i0.ɵɵrepeaterCreate(4, UnifiedGoalsGridComponent_Conditional_0_For_5_Template, 1, 3, "symphiq-unified-goal-card", 4, _forTrack0$9);
103396
103758
  i0.ɵɵelementEnd()();
103397
103759
  } if (rf & 2) {
103398
103760
  const ctx_r1 = i0.ɵɵnextContext();
@@ -103411,9 +103773,24 @@ class UnifiedGoalsGridComponent {
103411
103773
  this.sourceBadgeClick = output();
103412
103774
  this.relatedMetricsClick = output();
103413
103775
  this.IconSourceEnum = IconSourceEnum;
103776
+ this.goalActionStateService = inject(GoalActionStateService);
103777
+ this.states = computed(() => {
103778
+ this.goalActionStateService.states();
103779
+ return this.goalActionStateService.getAllStates();
103780
+ }, ...(ngDevMode ? [{ debugName: "states" }] : []));
103781
+ }
103782
+ getActionState(goalId) {
103783
+ if (!goalId)
103784
+ return undefined;
103785
+ return this.states()[goalId];
103786
+ }
103787
+ onActionStateChange(event) {
103788
+ if (event.goalId) {
103789
+ this.goalActionStateService.setState(event.goalId, event.state);
103790
+ }
103414
103791
  }
103415
103792
  static { this.ɵfac = function UnifiedGoalsGridComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || UnifiedGoalsGridComponent)(); }; }
103416
- static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: UnifiedGoalsGridComponent, selectors: [["symphiq-unified-goals-grid"]], inputs: { viewMode: [1, "viewMode"], goals: [1, "goals"] }, outputs: { goalClick: "goalClick", sourceBadgeClick: "sourceBadgeClick", relatedMetricsClick: "relatedMetricsClick" }, decls: 1, vars: 1, consts: [["id", "section-unified-goals", 1, "space-y-6", "scroll-mt-24"], [3, "viewMode", "sectionIcon"], ["title", "Unified Goals", 3, "icon", "viewMode"], [1, "grid", "gap-6", 2, "grid-template-columns", "repeat(auto-fit, minmax(340px, 1fr))"], [3, "goal", "viewMode"], [3, "goalClick", "sourceBadgeClick", "relatedMetricsClick", "learnMoreClick", "goal", "viewMode"]], template: function UnifiedGoalsGridComponent_Template(rf, ctx) { if (rf & 1) {
103793
+ static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: UnifiedGoalsGridComponent, selectors: [["symphiq-unified-goals-grid"]], inputs: { viewMode: [1, "viewMode"], goals: [1, "goals"] }, outputs: { goalClick: "goalClick", sourceBadgeClick: "sourceBadgeClick", relatedMetricsClick: "relatedMetricsClick" }, decls: 1, vars: 1, consts: [["id", "section-unified-goals", 1, "space-y-6", "scroll-mt-24"], [3, "viewMode", "sectionIcon"], ["title", "Unified Goals", 3, "icon", "viewMode"], [1, "grid", "gap-6", 2, "grid-template-columns", "repeat(auto-fit, minmax(340px, 1fr))"], [3, "goal", "viewMode", "actionState"], [3, "goalClick", "sourceBadgeClick", "relatedMetricsClick", "learnMoreClick", "actionStateChange", "goal", "viewMode", "actionState"]], template: function UnifiedGoalsGridComponent_Template(rf, ctx) { if (rf & 1) {
103417
103794
  i0.ɵɵconditionalCreate(0, UnifiedGoalsGridComponent_Conditional_0_Template, 6, 8, "section", 0);
103418
103795
  } if (rf & 2) {
103419
103796
  i0.ɵɵconditional(ctx.goals().length > 0 ? 0 : -1);
@@ -103452,10 +103829,12 @@ class UnifiedGoalsGridComponent {
103452
103829
  <symphiq-unified-goal-card
103453
103830
  [goal]="goal"
103454
103831
  [viewMode]="viewMode()"
103832
+ [actionState]="getActionState(goal.id)"
103455
103833
  (goalClick)="goalClick.emit($event)"
103456
103834
  (sourceBadgeClick)="sourceBadgeClick.emit($event)"
103457
103835
  (relatedMetricsClick)="relatedMetricsClick.emit($event)"
103458
103836
  (learnMoreClick)="goalClick.emit($event)"
103837
+ (actionStateChange)="onActionStateChange($event)"
103459
103838
  />
103460
103839
  }
103461
103840
  </div>
@@ -103464,7 +103843,7 @@ class UnifiedGoalsGridComponent {
103464
103843
  `
103465
103844
  }]
103466
103845
  }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], goals: [{ type: i0.Input, args: [{ isSignal: true, alias: "goals", required: false }] }], goalClick: [{ type: i0.Output, args: ["goalClick"] }], sourceBadgeClick: [{ type: i0.Output, args: ["sourceBadgeClick"] }], relatedMetricsClick: [{ type: i0.Output, args: ["relatedMetricsClick"] }] }); })();
103467
- (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedGoalsGridComponent, { className: "UnifiedGoalsGridComponent", filePath: "lib/components/profile-analysis-unified-dashboard/cards/unified-goals-grid.component.ts", lineNumber: 48 }); })();
103846
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedGoalsGridComponent, { className: "UnifiedGoalsGridComponent", filePath: "lib/components/profile-analysis-unified-dashboard/cards/unified-goals-grid.component.ts", lineNumber: 51 }); })();
103468
103847
 
103469
103848
  function SynthesisConfidenceSectionComponent_Conditional_0_Template(rf, ctx) { if (rf & 1) {
103470
103849
  i0.ɵɵelementStart(0, "div", 0)(1, "h4", 1);
@@ -103555,7 +103934,7 @@ class SynthesisConfidenceSectionComponent {
103555
103934
  }], null, { score: [{ type: i0.Input, args: [{ isSignal: true, alias: "score", required: false }] }], explanation: [{ type: i0.Input, args: [{ isSignal: true, alias: "explanation", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: true }] }] }); })();
103556
103935
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(SynthesisConfidenceSectionComponent, { className: "SynthesisConfidenceSectionComponent", filePath: "lib/components/shared/synthesis-confidence-section.component.ts", lineNumber: 40 }); })();
103557
103936
 
103558
- const _forTrack0$7 = ($index, $item) => $item.analysisId;
103937
+ const _forTrack0$8 = ($index, $item) => $item.analysisId;
103559
103938
  function SourceAnalysisTraceabilityComponent_Conditional_0_For_8_Conditional_1_Template(rf, ctx) { if (rf & 1) {
103560
103939
  i0.ɵɵelementStart(0, "div", 8);
103561
103940
  i0.ɵɵelement(1, "div", 19);
@@ -103657,7 +104036,7 @@ function SourceAnalysisTraceabilityComponent_Conditional_0_Template(rf, ctx) { i
103657
104036
  i0.ɵɵnamespaceHTML();
103658
104037
  i0.ɵɵelement(5, "symphiq-synthesis-confidence-section", 4);
103659
104038
  i0.ɵɵelementStart(6, "div", 5);
103660
- i0.ɵɵrepeaterCreate(7, SourceAnalysisTraceabilityComponent_Conditional_0_For_8_Template, 19, 13, "button", 6, _forTrack0$7);
104039
+ i0.ɵɵrepeaterCreate(7, SourceAnalysisTraceabilityComponent_Conditional_0_For_8_Template, 19, 13, "button", 6, _forTrack0$8);
103661
104040
  i0.ɵɵelementEnd()();
103662
104041
  } if (rf & 2) {
103663
104042
  let tmp_3_0;
@@ -104069,7 +104448,7 @@ class UnifiedGoalDetailModalContentComponent {
104069
104448
  }], null, { goal: [{ type: i0.Input, args: [{ isSignal: true, alias: "goal", required: true }] }], allMetrics: [{ type: i0.Input, args: [{ isSignal: true, alias: "allMetrics", required: false }] }], allCharts: [{ type: i0.Input, args: [{ isSignal: true, alias: "allCharts", required: false }] }], loadedSourceAnalysisIds: [{ type: i0.Input, args: [{ isSignal: true, alias: "loadedSourceAnalysisIds", required: false }] }], loadingSourceAnalysisId: [{ type: i0.Input, args: [{ isSignal: true, alias: "loadingSourceAnalysisId", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], currentModalState: [{ type: i0.Input, args: [{ isSignal: true, alias: "currentModalState", required: false }] }], sourceAnalysisClick: [{ type: i0.Output, args: ["sourceAnalysisClick"] }], metricClick: [{ type: i0.Output, args: ["metricClick"] }], contributingMetricsClick: [{ type: i0.Output, args: ["contributingMetricsClick"] }], showObjectives: [{ type: i0.Output, args: ["showObjectives"] }], close: [{ type: i0.Output, args: ["close"] }] }); })();
104070
104449
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedGoalDetailModalContentComponent, { className: "UnifiedGoalDetailModalContentComponent", filePath: "lib/components/profile-analysis-unified-dashboard/modals/unified-goal-detail-modal-content.component.ts", lineNumber: 100 }); })();
104071
104450
 
104072
- const _forTrack0$6 = ($index, $item) => $item.metric;
104451
+ const _forTrack0$7 = ($index, $item) => $item.metric;
104073
104452
  function UnifiedGoalRelatedMetricsModalContentComponent_Conditional_1_Template(rf, ctx) { if (rf & 1) {
104074
104453
  i0.ɵɵelementStart(0, "div", 1)(1, "p", 2);
104075
104454
  i0.ɵɵtext(2, "No contributing metrics available");
@@ -104089,7 +104468,7 @@ function UnifiedGoalRelatedMetricsModalContentComponent_Conditional_2_For_1_Temp
104089
104468
  i0.ɵɵproperty("metric", metric_r3)("isLightMode", ctx_r0.isLightMode());
104090
104469
  } }
104091
104470
  function UnifiedGoalRelatedMetricsModalContentComponent_Conditional_2_Template(rf, ctx) { if (rf & 1) {
104092
- i0.ɵɵrepeaterCreate(0, UnifiedGoalRelatedMetricsModalContentComponent_Conditional_2_For_1_Template, 1, 2, "symphiq-metric-list-item", 3, _forTrack0$6);
104471
+ i0.ɵɵrepeaterCreate(0, UnifiedGoalRelatedMetricsModalContentComponent_Conditional_2_For_1_Template, 1, 2, "symphiq-metric-list-item", 3, _forTrack0$7);
104093
104472
  } if (rf & 2) {
104094
104473
  const ctx_r0 = i0.ɵɵnextContext();
104095
104474
  i0.ɵɵrepeater(ctx_r0.contributingMetrics());
@@ -104470,16 +104849,187 @@ class PriorityActionsModalContentComponent {
104470
104849
  }], null, { items: [{ type: i0.Input, args: [{ isSignal: true, alias: "items", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], selectedIndex: [{ type: i0.Input, args: [{ isSignal: true, alias: "selectedIndex", required: false }] }], goalClick: [{ type: i0.Output, args: ["goalClick"] }], recommendationClick: [{ type: i0.Output, args: ["recommendationClick"] }] }); })();
104471
104850
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(PriorityActionsModalContentComponent, { className: "PriorityActionsModalContentComponent", filePath: "lib/components/profile-analysis-unified-dashboard/modals/priority-actions-modal-content.component.ts", lineNumber: 107 }); })();
104472
104851
 
104852
+ const _forTrack0$6 = ($index, $item) => $item.value;
104853
+ function GoalActionStateSelectorComponent_For_5_Conditional_4_Template(rf, ctx) { if (rf & 1) {
104854
+ i0.ɵɵnamespaceSVG();
104855
+ i0.ɵɵelementStart(0, "svg", 7);
104856
+ i0.ɵɵelement(1, "path", 8);
104857
+ i0.ɵɵelementEnd();
104858
+ } }
104859
+ function GoalActionStateSelectorComponent_For_5_Template(rf, ctx) { if (rf & 1) {
104860
+ const _r1 = i0.ɵɵgetCurrentView();
104861
+ i0.ɵɵelementStart(0, "button", 5);
104862
+ i0.ɵɵlistener("click", function GoalActionStateSelectorComponent_For_5_Template_button_click_0_listener() { const option_r2 = i0.ɵɵrestoreView(_r1).$implicit; const ctx_r2 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r2.selectState(option_r2.value)); });
104863
+ i0.ɵɵelement(1, "span", 6);
104864
+ i0.ɵɵelementStart(2, "span");
104865
+ i0.ɵɵtext(3);
104866
+ i0.ɵɵelementEnd();
104867
+ i0.ɵɵconditionalCreate(4, GoalActionStateSelectorComponent_For_5_Conditional_4_Template, 2, 0, ":svg:svg", 7);
104868
+ i0.ɵɵelementEnd();
104869
+ } if (rf & 2) {
104870
+ const option_r2 = ctx.$implicit;
104871
+ const ctx_r2 = i0.ɵɵnextContext();
104872
+ i0.ɵɵproperty("ngClass", ctx_r2.getButtonClasses(option_r2.value));
104873
+ i0.ɵɵadvance();
104874
+ i0.ɵɵproperty("ngClass", ctx_r2.getDotClasses(option_r2.value));
104875
+ i0.ɵɵadvance(2);
104876
+ i0.ɵɵtextInterpolate(option_r2.label);
104877
+ i0.ɵɵadvance();
104878
+ i0.ɵɵconditional(ctx_r2.state() === option_r2.value ? 4 : -1);
104879
+ } }
104880
+ function GoalActionStateSelectorComponent_Conditional_6_Template(rf, ctx) { if (rf & 1) {
104881
+ i0.ɵɵelementStart(0, "div", 4);
104882
+ i0.ɵɵtext(1);
104883
+ i0.ɵɵelementEnd();
104884
+ } if (rf & 2) {
104885
+ const ctx_r2 = i0.ɵɵnextContext();
104886
+ i0.ɵɵproperty("ngClass", ctx_r2.hintClasses());
104887
+ i0.ɵɵadvance();
104888
+ i0.ɵɵtextInterpolate1(" ", ctx_r2.getHintText(), " ");
104889
+ } }
104890
+ class GoalActionStateSelectorComponent {
104891
+ constructor() {
104892
+ this.state = input(...(ngDevMode ? [undefined, { debugName: "state" }] : []));
104893
+ this.viewMode = input(ViewModeEnum.LIGHT, ...(ngDevMode ? [{ debugName: "viewMode" }] : []));
104894
+ this.goalId = input(...(ngDevMode ? [undefined, { debugName: "goalId" }] : []));
104895
+ this.stateChange = output();
104896
+ this.options = [
104897
+ { value: GoalActionStateEnum.PLAN, label: 'Plan to Act' },
104898
+ { value: GoalActionStateEnum.POTENTIAL, label: 'Keep for Later' },
104899
+ { value: GoalActionStateEnum.SKIP, label: 'Skip' }
104900
+ ];
104901
+ this.isDark = computed(() => this.viewMode() === ViewModeEnum.DARK, ...(ngDevMode ? [{ debugName: "isDark" }] : []));
104902
+ this.labelClasses = computed(() => {
104903
+ return this.isDark() ? 'text-slate-400' : 'text-slate-500';
104904
+ }, ...(ngDevMode ? [{ debugName: "labelClasses" }] : []));
104905
+ this.hintClasses = computed(() => {
104906
+ return this.isDark() ? 'text-slate-500' : 'text-slate-400';
104907
+ }, ...(ngDevMode ? [{ debugName: "hintClasses" }] : []));
104908
+ }
104909
+ getButtonClasses(value) {
104910
+ const isSelected = this.state() === value;
104911
+ if (this.isDark()) {
104912
+ if (isSelected) {
104913
+ switch (value) {
104914
+ case GoalActionStateEnum.PLAN:
104915
+ return 'bg-emerald-900/50 text-emerald-300 border-emerald-500 shadow-lg shadow-emerald-500/20';
104916
+ case GoalActionStateEnum.POTENTIAL:
104917
+ return 'bg-amber-900/50 text-amber-300 border-amber-500 shadow-lg shadow-amber-500/20';
104918
+ case GoalActionStateEnum.SKIP:
104919
+ return 'bg-slate-700/70 text-slate-300 border-slate-500 shadow-lg shadow-slate-500/20';
104920
+ }
104921
+ }
104922
+ return 'bg-slate-800/50 text-slate-400 border-slate-600 hover:bg-slate-700/50 hover:border-slate-500';
104923
+ }
104924
+ if (isSelected) {
104925
+ switch (value) {
104926
+ case GoalActionStateEnum.PLAN:
104927
+ return 'bg-emerald-100 text-emerald-700 border-emerald-400 shadow-lg shadow-emerald-200';
104928
+ case GoalActionStateEnum.POTENTIAL:
104929
+ return 'bg-amber-100 text-amber-700 border-amber-400 shadow-lg shadow-amber-200';
104930
+ case GoalActionStateEnum.SKIP:
104931
+ return 'bg-slate-100 text-slate-600 border-slate-400 shadow-lg shadow-slate-200';
104932
+ }
104933
+ }
104934
+ return 'bg-white text-slate-600 border-slate-200 hover:bg-slate-50 hover:border-slate-300';
104935
+ }
104936
+ getDotClasses(value) {
104937
+ const isSelected = this.state() === value;
104938
+ switch (value) {
104939
+ case GoalActionStateEnum.PLAN:
104940
+ return isSelected ? 'bg-emerald-500' : 'bg-emerald-400/50';
104941
+ case GoalActionStateEnum.POTENTIAL:
104942
+ return isSelected ? 'bg-amber-500' : 'bg-amber-400/50';
104943
+ case GoalActionStateEnum.SKIP:
104944
+ return isSelected ? 'bg-slate-500' : 'bg-slate-400/50';
104945
+ default:
104946
+ return 'bg-slate-400/50';
104947
+ }
104948
+ }
104949
+ getHintText() {
104950
+ switch (this.state()) {
104951
+ case GoalActionStateEnum.PLAN:
104952
+ return 'This goal will be included in your action plan for immediate implementation.';
104953
+ case GoalActionStateEnum.POTENTIAL:
104954
+ return 'This goal will be saved for future consideration when priorities shift.';
104955
+ case GoalActionStateEnum.SKIP:
104956
+ return 'This goal will be marked as not applicable to your current focus.';
104957
+ default:
104958
+ return '';
104959
+ }
104960
+ }
104961
+ selectState(value) {
104962
+ this.stateChange.emit({ goalId: this.goalId(), state: value });
104963
+ }
104964
+ static { this.ɵfac = function GoalActionStateSelectorComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || GoalActionStateSelectorComponent)(); }; }
104965
+ static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: GoalActionStateSelectorComponent, selectors: [["symphiq-goal-action-state-selector"]], inputs: { state: [1, "state"], viewMode: [1, "viewMode"], goalId: [1, "goalId"] }, outputs: { stateChange: "stateChange" }, decls: 7, vars: 2, consts: [[1, "flex", "flex-col", "gap-3"], [1, "text-xs", "font-semibold", "uppercase", "tracking-wider", 3, "ngClass"], [1, "flex", "flex-wrap", "gap-3"], ["type", "button", 1, "flex", "items-center", "gap-2", "px-4", "py-2.5", "rounded-xl", "font-medium", "text-sm", "transition-all", "duration-200", "border", "cursor-pointer", 3, "ngClass"], [1, "text-xs", "mt-1", 3, "ngClass"], ["type", "button", 1, "flex", "items-center", "gap-2", "px-4", "py-2.5", "rounded-xl", "font-medium", "text-sm", "transition-all", "duration-200", "border", "cursor-pointer", 3, "click", "ngClass"], [1, "w-3", "h-3", "rounded-full", "flex-shrink-0", 3, "ngClass"], ["fill", "currentColor", "viewBox", "0 0 20 20", 1, "w-4", "h-4", "ml-1"], ["fill-rule", "evenodd", "d", "M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z", "clip-rule", "evenodd"]], template: function GoalActionStateSelectorComponent_Template(rf, ctx) { if (rf & 1) {
104966
+ i0.ɵɵelementStart(0, "div", 0)(1, "div", 1);
104967
+ i0.ɵɵtext(2, " What would you like to do with this goal? ");
104968
+ i0.ɵɵelementEnd();
104969
+ i0.ɵɵelementStart(3, "div", 2);
104970
+ i0.ɵɵrepeaterCreate(4, GoalActionStateSelectorComponent_For_5_Template, 5, 4, "button", 3, _forTrack0$6);
104971
+ i0.ɵɵelementEnd();
104972
+ i0.ɵɵconditionalCreate(6, GoalActionStateSelectorComponent_Conditional_6_Template, 2, 2, "div", 4);
104973
+ i0.ɵɵelementEnd();
104974
+ } if (rf & 2) {
104975
+ i0.ɵɵadvance();
104976
+ i0.ɵɵproperty("ngClass", ctx.labelClasses());
104977
+ i0.ɵɵadvance(3);
104978
+ i0.ɵɵrepeater(ctx.options);
104979
+ i0.ɵɵadvance(2);
104980
+ i0.ɵɵconditional(ctx.state() ? 6 : -1);
104981
+ } }, dependencies: [CommonModule, i1$1.NgClass], encapsulation: 2, changeDetection: 0 }); }
104982
+ }
104983
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassMetadata(GoalActionStateSelectorComponent, [{
104984
+ type: Component,
104985
+ args: [{
104986
+ selector: 'symphiq-goal-action-state-selector',
104987
+ standalone: true,
104988
+ imports: [CommonModule],
104989
+ changeDetection: ChangeDetectionStrategy.OnPush,
104990
+ template: `
104991
+ <div class="flex flex-col gap-3">
104992
+ <div [ngClass]="labelClasses()" class="text-xs font-semibold uppercase tracking-wider">
104993
+ What would you like to do with this goal?
104994
+ </div>
104995
+ <div class="flex flex-wrap gap-3">
104996
+ @for (option of options; track option.value) {
104997
+ <button
104998
+ type="button"
104999
+ (click)="selectState(option.value)"
105000
+ [ngClass]="getButtonClasses(option.value)"
105001
+ class="flex items-center gap-2 px-4 py-2.5 rounded-xl font-medium text-sm transition-all duration-200 border cursor-pointer">
105002
+ <span [ngClass]="getDotClasses(option.value)" class="w-3 h-3 rounded-full flex-shrink-0"></span>
105003
+ <span>{{ option.label }}</span>
105004
+ @if (state() === option.value) {
105005
+ <svg class="w-4 h-4 ml-1" fill="currentColor" viewBox="0 0 20 20">
105006
+ <path fill-rule="evenodd" d="M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z" clip-rule="evenodd"></path>
105007
+ </svg>
105008
+ }
105009
+ </button>
105010
+ }
105011
+ </div>
105012
+ @if (state()) {
105013
+ <div [ngClass]="hintClasses()" class="text-xs mt-1">
105014
+ {{ getHintText() }}
105015
+ </div>
105016
+ }
105017
+ </div>
105018
+ `
105019
+ }]
105020
+ }], null, { state: [{ type: i0.Input, args: [{ isSignal: true, alias: "state", required: false }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], goalId: [{ type: i0.Input, args: [{ isSignal: true, alias: "goalId", required: false }] }], stateChange: [{ type: i0.Output, args: ["stateChange"] }] }); })();
105021
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(GoalActionStateSelectorComponent, { className: "GoalActionStateSelectorComponent", filePath: "lib/components/shared/goal-action-state-selector.component.ts", lineNumber: 41 }); })();
105022
+
104473
105023
  const _c0$8 = ["modalContent"];
104474
105024
  const _c1$3 = ["modalWrapper"];
104475
105025
  const _c2$2 = () => [];
104476
105026
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_7_Template(rf, ctx) { if (rf & 1) {
104477
105027
  const _r3 = i0.ɵɵgetCurrentView();
104478
- i0.ɵɵelementStart(0, "button", 26);
105028
+ i0.ɵɵelementStart(0, "button", 27);
104479
105029
  i0.ɵɵlistener("click", function UnifiedDashboardModalComponent_Conditional_0_Conditional_7_Template_button_click_0_listener() { i0.ɵɵrestoreView(_r3); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onBackClick()); });
104480
105030
  i0.ɵɵnamespaceSVG();
104481
- i0.ɵɵelementStart(1, "svg", 27);
104482
- i0.ɵɵelement(2, "path", 28);
105031
+ i0.ɵɵelementStart(1, "svg", 28);
105032
+ i0.ɵɵelement(2, "path", 29);
104483
105033
  i0.ɵɵelementEnd()();
104484
105034
  } if (rf & 2) {
104485
105035
  const ctx_r1 = i0.ɵɵnextContext(2);
@@ -104487,8 +105037,8 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_7_Template(rf,
104487
105037
  } }
104488
105038
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_For_2_Conditional_2_Template(rf, ctx) { if (rf & 1) {
104489
105039
  i0.ɵɵnamespaceSVG();
104490
- i0.ɵɵelementStart(0, "svg", 31);
104491
- i0.ɵɵelement(1, "path", 32);
105040
+ i0.ɵɵelementStart(0, "svg", 32);
105041
+ i0.ɵɵelement(1, "path", 33);
104492
105042
  i0.ɵɵelementEnd();
104493
105043
  } if (rf & 2) {
104494
105044
  const ctx_r1 = i0.ɵɵnextContext(4);
@@ -104496,11 +105046,11 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_For_2_Condit
104496
105046
  } }
104497
105047
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_For_2_Template(rf, ctx) { if (rf & 1) {
104498
105048
  const _r4 = i0.ɵɵgetCurrentView();
104499
- i0.ɵɵelementStart(0, "button", 30);
105049
+ i0.ɵɵelementStart(0, "button", 31);
104500
105050
  i0.ɵɵlistener("click", function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_For_2_Template_button_click_0_listener() { const item_r5 = i0.ɵɵrestoreView(_r4).$implicit; const ctx_r1 = i0.ɵɵnextContext(3); return i0.ɵɵresetView(ctx_r1.navigateToBreadcrumb(item_r5)); });
104501
105051
  i0.ɵɵtext(1);
104502
105052
  i0.ɵɵelementEnd();
104503
- i0.ɵɵconditionalCreate(2, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_For_2_Conditional_2_Template, 2, 1, ":svg:svg", 31);
105053
+ i0.ɵɵconditionalCreate(2, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_For_2_Conditional_2_Template, 2, 1, ":svg:svg", 32);
104504
105054
  } if (rf & 2) {
104505
105055
  const item_r5 = ctx.$implicit;
104506
105056
  const ɵ$index_26_r6 = ctx.$index;
@@ -104513,7 +105063,7 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_For_2_Templa
104513
105063
  i0.ɵɵconditional(!(ɵ$index_26_r6 === ɵ$count_26_r7 - 1) || ctx_r1.modalType() !== null ? 2 : -1);
104514
105064
  } }
104515
105065
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_3_Template(rf, ctx) { if (rf & 1) {
104516
- i0.ɵɵelementStart(0, "span", 29);
105066
+ i0.ɵɵelementStart(0, "span", 30);
104517
105067
  i0.ɵɵtext(1, "Objectives");
104518
105068
  i0.ɵɵelementEnd();
104519
105069
  } if (rf & 2) {
@@ -104521,7 +105071,7 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_
104521
105071
  i0.ɵɵproperty("ngClass", ctx_r1.breadcrumbCurrentClasses());
104522
105072
  } }
104523
105073
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_4_Template(rf, ctx) { if (rf & 1) {
104524
- i0.ɵɵelementStart(0, "span", 29);
105074
+ i0.ɵɵelementStart(0, "span", 30);
104525
105075
  i0.ɵɵtext(1, "Related Metrics");
104526
105076
  i0.ɵɵelementEnd();
104527
105077
  } if (rf & 2) {
@@ -104529,7 +105079,7 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_
104529
105079
  i0.ɵɵproperty("ngClass", ctx_r1.breadcrumbCurrentClasses());
104530
105080
  } }
104531
105081
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_5_Template(rf, ctx) { if (rf & 1) {
104532
- i0.ɵɵelementStart(0, "span", 29);
105082
+ i0.ɵɵelementStart(0, "span", 30);
104533
105083
  i0.ɵɵtext(1, "Strategies");
104534
105084
  i0.ɵɵelementEnd();
104535
105085
  } if (rf & 2) {
@@ -104537,7 +105087,7 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_
104537
105087
  i0.ɵɵproperty("ngClass", ctx_r1.breadcrumbCurrentClasses());
104538
105088
  } }
104539
105089
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_6_Template(rf, ctx) { if (rf & 1) {
104540
- i0.ɵɵelementStart(0, "span", 29);
105090
+ i0.ɵɵelementStart(0, "span", 30);
104541
105091
  i0.ɵɵtext(1, "Recommendations");
104542
105092
  i0.ɵɵelementEnd();
104543
105093
  } if (rf & 2) {
@@ -104545,7 +105095,7 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_
104545
105095
  i0.ɵɵproperty("ngClass", ctx_r1.breadcrumbCurrentClasses());
104546
105096
  } }
104547
105097
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_7_Template(rf, ctx) { if (rf & 1) {
104548
- i0.ɵɵelementStart(0, "span", 29);
105098
+ i0.ɵɵelementStart(0, "span", 30);
104549
105099
  i0.ɵɵtext(1, "Priority Actions");
104550
105100
  i0.ɵɵelementEnd();
104551
105101
  } if (rf & 2) {
@@ -104555,11 +105105,11 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_
104555
105105
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Template(rf, ctx) { if (rf & 1) {
104556
105106
  i0.ɵɵelementStart(0, "div", 11);
104557
105107
  i0.ɵɵrepeaterCreate(1, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_For_2_Template, 3, 3, null, null, i0.ɵɵrepeaterTrackByIndex);
104558
- i0.ɵɵconditionalCreate(3, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_3_Template, 2, 1, "span", 29);
104559
- i0.ɵɵconditionalCreate(4, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_4_Template, 2, 1, "span", 29);
104560
- i0.ɵɵconditionalCreate(5, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_5_Template, 2, 1, "span", 29);
104561
- i0.ɵɵconditionalCreate(6, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_6_Template, 2, 1, "span", 29);
104562
- i0.ɵɵconditionalCreate(7, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_7_Template, 2, 1, "span", 29);
105108
+ i0.ɵɵconditionalCreate(3, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_3_Template, 2, 1, "span", 30);
105109
+ i0.ɵɵconditionalCreate(4, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_4_Template, 2, 1, "span", 30);
105110
+ i0.ɵɵconditionalCreate(5, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_5_Template, 2, 1, "span", 30);
105111
+ i0.ɵɵconditionalCreate(6, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_6_Template, 2, 1, "span", 30);
105112
+ i0.ɵɵconditionalCreate(7, UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Conditional_7_Template, 2, 1, "span", 30);
104563
105113
  i0.ɵɵelementEnd();
104564
105114
  } if (rf & 2) {
104565
105115
  const ctx_r1 = i0.ɵɵnextContext(2);
@@ -104577,7 +105127,7 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_9_Template(rf,
104577
105127
  i0.ɵɵconditional(ctx_r1.modalType() === "priority-actions-list" ? 7 : -1);
104578
105128
  } }
104579
105129
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_10_Template(rf, ctx) { if (rf & 1) {
104580
- i0.ɵɵelementStart(0, "div", 12)(1, "span", 33);
105130
+ i0.ɵɵelementStart(0, "div", 12)(1, "span", 34);
104581
105131
  i0.ɵɵtext(2);
104582
105132
  i0.ɵɵelementEnd()();
104583
105133
  } if (rf & 2) {
@@ -104588,21 +105138,21 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_10_Template(rf
104588
105138
  i0.ɵɵtextInterpolate1(" ", ctx_r1.modalType() === "unified-goal-objectives" ? "Objectives" : ctx_r1.modalType() === "unified-goal-related-metrics" ? "Related Metrics" : ctx_r1.modalType() === "objective-strategies" ? "Strategies" : ctx_r1.modalType() === "strategy-recommendations" ? "Recommendations" : ctx_r1.modalType() === "priority-actions-list" ? "Unified Analysis" : "Unified Goal", " ");
104589
105139
  } }
104590
105140
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_14_Conditional_1_Template(rf, ctx) { if (rf & 1) {
104591
- i0.ɵɵelement(0, "symphiq-priority-badge", 34);
105141
+ i0.ɵɵelement(0, "symphiq-priority-badge", 35);
104592
105142
  } if (rf & 2) {
104593
105143
  const ctx_r1 = i0.ɵɵnextContext(3);
104594
105144
  i0.ɵɵproperty("priority", ctx_r1.currentGoal().priority)("viewMode", ctx_r1.viewMode());
104595
105145
  } }
104596
105146
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_14_Conditional_2_Template(rf, ctx) { if (rf & 1) {
104597
- i0.ɵɵelement(0, "symphiq-timeframe-badge", 35);
105147
+ i0.ɵɵelement(0, "symphiq-timeframe-badge", 36);
104598
105148
  } if (rf & 2) {
104599
105149
  const ctx_r1 = i0.ɵɵnextContext(3);
104600
105150
  i0.ɵɵproperty("timeframe", ctx_r1.currentGoal().timeframe)("viewMode", ctx_r1.viewMode());
104601
105151
  } }
104602
105152
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_14_Template(rf, ctx) { if (rf & 1) {
104603
105153
  i0.ɵɵelementStart(0, "div", 15);
104604
- i0.ɵɵconditionalCreate(1, UnifiedDashboardModalComponent_Conditional_0_Conditional_14_Conditional_1_Template, 1, 2, "symphiq-priority-badge", 34);
104605
- i0.ɵɵconditionalCreate(2, UnifiedDashboardModalComponent_Conditional_0_Conditional_14_Conditional_2_Template, 1, 2, "symphiq-timeframe-badge", 35);
105154
+ i0.ɵɵconditionalCreate(1, UnifiedDashboardModalComponent_Conditional_0_Conditional_14_Conditional_1_Template, 1, 2, "symphiq-priority-badge", 35);
105155
+ i0.ɵɵconditionalCreate(2, UnifiedDashboardModalComponent_Conditional_0_Conditional_14_Conditional_2_Template, 1, 2, "symphiq-timeframe-badge", 36);
104606
105156
  i0.ɵɵelementEnd();
104607
105157
  } if (rf & 2) {
104608
105158
  let tmp_4_0;
@@ -104615,7 +105165,7 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_14_Template(rf
104615
105165
  } }
104616
105166
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_20_Template(rf, ctx) { if (rf & 1) {
104617
105167
  const _r8 = i0.ɵɵgetCurrentView();
104618
- i0.ɵɵelementStart(0, "symphiq-unified-goal-detail-modal-content", 36);
105168
+ i0.ɵɵelementStart(0, "symphiq-unified-goal-detail-modal-content", 37);
104619
105169
  i0.ɵɵlistener("sourceAnalysisClick", function UnifiedDashboardModalComponent_Conditional_0_Conditional_20_Template_symphiq_unified_goal_detail_modal_content_sourceAnalysisClick_0_listener($event) { i0.ɵɵrestoreView(_r8); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onSourceAnalysisClick($event)); })("metricClick", function UnifiedDashboardModalComponent_Conditional_0_Conditional_20_Template_symphiq_unified_goal_detail_modal_content_metricClick_0_listener($event) { i0.ɵɵrestoreView(_r8); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onMetricClick($event)); })("contributingMetricsClick", function UnifiedDashboardModalComponent_Conditional_0_Conditional_20_Template_symphiq_unified_goal_detail_modal_content_contributingMetricsClick_0_listener() { i0.ɵɵrestoreView(_r8); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onContributingMetricsClick()); })("showObjectives", function UnifiedDashboardModalComponent_Conditional_0_Conditional_20_Template_symphiq_unified_goal_detail_modal_content_showObjectives_0_listener() { i0.ɵɵrestoreView(_r8); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onShowObjectives()); })("close", function UnifiedDashboardModalComponent_Conditional_0_Conditional_20_Template_symphiq_unified_goal_detail_modal_content_close_0_listener() { i0.ɵɵrestoreView(_r8); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.closeModal()); });
104620
105170
  i0.ɵɵelementEnd();
104621
105171
  } if (rf & 2) {
@@ -104630,7 +105180,7 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_21_Template(rf
104630
105180
  } }
104631
105181
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_22_Template(rf, ctx) { if (rf & 1) {
104632
105182
  const _r9 = i0.ɵɵgetCurrentView();
104633
- i0.ɵɵelementStart(0, "symphiq-unified-goal-related-metrics-modal-content", 37);
105183
+ i0.ɵɵelementStart(0, "symphiq-unified-goal-related-metrics-modal-content", 38);
104634
105184
  i0.ɵɵlistener("metricClick", function UnifiedDashboardModalComponent_Conditional_0_Conditional_22_Template_symphiq_unified_goal_related_metrics_modal_content_metricClick_0_listener($event) { i0.ɵɵrestoreView(_r9); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onRelatedMetricClick($event)); });
104635
105185
  i0.ɵɵelementEnd();
104636
105186
  } if (rf & 2) {
@@ -104647,17 +105197,29 @@ function UnifiedDashboardModalComponent_Conditional_0_Conditional_24_Template(rf
104647
105197
  i0.ɵɵelement(0, "symphiq-strategy-recommendations-modal-content", 24);
104648
105198
  } if (rf & 2) {
104649
105199
  const ctx_r1 = i0.ɵɵnextContext(2);
104650
- i0.ɵɵproperty("strategy", ctx_r1.recommendationsData().strategy)("viewMode", ctx_r1.viewMode())("allMetrics", ctx_r1.allMetricsFromStack())("allCharts", ctx_r1.allChartsFromStack())("allInsights", ctx_r1.allInsightsFromStack())("goalTitle", ctx_r1.recommendationsData().goalTitle)("objectiveTitle", ctx_r1.recommendationsData().objectiveTitle)("currentModalState", ctx_r1.currentModalState())("expandedRecommendationId", ctx_r1.recommendationsData().expandedRecommendationId);
105200
+ i0.ɵɵproperty("strategy", ctx_r1.recommendationsData().strategy)("viewMode", ctx_r1.viewMode())("allMetrics", ctx_r1.allMetricsFromStack())("allCharts", ctx_r1.allChartsFromStack())("allInsights", ctx_r1.allInsightsFromStack())("allBusinessInsights", ctx_r1.allBusinessInsightsFromStack())("goalTitle", ctx_r1.recommendationsData().goalTitle)("objectiveTitle", ctx_r1.recommendationsData().objectiveTitle)("currentModalState", ctx_r1.currentModalState())("expandedRecommendationId", ctx_r1.recommendationsData().expandedRecommendationId);
104651
105201
  } }
104652
105202
  function UnifiedDashboardModalComponent_Conditional_0_Conditional_25_Template(rf, ctx) { if (rf & 1) {
104653
105203
  const _r10 = i0.ɵɵgetCurrentView();
104654
- i0.ɵɵelementStart(0, "symphiq-priority-actions-modal-content", 38);
105204
+ i0.ɵɵelementStart(0, "symphiq-priority-actions-modal-content", 39);
104655
105205
  i0.ɵɵlistener("goalClick", function UnifiedDashboardModalComponent_Conditional_0_Conditional_25_Template_symphiq_priority_actions_modal_content_goalClick_0_listener($event) { i0.ɵɵrestoreView(_r10); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onPriorityActionGoalClick($event)); })("recommendationClick", function UnifiedDashboardModalComponent_Conditional_0_Conditional_25_Template_symphiq_priority_actions_modal_content_recommendationClick_0_listener($event) { i0.ɵɵrestoreView(_r10); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onPriorityActionRecommendationClick($event)); });
104656
105206
  i0.ɵɵelementEnd();
104657
105207
  } if (rf & 2) {
104658
105208
  const ctx_r1 = i0.ɵɵnextContext(2);
104659
105209
  i0.ɵɵproperty("items", ctx_r1.priorityActionsData().items)("viewMode", ctx_r1.viewMode())("selectedIndex", ctx_r1.priorityActionsData().selectedIndex ?? null);
104660
105210
  } }
105211
+ function UnifiedDashboardModalComponent_Conditional_0_Conditional_26_Template(rf, ctx) { if (rf & 1) {
105212
+ const _r11 = i0.ɵɵgetCurrentView();
105213
+ i0.ɵɵelementStart(0, "div", 26)(1, "symphiq-goal-action-state-selector", 40);
105214
+ i0.ɵɵlistener("stateChange", function UnifiedDashboardModalComponent_Conditional_0_Conditional_26_Template_symphiq_goal_action_state_selector_stateChange_1_listener($event) { i0.ɵɵrestoreView(_r11); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onActionStateChange($event)); });
105215
+ i0.ɵɵelementEnd()();
105216
+ } if (rf & 2) {
105217
+ let tmp_7_0;
105218
+ const ctx_r1 = i0.ɵɵnextContext(2);
105219
+ i0.ɵɵproperty("ngClass", ctx_r1.footerClasses());
105220
+ i0.ɵɵadvance();
105221
+ i0.ɵɵproperty("state", ctx_r1.currentGoalActionState())("viewMode", ctx_r1.viewMode())("goalId", (tmp_7_0 = ctx_r1.currentGoal()) == null ? null : tmp_7_0.id);
105222
+ } }
104661
105223
  function UnifiedDashboardModalComponent_Conditional_0_Template(rf, ctx) { if (rf & 1) {
104662
105224
  const _r1 = i0.ɵɵgetCurrentView();
104663
105225
  i0.ɵɵelementStart(0, "div", 3, 0)(2, "div", 4);
@@ -104686,9 +105248,11 @@ function UnifiedDashboardModalComponent_Conditional_0_Template(rf, ctx) { if (rf
104686
105248
  i0.ɵɵconditionalCreate(21, UnifiedDashboardModalComponent_Conditional_0_Conditional_21_Template, 1, 4, "symphiq-goal-objectives-modal-content", 21);
104687
105249
  i0.ɵɵconditionalCreate(22, UnifiedDashboardModalComponent_Conditional_0_Conditional_22_Template, 1, 3, "symphiq-unified-goal-related-metrics-modal-content", 22);
104688
105250
  i0.ɵɵconditionalCreate(23, UnifiedDashboardModalComponent_Conditional_0_Conditional_23_Template, 1, 2, "symphiq-objective-strategies-modal-content", 23);
104689
- i0.ɵɵconditionalCreate(24, UnifiedDashboardModalComponent_Conditional_0_Conditional_24_Template, 1, 9, "symphiq-strategy-recommendations-modal-content", 24);
105251
+ i0.ɵɵconditionalCreate(24, UnifiedDashboardModalComponent_Conditional_0_Conditional_24_Template, 1, 10, "symphiq-strategy-recommendations-modal-content", 24);
104690
105252
  i0.ɵɵconditionalCreate(25, UnifiedDashboardModalComponent_Conditional_0_Conditional_25_Template, 1, 3, "symphiq-priority-actions-modal-content", 25);
104691
- i0.ɵɵelementEnd()()();
105253
+ i0.ɵɵelementEnd();
105254
+ i0.ɵɵconditionalCreate(26, UnifiedDashboardModalComponent_Conditional_0_Conditional_26_Template, 2, 4, "div", 26);
105255
+ i0.ɵɵelementEnd()();
104692
105256
  } if (rf & 2) {
104693
105257
  let tmp_17_0;
104694
105258
  const ctx_r1 = i0.ɵɵnextContext();
@@ -104729,6 +105293,8 @@ function UnifiedDashboardModalComponent_Conditional_0_Template(rf, ctx) { if (rf
104729
105293
  i0.ɵɵconditional(ctx_r1.modalType() === "strategy-recommendations" && ctx_r1.recommendationsData() ? 24 : -1);
104730
105294
  i0.ɵɵadvance();
104731
105295
  i0.ɵɵconditional(ctx_r1.modalType() === "priority-actions-list" && ctx_r1.priorityActionsData() ? 25 : -1);
105296
+ i0.ɵɵadvance();
105297
+ i0.ɵɵconditional(ctx_r1.modalType() === "unified-goal-detail" && ctx_r1.currentGoal() ? 26 : -1);
104732
105298
  } }
104733
105299
  class UnifiedDashboardModalComponent {
104734
105300
  constructor() {
@@ -104742,6 +105308,7 @@ class UnifiedDashboardModalComponent {
104742
105308
  this.renderer = inject(Renderer2);
104743
105309
  this.document = inject(DOCUMENT);
104744
105310
  this.hostElement = inject(ElementRef);
105311
+ this.goalActionStateService = inject(GoalActionStateService);
104745
105312
  this.isOpen = signal(false, ...(ngDevMode ? [{ debugName: "isOpen" }] : []));
104746
105313
  this.modalReady = signal(false, ...(ngDevMode ? [{ debugName: "modalReady" }] : []));
104747
105314
  this.isFreshOpen = signal(true, ...(ngDevMode ? [{ debugName: "isFreshOpen" }] : []));
@@ -104801,6 +105368,18 @@ class UnifiedDashboardModalComponent {
104801
105368
  const relatedMetricsData = this.relatedMetricsData();
104802
105369
  return goalData?.goal || objData?.goal || relatedMetricsData?.goal || null;
104803
105370
  }, ...(ngDevMode ? [{ debugName: "currentGoal" }] : []));
105371
+ this.currentGoalActionState = computed(() => {
105372
+ const goal = this.currentGoal();
105373
+ if (!goal?.id)
105374
+ return undefined;
105375
+ this.goalActionStateService.states();
105376
+ return this.goalActionStateService.getState(goal.id);
105377
+ }, ...(ngDevMode ? [{ debugName: "currentGoalActionState" }] : []));
105378
+ this.footerClasses = computed(() => {
105379
+ return this.isLightMode()
105380
+ ? 'bg-white/50 border-slate-200/50'
105381
+ : 'bg-slate-800/50 border-slate-700/50';
105382
+ }, ...(ngDevMode ? [{ debugName: "footerClasses" }] : []));
104804
105383
  this.supportedModalTypes = new Set([
104805
105384
  'unified-goal-detail',
104806
105385
  'unified-goal-objectives',
@@ -104873,6 +105452,24 @@ class UnifiedDashboardModalComponent {
104873
105452
  }
104874
105453
  return [];
104875
105454
  }, ...(ngDevMode ? [{ debugName: "allInsightsFromStack" }] : []));
105455
+ this.allBusinessInsightsFromStack = computed(() => {
105456
+ const goalData = this.unifiedGoalData();
105457
+ if (goalData?.allBusinessInsights)
105458
+ return goalData.allBusinessInsights;
105459
+ const objData = this.objectivesData();
105460
+ if (objData?.allBusinessInsights)
105461
+ return objData.allBusinessInsights;
105462
+ const stack = this.navigationStack();
105463
+ for (let i = stack.length - 1; i >= 0; i--) {
105464
+ const state = stack[i];
105465
+ if (state.type === 'unified-goal-detail' || state.type === 'unified-goal-objectives') {
105466
+ const data = state.data;
105467
+ if (data?.allBusinessInsights)
105468
+ return data.allBusinessInsights;
105469
+ }
105470
+ }
105471
+ return [];
105472
+ }, ...(ngDevMode ? [{ debugName: "allBusinessInsightsFromStack" }] : []));
104876
105473
  this.loadedSourceAnalysisIdsAsNumbers = computed(() => {
104877
105474
  return this.loadedSourceAnalysisIds();
104878
105475
  }, ...(ngDevMode ? [{ debugName: "loadedSourceAnalysisIdsAsNumbers" }] : []));
@@ -104922,7 +105519,7 @@ class UnifiedDashboardModalComponent {
104922
105519
  }
104923
105520
  const unifiedModalTypes = ['unified-goal-detail', 'unified-goal-objectives', 'unified-goal-related-metrics', 'objective-strategies', 'strategy-recommendations', 'priority-actions-list'];
104924
105521
  const isUnifiedType = unifiedModalTypes.includes(state.type || '');
104925
- const stackableTypes = ['metrics-list', 'metric'];
105522
+ const stackableTypes = ['metrics-list', 'metric', 'insight', 'insights-list', 'goal-insights-list', 'goal-business-insights-list', 'recommendation-business-insights-list', 'recommendation-insights-list', 'business-insight-detail'];
104926
105523
  const isStackableType = stackableTypes.includes(state.type || '');
104927
105524
  if (!isUnifiedType && state.type !== null && !isStackableType) {
104928
105525
  if (this.isOpen()) {
@@ -105151,6 +105748,11 @@ class UnifiedDashboardModalComponent {
105151
105748
  onPriorityActionRecommendationClick(recommendationId) {
105152
105749
  this.priorityActionRecommendationClick.emit(recommendationId);
105153
105750
  }
105751
+ onActionStateChange(event) {
105752
+ if (event.goalId) {
105753
+ this.goalActionStateService.setState(event.goalId, event.state);
105754
+ }
105755
+ }
105154
105756
  closeModal() {
105155
105757
  this.modalService.closeModal();
105156
105758
  }
@@ -105185,8 +105787,8 @@ class UnifiedDashboardModalComponent {
105185
105787
  let _t;
105186
105788
  i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.modalContent = _t.first);
105187
105789
  i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.modalWrapper = _t.first);
105188
- } }, inputs: { viewMode: [1, "viewMode"], loadingSourceAnalysisId: [1, "loadingSourceAnalysisId"], loadedSourceAnalysisIds: [1, "loadedSourceAnalysisIds"] }, outputs: { priorityActionGoalClick: "priorityActionGoalClick", priorityActionRecommendationClick: "priorityActionRecommendationClick", sourceAnalysisClickRequest: "sourceAnalysisClickRequest" }, decls: 1, vars: 1, consts: [["modalWrapper", ""], ["modalContent", ""], [1, "fixed", "inset-0", "flex", "items-center", "justify-center", "p-4", "overflow-y-auto", 3, "z-index", "visibility"], [1, "fixed", "inset-0", "flex", "items-center", "justify-center", "p-4", "overflow-y-auto"], ["aria-hidden", "true", 1, "fixed", "inset-0", "backdrop-blur-sm", "transition-opacity", "duration-200", 3, "click", "ngClass"], [1, "relative", "w-full", "max-w-6xl", "rounded-2xl", "text-left", "overflow-hidden", "shadow-xl", "border", "backdrop-blur-xl", 3, "click", "ngClass"], [1, "px-6", "py-5", "border-b", "backdrop-blur-sm", 3, "ngClass"], [1, "flex", "items-start", "justify-between", "gap-4"], [1, "flex", "items-start", "gap-3", "flex-1", "min-w-0"], ["type", "button", 1, "mt-0.5", "p-1.5", "rounded-lg", "transition-all", "hover:scale-105", "active:scale-95", "cursor-pointer", "flex-shrink-0", 3, "ngClass"], [1, "flex-1", "min-w-0"], [1, "flex", "items-center", "gap-1.5", "mb-2", "text-xs"], [1, "flex", "items-center", "gap-2", "mb-2"], [1, "flex", "flex-wrap", "items-center", "justify-between", "gap-x-4", "gap-y-2"], [1, "text-xl", "font-bold", "leading-tight", 3, "ngClass"], [1, "flex", "items-center", "gap-2"], ["type", "button", 1, "transition-all", "rounded-lg", "p-1", "hover:scale-110", "active:scale-90", "cursor-pointer", "flex-shrink-0", 3, "click", "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-6", "h-6"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M6 18L18 6M6 6l12 12"], [1, "px-6", "py-8", "max-h-[80vh]", "overflow-y-auto", "backdrop-blur-sm", 3, "ngClass"], [3, "goal", "allMetrics", "allCharts", "loadedSourceAnalysisIds", "loadingSourceAnalysisId", "viewMode", "currentModalState"], [3, "objectives", "goalTitle", "viewMode"], [3, "goal", "contributingMetrics", "viewMode"], [3, "objective", "viewMode"], [3, "strategy", "viewMode", "allMetrics", "allCharts", "allInsights", "goalTitle", "objectiveTitle", "currentModalState", "expandedRecommendationId"], [3, "items", "viewMode", "selectedIndex"], ["type", "button", 1, "mt-0.5", "p-1.5", "rounded-lg", "transition-all", "hover:scale-105", "active:scale-95", "cursor-pointer", "flex-shrink-0", 3, "click", "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M15 19l-7-7 7-7"], [1, "font-medium", 3, "ngClass"], ["type", "button", 1, "hover:underline", "cursor-pointer", "transition-colors", 3, "click", "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-3", "h-3", "flex-shrink-0", 3, "ngClass"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 5l7 7-7 7"], [1, "text-xs", "font-semibold", "uppercase", "tracking-wider", 3, "ngClass"], [3, "priority", "viewMode"], [3, "timeframe", "viewMode"], [3, "sourceAnalysisClick", "metricClick", "contributingMetricsClick", "showObjectives", "close", "goal", "allMetrics", "allCharts", "loadedSourceAnalysisIds", "loadingSourceAnalysisId", "viewMode", "currentModalState"], [3, "metricClick", "goal", "contributingMetrics", "viewMode"], [3, "goalClick", "recommendationClick", "items", "viewMode", "selectedIndex"]], template: function UnifiedDashboardModalComponent_Template(rf, ctx) { if (rf & 1) {
105189
- i0.ɵɵconditionalCreate(0, UnifiedDashboardModalComponent_Conditional_0_Template, 26, 31, "div", 2);
105790
+ } }, inputs: { viewMode: [1, "viewMode"], loadingSourceAnalysisId: [1, "loadingSourceAnalysisId"], loadedSourceAnalysisIds: [1, "loadedSourceAnalysisIds"] }, outputs: { priorityActionGoalClick: "priorityActionGoalClick", priorityActionRecommendationClick: "priorityActionRecommendationClick", sourceAnalysisClickRequest: "sourceAnalysisClickRequest" }, decls: 1, vars: 1, consts: [["modalWrapper", ""], ["modalContent", ""], [1, "fixed", "inset-0", "flex", "items-center", "justify-center", "p-4", "overflow-y-auto", 3, "z-index", "visibility"], [1, "fixed", "inset-0", "flex", "items-center", "justify-center", "p-4", "overflow-y-auto"], ["aria-hidden", "true", 1, "fixed", "inset-0", "backdrop-blur-sm", "transition-opacity", "duration-200", 3, "click", "ngClass"], [1, "relative", "w-full", "max-w-6xl", "rounded-2xl", "text-left", "overflow-hidden", "shadow-xl", "border", "backdrop-blur-xl", 3, "click", "ngClass"], [1, "px-6", "py-5", "border-b", "backdrop-blur-sm", 3, "ngClass"], [1, "flex", "items-start", "justify-between", "gap-4"], [1, "flex", "items-start", "gap-3", "flex-1", "min-w-0"], ["type", "button", 1, "mt-0.5", "p-1.5", "rounded-lg", "transition-all", "hover:scale-105", "active:scale-95", "cursor-pointer", "flex-shrink-0", 3, "ngClass"], [1, "flex-1", "min-w-0"], [1, "flex", "items-center", "gap-1.5", "mb-2", "text-xs"], [1, "flex", "items-center", "gap-2", "mb-2"], [1, "flex", "flex-wrap", "items-center", "justify-between", "gap-x-4", "gap-y-2"], [1, "text-xl", "font-bold", "leading-tight", 3, "ngClass"], [1, "flex", "items-center", "gap-2"], ["type", "button", 1, "transition-all", "rounded-lg", "p-1", "hover:scale-110", "active:scale-90", "cursor-pointer", "flex-shrink-0", 3, "click", "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-6", "h-6"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M6 18L18 6M6 6l12 12"], [1, "px-6", "py-8", "max-h-[80vh]", "overflow-y-auto", "backdrop-blur-sm", 3, "ngClass"], [3, "goal", "allMetrics", "allCharts", "loadedSourceAnalysisIds", "loadingSourceAnalysisId", "viewMode", "currentModalState"], [3, "objectives", "goalTitle", "viewMode"], [3, "goal", "contributingMetrics", "viewMode"], [3, "objective", "viewMode"], [3, "strategy", "viewMode", "allMetrics", "allCharts", "allInsights", "allBusinessInsights", "goalTitle", "objectiveTitle", "currentModalState", "expandedRecommendationId"], [3, "items", "viewMode", "selectedIndex"], [1, "px-6", "py-5", "border-t", "backdrop-blur-sm", 3, "ngClass"], ["type", "button", 1, "mt-0.5", "p-1.5", "rounded-lg", "transition-all", "hover:scale-105", "active:scale-95", "cursor-pointer", "flex-shrink-0", 3, "click", "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M15 19l-7-7 7-7"], [1, "font-medium", 3, "ngClass"], ["type", "button", 1, "hover:underline", "cursor-pointer", "transition-colors", 3, "click", "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-3", "h-3", "flex-shrink-0", 3, "ngClass"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 5l7 7-7 7"], [1, "text-xs", "font-semibold", "uppercase", "tracking-wider", 3, "ngClass"], [3, "priority", "viewMode"], [3, "timeframe", "viewMode"], [3, "sourceAnalysisClick", "metricClick", "contributingMetricsClick", "showObjectives", "close", "goal", "allMetrics", "allCharts", "loadedSourceAnalysisIds", "loadingSourceAnalysisId", "viewMode", "currentModalState"], [3, "metricClick", "goal", "contributingMetrics", "viewMode"], [3, "goalClick", "recommendationClick", "items", "viewMode", "selectedIndex"], [3, "stateChange", "state", "viewMode", "goalId"]], template: function UnifiedDashboardModalComponent_Template(rf, ctx) { if (rf & 1) {
105791
+ i0.ɵɵconditionalCreate(0, UnifiedDashboardModalComponent_Conditional_0_Template, 27, 32, "div", 2);
105190
105792
  } if (rf & 2) {
105191
105793
  i0.ɵɵconditional(ctx.isOpen() ? 0 : -1);
105192
105794
  } }, dependencies: [CommonModule, i1$1.NgClass, UnifiedGoalDetailModalContentComponent,
@@ -105196,7 +105798,8 @@ class UnifiedDashboardModalComponent {
105196
105798
  StrategyRecommendationsModalContentComponent,
105197
105799
  PriorityBadgeComponent,
105198
105800
  TimeframeBadgeComponent,
105199
- PriorityActionsModalContentComponent], encapsulation: 2, data: { animation: [
105801
+ PriorityActionsModalContentComponent,
105802
+ GoalActionStateSelectorComponent], encapsulation: 2, data: { animation: [
105200
105803
  trigger('fadeIn', [
105201
105804
  state('enter', style({ opacity: 1 })),
105202
105805
  state('none', style({ opacity: 1 })),
@@ -105228,7 +105831,8 @@ class UnifiedDashboardModalComponent {
105228
105831
  StrategyRecommendationsModalContentComponent,
105229
105832
  PriorityBadgeComponent,
105230
105833
  TimeframeBadgeComponent,
105231
- PriorityActionsModalContentComponent
105834
+ PriorityActionsModalContentComponent,
105835
+ GoalActionStateSelectorComponent
105232
105836
  ],
105233
105837
  animations: [
105234
105838
  trigger('fadeIn', [
@@ -105389,6 +105993,7 @@ class UnifiedDashboardModalComponent {
105389
105993
  [allMetrics]="allMetricsFromStack()"
105390
105994
  [allCharts]="allChartsFromStack()"
105391
105995
  [allInsights]="allInsightsFromStack()"
105996
+ [allBusinessInsights]="allBusinessInsightsFromStack()"
105392
105997
  [goalTitle]="recommendationsData()!.goalTitle"
105393
105998
  [objectiveTitle]="recommendationsData()!.objectiveTitle"
105394
105999
  [currentModalState]="currentModalState()"
@@ -105405,6 +106010,17 @@ class UnifiedDashboardModalComponent {
105405
106010
  />
105406
106011
  }
105407
106012
  </div>
106013
+
106014
+ @if (modalType() === 'unified-goal-detail' && currentGoal()) {
106015
+ <div [ngClass]="footerClasses()" class="px-6 py-5 border-t backdrop-blur-sm">
106016
+ <symphiq-goal-action-state-selector
106017
+ [state]="currentGoalActionState()"
106018
+ [viewMode]="viewMode()"
106019
+ [goalId]="currentGoal()?.id"
106020
+ (stateChange)="onActionStateChange($event)"
106021
+ />
106022
+ </div>
106023
+ }
105408
106024
  </div>
105409
106025
  </div>
105410
106026
  }
@@ -105417,7 +106033,7 @@ class UnifiedDashboardModalComponent {
105417
106033
  type: ViewChild,
105418
106034
  args: ['modalWrapper']
105419
106035
  }] }); })();
105420
- (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedDashboardModalComponent, { className: "UnifiedDashboardModalComponent", filePath: "lib/components/profile-analysis-unified-dashboard/modals/unified-dashboard-modal.component.ts", lineNumber: 238 }); })();
106036
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedDashboardModalComponent, { className: "UnifiedDashboardModalComponent", filePath: "lib/components/profile-analysis-unified-dashboard/modals/unified-dashboard-modal.component.ts", lineNumber: 254 }); })();
105421
106037
 
105422
106038
  function UnifiedWelcomeBannerComponent_Conditional_8_Template(rf, ctx) { if (rf & 1) {
105423
106039
  i0.ɵɵtext(0, " Your Unified Goals ");
@@ -105426,16 +106042,16 @@ function UnifiedWelcomeBannerComponent_Conditional_9_Template(rf, ctx) { if (rf
105426
106042
  i0.ɵɵtext(0, " Welcome to Your Unified Analysis ");
105427
106043
  } }
105428
106044
  function UnifiedWelcomeBannerComponent_Conditional_18_Template(rf, ctx) { if (rf & 1) {
105429
- i0.ɵɵelementStart(0, "div", 12)(1, "div", 17);
106045
+ i0.ɵɵelementStart(0, "div", 12)(1, "div", 18);
105430
106046
  i0.ɵɵnamespaceSVG();
105431
- i0.ɵɵelementStart(2, "svg", 18);
106047
+ i0.ɵɵelementStart(2, "svg", 19);
105432
106048
  i0.ɵɵelement(3, "path", 5);
105433
106049
  i0.ɵɵelementEnd()();
105434
106050
  i0.ɵɵnamespaceHTML();
105435
- i0.ɵɵelementStart(4, "div", 6)(5, "p", 19);
106051
+ i0.ɵɵelementStart(4, "div", 6)(5, "p", 20);
105436
106052
  i0.ɵɵtext(6);
105437
106053
  i0.ɵɵelementEnd();
105438
- i0.ɵɵelementStart(7, "p", 20);
106054
+ i0.ɵɵelementStart(7, "p", 21);
105439
106055
  i0.ɵɵtext(8);
105440
106056
  i0.ɵɵelementEnd()()();
105441
106057
  } if (rf & 2) {
@@ -105452,6 +106068,105 @@ function UnifiedWelcomeBannerComponent_Conditional_18_Template(rf, ctx) { if (rf
105452
106068
  i0.ɵɵadvance();
105453
106069
  i0.ɵɵtextInterpolate3(" We've combined ", ctx_r0.sourceGoalsCount(), " goals from ", ctx_r0.sourceAnalysesCount(), " source analyses into actionable strategic priorities for ", ctx_r0.businessName(), ". ");
105454
106070
  } }
106071
+ function UnifiedWelcomeBannerComponent_Conditional_19_Conditional_11_Conditional_1_Template(rf, ctx) { if (rf & 1) {
106072
+ i0.ɵɵelementStart(0, "div", 32);
106073
+ i0.ɵɵelement(1, "span", 33);
106074
+ i0.ɵɵelementStart(2, "span", 31);
106075
+ i0.ɵɵtext(3);
106076
+ i0.ɵɵelementEnd()();
106077
+ } if (rf & 2) {
106078
+ const ctx_r0 = i0.ɵɵnextContext(3);
106079
+ i0.ɵɵadvance(2);
106080
+ i0.ɵɵproperty("ngClass", ctx_r0.progressStatClasses());
106081
+ i0.ɵɵadvance();
106082
+ i0.ɵɵtextInterpolate1("", ctx_r0.planCount(), " Planned");
106083
+ } }
106084
+ function UnifiedWelcomeBannerComponent_Conditional_19_Conditional_11_Conditional_2_Template(rf, ctx) { if (rf & 1) {
106085
+ i0.ɵɵelementStart(0, "div", 32);
106086
+ i0.ɵɵelement(1, "span", 34);
106087
+ i0.ɵɵelementStart(2, "span", 31);
106088
+ i0.ɵɵtext(3);
106089
+ i0.ɵɵelementEnd()();
106090
+ } if (rf & 2) {
106091
+ const ctx_r0 = i0.ɵɵnextContext(3);
106092
+ i0.ɵɵadvance(2);
106093
+ i0.ɵɵproperty("ngClass", ctx_r0.progressStatClasses());
106094
+ i0.ɵɵadvance();
106095
+ i0.ɵɵtextInterpolate1("", ctx_r0.potentialCount(), " Potential");
106096
+ } }
106097
+ function UnifiedWelcomeBannerComponent_Conditional_19_Conditional_11_Conditional_3_Template(rf, ctx) { if (rf & 1) {
106098
+ i0.ɵɵelementStart(0, "div", 32);
106099
+ i0.ɵɵelement(1, "span", 35);
106100
+ i0.ɵɵelementStart(2, "span", 31);
106101
+ i0.ɵɵtext(3);
106102
+ i0.ɵɵelementEnd()();
106103
+ } if (rf & 2) {
106104
+ const ctx_r0 = i0.ɵɵnextContext(3);
106105
+ i0.ɵɵadvance(2);
106106
+ i0.ɵɵproperty("ngClass", ctx_r0.progressStatClasses());
106107
+ i0.ɵɵadvance();
106108
+ i0.ɵɵtextInterpolate1("", ctx_r0.skipCount(), " Skipped");
106109
+ } }
106110
+ function UnifiedWelcomeBannerComponent_Conditional_19_Conditional_11_Template(rf, ctx) { if (rf & 1) {
106111
+ i0.ɵɵelementStart(0, "div", 30);
106112
+ i0.ɵɵconditionalCreate(1, UnifiedWelcomeBannerComponent_Conditional_19_Conditional_11_Conditional_1_Template, 4, 2, "div", 32);
106113
+ i0.ɵɵconditionalCreate(2, UnifiedWelcomeBannerComponent_Conditional_19_Conditional_11_Conditional_2_Template, 4, 2, "div", 32);
106114
+ i0.ɵɵconditionalCreate(3, UnifiedWelcomeBannerComponent_Conditional_19_Conditional_11_Conditional_3_Template, 4, 2, "div", 32);
106115
+ i0.ɵɵelementEnd();
106116
+ } if (rf & 2) {
106117
+ const ctx_r0 = i0.ɵɵnextContext(2);
106118
+ i0.ɵɵadvance();
106119
+ i0.ɵɵconditional(ctx_r0.planCount() > 0 ? 1 : -1);
106120
+ i0.ɵɵadvance();
106121
+ i0.ɵɵconditional(ctx_r0.potentialCount() > 0 ? 2 : -1);
106122
+ i0.ɵɵadvance();
106123
+ i0.ɵɵconditional(ctx_r0.skipCount() > 0 ? 3 : -1);
106124
+ } }
106125
+ function UnifiedWelcomeBannerComponent_Conditional_19_Conditional_12_Template(rf, ctx) { if (rf & 1) {
106126
+ i0.ɵɵelementStart(0, "p", 31);
106127
+ i0.ɵɵtext(1, " Click \"Learn More\" on each goal below to review and categorize them as Planned, Potential, or Skip. ");
106128
+ i0.ɵɵelementEnd();
106129
+ } if (rf & 2) {
106130
+ const ctx_r0 = i0.ɵɵnextContext(2);
106131
+ i0.ɵɵproperty("ngClass", ctx_r0.progressHintClasses());
106132
+ } }
106133
+ function UnifiedWelcomeBannerComponent_Conditional_19_Template(rf, ctx) { if (rf & 1) {
106134
+ i0.ɵɵelementStart(0, "div", 13)(1, "div", 22)(2, "div", 23);
106135
+ i0.ɵɵnamespaceSVG();
106136
+ i0.ɵɵelementStart(3, "svg", 24);
106137
+ i0.ɵɵelement(4, "path", 25);
106138
+ i0.ɵɵelementEnd();
106139
+ i0.ɵɵnamespaceHTML();
106140
+ i0.ɵɵelementStart(5, "span", 26);
106141
+ i0.ɵɵtext(6, "Review Progress");
106142
+ i0.ɵɵelementEnd()();
106143
+ i0.ɵɵelementStart(7, "span", 27);
106144
+ i0.ɵɵtext(8);
106145
+ i0.ɵɵelementEnd()();
106146
+ i0.ɵɵelementStart(9, "div", 28);
106147
+ i0.ɵɵelement(10, "div", 29);
106148
+ i0.ɵɵelementEnd();
106149
+ i0.ɵɵconditionalCreate(11, UnifiedWelcomeBannerComponent_Conditional_19_Conditional_11_Template, 4, 3, "div", 30)(12, UnifiedWelcomeBannerComponent_Conditional_19_Conditional_12_Template, 2, 1, "p", 31);
106150
+ i0.ɵɵelementEnd();
106151
+ } if (rf & 2) {
106152
+ const ctx_r0 = i0.ɵɵnextContext();
106153
+ i0.ɵɵproperty("ngClass", ctx_r0.progressBannerClasses());
106154
+ i0.ɵɵadvance(3);
106155
+ i0.ɵɵproperty("ngClass", ctx_r0.progressIconClasses());
106156
+ i0.ɵɵadvance(2);
106157
+ i0.ɵɵproperty("ngClass", ctx_r0.progressLabelClasses());
106158
+ i0.ɵɵadvance(2);
106159
+ i0.ɵɵproperty("ngClass", ctx_r0.progressCountClasses());
106160
+ i0.ɵɵadvance();
106161
+ i0.ɵɵtextInterpolate2(" ", ctx_r0.reviewProgress().completed, " / ", ctx_r0.reviewProgress().total, " goals reviewed ");
106162
+ i0.ɵɵadvance();
106163
+ i0.ɵɵproperty("ngClass", ctx_r0.progressBarBgClasses());
106164
+ i0.ɵɵadvance();
106165
+ i0.ɵɵstyleProp("width", ctx_r0.reviewProgress().percent, "%");
106166
+ i0.ɵɵproperty("ngClass", ctx_r0.progressBarFillClasses());
106167
+ i0.ɵɵadvance();
106168
+ i0.ɵɵconditional(ctx_r0.hasStartedReview() ? 11 : 12);
106169
+ } }
105455
106170
  class UnifiedWelcomeBannerComponent {
105456
106171
  constructor() {
105457
106172
  this.viewMode = input(ViewModeEnum.LIGHT, ...(ngDevMode ? [{ debugName: "viewMode" }] : []));
@@ -105462,6 +106177,39 @@ class UnifiedWelcomeBannerComponent {
105462
106177
  this.sourceAnalysesCount = input(0, ...(ngDevMode ? [{ debugName: "sourceAnalysesCount" }] : []));
105463
106178
  this.unifiedGoalsCount = input(0, ...(ngDevMode ? [{ debugName: "unifiedGoalsCount" }] : []));
105464
106179
  this.sourceGoalsCount = input(0, ...(ngDevMode ? [{ debugName: "sourceGoalsCount" }] : []));
106180
+ this.goalIds = input([], ...(ngDevMode ? [{ debugName: "goalIds" }] : []));
106181
+ this.goalActionStateService = inject(GoalActionStateService);
106182
+ this.reviewProgress = computed(() => {
106183
+ const ids = this.goalIds();
106184
+ if (ids.length === 0)
106185
+ return { completed: 0, total: 0, percent: 0 };
106186
+ this.goalActionStateService.states();
106187
+ const completed = this.goalActionStateService.getCompletedCount(ids);
106188
+ return {
106189
+ completed,
106190
+ total: ids.length,
106191
+ percent: ids.length > 0 ? Math.round((completed / ids.length) * 100) : 0
106192
+ };
106193
+ }, ...(ngDevMode ? [{ debugName: "reviewProgress" }] : []));
106194
+ this.hasStartedReview = computed(() => this.reviewProgress().completed > 0, ...(ngDevMode ? [{ debugName: "hasStartedReview" }] : []));
106195
+ this.planCount = computed(() => {
106196
+ const ids = this.goalIds();
106197
+ this.goalActionStateService.states();
106198
+ const states = this.goalActionStateService.getStatesByGoalIds(ids);
106199
+ return Object.values(states).filter(s => s === GoalActionStateEnum.PLAN).length;
106200
+ }, ...(ngDevMode ? [{ debugName: "planCount" }] : []));
106201
+ this.potentialCount = computed(() => {
106202
+ const ids = this.goalIds();
106203
+ this.goalActionStateService.states();
106204
+ const states = this.goalActionStateService.getStatesByGoalIds(ids);
106205
+ return Object.values(states).filter(s => s === GoalActionStateEnum.POTENTIAL).length;
106206
+ }, ...(ngDevMode ? [{ debugName: "potentialCount" }] : []));
106207
+ this.skipCount = computed(() => {
106208
+ const ids = this.goalIds();
106209
+ this.goalActionStateService.states();
106210
+ const states = this.goalActionStateService.getStatesByGoalIds(ids);
106211
+ return Object.values(states).filter(s => s === GoalActionStateEnum.SKIP).length;
106212
+ }, ...(ngDevMode ? [{ debugName: "skipCount" }] : []));
105465
106213
  this.whatYoullSeeBelowItems = [
105466
106214
  { title: 'Unified Goals', description: 'Strategic goals synthesized from all your source analyses with clear priorities and expected impact' },
105467
106215
  { title: 'Implementation Timeline', description: 'A phased roadmap showing when to tackle each goal for optimal results' },
@@ -105497,9 +106245,25 @@ class UnifiedWelcomeBannerComponent {
105497
106245
  : 'bg-blue-100 text-blue-600', ...(ngDevMode ? [{ debugName: "synthesisBannerIconClasses" }] : []));
105498
106246
  this.synthesisBannerTitleClasses = computed(() => this.isDark() ? 'text-white' : 'text-slate-900', ...(ngDevMode ? [{ debugName: "synthesisBannerTitleClasses" }] : []));
105499
106247
  this.synthesisBannerTextClasses = computed(() => this.isDark() ? 'text-slate-300' : 'text-slate-700', ...(ngDevMode ? [{ debugName: "synthesisBannerTextClasses" }] : []));
106248
+ this.progressBannerClasses = computed(() => this.isDark()
106249
+ ? 'bg-gradient-to-r from-purple-900/40 to-pink-900/40 border border-purple-700/50'
106250
+ : 'bg-gradient-to-r from-purple-50 to-pink-50 border border-purple-200', ...(ngDevMode ? [{ debugName: "progressBannerClasses" }] : []));
106251
+ this.progressIconClasses = computed(() => this.isDark() ? 'text-purple-400' : 'text-purple-600', ...(ngDevMode ? [{ debugName: "progressIconClasses" }] : []));
106252
+ this.progressLabelClasses = computed(() => this.isDark() ? 'text-white' : 'text-slate-900', ...(ngDevMode ? [{ debugName: "progressLabelClasses" }] : []));
106253
+ this.progressCountClasses = computed(() => this.isDark() ? 'text-slate-300' : 'text-slate-600', ...(ngDevMode ? [{ debugName: "progressCountClasses" }] : []));
106254
+ this.progressBarBgClasses = computed(() => this.isDark() ? 'bg-slate-700' : 'bg-slate-200', ...(ngDevMode ? [{ debugName: "progressBarBgClasses" }] : []));
106255
+ this.progressBarFillClasses = computed(() => {
106256
+ const progress = this.reviewProgress();
106257
+ if (progress.percent === 100) {
106258
+ return 'bg-gradient-to-r from-emerald-500 to-cyan-500';
106259
+ }
106260
+ return 'bg-gradient-to-r from-purple-500 to-pink-500';
106261
+ }, ...(ngDevMode ? [{ debugName: "progressBarFillClasses" }] : []));
106262
+ this.progressStatClasses = computed(() => this.isDark() ? 'text-slate-400' : 'text-slate-500', ...(ngDevMode ? [{ debugName: "progressStatClasses" }] : []));
106263
+ this.progressHintClasses = computed(() => this.isDark() ? 'text-slate-400' : 'text-slate-500', ...(ngDevMode ? [{ debugName: "progressHintClasses" }] : []));
105500
106264
  }
105501
106265
  static { this.ɵfac = function UnifiedWelcomeBannerComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || UnifiedWelcomeBannerComponent)(); }; }
105502
- static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: UnifiedWelcomeBannerComponent, selectors: [["symphiq-unified-welcome-banner"]], inputs: { viewMode: [1, "viewMode"], businessName: [1, "businessName"], isOnboarded: [1, "isOnboarded"], analysisDate: [1, "analysisDate"], isUnifiedAnalysisComplete: [1, "isUnifiedAnalysisComplete"], sourceAnalysesCount: [1, "sourceAnalysesCount"], unifiedGoalsCount: [1, "unifiedGoalsCount"], sourceGoalsCount: [1, "sourceGoalsCount"] }, decls: 23, vars: 16, consts: [[1, "rounded-2xl", "border", "shadow-lg", "overflow-hidden", 3, "ngClass"], [1, "px-8", "py-8", 3, "ngClass"], [1, "flex", "items-start", "gap-6"], [1, "flex-shrink-0", "w-16", "h-16", "rounded-2xl", "flex", "items-center", "justify-center", 3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-8", "h-8"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z"], [1, "flex-1"], [1, "text-2xl", "sm:text-3xl", "font-bold", "mb-3", 3, "ngClass"], [1, "grid", "grid-cols-1", "lg:grid-cols-3", "gap-6", "mb-6"], [1, "lg:col-span-2", "space-y-3"], [1, "text-base", "leading-relaxed", 3, "ngClass"], [1, "font-semibold"], [1, "mt-4", "p-4", "rounded-xl", "flex", "items-start", "gap-4", 3, "ngClass"], [1, "lg:col-span-1"], ["currentStepId", "unified-analysis", 3, "viewMode", "isCurrentStepComplete"], [1, "mt-6", "block", 3, "viewMode", "items", "analysisDate"], ["title", "Maximize Your Unified Insights", "onboardedTitle", "Keep Your Unified Goals Current", "description", "To get the most comprehensive unified goals, ensure you've completed your Shop Analysis, Focus Area Analyses, and Metric Analyses. The more context Symphiq has about your business, the more precise and actionable your unified recommendations become.", "onboardedDescription", "As you complete more analyses or update existing ones, your Unified Goals will be refined to reflect your current business context. Regenerate your unified analysis periodically to ensure recommendations stay aligned with your evolving strategy and priorities.", 1, "mt-6", "block", 3, "viewMode", "isOnboarded"], [1, "flex-shrink-0", "p-2", "rounded-lg", 3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5"], [1, "font-semibold", "text-base", "mb-1", 3, "ngClass"], [1, "text-sm", 3, "ngClass"]], template: function UnifiedWelcomeBannerComponent_Template(rf, ctx) { if (rf & 1) {
106266
+ static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: UnifiedWelcomeBannerComponent, selectors: [["symphiq-unified-welcome-banner"]], inputs: { viewMode: [1, "viewMode"], businessName: [1, "businessName"], isOnboarded: [1, "isOnboarded"], analysisDate: [1, "analysisDate"], isUnifiedAnalysisComplete: [1, "isUnifiedAnalysisComplete"], sourceAnalysesCount: [1, "sourceAnalysesCount"], unifiedGoalsCount: [1, "unifiedGoalsCount"], sourceGoalsCount: [1, "sourceGoalsCount"], goalIds: [1, "goalIds"] }, decls: 24, vars: 17, consts: [[1, "rounded-2xl", "border", "shadow-lg", "overflow-hidden", 3, "ngClass"], [1, "px-8", "py-8", 3, "ngClass"], [1, "flex", "items-start", "gap-6"], [1, "flex-shrink-0", "w-16", "h-16", "rounded-2xl", "flex", "items-center", "justify-center", 3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-8", "h-8"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z"], [1, "flex-1"], [1, "text-2xl", "sm:text-3xl", "font-bold", "mb-3", 3, "ngClass"], [1, "grid", "grid-cols-1", "lg:grid-cols-3", "gap-6", "mb-6"], [1, "lg:col-span-2", "space-y-3"], [1, "text-base", "leading-relaxed", 3, "ngClass"], [1, "font-semibold"], [1, "mt-4", "p-4", "rounded-xl", "flex", "items-start", "gap-4", 3, "ngClass"], [1, "mt-4", "p-4", "rounded-xl", 3, "ngClass"], [1, "lg:col-span-1"], ["currentStepId", "unified-analysis", 3, "viewMode", "isCurrentStepComplete"], [1, "mt-6", "block", 3, "viewMode", "items", "analysisDate"], ["title", "Maximize Your Unified Insights", "onboardedTitle", "Keep Your Unified Goals Current", "description", "To get the most comprehensive unified goals, ensure you've completed your Shop Analysis, Focus Area Analyses, and Metric Analyses. The more context Symphiq has about your business, the more precise and actionable your unified recommendations become.", "onboardedDescription", "As you complete more analyses or update existing ones, your Unified Goals will be refined to reflect your current business context. Regenerate your unified analysis periodically to ensure recommendations stay aligned with your evolving strategy and priorities.", 1, "mt-6", "block", 3, "viewMode", "isOnboarded"], [1, "flex-shrink-0", "p-2", "rounded-lg", 3, "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5"], [1, "font-semibold", "text-base", "mb-1", 3, "ngClass"], [1, "text-sm", 3, "ngClass"], [1, "flex", "items-center", "justify-between", "mb-2"], [1, "flex", "items-center", "gap-2"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5", 3, "ngClass"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2m-6 9l2 2 4-4"], [1, "font-semibold", "text-sm", 3, "ngClass"], [1, "text-sm", "font-medium", 3, "ngClass"], [1, "h-2", "rounded-full", "overflow-hidden", "mb-3", 3, "ngClass"], [1, "h-full", "rounded-full", "transition-all", "duration-500", "ease-out", 3, "ngClass"], [1, "flex", "items-center", "gap-4"], [1, "text-xs", 3, "ngClass"], [1, "flex", "items-center", "gap-1.5"], [1, "w-2", "h-2", "rounded-full", "bg-emerald-500"], [1, "w-2", "h-2", "rounded-full", "bg-amber-500"], [1, "w-2", "h-2", "rounded-full", "bg-slate-400"]], template: function UnifiedWelcomeBannerComponent_Template(rf, ctx) { if (rf & 1) {
105503
106267
  i0.ɵɵelementStart(0, "div", 0)(1, "div", 1)(2, "div", 2)(3, "div", 3);
105504
106268
  i0.ɵɵnamespaceSVG();
105505
106269
  i0.ɵɵelementStart(4, "svg", 4);
@@ -105518,11 +106282,12 @@ class UnifiedWelcomeBannerComponent {
105518
106282
  i0.ɵɵtext(17, " Instead of managing separate recommendations from each analysis, the Unified Analysis consolidates them into actionable goals with clear priorities, timelines, and expected impact. This ensures you focus on what will drive the most value for your business. ");
105519
106283
  i0.ɵɵelementEnd();
105520
106284
  i0.ɵɵconditionalCreate(18, UnifiedWelcomeBannerComponent_Conditional_18_Template, 9, 8, "div", 12);
106285
+ i0.ɵɵconditionalCreate(19, UnifiedWelcomeBannerComponent_Conditional_19_Template, 13, 11, "div", 13);
105521
106286
  i0.ɵɵelementEnd();
105522
- i0.ɵɵelementStart(19, "div", 13);
105523
- i0.ɵɵelement(20, "symphiq-confidence-level-card", 14);
106287
+ i0.ɵɵelementStart(20, "div", 14);
106288
+ i0.ɵɵelement(21, "symphiq-confidence-level-card", 15);
105524
106289
  i0.ɵɵelementEnd()();
105525
- i0.ɵɵelement(21, "symphiq-what-youll-see-below", 15)(22, "symphiq-continue-your-journey", 16);
106290
+ i0.ɵɵelement(22, "symphiq-what-youll-see-below", 16)(23, "symphiq-continue-your-journey", 17);
105526
106291
  i0.ɵɵelementEnd()()()();
105527
106292
  } if (rf & 2) {
105528
106293
  i0.ɵɵproperty("ngClass", ctx.containerClasses());
@@ -105542,6 +106307,8 @@ class UnifiedWelcomeBannerComponent {
105542
106307
  i0.ɵɵproperty("ngClass", ctx.textClasses());
105543
106308
  i0.ɵɵadvance(4);
105544
106309
  i0.ɵɵconditional(ctx.unifiedGoalsCount() > 0 ? 18 : -1);
106310
+ i0.ɵɵadvance();
106311
+ i0.ɵɵconditional(ctx.goalIds().length > 0 ? 19 : -1);
105545
106312
  i0.ɵɵadvance(2);
105546
106313
  i0.ɵɵproperty("viewMode", ctx.viewMode())("isCurrentStepComplete", ctx.isUnifiedAnalysisComplete());
105547
106314
  i0.ɵɵadvance();
@@ -105603,6 +106370,56 @@ class UnifiedWelcomeBannerComponent {
105603
106370
  </div>
105604
106371
  </div>
105605
106372
  }
106373
+
106374
+ <!-- Goal Review Progress -->
106375
+ @if (goalIds().length > 0) {
106376
+ <div [ngClass]="progressBannerClasses()" class="mt-4 p-4 rounded-xl">
106377
+ <div class="flex items-center justify-between mb-2">
106378
+ <div class="flex items-center gap-2">
106379
+ <svg [ngClass]="progressIconClasses()" class="w-5 h-5" fill="none" stroke="currentColor" viewBox="0 0 24 24">
106380
+ <path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2m-6 9l2 2 4-4"/>
106381
+ </svg>
106382
+ <span [ngClass]="progressLabelClasses()" class="font-semibold text-sm">Review Progress</span>
106383
+ </div>
106384
+ <span [ngClass]="progressCountClasses()" class="text-sm font-medium">
106385
+ {{ reviewProgress().completed }} / {{ reviewProgress().total }} goals reviewed
106386
+ </span>
106387
+ </div>
106388
+ <div [ngClass]="progressBarBgClasses()" class="h-2 rounded-full overflow-hidden mb-3">
106389
+ <div
106390
+ [ngClass]="progressBarFillClasses()"
106391
+ class="h-full rounded-full transition-all duration-500 ease-out"
106392
+ [style.width.%]="reviewProgress().percent">
106393
+ </div>
106394
+ </div>
106395
+ @if (hasStartedReview()) {
106396
+ <div class="flex items-center gap-4">
106397
+ @if (planCount() > 0) {
106398
+ <div class="flex items-center gap-1.5">
106399
+ <span class="w-2 h-2 rounded-full bg-emerald-500"></span>
106400
+ <span [ngClass]="progressStatClasses()" class="text-xs">{{ planCount() }} Planned</span>
106401
+ </div>
106402
+ }
106403
+ @if (potentialCount() > 0) {
106404
+ <div class="flex items-center gap-1.5">
106405
+ <span class="w-2 h-2 rounded-full bg-amber-500"></span>
106406
+ <span [ngClass]="progressStatClasses()" class="text-xs">{{ potentialCount() }} Potential</span>
106407
+ </div>
106408
+ }
106409
+ @if (skipCount() > 0) {
106410
+ <div class="flex items-center gap-1.5">
106411
+ <span class="w-2 h-2 rounded-full bg-slate-400"></span>
106412
+ <span [ngClass]="progressStatClasses()" class="text-xs">{{ skipCount() }} Skipped</span>
106413
+ </div>
106414
+ }
106415
+ </div>
106416
+ } @else {
106417
+ <p [ngClass]="progressHintClasses()" class="text-xs">
106418
+ Click "Learn More" on each goal below to review and categorize them as Planned, Potential, or Skip.
106419
+ </p>
106420
+ }
106421
+ </div>
106422
+ }
105606
106423
  </div>
105607
106424
 
105608
106425
  <div class="lg:col-span-1">
@@ -105636,13 +106453,271 @@ class UnifiedWelcomeBannerComponent {
105636
106453
  </div>
105637
106454
  `
105638
106455
  }]
105639
- }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], businessName: [{ type: i0.Input, args: [{ isSignal: true, alias: "businessName", required: false }] }], isOnboarded: [{ type: i0.Input, args: [{ isSignal: true, alias: "isOnboarded", required: false }] }], analysisDate: [{ type: i0.Input, args: [{ isSignal: true, alias: "analysisDate", required: false }] }], isUnifiedAnalysisComplete: [{ type: i0.Input, args: [{ isSignal: true, alias: "isUnifiedAnalysisComplete", required: false }] }], sourceAnalysesCount: [{ type: i0.Input, args: [{ isSignal: true, alias: "sourceAnalysesCount", required: false }] }], unifiedGoalsCount: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedGoalsCount", required: false }] }], sourceGoalsCount: [{ type: i0.Input, args: [{ isSignal: true, alias: "sourceGoalsCount", required: false }] }] }); })();
105640
- (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedWelcomeBannerComponent, { className: "UnifiedWelcomeBannerComponent", filePath: "lib/components/profile-analysis-unified-dashboard/unified-welcome-banner.component.ts", lineNumber: 92 }); })();
106456
+ }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], businessName: [{ type: i0.Input, args: [{ isSignal: true, alias: "businessName", required: false }] }], isOnboarded: [{ type: i0.Input, args: [{ isSignal: true, alias: "isOnboarded", required: false }] }], analysisDate: [{ type: i0.Input, args: [{ isSignal: true, alias: "analysisDate", required: false }] }], isUnifiedAnalysisComplete: [{ type: i0.Input, args: [{ isSignal: true, alias: "isUnifiedAnalysisComplete", required: false }] }], sourceAnalysesCount: [{ type: i0.Input, args: [{ isSignal: true, alias: "sourceAnalysesCount", required: false }] }], unifiedGoalsCount: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedGoalsCount", required: false }] }], sourceGoalsCount: [{ type: i0.Input, args: [{ isSignal: true, alias: "sourceGoalsCount", required: false }] }], goalIds: [{ type: i0.Input, args: [{ isSignal: true, alias: "goalIds", required: false }] }] }); })();
106457
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedWelcomeBannerComponent, { className: "UnifiedWelcomeBannerComponent", filePath: "lib/components/profile-analysis-unified-dashboard/unified-welcome-banner.component.ts", lineNumber: 143 }); })();
106458
+
106459
+ function UnifiedGoalsProgressFooterComponent_Conditional_11_Conditional_1_Template(rf, ctx) { if (rf & 1) {
106460
+ i0.ɵɵelementStart(0, "div", 13);
106461
+ i0.ɵɵelement(1, "span", 14);
106462
+ i0.ɵɵelementStart(2, "span", 15);
106463
+ i0.ɵɵtext(3);
106464
+ i0.ɵɵelementEnd()();
106465
+ } if (rf & 2) {
106466
+ const ctx_r0 = i0.ɵɵnextContext(2);
106467
+ i0.ɵɵadvance(2);
106468
+ i0.ɵɵproperty("ngClass", ctx_r0.statLabelClasses());
106469
+ i0.ɵɵadvance();
106470
+ i0.ɵɵtextInterpolate1("", ctx_r0.planCount(), " Planned");
106471
+ } }
106472
+ function UnifiedGoalsProgressFooterComponent_Conditional_11_Conditional_2_Template(rf, ctx) { if (rf & 1) {
106473
+ i0.ɵɵelementStart(0, "div", 13);
106474
+ i0.ɵɵelement(1, "span", 16);
106475
+ i0.ɵɵelementStart(2, "span", 15);
106476
+ i0.ɵɵtext(3);
106477
+ i0.ɵɵelementEnd()();
106478
+ } if (rf & 2) {
106479
+ const ctx_r0 = i0.ɵɵnextContext(2);
106480
+ i0.ɵɵadvance(2);
106481
+ i0.ɵɵproperty("ngClass", ctx_r0.statLabelClasses());
106482
+ i0.ɵɵadvance();
106483
+ i0.ɵɵtextInterpolate1("", ctx_r0.potentialCount(), " Potential");
106484
+ } }
106485
+ function UnifiedGoalsProgressFooterComponent_Conditional_11_Conditional_3_Template(rf, ctx) { if (rf & 1) {
106486
+ i0.ɵɵelementStart(0, "div", 13);
106487
+ i0.ɵɵelement(1, "span", 17);
106488
+ i0.ɵɵelementStart(2, "span", 15);
106489
+ i0.ɵɵtext(3);
106490
+ i0.ɵɵelementEnd()();
106491
+ } if (rf & 2) {
106492
+ const ctx_r0 = i0.ɵɵnextContext(2);
106493
+ i0.ɵɵadvance(2);
106494
+ i0.ɵɵproperty("ngClass", ctx_r0.statLabelClasses());
106495
+ i0.ɵɵadvance();
106496
+ i0.ɵɵtextInterpolate1("", ctx_r0.skipCount(), " Skipped");
106497
+ } }
106498
+ function UnifiedGoalsProgressFooterComponent_Conditional_11_Template(rf, ctx) { if (rf & 1) {
106499
+ i0.ɵɵelementStart(0, "div", 9);
106500
+ i0.ɵɵconditionalCreate(1, UnifiedGoalsProgressFooterComponent_Conditional_11_Conditional_1_Template, 4, 2, "div", 13);
106501
+ i0.ɵɵconditionalCreate(2, UnifiedGoalsProgressFooterComponent_Conditional_11_Conditional_2_Template, 4, 2, "div", 13);
106502
+ i0.ɵɵconditionalCreate(3, UnifiedGoalsProgressFooterComponent_Conditional_11_Conditional_3_Template, 4, 2, "div", 13);
106503
+ i0.ɵɵelementEnd();
106504
+ } if (rf & 2) {
106505
+ const ctx_r0 = i0.ɵɵnextContext();
106506
+ i0.ɵɵadvance();
106507
+ i0.ɵɵconditional(ctx_r0.planCount() > 0 ? 1 : -1);
106508
+ i0.ɵɵadvance();
106509
+ i0.ɵɵconditional(ctx_r0.potentialCount() > 0 ? 2 : -1);
106510
+ i0.ɵɵadvance();
106511
+ i0.ɵɵconditional(ctx_r0.skipCount() > 0 ? 3 : -1);
106512
+ } }
106513
+ function UnifiedGoalsProgressFooterComponent_Conditional_13_Template(rf, ctx) { if (rf & 1) {
106514
+ const _r2 = i0.ɵɵgetCurrentView();
106515
+ i0.ɵɵelementStart(0, "button", 18);
106516
+ i0.ɵɵlistener("click", function UnifiedGoalsProgressFooterComponent_Conditional_13_Template_button_click_0_listener() { i0.ɵɵrestoreView(_r2); const ctx_r0 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r0.onIntegrateClick()); });
106517
+ i0.ɵɵnamespaceSVG();
106518
+ i0.ɵɵelementStart(1, "svg", 19);
106519
+ i0.ɵɵelement(2, "path", 20);
106520
+ i0.ɵɵelementEnd();
106521
+ i0.ɵɵtext(3, " Integrate Goals ");
106522
+ i0.ɵɵelementEnd();
106523
+ } if (rf & 2) {
106524
+ const ctx_r0 = i0.ɵɵnextContext();
106525
+ i0.ɵɵproperty("ngClass", ctx_r0.integrateButtonClasses());
106526
+ } }
106527
+ function UnifiedGoalsProgressFooterComponent_Conditional_14_Template(rf, ctx) { if (rf & 1) {
106528
+ i0.ɵɵelementStart(0, "div", 12);
106529
+ i0.ɵɵtext(1, " Review all goals to continue ");
106530
+ i0.ɵɵelementEnd();
106531
+ } if (rf & 2) {
106532
+ const ctx_r0 = i0.ɵɵnextContext();
106533
+ i0.ɵɵproperty("ngClass", ctx_r0.hintClasses());
106534
+ } }
106535
+ class UnifiedGoalsProgressFooterComponent {
106536
+ constructor() {
106537
+ this.goalIds = input.required(...(ngDevMode ? [{ debugName: "goalIds" }] : []));
106538
+ this.viewMode = input(ViewModeEnum.LIGHT, ...(ngDevMode ? [{ debugName: "viewMode" }] : []));
106539
+ this.integrateGoals = output();
106540
+ this.goalActionStateService = inject(GoalActionStateService);
106541
+ this.isDark = computed(() => this.viewMode() === ViewModeEnum.DARK, ...(ngDevMode ? [{ debugName: "isDark" }] : []));
106542
+ this.states = computed(() => {
106543
+ this.goalActionStateService.states();
106544
+ return this.goalActionStateService.getStatesByGoalIds(this.goalIds());
106545
+ }, ...(ngDevMode ? [{ debugName: "states" }] : []));
106546
+ this.completedCount = computed(() => {
106547
+ return Object.keys(this.states()).length;
106548
+ }, ...(ngDevMode ? [{ debugName: "completedCount" }] : []));
106549
+ this.totalCount = computed(() => this.goalIds().length, ...(ngDevMode ? [{ debugName: "totalCount" }] : []));
106550
+ this.progressPercent = computed(() => {
106551
+ const total = this.totalCount();
106552
+ if (total === 0)
106553
+ return 0;
106554
+ return (this.completedCount() / total) * 100;
106555
+ }, ...(ngDevMode ? [{ debugName: "progressPercent" }] : []));
106556
+ this.allReviewed = computed(() => {
106557
+ return this.completedCount() === this.totalCount() && this.totalCount() > 0;
106558
+ }, ...(ngDevMode ? [{ debugName: "allReviewed" }] : []));
106559
+ this.planCount = computed(() => {
106560
+ return Object.values(this.states()).filter(s => s === GoalActionStateEnum.PLAN).length;
106561
+ }, ...(ngDevMode ? [{ debugName: "planCount" }] : []));
106562
+ this.potentialCount = computed(() => {
106563
+ return Object.values(this.states()).filter(s => s === GoalActionStateEnum.POTENTIAL).length;
106564
+ }, ...(ngDevMode ? [{ debugName: "potentialCount" }] : []));
106565
+ this.skipCount = computed(() => {
106566
+ return Object.values(this.states()).filter(s => s === GoalActionStateEnum.SKIP).length;
106567
+ }, ...(ngDevMode ? [{ debugName: "skipCount" }] : []));
106568
+ this.containerClasses = computed(() => {
106569
+ return this.isDark()
106570
+ ? 'bg-slate-900/90 border-slate-700/50'
106571
+ : 'bg-white/90 border-slate-200';
106572
+ }, ...(ngDevMode ? [{ debugName: "containerClasses" }] : []));
106573
+ this.labelClasses = computed(() => {
106574
+ return this.isDark() ? 'text-slate-300' : 'text-slate-700';
106575
+ }, ...(ngDevMode ? [{ debugName: "labelClasses" }] : []));
106576
+ this.countClasses = computed(() => {
106577
+ return this.isDark() ? 'text-white' : 'text-slate-900';
106578
+ }, ...(ngDevMode ? [{ debugName: "countClasses" }] : []));
106579
+ this.statLabelClasses = computed(() => {
106580
+ return this.isDark() ? 'text-slate-400' : 'text-slate-500';
106581
+ }, ...(ngDevMode ? [{ debugName: "statLabelClasses" }] : []));
106582
+ this.progressBarBgClasses = computed(() => {
106583
+ return this.isDark() ? 'bg-slate-700' : 'bg-slate-200';
106584
+ }, ...(ngDevMode ? [{ debugName: "progressBarBgClasses" }] : []));
106585
+ this.progressBarFillClasses = computed(() => {
106586
+ if (this.allReviewed()) {
106587
+ return 'bg-gradient-to-r from-emerald-500 to-cyan-500';
106588
+ }
106589
+ return this.isDark()
106590
+ ? 'bg-gradient-to-r from-blue-500 to-purple-500'
106591
+ : 'bg-gradient-to-r from-blue-500 to-purple-500';
106592
+ }, ...(ngDevMode ? [{ debugName: "progressBarFillClasses" }] : []));
106593
+ this.integrateButtonClasses = computed(() => {
106594
+ return this.isDark()
106595
+ ? 'bg-gradient-to-r from-emerald-500 to-cyan-500 text-white hover:from-emerald-400 hover:to-cyan-400'
106596
+ : 'bg-gradient-to-r from-emerald-500 to-cyan-500 text-white hover:from-emerald-600 hover:to-cyan-600';
106597
+ }, ...(ngDevMode ? [{ debugName: "integrateButtonClasses" }] : []));
106598
+ this.hintClasses = computed(() => {
106599
+ return this.isDark() ? 'text-slate-500' : 'text-slate-400';
106600
+ }, ...(ngDevMode ? [{ debugName: "hintClasses" }] : []));
106601
+ }
106602
+ onIntegrateClick() {
106603
+ this.integrateGoals.emit(this.goalActionStateService.getOutput(this.goalIds()));
106604
+ }
106605
+ static { this.ɵfac = function UnifiedGoalsProgressFooterComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || UnifiedGoalsProgressFooterComponent)(); }; }
106606
+ static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: UnifiedGoalsProgressFooterComponent, selectors: [["symphiq-unified-goals-progress-footer"]], inputs: { goalIds: [1, "goalIds"], viewMode: [1, "viewMode"] }, outputs: { integrateGoals: "integrateGoals" }, decls: 15, vars: 11, consts: [[1, "fixed", "bottom-0", "left-0", "right-0", "z-40", "border-t", "backdrop-blur-xl", "transition-all", "duration-300", 3, "ngClass"], [1, "max-w-7xl", "mx-auto", "px-4", "sm:px-6", "lg:px-8", "py-4"], [1, "flex", "flex-col", "sm:flex-row", "items-center", "justify-between", "gap-4"], [1, "flex-1", "w-full", "sm:w-auto"], [1, "flex", "items-center", "justify-between", "mb-2"], [1, "text-sm", "font-medium", 3, "ngClass"], [1, "text-sm", "font-semibold", 3, "ngClass"], [1, "h-2", "rounded-full", "overflow-hidden", 3, "ngClass"], [1, "h-full", "rounded-full", "transition-all", "duration-500", "ease-out", 3, "ngClass"], [1, "flex", "items-center", "gap-4", "mt-2"], [1, "flex", "items-center", "gap-3"], ["type", "button", 1, "inline-flex", "items-center", "gap-2", "px-6", "py-3", "rounded-xl", "font-semibold", "text-sm", "transition-all", "duration-200", "shadow-lg", "hover:shadow-xl", "hover:scale-105", "active:scale-95", "cursor-pointer", 3, "ngClass"], [1, "text-sm", 3, "ngClass"], [1, "flex", "items-center", "gap-1.5"], [1, "w-2", "h-2", "rounded-full", "bg-emerald-500"], [1, "text-xs", 3, "ngClass"], [1, "w-2", "h-2", "rounded-full", "bg-amber-500"], [1, "w-2", "h-2", "rounded-full", "bg-slate-400"], ["type", "button", 1, "inline-flex", "items-center", "gap-2", "px-6", "py-3", "rounded-xl", "font-semibold", "text-sm", "transition-all", "duration-200", "shadow-lg", "hover:shadow-xl", "hover:scale-105", "active:scale-95", "cursor-pointer", 3, "click", "ngClass"], ["fill", "none", "stroke", "currentColor", "viewBox", "0 0 24 24", 1, "w-5", "h-5"], ["stroke-linecap", "round", "stroke-linejoin", "round", "stroke-width", "2", "d", "M13 10V3L4 14h7v7l9-11h-7z"]], template: function UnifiedGoalsProgressFooterComponent_Template(rf, ctx) { if (rf & 1) {
106607
+ i0.ɵɵelementStart(0, "div", 0)(1, "div", 1)(2, "div", 2)(3, "div", 3)(4, "div", 4)(5, "span", 5);
106608
+ i0.ɵɵtext(6, " Goals Reviewed ");
106609
+ i0.ɵɵelementEnd();
106610
+ i0.ɵɵelementStart(7, "span", 6);
106611
+ i0.ɵɵtext(8);
106612
+ i0.ɵɵelementEnd()();
106613
+ i0.ɵɵelementStart(9, "div", 7);
106614
+ i0.ɵɵelement(10, "div", 8);
106615
+ i0.ɵɵelementEnd();
106616
+ i0.ɵɵconditionalCreate(11, UnifiedGoalsProgressFooterComponent_Conditional_11_Template, 4, 3, "div", 9);
106617
+ i0.ɵɵelementEnd();
106618
+ i0.ɵɵelementStart(12, "div", 10);
106619
+ i0.ɵɵconditionalCreate(13, UnifiedGoalsProgressFooterComponent_Conditional_13_Template, 4, 1, "button", 11)(14, UnifiedGoalsProgressFooterComponent_Conditional_14_Template, 2, 1, "div", 12);
106620
+ i0.ɵɵelementEnd()()()();
106621
+ } if (rf & 2) {
106622
+ i0.ɵɵproperty("ngClass", ctx.containerClasses());
106623
+ i0.ɵɵadvance(5);
106624
+ i0.ɵɵproperty("ngClass", ctx.labelClasses());
106625
+ i0.ɵɵadvance(2);
106626
+ i0.ɵɵproperty("ngClass", ctx.countClasses());
106627
+ i0.ɵɵadvance();
106628
+ i0.ɵɵtextInterpolate2(" ", ctx.completedCount(), " of ", ctx.totalCount(), " ");
106629
+ i0.ɵɵadvance();
106630
+ i0.ɵɵproperty("ngClass", ctx.progressBarBgClasses());
106631
+ i0.ɵɵadvance();
106632
+ i0.ɵɵstyleProp("width", ctx.progressPercent(), "%");
106633
+ i0.ɵɵproperty("ngClass", ctx.progressBarFillClasses());
106634
+ i0.ɵɵadvance();
106635
+ i0.ɵɵconditional(ctx.completedCount() > 0 ? 11 : -1);
106636
+ i0.ɵɵadvance(2);
106637
+ i0.ɵɵconditional(ctx.allReviewed() ? 13 : 14);
106638
+ } }, dependencies: [CommonModule, i1$1.NgClass], encapsulation: 2, changeDetection: 0 }); }
106639
+ }
106640
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassMetadata(UnifiedGoalsProgressFooterComponent, [{
106641
+ type: Component,
106642
+ args: [{
106643
+ selector: 'symphiq-unified-goals-progress-footer',
106644
+ standalone: true,
106645
+ imports: [CommonModule],
106646
+ changeDetection: ChangeDetectionStrategy.OnPush,
106647
+ template: `
106648
+ <div [ngClass]="containerClasses()" class="fixed bottom-0 left-0 right-0 z-40 border-t backdrop-blur-xl transition-all duration-300">
106649
+ <div class="max-w-7xl mx-auto px-4 sm:px-6 lg:px-8 py-4">
106650
+ <div class="flex flex-col sm:flex-row items-center justify-between gap-4">
106651
+ <div class="flex-1 w-full sm:w-auto">
106652
+ <div class="flex items-center justify-between mb-2">
106653
+ <span [ngClass]="labelClasses()" class="text-sm font-medium">
106654
+ Goals Reviewed
106655
+ </span>
106656
+ <span [ngClass]="countClasses()" class="text-sm font-semibold">
106657
+ {{ completedCount() }} of {{ totalCount() }}
106658
+ </span>
106659
+ </div>
106660
+ <div [ngClass]="progressBarBgClasses()" class="h-2 rounded-full overflow-hidden">
106661
+ <div
106662
+ [ngClass]="progressBarFillClasses()"
106663
+ class="h-full rounded-full transition-all duration-500 ease-out"
106664
+ [style.width.%]="progressPercent()">
106665
+ </div>
106666
+ </div>
106667
+ @if (completedCount() > 0) {
106668
+ <div class="flex items-center gap-4 mt-2">
106669
+ @if (planCount() > 0) {
106670
+ <div class="flex items-center gap-1.5">
106671
+ <span class="w-2 h-2 rounded-full bg-emerald-500"></span>
106672
+ <span [ngClass]="statLabelClasses()" class="text-xs">{{ planCount() }} Planned</span>
106673
+ </div>
106674
+ }
106675
+ @if (potentialCount() > 0) {
106676
+ <div class="flex items-center gap-1.5">
106677
+ <span class="w-2 h-2 rounded-full bg-amber-500"></span>
106678
+ <span [ngClass]="statLabelClasses()" class="text-xs">{{ potentialCount() }} Potential</span>
106679
+ </div>
106680
+ }
106681
+ @if (skipCount() > 0) {
106682
+ <div class="flex items-center gap-1.5">
106683
+ <span class="w-2 h-2 rounded-full bg-slate-400"></span>
106684
+ <span [ngClass]="statLabelClasses()" class="text-xs">{{ skipCount() }} Skipped</span>
106685
+ </div>
106686
+ }
106687
+ </div>
106688
+ }
106689
+ </div>
106690
+
106691
+ <div class="flex items-center gap-3">
106692
+ @if (allReviewed()) {
106693
+ <button
106694
+ type="button"
106695
+ (click)="onIntegrateClick()"
106696
+ [ngClass]="integrateButtonClasses()"
106697
+ class="inline-flex items-center gap-2 px-6 py-3 rounded-xl font-semibold text-sm transition-all duration-200 shadow-lg hover:shadow-xl hover:scale-105 active:scale-95 cursor-pointer">
106698
+ <svg class="w-5 h-5" fill="none" stroke="currentColor" viewBox="0 0 24 24">
106699
+ <path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M13 10V3L4 14h7v7l9-11h-7z"/>
106700
+ </svg>
106701
+ Integrate Goals
106702
+ </button>
106703
+ } @else {
106704
+ <div [ngClass]="hintClasses()" class="text-sm">
106705
+ Review all goals to continue
106706
+ </div>
106707
+ }
106708
+ </div>
106709
+ </div>
106710
+ </div>
106711
+ </div>
106712
+ `
106713
+ }]
106714
+ }], null, { goalIds: [{ type: i0.Input, args: [{ isSignal: true, alias: "goalIds", required: true }] }], viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], integrateGoals: [{ type: i0.Output, args: ["integrateGoals"] }] }); })();
106715
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(UnifiedGoalsProgressFooterComponent, { className: "UnifiedGoalsProgressFooterComponent", filePath: "lib/components/profile-analysis-unified-dashboard/unified-goals-progress-footer.component.ts", lineNumber: 78 }); })();
105641
106716
 
105642
106717
  const _c0$7 = () => [];
105643
106718
  function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_5_Template(rf, ctx) { if (rf & 1) {
105644
106719
  const _r1 = i0.ɵɵgetCurrentView();
105645
- i0.ɵɵelementStart(0, "symphiq-journey-progress-indicator", 14);
106720
+ i0.ɵɵelementStart(0, "symphiq-journey-progress-indicator", 15);
105646
106721
  i0.ɵɵlistener("nextStepClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_5_Template_symphiq_journey_progress_indicator_nextStepClick_0_listener() { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.nextStepClick.emit()); })("stepClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_5_Template_symphiq_journey_progress_indicator_stepClick_0_listener($event) { i0.ɵɵrestoreView(_r1); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.stepClick.emit($event)); });
105647
106722
  i0.ɵɵelementEnd();
105648
106723
  } if (rf & 2) {
@@ -105650,23 +106725,23 @@ function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_5_Template(
105650
106725
  i0.ɵɵproperty("viewMode", ctx_r1.viewMode())("currentStepId", ctx_r1.JourneyStepIdEnum.UNIFIED_ANALYSIS)("showNextStepAction", false)("forDemo", ctx_r1.forDemo())("maxAccessibleStepId", ctx_r1.maxAccessibleStepId());
105651
106726
  } }
105652
106727
  function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_1_Template(rf, ctx) { if (rf & 1) {
105653
- i0.ɵɵelement(0, "symphiq-loading-card", 15);
106728
+ i0.ɵɵelement(0, "symphiq-loading-card", 16);
105654
106729
  } if (rf & 2) {
105655
106730
  const ctx_r1 = i0.ɵɵnextContext(2);
105656
106731
  i0.ɵɵproperty("viewMode", ctx_r1.viewMode())("backdropBlur", true);
105657
106732
  } }
105658
106733
  function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_2_Template(rf, ctx) { if (rf & 1) {
105659
106734
  const _r3 = i0.ɵɵgetCurrentView();
105660
- i0.ɵɵelement(0, "symphiq-unified-welcome-banner", 16);
105661
- i0.ɵɵelementStart(1, "symphiq-unified-goals-grid", 17);
106735
+ i0.ɵɵelement(0, "symphiq-unified-welcome-banner", 17);
106736
+ i0.ɵɵelementStart(1, "symphiq-unified-goals-grid", 18);
105662
106737
  i0.ɵɵlistener("goalClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_2_Template_symphiq_unified_goals_grid_goalClick_1_listener($event) { i0.ɵɵrestoreView(_r3); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onGoalClick($event)); })("sourceBadgeClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_2_Template_symphiq_unified_goals_grid_sourceBadgeClick_1_listener($event) { i0.ɵɵrestoreView(_r3); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onSourceBadgeClickFromCard($event)); })("relatedMetricsClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_2_Template_symphiq_unified_goals_grid_relatedMetricsClick_1_listener($event) { i0.ɵɵrestoreView(_r3); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onRelatedMetricsClickFromCard($event)); });
105663
106738
  i0.ɵɵelementEnd();
105664
- i0.ɵɵelementStart(2, "symphiq-collapsible-analysis-section-group", 18);
106739
+ i0.ɵɵelementStart(2, "symphiq-collapsible-analysis-section-group", 19);
105665
106740
  i0.ɵɵlistener("unifiedGoalClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_2_Template_symphiq_collapsible_analysis_section_group_unifiedGoalClick_2_listener($event) { i0.ɵɵrestoreView(_r3); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onGoalClick($event)); })("viewAllPriorityActionsClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_2_Template_symphiq_collapsible_analysis_section_group_viewAllPriorityActionsClick_2_listener() { i0.ɵɵrestoreView(_r3); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onViewAllPriorityActionsClick()); });
105666
106741
  i0.ɵɵelementEnd();
105667
106742
  } if (rf & 2) {
105668
106743
  const ctx_r1 = i0.ɵɵnextContext(2);
105669
- i0.ɵɵproperty("viewMode", ctx_r1.viewMode())("businessName", ctx_r1.businessName())("isOnboarded", ctx_r1.isOnboarded())("analysisDate", ctx_r1.unifiedAnalysisDate())("isUnifiedAnalysisComplete", !ctx_r1.isLoading() && !ctx_r1.isGenerating())("sourceAnalysesCount", ctx_r1.sourceAnalysesCount())("unifiedGoalsCount", ctx_r1.unifiedGoals().length)("sourceGoalsCount", ctx_r1.totalSourceGoalsCount());
106744
+ i0.ɵɵproperty("viewMode", ctx_r1.viewMode())("businessName", ctx_r1.businessName())("isOnboarded", ctx_r1.isOnboarded())("analysisDate", ctx_r1.unifiedAnalysisDate())("isUnifiedAnalysisComplete", !ctx_r1.isLoading() && !ctx_r1.isGenerating())("sourceAnalysesCount", ctx_r1.sourceAnalysesCount())("unifiedGoalsCount", ctx_r1.unifiedGoals().length)("sourceGoalsCount", ctx_r1.totalSourceGoalsCount())("goalIds", ctx_r1.unifiedGoalIds());
105670
106745
  i0.ɵɵadvance();
105671
106746
  i0.ɵɵproperty("goals", ctx_r1.unifiedGoals())("viewMode", ctx_r1.viewMode());
105672
106747
  i0.ɵɵadvance();
@@ -105674,25 +106749,25 @@ function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Condition
105674
106749
  } }
105675
106750
  function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template(rf, ctx) { if (rf & 1) {
105676
106751
  const _r4 = i0.ɵɵgetCurrentView();
105677
- i0.ɵɵelement(0, "symphiq-unified-welcome-banner", 16);
105678
- i0.ɵɵelementStart(1, "symphiq-unified-executive-summary", 19);
106752
+ i0.ɵɵelement(0, "symphiq-unified-welcome-banner", 17);
106753
+ i0.ɵɵelementStart(1, "symphiq-unified-executive-summary", 20);
105679
106754
  i0.ɵɵlistener("viewAllPriorityActionsClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template_symphiq_unified_executive_summary_viewAllPriorityActionsClick_1_listener() { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onViewAllPriorityActionsClick()); });
105680
106755
  i0.ɵɵelementEnd();
105681
- i0.ɵɵelementStart(2, "symphiq-unified-goals-grid", 20);
106756
+ i0.ɵɵelementStart(2, "symphiq-unified-goals-grid", 21);
105682
106757
  i0.ɵɵlistener("goalClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template_symphiq_unified_goals_grid_goalClick_2_listener($event) { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onGoalClick($event)); })("sourceBadgeClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template_symphiq_unified_goals_grid_sourceBadgeClick_2_listener($event) { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onSourceBadgeClickFromCard($event)); })("relatedMetricsClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template_symphiq_unified_goals_grid_relatedMetricsClick_2_listener($event) { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onRelatedMetricsClickFromCard($event)); });
105683
106758
  i0.ɵɵelementEnd();
105684
- i0.ɵɵelementStart(3, "symphiq-unified-timeline", 21);
106759
+ i0.ɵɵelementStart(3, "symphiq-unified-timeline", 22);
105685
106760
  i0.ɵɵlistener("goalClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template_symphiq_unified_timeline_goalClick_3_listener($event) { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onGoalClick($event)); });
105686
106761
  i0.ɵɵelementEnd();
105687
- i0.ɵɵelementStart(4, "symphiq-unified-priority-matrix", 22);
106762
+ i0.ɵɵelementStart(4, "symphiq-unified-priority-matrix", 23);
105688
106763
  i0.ɵɵlistener("goalClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template_symphiq_unified_priority_matrix_goalClick_4_listener($event) { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onGoalClick($event)); });
105689
106764
  i0.ɵɵelementEnd();
105690
- i0.ɵɵelementStart(5, "symphiq-unified-next-steps", 23);
106765
+ i0.ɵɵelementStart(5, "symphiq-unified-next-steps", 24);
105691
106766
  i0.ɵɵlistener("goalClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template_symphiq_unified_next_steps_goalClick_5_listener($event) { i0.ɵɵrestoreView(_r4); const ctx_r1 = i0.ɵɵnextContext(2); return i0.ɵɵresetView(ctx_r1.onGoalClick($event)); });
105692
106767
  i0.ɵɵelementEnd();
105693
106768
  } if (rf & 2) {
105694
106769
  const ctx_r1 = i0.ɵɵnextContext(2);
105695
- i0.ɵɵproperty("viewMode", ctx_r1.viewMode())("businessName", ctx_r1.businessName())("isOnboarded", ctx_r1.isOnboarded())("analysisDate", ctx_r1.unifiedAnalysisDate())("isUnifiedAnalysisComplete", !ctx_r1.isLoading() && !ctx_r1.isGenerating())("sourceAnalysesCount", ctx_r1.sourceAnalysesCount())("unifiedGoalsCount", ctx_r1.unifiedGoals().length)("sourceGoalsCount", ctx_r1.totalSourceGoalsCount());
106770
+ i0.ɵɵproperty("viewMode", ctx_r1.viewMode())("businessName", ctx_r1.businessName())("isOnboarded", ctx_r1.isOnboarded())("analysisDate", ctx_r1.unifiedAnalysisDate())("isUnifiedAnalysisComplete", !ctx_r1.isLoading() && !ctx_r1.isGenerating())("sourceAnalysesCount", ctx_r1.sourceAnalysesCount())("unifiedGoalsCount", ctx_r1.unifiedGoals().length)("sourceGoalsCount", ctx_r1.totalSourceGoalsCount())("goalIds", ctx_r1.unifiedGoalIds());
105696
106771
  i0.ɵɵadvance();
105697
106772
  i0.ɵɵproperty("summary", ctx_r1.executiveSummary())("viewMode", ctx_r1.viewMode())("shopCounts", ctx_r1.shopCounts())("focusAreaCounts", ctx_r1.focusAreaCounts())("metricCounts", ctx_r1.metricCounts());
105698
106773
  i0.ɵɵadvance();
@@ -105706,9 +106781,9 @@ function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Condition
105706
106781
  } }
105707
106782
  function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Template(rf, ctx) { if (rf & 1) {
105708
106783
  i0.ɵɵelementStart(0, "main", 6);
105709
- i0.ɵɵconditionalCreate(1, SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_1_Template, 1, 2, "symphiq-loading-card", 15);
105710
- i0.ɵɵconditionalCreate(2, SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_2_Template, 3, 21);
105711
- i0.ɵɵconditionalCreate(3, SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template, 6, 23);
106784
+ i0.ɵɵconditionalCreate(1, SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_1_Template, 1, 2, "symphiq-loading-card", 16);
106785
+ i0.ɵɵconditionalCreate(2, SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_2_Template, 3, 22);
106786
+ i0.ɵɵconditionalCreate(3, SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_6_Conditional_3_Template, 6, 24);
105712
106787
  i0.ɵɵelementEnd();
105713
106788
  } if (rf & 2) {
105714
106789
  const ctx_r1 = i0.ɵɵnextContext();
@@ -105727,7 +106802,7 @@ function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_7_Template(
105727
106802
  } }
105728
106803
  function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_8_Template(rf, ctx) { if (rf & 1) {
105729
106804
  const _r5 = i0.ɵɵgetCurrentView();
105730
- i0.ɵɵelementStart(0, "symphiq-search-modal", 24);
106805
+ i0.ɵɵelementStart(0, "symphiq-search-modal", 25);
105731
106806
  i0.ɵɵlistener("close", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_8_Template_symphiq_search_modal_close_0_listener() { i0.ɵɵrestoreView(_r5); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.closeSearch()); });
105732
106807
  i0.ɵɵelementEnd();
105733
106808
  } if (rf & 2) {
@@ -105736,7 +106811,7 @@ function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_8_Template(
105736
106811
  } }
105737
106812
  function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_9_Template(rf, ctx) { if (rf & 1) {
105738
106813
  const _r6 = i0.ɵɵgetCurrentView();
105739
- i0.ɵɵelementStart(0, "symphiq-view-mode-switcher-modal", 25);
106814
+ i0.ɵɵelementStart(0, "symphiq-view-mode-switcher-modal", 26);
105740
106815
  i0.ɵɵlistener("close", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_9_Template_symphiq_view_mode_switcher_modal_close_0_listener() { i0.ɵɵrestoreView(_r6); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.closeViewModeSwitcher()); })("modeSelected", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_9_Template_symphiq_view_mode_switcher_modal_modeSelected_0_listener($event) { i0.ɵɵrestoreView(_r6); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.handleDisplayModeChange($event)); });
105741
106816
  i0.ɵɵelementEnd();
105742
106817
  } if (rf & 2) {
@@ -105749,6 +106824,15 @@ function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_10_Template
105749
106824
  const ctx_r1 = i0.ɵɵnextContext();
105750
106825
  i0.ɵɵproperty("viewMode", ctx_r1.viewMode())("itemStatus", ctx_r1.itemStatus())("currentStatus", ctx_r1.selfContentStatus())("confettiIntensity", "celebration")("title", "We are generating a new Unified Analysis for " + ctx_r1.businessName() + ".");
105751
106826
  } }
106827
+ function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_15_Template(rf, ctx) { if (rf & 1) {
106828
+ const _r7 = i0.ɵɵgetCurrentView();
106829
+ i0.ɵɵelementStart(0, "symphiq-unified-goals-progress-footer", 27);
106830
+ i0.ɵɵlistener("integrateGoals", function SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_15_Template_symphiq_unified_goals_progress_footer_integrateGoals_0_listener($event) { i0.ɵɵrestoreView(_r7); const ctx_r1 = i0.ɵɵnextContext(); return i0.ɵɵresetView(ctx_r1.onIntegrateGoals($event)); });
106831
+ i0.ɵɵelementEnd();
106832
+ } if (rf & 2) {
106833
+ const ctx_r1 = i0.ɵɵnextContext();
106834
+ i0.ɵɵproperty("goalIds", ctx_r1.unifiedGoalIds())("viewMode", ctx_r1.viewMode());
106835
+ } }
105752
106836
  class SymphiqProfileAnalysisUnifiedDashboardComponent {
105753
106837
  constructor() {
105754
106838
  this.viewMode = input(ViewModeEnum.LIGHT, ...(ngDevMode ? [{ debugName: "viewMode" }] : []));
@@ -105770,6 +106854,7 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
105770
106854
  this.stepClick = output();
105771
106855
  this.nextStepClick = output();
105772
106856
  this.sourceAnalysisRequest = output();
106857
+ this.integrateGoalsClick = output();
105773
106858
  this.headerScrollService = inject(HeaderScrollService);
105774
106859
  this.modalService = inject(ModalService);
105775
106860
  this.viewModeService = inject(ViewModeService);
@@ -105868,6 +106953,13 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
105868
106953
  this.unifiedGoals = computed(() => {
105869
106954
  return this.analysisData()?.unifiedGoals || [];
105870
106955
  }, ...(ngDevMode ? [{ debugName: "unifiedGoals" }] : []));
106956
+ this.unifiedGoalIds = computed(() => {
106957
+ return this.unifiedGoals().map(g => g.id).filter((id) => !!id);
106958
+ }, ...(ngDevMode ? [{ debugName: "unifiedGoalIds" }] : []));
106959
+ this.shouldShowProgressFooter = computed(() => {
106960
+ const goals = this.unifiedGoals();
106961
+ return goals.length > 0 && !this.isLoading() && !this.isGenerating();
106962
+ }, ...(ngDevMode ? [{ debugName: "shouldShowProgressFooter" }] : []));
105871
106963
  this.sourceAnalysesMap = computed(() => {
105872
106964
  const analyses = this.sourceProfileAnalyses() || [];
105873
106965
  const map = new Map();
@@ -105938,6 +107030,9 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
105938
107030
  const normalized = normalizeToV3(analysis.performanceOverviewStructured);
105939
107031
  return normalized?.insights || [];
105940
107032
  }, ...(ngDevMode ? [{ debugName: "allInsights" }] : []));
107033
+ this.allBusinessInsights = computed(() => {
107034
+ return this.profile()?.profileStructured?.recommendations || [];
107035
+ }, ...(ngDevMode ? [{ debugName: "allBusinessInsights" }] : []));
105941
107036
  this.unifiedTimeline = computed(() => {
105942
107037
  const timeline = this.analysisData()?.unifiedTimeline;
105943
107038
  if (!timeline)
@@ -106214,13 +107309,16 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106214
107309
  this.closeViewModeSwitcher();
106215
107310
  }
106216
107311
  onGoalClick(goal) {
106217
- this.modalService.openUnifiedGoalModal(goal, this.allMetrics(), this.allCharts(), this.loadedSourceAnalysisIds().map(String), this.viewMode(), this.loadingSourceAnalysisId() !== undefined ? String(this.loadingSourceAnalysisId()) : undefined, undefined, this.allInsights());
107312
+ this.modalService.openUnifiedGoalModal(goal, this.allMetrics(), this.allCharts(), this.loadedSourceAnalysisIds().map(String), this.viewMode(), this.loadingSourceAnalysisId() !== undefined ? String(this.loadingSourceAnalysisId()) : undefined, undefined, this.allInsights(), this.allBusinessInsights());
106218
107313
  }
106219
107314
  onViewAllPriorityActionsClick() {
106220
107315
  const summary = this.executiveSummary();
106221
107316
  const items = summary?.priorityActionItems ?? [];
106222
107317
  this.modalService.openPriorityActionsListModal(items, this.viewMode());
106223
107318
  }
107319
+ onIntegrateGoals(output) {
107320
+ this.integrateGoalsClick.emit(output);
107321
+ }
106224
107322
  onPriorityActionGoalClick(goalId) {
106225
107323
  const goal = this.unifiedGoals().find(g => g.id === goalId);
106226
107324
  if (goal) {
@@ -106647,7 +107745,7 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106647
107745
  static { this.ɵfac = function SymphiqProfileAnalysisUnifiedDashboardComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || SymphiqProfileAnalysisUnifiedDashboardComponent)(); }; }
106648
107746
  static { this.ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: SymphiqProfileAnalysisUnifiedDashboardComponent, selectors: [["symphiq-profile-analysis-unified-dashboard"]], hostBindings: function SymphiqProfileAnalysisUnifiedDashboardComponent_HostBindings(rf, ctx) { if (rf & 1) {
106649
107747
  i0.ɵɵlistener("scroll", function SymphiqProfileAnalysisUnifiedDashboardComponent_scroll_HostBindingHandler() { return ctx.onScroll(); }, i0.ɵɵresolveWindow);
106650
- } }, inputs: { viewMode: [1, "viewMode"], embedded: [1, "embedded"], isLoading: [1, "isLoading"], profile: [1, "profile"], funnelAnalysis: [1, "funnelAnalysis"], unifiedProfileAnalysis: [1, "unifiedProfileAnalysis"], sourceProfileAnalyses: [1, "sourceProfileAnalyses"], isLoadingSourceAnalysis: [1, "isLoadingSourceAnalysis"], scrollEvent: [1, "scrollEvent"], scrollElement: [1, "scrollElement"], isOnboarded: [1, "isOnboarded"], forDemo: [1, "forDemo"], maxAccessibleStepId: [1, "maxAccessibleStepId"], itemStatus: [1, "itemStatus"], requestedByUser: [1, "requestedByUser"] }, outputs: { generateGoalsClick: "generateGoalsClick", stepClick: "stepClick", nextStepClick: "nextStepClick", sourceAnalysisRequest: "sourceAnalysisRequest" }, features: [i0.ɵɵNgOnChangesFeature], decls: 15, vars: 32, consts: [[1, "relative"], [1, "animated-bubbles", 2, "position", "fixed", "top", "0", "left", "0", "right", "0", "bottom", "0", "width", "100vw", "height", "100vh", "z-index", "1", "pointer-events", "none"], [3, "viewMode", "progress", "embedded"], [1, "relative", "z-51"], [3, "searchClick", "viewModeClick", "title", "subtitle", "viewMode", "viewModeLabel", "isLoading", "requestedByUser", "showSearchControl", "showViewModeControl", "embedded", "scrollEvent"], [3, "viewMode", "currentStepId", "showNextStepAction", "forDemo", "maxAccessibleStepId"], [1, "relative", "z-10", "max-w-7xl", "mx-auto", "px-4", "sm:px-6", "lg:px-8", "py-12", "space-y-12"], [3, "sections", "viewMode", "embedded", "scrollElement"], [3, "isLightMode", "isOpen"], [3, "viewMode", "currentMode", "isOpen"], [3, "viewMode", "itemStatus", "currentStatus", "confettiIntensity", "title"], [3, "priorityActionGoalClick", "priorityActionRecommendationClick", "sourceAnalysisClickRequest", "viewMode", "loadingSourceAnalysisId", "loadedSourceAnalysisIds"], [3, "isLightMode"], [3, "isLightMode", "allInsights", "allMetrics", "allCharts"], [3, "nextStepClick", "stepClick", "viewMode", "currentStepId", "showNextStepAction", "forDemo", "maxAccessibleStepId"], ["title", "Loading Your Unified Analysis", "subtitle", "Please wait while we prepare your synthesized insights...", "size", "large", 3, "viewMode", "backdropBlur"], [1, "mb-12", "block", 3, "viewMode", "businessName", "isOnboarded", "analysisDate", "isUnifiedAnalysisComplete", "sourceAnalysesCount", "unifiedGoalsCount", "sourceGoalsCount"], [1, "mb-12", "block", 3, "goalClick", "sourceBadgeClick", "relatedMetricsClick", "goals", "viewMode"], [3, "unifiedGoalClick", "viewAllPriorityActionsClick", "sections", "viewMode", "unifiedExecutiveSummary", "unifiedTimeline", "unifiedPriorityMatrix", "unifiedNextSteps", "unifiedGoals", "shopCounts", "focusAreaCounts", "metricCounts", "storageKey"], [3, "viewAllPriorityActionsClick", "summary", "viewMode", "shopCounts", "focusAreaCounts", "metricCounts"], [3, "goalClick", "sourceBadgeClick", "relatedMetricsClick", "goals", "viewMode"], [3, "goalClick", "timeline", "viewMode", "goals"], [3, "goalClick", "matrix", "viewMode"], [3, "goalClick", "steps", "viewMode", "goals"], [3, "close", "isLightMode", "isOpen"], [3, "close", "modeSelected", "viewMode", "currentMode", "isOpen"]], template: function SymphiqProfileAnalysisUnifiedDashboardComponent_Template(rf, ctx) { if (rf & 1) {
107748
+ } }, inputs: { viewMode: [1, "viewMode"], embedded: [1, "embedded"], isLoading: [1, "isLoading"], profile: [1, "profile"], funnelAnalysis: [1, "funnelAnalysis"], unifiedProfileAnalysis: [1, "unifiedProfileAnalysis"], sourceProfileAnalyses: [1, "sourceProfileAnalyses"], isLoadingSourceAnalysis: [1, "isLoadingSourceAnalysis"], scrollEvent: [1, "scrollEvent"], scrollElement: [1, "scrollElement"], isOnboarded: [1, "isOnboarded"], forDemo: [1, "forDemo"], maxAccessibleStepId: [1, "maxAccessibleStepId"], itemStatus: [1, "itemStatus"], requestedByUser: [1, "requestedByUser"] }, outputs: { generateGoalsClick: "generateGoalsClick", stepClick: "stepClick", nextStepClick: "nextStepClick", sourceAnalysisRequest: "sourceAnalysisRequest", integrateGoalsClick: "integrateGoalsClick" }, features: [i0.ɵɵNgOnChangesFeature], decls: 16, vars: 33, consts: [[1, "relative"], [1, "animated-bubbles", 2, "position", "fixed", "top", "0", "left", "0", "right", "0", "bottom", "0", "width", "100vw", "height", "100vh", "z-index", "1", "pointer-events", "none"], [3, "viewMode", "progress", "embedded"], [1, "relative", "z-51"], [3, "searchClick", "viewModeClick", "title", "subtitle", "viewMode", "viewModeLabel", "isLoading", "requestedByUser", "showSearchControl", "showViewModeControl", "embedded", "scrollEvent"], [3, "viewMode", "currentStepId", "showNextStepAction", "forDemo", "maxAccessibleStepId"], [1, "relative", "z-10", "max-w-7xl", "mx-auto", "px-4", "sm:px-6", "lg:px-8", "py-12", "space-y-12"], [3, "sections", "viewMode", "embedded", "scrollElement"], [3, "isLightMode", "isOpen"], [3, "viewMode", "currentMode", "isOpen"], [3, "viewMode", "itemStatus", "currentStatus", "confettiIntensity", "title"], [3, "priorityActionGoalClick", "priorityActionRecommendationClick", "sourceAnalysisClickRequest", "viewMode", "loadingSourceAnalysisId", "loadedSourceAnalysisIds"], [3, "isLightMode"], [3, "isLightMode", "allInsights", "allMetrics", "allCharts"], [3, "goalIds", "viewMode"], [3, "nextStepClick", "stepClick", "viewMode", "currentStepId", "showNextStepAction", "forDemo", "maxAccessibleStepId"], ["title", "Loading Your Unified Analysis", "subtitle", "Please wait while we prepare your synthesized insights...", "size", "large", 3, "viewMode", "backdropBlur"], [1, "mb-12", "block", 3, "viewMode", "businessName", "isOnboarded", "analysisDate", "isUnifiedAnalysisComplete", "sourceAnalysesCount", "unifiedGoalsCount", "sourceGoalsCount", "goalIds"], [1, "mb-12", "block", 3, "goalClick", "sourceBadgeClick", "relatedMetricsClick", "goals", "viewMode"], [3, "unifiedGoalClick", "viewAllPriorityActionsClick", "sections", "viewMode", "unifiedExecutiveSummary", "unifiedTimeline", "unifiedPriorityMatrix", "unifiedNextSteps", "unifiedGoals", "shopCounts", "focusAreaCounts", "metricCounts", "storageKey"], [3, "viewAllPriorityActionsClick", "summary", "viewMode", "shopCounts", "focusAreaCounts", "metricCounts"], [3, "goalClick", "sourceBadgeClick", "relatedMetricsClick", "goals", "viewMode"], [3, "goalClick", "timeline", "viewMode", "goals"], [3, "goalClick", "matrix", "viewMode"], [3, "goalClick", "steps", "viewMode", "goals"], [3, "close", "isLightMode", "isOpen"], [3, "close", "modeSelected", "viewMode", "currentMode", "isOpen"], [3, "integrateGoals", "goalIds", "viewMode"]], template: function SymphiqProfileAnalysisUnifiedDashboardComponent_Template(rf, ctx) { if (rf & 1) {
106651
107749
  i0.ɵɵelementStart(0, "div", 0);
106652
107750
  i0.ɵɵelement(1, "div", 1)(2, "symphiq-scroll-progress-bar", 2);
106653
107751
  i0.ɵɵelementStart(3, "div", 3)(4, "symphiq-dashboard-header", 4);
@@ -106665,6 +107763,7 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106665
107763
  i0.ɵɵlistener("priorityActionGoalClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Template_symphiq_unified_dashboard_modal_priorityActionGoalClick_12_listener($event) { return ctx.onPriorityActionGoalClick($event); })("priorityActionRecommendationClick", function SymphiqProfileAnalysisUnifiedDashboardComponent_Template_symphiq_unified_dashboard_modal_priorityActionRecommendationClick_12_listener($event) { return ctx.onPriorityActionRecommendationClick($event); })("sourceAnalysisClickRequest", function SymphiqProfileAnalysisUnifiedDashboardComponent_Template_symphiq_unified_dashboard_modal_sourceAnalysisClickRequest_12_listener($event) { return ctx.handleSourceAnalysisClickFromModal($event); });
106666
107764
  i0.ɵɵelementEnd();
106667
107765
  i0.ɵɵelement(13, "symphiq-business-analysis-modal", 12)(14, "symphiq-profile-analysis-modal", 13);
107766
+ i0.ɵɵconditionalCreate(15, SymphiqProfileAnalysisUnifiedDashboardComponent_Conditional_15_Template, 1, 2, "symphiq-unified-goals-progress-footer", 14);
106668
107767
  i0.ɵɵelementEnd();
106669
107768
  } if (rf & 2) {
106670
107769
  i0.ɵɵclassProp("min-h-screen", !ctx.embedded());
@@ -106691,7 +107790,9 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106691
107790
  i0.ɵɵadvance();
106692
107791
  i0.ɵɵproperty("isLightMode", ctx.isLightMode());
106693
107792
  i0.ɵɵadvance();
106694
- i0.ɵɵproperty("isLightMode", ctx.isLightMode())("allInsights", i0.ɵɵpureFunction0(31, _c0$7))("allMetrics", ctx.allMetrics())("allCharts", ctx.allCharts());
107793
+ i0.ɵɵproperty("isLightMode", ctx.isLightMode())("allInsights", i0.ɵɵpureFunction0(32, _c0$7))("allMetrics", ctx.allMetrics())("allCharts", ctx.allCharts());
107794
+ i0.ɵɵadvance();
107795
+ i0.ɵɵconditional(ctx.shouldShowProgressFooter() ? 15 : -1);
106695
107796
  } }, dependencies: [CommonModule,
106696
107797
  DashboardHeaderComponent,
106697
107798
  ScrollProgressBarComponent,
@@ -106711,7 +107812,8 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106711
107812
  UnifiedDashboardModalComponent,
106712
107813
  BusinessAnalysisModalComponent,
106713
107814
  UnifiedWelcomeBannerComponent,
106714
- CollapsibleAnalysisSectionGroupComponent], encapsulation: 2, changeDetection: 0 }); }
107815
+ CollapsibleAnalysisSectionGroupComponent,
107816
+ UnifiedGoalsProgressFooterComponent], encapsulation: 2, changeDetection: 0 }); }
106715
107817
  }
106716
107818
  (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassMetadata(SymphiqProfileAnalysisUnifiedDashboardComponent, [{
106717
107819
  type: Component,
@@ -106738,7 +107840,8 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106738
107840
  UnifiedDashboardModalComponent,
106739
107841
  BusinessAnalysisModalComponent,
106740
107842
  UnifiedWelcomeBannerComponent,
106741
- CollapsibleAnalysisSectionGroupComponent
107843
+ CollapsibleAnalysisSectionGroupComponent,
107844
+ UnifiedGoalsProgressFooterComponent
106742
107845
  ],
106743
107846
  changeDetection: ChangeDetectionStrategy.OnPush,
106744
107847
  template: `
@@ -106805,6 +107908,7 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106805
107908
  [sourceAnalysesCount]="sourceAnalysesCount()"
106806
107909
  [unifiedGoalsCount]="unifiedGoals().length"
106807
107910
  [sourceGoalsCount]="totalSourceGoalsCount()"
107911
+ [goalIds]="unifiedGoalIds()"
106808
107912
  />
106809
107913
 
106810
107914
  <!-- Unified Goals Grid -->
@@ -106847,6 +107951,7 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106847
107951
  [sourceAnalysesCount]="sourceAnalysesCount()"
106848
107952
  [unifiedGoalsCount]="unifiedGoals().length"
106849
107953
  [sourceGoalsCount]="totalSourceGoalsCount()"
107954
+ [goalIds]="unifiedGoalIds()"
106850
107955
  />
106851
107956
 
106852
107957
  <!-- Executive Summary -->
@@ -106950,14 +108055,22 @@ class SymphiqProfileAnalysisUnifiedDashboardComponent {
106950
108055
  [allMetrics]="allMetrics()"
106951
108056
  [allCharts]="allCharts()"
106952
108057
  />
108058
+
108059
+ @if (shouldShowProgressFooter()) {
108060
+ <symphiq-unified-goals-progress-footer
108061
+ [goalIds]="unifiedGoalIds()"
108062
+ [viewMode]="viewMode()"
108063
+ (integrateGoals)="onIntegrateGoals($event)"
108064
+ />
108065
+ }
106953
108066
  </div>
106954
108067
  `
106955
108068
  }]
106956
- }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], embedded: [{ type: i0.Input, args: [{ isSignal: true, alias: "embedded", required: false }] }], isLoading: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLoading", required: false }] }], profile: [{ type: i0.Input, args: [{ isSignal: true, alias: "profile", required: false }] }], funnelAnalysis: [{ type: i0.Input, args: [{ isSignal: true, alias: "funnelAnalysis", required: false }] }], unifiedProfileAnalysis: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedProfileAnalysis", required: false }] }], sourceProfileAnalyses: [{ type: i0.Input, args: [{ isSignal: true, alias: "sourceProfileAnalyses", required: false }] }], isLoadingSourceAnalysis: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLoadingSourceAnalysis", required: false }] }], scrollEvent: [{ type: i0.Input, args: [{ isSignal: true, alias: "scrollEvent", required: false }] }], scrollElement: [{ type: i0.Input, args: [{ isSignal: true, alias: "scrollElement", required: false }] }], isOnboarded: [{ type: i0.Input, args: [{ isSignal: true, alias: "isOnboarded", required: false }] }], forDemo: [{ type: i0.Input, args: [{ isSignal: true, alias: "forDemo", required: false }] }], maxAccessibleStepId: [{ type: i0.Input, args: [{ isSignal: true, alias: "maxAccessibleStepId", required: false }] }], itemStatus: [{ type: i0.Input, args: [{ isSignal: true, alias: "itemStatus", required: false }] }], requestedByUser: [{ type: i0.Input, args: [{ isSignal: true, alias: "requestedByUser", required: false }] }], generateGoalsClick: [{ type: i0.Output, args: ["generateGoalsClick"] }], stepClick: [{ type: i0.Output, args: ["stepClick"] }], nextStepClick: [{ type: i0.Output, args: ["nextStepClick"] }], sourceAnalysisRequest: [{ type: i0.Output, args: ["sourceAnalysisRequest"] }], onScroll: [{
108069
+ }], null, { viewMode: [{ type: i0.Input, args: [{ isSignal: true, alias: "viewMode", required: false }] }], embedded: [{ type: i0.Input, args: [{ isSignal: true, alias: "embedded", required: false }] }], isLoading: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLoading", required: false }] }], profile: [{ type: i0.Input, args: [{ isSignal: true, alias: "profile", required: false }] }], funnelAnalysis: [{ type: i0.Input, args: [{ isSignal: true, alias: "funnelAnalysis", required: false }] }], unifiedProfileAnalysis: [{ type: i0.Input, args: [{ isSignal: true, alias: "unifiedProfileAnalysis", required: false }] }], sourceProfileAnalyses: [{ type: i0.Input, args: [{ isSignal: true, alias: "sourceProfileAnalyses", required: false }] }], isLoadingSourceAnalysis: [{ type: i0.Input, args: [{ isSignal: true, alias: "isLoadingSourceAnalysis", required: false }] }], scrollEvent: [{ type: i0.Input, args: [{ isSignal: true, alias: "scrollEvent", required: false }] }], scrollElement: [{ type: i0.Input, args: [{ isSignal: true, alias: "scrollElement", required: false }] }], isOnboarded: [{ type: i0.Input, args: [{ isSignal: true, alias: "isOnboarded", required: false }] }], forDemo: [{ type: i0.Input, args: [{ isSignal: true, alias: "forDemo", required: false }] }], maxAccessibleStepId: [{ type: i0.Input, args: [{ isSignal: true, alias: "maxAccessibleStepId", required: false }] }], itemStatus: [{ type: i0.Input, args: [{ isSignal: true, alias: "itemStatus", required: false }] }], requestedByUser: [{ type: i0.Input, args: [{ isSignal: true, alias: "requestedByUser", required: false }] }], generateGoalsClick: [{ type: i0.Output, args: ["generateGoalsClick"] }], stepClick: [{ type: i0.Output, args: ["stepClick"] }], nextStepClick: [{ type: i0.Output, args: ["nextStepClick"] }], sourceAnalysisRequest: [{ type: i0.Output, args: ["sourceAnalysisRequest"] }], integrateGoalsClick: [{ type: i0.Output, args: ["integrateGoalsClick"] }], onScroll: [{
106957
108070
  type: HostListener,
106958
108071
  args: ['window:scroll']
106959
108072
  }] }); })();
106960
- (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(SymphiqProfileAnalysisUnifiedDashboardComponent, { className: "SymphiqProfileAnalysisUnifiedDashboardComponent", filePath: "lib/components/profile-analysis-unified-dashboard/symphiq-profile-analysis-unified-dashboard.component.ts", lineNumber: 326 }); })();
108073
+ (() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(SymphiqProfileAnalysisUnifiedDashboardComponent, { className: "SymphiqProfileAnalysisUnifiedDashboardComponent", filePath: "lib/components/profile-analysis-unified-dashboard/symphiq-profile-analysis-unified-dashboard.component.ts", lineNumber: 340 }); })();
106961
108074
 
106962
108075
  function SymphiqProfileMetricsAnalysesDashboardComponent_Conditional_5_Template(rf, ctx) { if (rf & 1) {
106963
108076
  const _r1 = i0.ɵɵgetCurrentView();
@@ -114514,5 +115627,5 @@ var pieChart_component = /*#__PURE__*/Object.freeze({
114514
115627
  * Generated bundle index. Do not edit.
114515
115628
  */
114516
115629
 
114517
- export { AreaChartComponent, BarChartComponent, BreakdownSectionComponent, BusinessAnalysisModalComponent, BusinessProfileSearchService, ChartCardComponent, ChartContainerComponent, ChartThemeService, CircularProgressComponent, CompetitivePositioningSummaryComponent, CompetitorAnalysisCardComponent, ConfettiService, ConfidenceLevelCardComponent, ContentGenerationProgressComponent, ContentGenerationProgressWithConfettiComponent, CrossDashboardRelationshipsService, DashboardHeaderComponent, DataLoaderService, DisplayModeEnum, FloatingBackButtonComponent, FloatingTocComponent, FocusAreaDetailCardComponent, FocusAreaExecutiveSummaryComponent, FocusAreaQuestionComponent, FocusAreaStatusCardComponent, FocusAreaToolsModalComponent, FunnelOrderService, GradeBadgeComponent, HeaderScrollService, HierarchyDisplayComponent, HorizontalBarComponent, IconService, IndeterminateSpinnerComponent, InsightCardComponent, JourneyProgressIndicatorComponent, JourneyStepIdEnum, LineChartComponent, MetricCardComponent, MetricExecutiveSummaryComponent, MetricFormatterService, MetricListItemComponent, MetricReportModalComponent, MetricWelcomeBannerComponent, MobileBottomNavComponent, MobileFABComponent, ModalComponent, ModalService, NapkinVisualPlaceholderComponent, NavigationStateService, OpportunityHighlightBannerComponent, OverallAssessmentComponent, PacingStatusBadgeComponent, PieChartComponent, ProfileItemCardComponent, ProfileSectionComponent, ProfileSubsectionComponent, RelatedContentSidebarComponent, RevenueCalculatorService, RevenueCalculatorWelcomeBannerComponent, ScrollDepthService, ScrollProgressBarComponent, SearchButtonComponent, SearchModalComponent, SectionDividerComponent, SectionNavigationComponent, ShadowElevationDirective, ShopPlatformEnum, ShopProfileCategoryListComponent, ShopProfileQuestionAnswerComponent, ShopProfileQuestionCardComponent, ShopProfileQuestionsModalComponent, ShopProfileStatusCardComponent, ShopProfileStickyFooterComponent, ShopProfileViewToggleComponent, ShopWelcomeBannerComponent, SkeletonBarComponent, SkeletonCardBaseComponent, SkeletonCircleComponent, SkeletonCompetitorCardComponent, SkeletonCustomerSegmentCardComponent, SkeletonFocusAreaCardComponent, SkeletonGenericCardComponent, SkeletonLoaderComponent, SkeletonPriceTierCardComponent, SkeletonProductCategoryCardComponent, SkeletonRegionCardComponent, SkeletonSeasonCardComponent, StickySubscriptionContinueButtonComponent, SubscriptionValuePropositionCardComponent, SymphiqBusinessAnalysisDashboardComponent, SymphiqConnectGaDashboardComponent, SymphiqCreateAccountDashboardComponent, SymphiqFunnelAnalysisDashboardComponent, SymphiqFunnelAnalysisPreviewComponent, SymphiqIconComponent, SymphiqProfileAnalysisFocusAreaDashboardComponent, SymphiqProfileAnalysisMetricDashboardComponent, SymphiqProfileAnalysisUnifiedDashboardComponent, SymphiqProfileFocusAreaDashboardComponent, SymphiqProfileFocusAreasAnalysesDashboardComponent, SymphiqProfileMetricDashboardComponent, SymphiqProfileMetricsAnalysesDashboardComponent, SymphiqProfileShopAnalysisDashboardComponent, SymphiqRevenueCalculatorDashboardComponent, SymphiqWelcomeDashboardComponent, TargetChangeBadgeComponent, TooltipContainerComponent, TooltipDataService, TooltipDirective, TooltipService, UserAvatarComponent, UserDisplayComponent, ViewModeService, ViewModeSwitcherModalComponent, ViewportAnimationDirective, VisualizationContainerComponent, calculateFunnelRatios, calculateMetricTargetsFromRevenue, calculateMetricTargetsFromRevenueReverse, calculateRelatedMetricRatios, generateTargetsFromCalculations, getBadgeLabelClasses, getButtonClasses, getCategoryBadgeClasses, getCategoryColor, getCompetitiveBadgeClasses, getContainerClasses, getFooterClasses, getFunnelStageMetrics, getGradeBadgeClasses, getHeaderClasses, getInsightsBadgeClasses, getInsightsCardClasses, getMetricLabelClasses, getMetricMiniCardClasses, getMetricValueClasses, getNarrativeTextClasses, getRevenueCardClasses, getRevenueIconClasses, getStatusBadgeClasses, getStatusDotClasses, getStatusIconClasses, getStatusSummaryClasses, getSubtitleClasses, getTitleClasses, getTrendClasses, getTrendIconClasses, getTrendValueClasses, groupMetricsByFunnelStage, isLightMode, validateRevenueTarget };
115630
+ export { AreaChartComponent, BarChartComponent, BreakdownSectionComponent, BusinessAnalysisModalComponent, BusinessProfileSearchService, ChartCardComponent, ChartContainerComponent, ChartThemeService, CircularProgressComponent, CompetitivePositioningSummaryComponent, CompetitorAnalysisCardComponent, ConfettiService, ConfidenceLevelCardComponent, ContentGenerationProgressComponent, ContentGenerationProgressWithConfettiComponent, CrossDashboardRelationshipsService, DashboardHeaderComponent, DataLoaderService, DisplayModeEnum, FloatingBackButtonComponent, FloatingTocComponent, FocusAreaDetailCardComponent, FocusAreaExecutiveSummaryComponent, FocusAreaQuestionComponent, FocusAreaStatusCardComponent, FocusAreaToolsModalComponent, FunnelOrderService, GoalActionStateEnum, GoalActionStateService, GradeBadgeComponent, HeaderScrollService, HierarchyDisplayComponent, HorizontalBarComponent, IconService, IndeterminateSpinnerComponent, InsightCardComponent, JourneyProgressIndicatorComponent, JourneyStepIdEnum, LineChartComponent, MetricCardComponent, MetricExecutiveSummaryComponent, MetricFormatterService, MetricListItemComponent, MetricReportModalComponent, MetricWelcomeBannerComponent, MobileBottomNavComponent, MobileFABComponent, ModalComponent, ModalService, NapkinVisualPlaceholderComponent, NavigationStateService, OpportunityHighlightBannerComponent, OverallAssessmentComponent, PacingStatusBadgeComponent, PieChartComponent, ProfileItemCardComponent, ProfileSectionComponent, ProfileSubsectionComponent, RelatedContentSidebarComponent, RevenueCalculatorService, RevenueCalculatorWelcomeBannerComponent, ScrollDepthService, ScrollProgressBarComponent, SearchButtonComponent, SearchModalComponent, SectionDividerComponent, SectionNavigationComponent, ShadowElevationDirective, ShopPlatformEnum, ShopProfileCategoryListComponent, ShopProfileQuestionAnswerComponent, ShopProfileQuestionCardComponent, ShopProfileQuestionsModalComponent, ShopProfileStatusCardComponent, ShopProfileStickyFooterComponent, ShopProfileViewToggleComponent, ShopWelcomeBannerComponent, SkeletonBarComponent, SkeletonCardBaseComponent, SkeletonCircleComponent, SkeletonCompetitorCardComponent, SkeletonCustomerSegmentCardComponent, SkeletonFocusAreaCardComponent, SkeletonGenericCardComponent, SkeletonLoaderComponent, SkeletonPriceTierCardComponent, SkeletonProductCategoryCardComponent, SkeletonRegionCardComponent, SkeletonSeasonCardComponent, StickySubscriptionContinueButtonComponent, SubscriptionValuePropositionCardComponent, SymphiqBusinessAnalysisDashboardComponent, SymphiqConnectGaDashboardComponent, SymphiqCreateAccountDashboardComponent, SymphiqFunnelAnalysisDashboardComponent, SymphiqFunnelAnalysisPreviewComponent, SymphiqIconComponent, SymphiqProfileAnalysisFocusAreaDashboardComponent, SymphiqProfileAnalysisMetricDashboardComponent, SymphiqProfileAnalysisUnifiedDashboardComponent, SymphiqProfileFocusAreaDashboardComponent, SymphiqProfileFocusAreasAnalysesDashboardComponent, SymphiqProfileMetricDashboardComponent, SymphiqProfileMetricsAnalysesDashboardComponent, SymphiqProfileShopAnalysisDashboardComponent, SymphiqRevenueCalculatorDashboardComponent, SymphiqWelcomeDashboardComponent, TargetChangeBadgeComponent, TooltipContainerComponent, TooltipDataService, TooltipDirective, TooltipService, UserAvatarComponent, UserDisplayComponent, ViewModeService, ViewModeSwitcherModalComponent, ViewportAnimationDirective, VisualizationContainerComponent, calculateFunnelRatios, calculateMetricTargetsFromRevenue, calculateMetricTargetsFromRevenueReverse, calculateRelatedMetricRatios, generateTargetsFromCalculations, getBadgeLabelClasses, getButtonClasses, getCategoryBadgeClasses, getCategoryColor, getCompetitiveBadgeClasses, getContainerClasses, getFooterClasses, getFunnelStageMetrics, getGradeBadgeClasses, getHeaderClasses, getInsightsBadgeClasses, getInsightsCardClasses, getMetricLabelClasses, getMetricMiniCardClasses, getMetricValueClasses, getNarrativeTextClasses, getRevenueCardClasses, getRevenueIconClasses, getStatusBadgeClasses, getStatusDotClasses, getStatusIconClasses, getStatusSummaryClasses, getSubtitleClasses, getTitleClasses, getTrendClasses, getTrendIconClasses, getTrendValueClasses, groupMetricsByFunnelStage, isLightMode, validateRevenueTarget };
114518
115631
  //# sourceMappingURL=symphiq-components.mjs.map