refactor: replace crypto.randomUUID with generateUUID utility (#638)

* refactor: replace crypto.randomUUID with generateUUID in spec editor

Use the centralized generateUUID utility from @/lib/utils instead of
direct crypto.randomUUID calls in spec editor components. This provides
better fallback handling for non-secure contexts (e.g., Docker via HTTP).

Files updated:
- array-field-editor.tsx
- features-section.tsx
- roadmap-section.tsx

* refactor: simplify generateUUID to always use crypto.getRandomValues

Remove conditional checks and fallbacks - crypto.getRandomValues() works
in all modern browsers including non-secure HTTP contexts (Docker).
This simplifies the code while maintaining the same security guarantees.

* refactor: add defensive check for crypto availability

Add check for crypto.getRandomValues() availability before use.
Throws a meaningful error if the crypto API is not available,
rather than failing with an unclear runtime error.

---------

Co-authored-by: Claude <noreply@anthropic.com>
This commit is contained in:
Stefan de Vogelaere
2026-01-21 10:32:12 +01:00
committed by GitHub
parent db71dc9aa5
commit 641bbde877
4 changed files with 22 additions and 43 deletions

View File

@@ -3,6 +3,7 @@ import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input'; import { Input } from '@/components/ui/input';
import { Card } from '@/components/ui/card'; import { Card } from '@/components/ui/card';
import { useRef, useState, useEffect } from 'react'; import { useRef, useState, useEffect } from 'react';
import { generateUUID } from '@/lib/utils';
interface ArrayFieldEditorProps { interface ArrayFieldEditorProps {
values: string[]; values: string[];
@@ -17,10 +18,6 @@ interface ItemWithId {
value: string; value: string;
} }
function generateId(): string {
return crypto.randomUUID();
}
export function ArrayFieldEditor({ export function ArrayFieldEditor({
values, values,
onChange, onChange,
@@ -30,7 +27,7 @@ export function ArrayFieldEditor({
}: ArrayFieldEditorProps) { }: ArrayFieldEditorProps) {
// Track items with stable IDs // Track items with stable IDs
const [items, setItems] = useState<ItemWithId[]>(() => const [items, setItems] = useState<ItemWithId[]>(() =>
values.map((value) => ({ id: generateId(), value })) values.map((value) => ({ id: generateUUID(), value }))
); );
// Track if we're making an internal change to avoid sync loops // Track if we're making an internal change to avoid sync loops
@@ -44,11 +41,11 @@ export function ArrayFieldEditor({
} }
// External change - rebuild items with new IDs // External change - rebuild items with new IDs
setItems(values.map((value) => ({ id: generateId(), value }))); setItems(values.map((value) => ({ id: generateUUID(), value })));
}, [values]); }, [values]);
const handleAdd = () => { const handleAdd = () => {
const newItems = [...items, { id: generateId(), value: '' }]; const newItems = [...items, { id: generateUUID(), value: '' }];
setItems(newItems); setItems(newItems);
isInternalChange.current = true; isInternalChange.current = true;
onChange(newItems.map((item) => item.value)); onChange(newItems.map((item) => item.value));

View File

@@ -9,6 +9,7 @@ import { Badge } from '@/components/ui/badge';
import { ListChecks } from 'lucide-react'; import { ListChecks } from 'lucide-react';
import { Collapsible, CollapsibleContent, CollapsibleTrigger } from '@/components/ui/collapsible'; import { Collapsible, CollapsibleContent, CollapsibleTrigger } from '@/components/ui/collapsible';
import type { SpecOutput } from '@automaker/spec-parser'; import type { SpecOutput } from '@automaker/spec-parser';
import { generateUUID } from '@/lib/utils';
type Feature = SpecOutput['implemented_features'][number]; type Feature = SpecOutput['implemented_features'][number];
@@ -22,15 +23,11 @@ interface FeatureWithId extends Feature {
_locationIds?: string[]; _locationIds?: string[];
} }
function generateId(): string {
return crypto.randomUUID();
}
function featureToInternal(feature: Feature): FeatureWithId { function featureToInternal(feature: Feature): FeatureWithId {
return { return {
...feature, ...feature,
_id: generateId(), _id: generateUUID(),
_locationIds: feature.file_locations?.map(() => generateId()), _locationIds: feature.file_locations?.map(() => generateUUID()),
}; };
} }
@@ -63,7 +60,7 @@ function FeatureCard({ feature, index, onChange, onRemove }: FeatureCardProps) {
onChange({ onChange({
...feature, ...feature,
file_locations: [...locations, ''], file_locations: [...locations, ''],
_locationIds: [...locationIds, generateId()], _locationIds: [...locationIds, generateUUID()],
}); });
}; };

View File

@@ -13,6 +13,7 @@ import {
SelectValue, SelectValue,
} from '@/components/ui/select'; } from '@/components/ui/select';
import type { SpecOutput } from '@automaker/spec-parser'; import type { SpecOutput } from '@automaker/spec-parser';
import { generateUUID } from '@/lib/utils';
type RoadmapPhase = NonNullable<SpecOutput['implementation_roadmap']>[number]; type RoadmapPhase = NonNullable<SpecOutput['implementation_roadmap']>[number];
type PhaseStatus = 'completed' | 'in_progress' | 'pending'; type PhaseStatus = 'completed' | 'in_progress' | 'pending';
@@ -21,12 +22,8 @@ interface PhaseWithId extends RoadmapPhase {
_id: string; _id: string;
} }
function generateId(): string {
return crypto.randomUUID();
}
function phaseToInternal(phase: RoadmapPhase): PhaseWithId { function phaseToInternal(phase: RoadmapPhase): PhaseWithId {
return { ...phase, _id: generateId() }; return { ...phase, _id: generateUUID() };
} }
function internalToPhase(internal: PhaseWithId): RoadmapPhase { function internalToPhase(internal: PhaseWithId): RoadmapPhase {

View File

@@ -156,35 +156,23 @@ export function sanitizeForTestId(name: string): string {
/** /**
* Generate a UUID v4 string. * Generate a UUID v4 string.
* *
* Uses crypto.randomUUID() when available (secure contexts: HTTPS or localhost). * Uses crypto.getRandomValues() which works in all modern browsers,
* Falls back to crypto.getRandomValues() for non-secure contexts (e.g., Docker via HTTP). * including non-secure contexts (e.g., Docker via HTTP).
* *
* @returns A RFC 4122 compliant UUID v4 string (e.g., "550e8400-e29b-41d4-a716-446655440000") * @returns A RFC 4122 compliant UUID v4 string (e.g., "550e8400-e29b-41d4-a716-446655440000")
*/ */
export function generateUUID(): string { export function generateUUID(): string {
// Use native randomUUID if available (secure contexts: HTTPS or localhost) if (typeof crypto === 'undefined' || typeof crypto.getRandomValues === 'undefined') {
if (typeof crypto !== 'undefined' && typeof crypto.randomUUID === 'function') { throw new Error('Cryptographically secure random number generator not available.');
return crypto.randomUUID();
} }
const bytes = new Uint8Array(16);
crypto.getRandomValues(bytes);
// Fallback using crypto.getRandomValues() (works in all modern browsers, including non-secure contexts) // Set version (4) and variant (RFC 4122) bits
if (typeof crypto !== 'undefined' && typeof crypto.getRandomValues === 'function') { bytes[6] = (bytes[6] & 0x0f) | 0x40; // Version 4
const bytes = new Uint8Array(16); bytes[8] = (bytes[8] & 0x3f) | 0x80; // Variant RFC 4122
crypto.getRandomValues(bytes);
// Set version (4) and variant (RFC 4122) bits // Convert to hex string with proper UUID format
bytes[6] = (bytes[6] & 0x0f) | 0x40; // Version 4 const hex = Array.from(bytes, (b) => b.toString(16).padStart(2, '0')).join('');
bytes[8] = (bytes[8] & 0x3f) | 0x80; // Variant RFC 4122 return `${hex.slice(0, 8)}-${hex.slice(8, 12)}-${hex.slice(12, 16)}-${hex.slice(16, 20)}-${hex.slice(20)}`;
// Convert to hex string with proper UUID format
const hex = Array.from(bytes, (b) => b.toString(16).padStart(2, '0')).join('');
return `${hex.slice(0, 8)}-${hex.slice(8, 12)}-${hex.slice(12, 16)}-${hex.slice(16, 20)}-${hex.slice(20)}`;
}
// Last resort fallback using Math.random() - less secure but ensures functionality
return 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, (c) => {
const r = (Math.random() * 16) | 0;
const v = c === 'x' ? r : (r & 0x3) | 0x8;
return v.toString(16);
});
} }