mirror of
https://github.com/AutoMaker-Org/automaker.git
synced 2026-02-04 09:13:08 +00:00
feat: Add a settings toggle to disable marketing content within...
This commit is contained in:
@@ -7,6 +7,7 @@ import {
|
|||||||
TooltipProvider,
|
TooltipProvider,
|
||||||
TooltipTrigger,
|
TooltipTrigger,
|
||||||
} from "@/components/ui/tooltip";
|
} from "@/components/ui/tooltip";
|
||||||
|
import { useAppStore } from "@/store/app-store";
|
||||||
|
|
||||||
interface CoursePromoBadgeProps {
|
interface CoursePromoBadgeProps {
|
||||||
sidebarOpen?: boolean;
|
sidebarOpen?: boolean;
|
||||||
@@ -14,8 +15,10 @@ interface CoursePromoBadgeProps {
|
|||||||
|
|
||||||
export function CoursePromoBadge({ sidebarOpen = true }: CoursePromoBadgeProps) {
|
export function CoursePromoBadge({ sidebarOpen = true }: CoursePromoBadgeProps) {
|
||||||
const [dismissed, setDismissed] = React.useState(false);
|
const [dismissed, setDismissed] = React.useState(false);
|
||||||
|
const hideMarketingContent = useAppStore((state) => state.hideMarketingContent);
|
||||||
|
|
||||||
if (dismissed) {
|
// If marketing content is hidden globally or dismissed locally, don't render
|
||||||
|
if (hideMarketingContent || dismissed) {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -379,7 +379,7 @@ function LogEntryItem({ entry, isExpanded, onToggle }: LogEntryItemProps) {
|
|||||||
{formattedContent.map((part, index) => (
|
{formattedContent.map((part, index) => (
|
||||||
<div key={index}>
|
<div key={index}>
|
||||||
{part.type === "json" ? (
|
{part.type === "json" ? (
|
||||||
<pre className="bg-zinc-900/50 rounded p-2 overflow-x-auto text-xs text-primary">
|
<pre className="bg-zinc-900/50 rounded p-2 overflow-x-auto scrollbar-styled text-xs text-primary">
|
||||||
{part.content}
|
{part.content}
|
||||||
</pre>
|
</pre>
|
||||||
) : (
|
) : (
|
||||||
@@ -418,6 +418,8 @@ export function LogViewer({ output, className }: LogViewerProps) {
|
|||||||
const [searchQuery, setSearchQuery] = useState("");
|
const [searchQuery, setSearchQuery] = useState("");
|
||||||
const [hiddenTypes, setHiddenTypes] = useState<Set<LogEntryType>>(new Set());
|
const [hiddenTypes, setHiddenTypes] = useState<Set<LogEntryType>>(new Set());
|
||||||
const [hiddenCategories, setHiddenCategories] = useState<Set<ToolCategory>>(new Set());
|
const [hiddenCategories, setHiddenCategories] = useState<Set<ToolCategory>>(new Set());
|
||||||
|
// Track if user has "Expand All" mode active - new entries will auto-expand when this is true
|
||||||
|
const [expandAllMode, setExpandAllMode] = useState(false);
|
||||||
|
|
||||||
// Parse entries and compute initial expanded state together
|
// Parse entries and compute initial expanded state together
|
||||||
const { entries, initialExpandedIds } = useMemo(() => {
|
const { entries, initialExpandedIds } = useMemo(() => {
|
||||||
@@ -442,16 +444,27 @@ export function LogViewer({ output, className }: LogViewerProps) {
|
|||||||
const appliedInitialRef = useRef<Set<string>>(new Set());
|
const appliedInitialRef = useRef<Set<string>>(new Set());
|
||||||
|
|
||||||
// Apply initial expanded state for new entries
|
// Apply initial expanded state for new entries
|
||||||
|
// Also auto-expand all entries when expandAllMode is active
|
||||||
const effectiveExpandedIds = useMemo(() => {
|
const effectiveExpandedIds = useMemo(() => {
|
||||||
const result = new Set(expandedIds);
|
const result = new Set(expandedIds);
|
||||||
|
|
||||||
|
// If expand all mode is active, expand all filtered entries
|
||||||
|
if (expandAllMode) {
|
||||||
|
entries.forEach((entry) => {
|
||||||
|
result.add(entry.id);
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
// Otherwise, only auto-expand entries based on initial state (shouldCollapseByDefault)
|
||||||
initialExpandedIds.forEach((id) => {
|
initialExpandedIds.forEach((id) => {
|
||||||
if (!appliedInitialRef.current.has(id)) {
|
if (!appliedInitialRef.current.has(id)) {
|
||||||
appliedInitialRef.current.add(id);
|
appliedInitialRef.current.add(id);
|
||||||
result.add(id);
|
result.add(id);
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
}
|
||||||
|
|
||||||
return result;
|
return result;
|
||||||
}, [expandedIds, initialExpandedIds]);
|
}, [expandedIds, initialExpandedIds, expandAllMode, entries]);
|
||||||
|
|
||||||
// Calculate stats for tool categories
|
// Calculate stats for tool categories
|
||||||
const stats = useMemo(() => {
|
const stats = useMemo(() => {
|
||||||
@@ -507,6 +520,10 @@ export function LogViewer({ output, className }: LogViewerProps) {
|
|||||||
}, [entries, hiddenTypes, hiddenCategories, searchQuery]);
|
}, [entries, hiddenTypes, hiddenCategories, searchQuery]);
|
||||||
|
|
||||||
const toggleEntry = (id: string) => {
|
const toggleEntry = (id: string) => {
|
||||||
|
// When user manually collapses an entry, turn off expand all mode
|
||||||
|
if (effectiveExpandedIds.has(id)) {
|
||||||
|
setExpandAllMode(false);
|
||||||
|
}
|
||||||
setExpandedIds((prev) => {
|
setExpandedIds((prev) => {
|
||||||
const next = new Set(prev);
|
const next = new Set(prev);
|
||||||
if (next.has(id)) {
|
if (next.has(id)) {
|
||||||
@@ -519,10 +536,14 @@ export function LogViewer({ output, className }: LogViewerProps) {
|
|||||||
};
|
};
|
||||||
|
|
||||||
const expandAll = () => {
|
const expandAll = () => {
|
||||||
|
// Enable expand all mode so new entries will also be expanded
|
||||||
|
setExpandAllMode(true);
|
||||||
setExpandedIds(new Set(filteredEntries.map((e) => e.id)));
|
setExpandedIds(new Set(filteredEntries.map((e) => e.id)));
|
||||||
};
|
};
|
||||||
|
|
||||||
const collapseAll = () => {
|
const collapseAll = () => {
|
||||||
|
// Disable expand all mode when collapsing all
|
||||||
|
setExpandAllMode(false);
|
||||||
setExpandedIds(new Set());
|
setExpandedIds(new Set());
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -565,7 +586,7 @@ export function LogViewer({ output, className }: LogViewerProps) {
|
|||||||
<Info className="w-8 h-8 mx-auto mb-2 opacity-50" />
|
<Info className="w-8 h-8 mx-auto mb-2 opacity-50" />
|
||||||
<p className="text-sm">No log entries yet. Logs will appear here as the process runs.</p>
|
<p className="text-sm">No log entries yet. Logs will appear here as the process runs.</p>
|
||||||
{output && output.trim() && (
|
{output && output.trim() && (
|
||||||
<div className="mt-4 p-3 bg-zinc-900/50 rounded text-xs font-mono text-left max-h-40 overflow-auto">
|
<div className="mt-4 p-3 bg-zinc-900/50 rounded text-xs font-mono text-left max-h-40 overflow-auto scrollbar-styled">
|
||||||
<pre className="whitespace-pre-wrap">{output}</pre>
|
<pre className="whitespace-pre-wrap">{output}</pre>
|
||||||
</div>
|
</div>
|
||||||
)}
|
)}
|
||||||
@@ -699,10 +720,16 @@ export function LogViewer({ output, className }: LogViewerProps) {
|
|||||||
</span>
|
</span>
|
||||||
<button
|
<button
|
||||||
onClick={expandAll}
|
onClick={expandAll}
|
||||||
className="text-xs text-zinc-400 hover:text-zinc-200 px-2 py-1 rounded hover:bg-zinc-800/50 transition-colors"
|
className={cn(
|
||||||
|
"text-xs px-2 py-1 rounded transition-colors",
|
||||||
|
expandAllMode
|
||||||
|
? "text-primary bg-primary/20 hover:bg-primary/30"
|
||||||
|
: "text-zinc-400 hover:text-zinc-200 hover:bg-zinc-800/50"
|
||||||
|
)}
|
||||||
data-testid="log-expand-all"
|
data-testid="log-expand-all"
|
||||||
|
title={expandAllMode ? "Expand All (Active - new items will auto-expand)" : "Expand All"}
|
||||||
>
|
>
|
||||||
Expand All
|
Expand All{expandAllMode ? " (On)" : ""}
|
||||||
</button>
|
</button>
|
||||||
<button
|
<button
|
||||||
onClick={collapseAll}
|
onClick={collapseAll}
|
||||||
|
|||||||
@@ -37,6 +37,8 @@ export function SettingsView() {
|
|||||||
setShowProfilesOnly,
|
setShowProfilesOnly,
|
||||||
muteDoneSound,
|
muteDoneSound,
|
||||||
setMuteDoneSound,
|
setMuteDoneSound,
|
||||||
|
hideMarketingContent,
|
||||||
|
setHideMarketingContent,
|
||||||
currentProject,
|
currentProject,
|
||||||
moveProjectToTrash,
|
moveProjectToTrash,
|
||||||
defaultPlanningMode,
|
defaultPlanningMode,
|
||||||
@@ -102,7 +104,9 @@ export function SettingsView() {
|
|||||||
<AppearanceSection
|
<AppearanceSection
|
||||||
effectiveTheme={effectiveTheme}
|
effectiveTheme={effectiveTheme}
|
||||||
currentProject={settingsProject}
|
currentProject={settingsProject}
|
||||||
|
hideMarketingContent={hideMarketingContent}
|
||||||
onThemeChange={handleSetTheme}
|
onThemeChange={handleSetTheme}
|
||||||
|
onHideMarketingContentChange={setHideMarketingContent}
|
||||||
/>
|
/>
|
||||||
);
|
);
|
||||||
case "keyboard":
|
case "keyboard":
|
||||||
|
|||||||
@@ -1,6 +1,6 @@
|
|||||||
import { Button } from "@/components/ui/button";
|
|
||||||
import { Label } from "@/components/ui/label";
|
import { Label } from "@/components/ui/label";
|
||||||
import { Palette } from "lucide-react";
|
import { Checkbox } from "@/components/ui/checkbox";
|
||||||
|
import { Palette, Megaphone } from "lucide-react";
|
||||||
import { themeOptions } from "@/config/theme-options";
|
import { themeOptions } from "@/config/theme-options";
|
||||||
import { cn } from "@/lib/utils";
|
import { cn } from "@/lib/utils";
|
||||||
import type { Theme, Project } from "../shared/types";
|
import type { Theme, Project } from "../shared/types";
|
||||||
@@ -8,13 +8,17 @@ import type { Theme, Project } from "../shared/types";
|
|||||||
interface AppearanceSectionProps {
|
interface AppearanceSectionProps {
|
||||||
effectiveTheme: Theme;
|
effectiveTheme: Theme;
|
||||||
currentProject: Project | null;
|
currentProject: Project | null;
|
||||||
|
hideMarketingContent: boolean;
|
||||||
onThemeChange: (theme: Theme) => void;
|
onThemeChange: (theme: Theme) => void;
|
||||||
|
onHideMarketingContentChange: (hide: boolean) => void;
|
||||||
}
|
}
|
||||||
|
|
||||||
export function AppearanceSection({
|
export function AppearanceSection({
|
||||||
effectiveTheme,
|
effectiveTheme,
|
||||||
currentProject,
|
currentProject,
|
||||||
|
hideMarketingContent,
|
||||||
onThemeChange,
|
onThemeChange,
|
||||||
|
onHideMarketingContentChange,
|
||||||
}: AppearanceSectionProps) {
|
}: AppearanceSectionProps) {
|
||||||
return (
|
return (
|
||||||
<div
|
<div
|
||||||
@@ -81,6 +85,35 @@ export function AppearanceSection({
|
|||||||
})}
|
})}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
{/* Separator */}
|
||||||
|
<div className="border-t border-border/30 my-4" />
|
||||||
|
|
||||||
|
{/* Hide Marketing Content Setting */}
|
||||||
|
<div className="group flex items-start space-x-3 p-3 rounded-xl hover:bg-accent/30 transition-colors duration-200 -mx-3">
|
||||||
|
<Checkbox
|
||||||
|
id="hide-marketing-content"
|
||||||
|
checked={hideMarketingContent}
|
||||||
|
onCheckedChange={(checked) =>
|
||||||
|
onHideMarketingContentChange(checked === true)
|
||||||
|
}
|
||||||
|
className="mt-1"
|
||||||
|
data-testid="hide-marketing-content-checkbox"
|
||||||
|
/>
|
||||||
|
<div className="space-y-1.5">
|
||||||
|
<Label
|
||||||
|
htmlFor="hide-marketing-content"
|
||||||
|
className="text-foreground cursor-pointer font-medium flex items-center gap-2"
|
||||||
|
>
|
||||||
|
<Megaphone className="w-4 h-4 text-brand-500" />
|
||||||
|
Hide marketing content
|
||||||
|
</Label>
|
||||||
|
<p className="text-xs text-muted-foreground/80 leading-relaxed">
|
||||||
|
When enabled, hides promotional content like the "Become a 10x Dev" badge
|
||||||
|
in the sidebar. This setting persists across sessions.
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
);
|
);
|
||||||
|
|||||||
@@ -459,6 +459,9 @@ export interface AppState {
|
|||||||
// Audio Settings
|
// Audio Settings
|
||||||
muteDoneSound: boolean; // When true, mute the notification sound when agents complete (default: false)
|
muteDoneSound: boolean; // When true, mute the notification sound when agents complete (default: false)
|
||||||
|
|
||||||
|
// Marketing Settings
|
||||||
|
hideMarketingContent: boolean; // When true, hide marketing content like the "Become a 10x Dev" badge (default: false)
|
||||||
|
|
||||||
// Enhancement Model Settings
|
// Enhancement Model Settings
|
||||||
enhancementModel: AgentModel; // Model used for feature enhancement (default: sonnet)
|
enhancementModel: AgentModel; // Model used for feature enhancement (default: sonnet)
|
||||||
|
|
||||||
@@ -670,6 +673,9 @@ export interface AppActions {
|
|||||||
// Audio Settings actions
|
// Audio Settings actions
|
||||||
setMuteDoneSound: (muted: boolean) => void;
|
setMuteDoneSound: (muted: boolean) => void;
|
||||||
|
|
||||||
|
// Marketing Settings actions
|
||||||
|
setHideMarketingContent: (hide: boolean) => void;
|
||||||
|
|
||||||
// Enhancement Model actions
|
// Enhancement Model actions
|
||||||
setEnhancementModel: (model: AgentModel) => void;
|
setEnhancementModel: (model: AgentModel) => void;
|
||||||
|
|
||||||
@@ -824,6 +830,7 @@ const initialState: AppState = {
|
|||||||
showProfilesOnly: false, // Default to showing all options (not profiles only)
|
showProfilesOnly: false, // Default to showing all options (not profiles only)
|
||||||
keyboardShortcuts: DEFAULT_KEYBOARD_SHORTCUTS, // Default keyboard shortcuts
|
keyboardShortcuts: DEFAULT_KEYBOARD_SHORTCUTS, // Default keyboard shortcuts
|
||||||
muteDoneSound: false, // Default to sound enabled (not muted)
|
muteDoneSound: false, // Default to sound enabled (not muted)
|
||||||
|
hideMarketingContent: false, // Default to showing marketing content
|
||||||
enhancementModel: "sonnet", // Default to sonnet for feature enhancement
|
enhancementModel: "sonnet", // Default to sonnet for feature enhancement
|
||||||
aiProfiles: DEFAULT_AI_PROFILES,
|
aiProfiles: DEFAULT_AI_PROFILES,
|
||||||
projectAnalysis: null,
|
projectAnalysis: null,
|
||||||
@@ -1487,6 +1494,9 @@ export const useAppStore = create<AppState & AppActions>()(
|
|||||||
// Audio Settings actions
|
// Audio Settings actions
|
||||||
setMuteDoneSound: (muted) => set({ muteDoneSound: muted }),
|
setMuteDoneSound: (muted) => set({ muteDoneSound: muted }),
|
||||||
|
|
||||||
|
// Marketing Settings actions
|
||||||
|
setHideMarketingContent: (hide) => set({ hideMarketingContent: hide }),
|
||||||
|
|
||||||
// Enhancement Model actions
|
// Enhancement Model actions
|
||||||
setEnhancementModel: (model) => set({ enhancementModel: model }),
|
setEnhancementModel: (model) => set({ enhancementModel: model }),
|
||||||
|
|
||||||
@@ -2331,6 +2341,7 @@ export const useAppStore = create<AppState & AppActions>()(
|
|||||||
showProfilesOnly: state.showProfilesOnly,
|
showProfilesOnly: state.showProfilesOnly,
|
||||||
keyboardShortcuts: state.keyboardShortcuts,
|
keyboardShortcuts: state.keyboardShortcuts,
|
||||||
muteDoneSound: state.muteDoneSound,
|
muteDoneSound: state.muteDoneSound,
|
||||||
|
hideMarketingContent: state.hideMarketingContent,
|
||||||
enhancementModel: state.enhancementModel,
|
enhancementModel: state.enhancementModel,
|
||||||
// Profiles and sessions
|
// Profiles and sessions
|
||||||
aiProfiles: state.aiProfiles,
|
aiProfiles: state.aiProfiles,
|
||||||
|
|||||||
@@ -1657,6 +1657,78 @@
|
|||||||
border-radius: 0;
|
border-radius: 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/* Styled scrollbar for code blocks and log entries (horizontal/vertical) */
|
||||||
|
.scrollbar-styled {
|
||||||
|
scrollbar-width: thin;
|
||||||
|
scrollbar-color: var(--muted-foreground) transparent;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scrollbar-styled::-webkit-scrollbar {
|
||||||
|
width: 6px;
|
||||||
|
height: 6px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scrollbar-styled::-webkit-scrollbar-track {
|
||||||
|
background: transparent;
|
||||||
|
border-radius: 3px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scrollbar-styled::-webkit-scrollbar-thumb {
|
||||||
|
background: oklch(0.35 0 0);
|
||||||
|
border-radius: 3px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scrollbar-styled::-webkit-scrollbar-thumb:hover {
|
||||||
|
background: oklch(0.45 0 0);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Light mode scrollbar-styled adjustments */
|
||||||
|
.light .scrollbar-styled::-webkit-scrollbar-thumb {
|
||||||
|
background: oklch(0.75 0 0);
|
||||||
|
}
|
||||||
|
|
||||||
|
.light .scrollbar-styled::-webkit-scrollbar-thumb:hover {
|
||||||
|
background: oklch(0.65 0 0);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Cream theme scrollbar-styled */
|
||||||
|
.cream .scrollbar-styled::-webkit-scrollbar-thumb {
|
||||||
|
background: oklch(0.7 0.03 60);
|
||||||
|
}
|
||||||
|
|
||||||
|
.cream .scrollbar-styled::-webkit-scrollbar-thumb:hover {
|
||||||
|
background: oklch(0.6 0.04 60);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Retro theme scrollbar-styled */
|
||||||
|
.retro .scrollbar-styled::-webkit-scrollbar-thumb {
|
||||||
|
background: var(--primary);
|
||||||
|
border-radius: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.retro .scrollbar-styled::-webkit-scrollbar-track {
|
||||||
|
background: var(--background);
|
||||||
|
border-radius: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Sunset theme scrollbar-styled */
|
||||||
|
.sunset .scrollbar-styled::-webkit-scrollbar-thumb {
|
||||||
|
background: oklch(0.5 0.14 45);
|
||||||
|
}
|
||||||
|
|
||||||
|
.sunset .scrollbar-styled::-webkit-scrollbar-thumb:hover {
|
||||||
|
background: oklch(0.58 0.16 45);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Gray theme scrollbar-styled */
|
||||||
|
.gray .scrollbar-styled::-webkit-scrollbar-thumb {
|
||||||
|
background: oklch(0.4 0.01 250);
|
||||||
|
}
|
||||||
|
|
||||||
|
.gray .scrollbar-styled::-webkit-scrollbar-thumb:hover {
|
||||||
|
background: oklch(0.5 0.02 250);
|
||||||
|
}
|
||||||
|
|
||||||
/* Glass morphism utilities */
|
/* Glass morphism utilities */
|
||||||
@layer utilities {
|
@layer utilities {
|
||||||
.glass {
|
.glass {
|
||||||
|
|||||||
176
apps/ui/tests/settings-marketing.spec.ts
Normal file
176
apps/ui/tests/settings-marketing.spec.ts
Normal file
@@ -0,0 +1,176 @@
|
|||||||
|
/**
|
||||||
|
* Settings Marketing Content Toggle Tests
|
||||||
|
*
|
||||||
|
* Tests for the "Hide marketing content" setting in the Appearance section.
|
||||||
|
*/
|
||||||
|
|
||||||
|
import { test, expect } from "@playwright/test";
|
||||||
|
import * as fs from "fs";
|
||||||
|
|
||||||
|
import {
|
||||||
|
waitForNetworkIdle,
|
||||||
|
createTestGitRepo,
|
||||||
|
cleanupTempDir,
|
||||||
|
createTempDirPath,
|
||||||
|
setupProjectWithPathNoWorktrees,
|
||||||
|
navigateToSettings,
|
||||||
|
} from "./utils";
|
||||||
|
|
||||||
|
// Create unique temp dir for this test run
|
||||||
|
const TEST_TEMP_DIR = createTempDirPath("settings-marketing-tests");
|
||||||
|
|
||||||
|
interface TestRepo {
|
||||||
|
path: string;
|
||||||
|
cleanup: () => Promise<void>;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Configure all tests to run serially
|
||||||
|
test.describe.configure({ mode: "serial" });
|
||||||
|
|
||||||
|
test.describe("Settings Marketing Content Tests", () => {
|
||||||
|
let testRepo: TestRepo;
|
||||||
|
|
||||||
|
test.beforeAll(async () => {
|
||||||
|
// Create test temp directory
|
||||||
|
if (!fs.existsSync(TEST_TEMP_DIR)) {
|
||||||
|
fs.mkdirSync(TEST_TEMP_DIR, { recursive: true });
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
test.beforeEach(async () => {
|
||||||
|
// Create a fresh test repo for each test
|
||||||
|
testRepo = await createTestGitRepo(TEST_TEMP_DIR);
|
||||||
|
});
|
||||||
|
|
||||||
|
test.afterEach(async () => {
|
||||||
|
// Cleanup test repo after each test
|
||||||
|
if (testRepo) {
|
||||||
|
await testRepo.cleanup();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
test.afterAll(async () => {
|
||||||
|
// Cleanup temp directory
|
||||||
|
cleanupTempDir(TEST_TEMP_DIR);
|
||||||
|
});
|
||||||
|
|
||||||
|
test("should show course promo badge by default", async ({ page }) => {
|
||||||
|
// Setup project without worktrees for simpler testing
|
||||||
|
await setupProjectWithPathNoWorktrees(page, testRepo.path);
|
||||||
|
await page.goto("/");
|
||||||
|
await waitForNetworkIdle(page);
|
||||||
|
|
||||||
|
// Wait for sidebar to load
|
||||||
|
await expect(page.locator('[data-testid="sidebar"]')).toBeVisible({
|
||||||
|
timeout: 10000,
|
||||||
|
});
|
||||||
|
|
||||||
|
// Course promo badge should be visible by default
|
||||||
|
const promoBadge = page.locator('[data-testid="course-promo-badge"]');
|
||||||
|
await expect(promoBadge).toBeVisible({ timeout: 5000 });
|
||||||
|
});
|
||||||
|
|
||||||
|
test("should hide course promo badge when setting is enabled", async ({
|
||||||
|
page,
|
||||||
|
}) => {
|
||||||
|
// Setup project
|
||||||
|
await setupProjectWithPathNoWorktrees(page, testRepo.path);
|
||||||
|
await page.goto("/");
|
||||||
|
await waitForNetworkIdle(page);
|
||||||
|
|
||||||
|
// Navigate to settings
|
||||||
|
await navigateToSettings(page);
|
||||||
|
|
||||||
|
// Click on Appearance tab in settings navigation
|
||||||
|
const appearanceTab = page.getByRole("button", { name: /appearance/i });
|
||||||
|
await appearanceTab.click();
|
||||||
|
|
||||||
|
// Find and click the hide marketing content checkbox
|
||||||
|
const hideMarketingCheckbox = page.locator(
|
||||||
|
'[data-testid="hide-marketing-content-checkbox"]'
|
||||||
|
);
|
||||||
|
await expect(hideMarketingCheckbox).toBeVisible({ timeout: 5000 });
|
||||||
|
await hideMarketingCheckbox.click();
|
||||||
|
|
||||||
|
// Navigate back to board to see the sidebar
|
||||||
|
await page.goto("/board");
|
||||||
|
await waitForNetworkIdle(page);
|
||||||
|
|
||||||
|
// Course promo badge should now be hidden
|
||||||
|
const promoBadge = page.locator('[data-testid="course-promo-badge"]');
|
||||||
|
await expect(promoBadge).not.toBeVisible({ timeout: 5000 });
|
||||||
|
});
|
||||||
|
|
||||||
|
test("should persist hide marketing setting across page reloads", async ({
|
||||||
|
page,
|
||||||
|
}) => {
|
||||||
|
// Setup project
|
||||||
|
await setupProjectWithPathNoWorktrees(page, testRepo.path);
|
||||||
|
await page.goto("/");
|
||||||
|
await waitForNetworkIdle(page);
|
||||||
|
|
||||||
|
// Navigate to settings and enable hide marketing
|
||||||
|
await navigateToSettings(page);
|
||||||
|
|
||||||
|
const appearanceTab = page.getByRole("button", { name: /appearance/i });
|
||||||
|
await appearanceTab.click();
|
||||||
|
|
||||||
|
const hideMarketingCheckbox = page.locator(
|
||||||
|
'[data-testid="hide-marketing-content-checkbox"]'
|
||||||
|
);
|
||||||
|
await hideMarketingCheckbox.click();
|
||||||
|
|
||||||
|
// Reload the page
|
||||||
|
await page.reload();
|
||||||
|
await waitForNetworkIdle(page);
|
||||||
|
|
||||||
|
// Course promo badge should still be hidden after reload
|
||||||
|
const promoBadge = page.locator('[data-testid="course-promo-badge"]');
|
||||||
|
await expect(promoBadge).not.toBeVisible({ timeout: 5000 });
|
||||||
|
});
|
||||||
|
|
||||||
|
test("should show course promo badge again when setting is disabled", async ({
|
||||||
|
page,
|
||||||
|
}) => {
|
||||||
|
// Setup project with hide marketing already enabled via localStorage
|
||||||
|
await page.addInitScript(() => {
|
||||||
|
const state = {
|
||||||
|
state: {
|
||||||
|
hideMarketingContent: true,
|
||||||
|
projects: [],
|
||||||
|
currentProject: null,
|
||||||
|
theme: "dark",
|
||||||
|
sidebarOpen: true,
|
||||||
|
},
|
||||||
|
version: 2,
|
||||||
|
};
|
||||||
|
localStorage.setItem("automaker-storage", JSON.stringify(state));
|
||||||
|
});
|
||||||
|
|
||||||
|
await setupProjectWithPathNoWorktrees(page, testRepo.path);
|
||||||
|
await page.goto("/");
|
||||||
|
await waitForNetworkIdle(page);
|
||||||
|
|
||||||
|
// Verify promo is hidden initially
|
||||||
|
const promoBadge = page.locator('[data-testid="course-promo-badge"]');
|
||||||
|
await expect(promoBadge).not.toBeVisible({ timeout: 5000 });
|
||||||
|
|
||||||
|
// Navigate to settings and disable hide marketing
|
||||||
|
await navigateToSettings(page);
|
||||||
|
|
||||||
|
const appearanceTab = page.getByRole("button", { name: /appearance/i });
|
||||||
|
await appearanceTab.click();
|
||||||
|
|
||||||
|
const hideMarketingCheckbox = page.locator(
|
||||||
|
'[data-testid="hide-marketing-content-checkbox"]'
|
||||||
|
);
|
||||||
|
await hideMarketingCheckbox.click(); // Uncheck
|
||||||
|
|
||||||
|
// Navigate back to board
|
||||||
|
await page.goto("/board");
|
||||||
|
await waitForNetworkIdle(page);
|
||||||
|
|
||||||
|
// Course promo badge should now be visible again
|
||||||
|
await expect(promoBadge).toBeVisible({ timeout: 5000 });
|
||||||
|
});
|
||||||
|
});
|
||||||
Reference in New Issue
Block a user