feat: delete users - not tested

This commit is contained in:
Eric Gullickson
2025-12-22 18:20:25 -06:00
parent 91b4534e76
commit 4897f0a52c
73 changed files with 4923 additions and 62 deletions

View File

@@ -0,0 +1,40 @@
/**
* @ai-summary API client for auth feature (signup, verification)
*/
import axios from 'axios';
import { apiClient } from '../../../core/api/client';
import {
SignupRequest,
SignupResponse,
VerifyStatusResponse,
ResendVerificationResponse,
} from '../types/auth.types';
const API_BASE_URL = import.meta.env.VITE_API_BASE_URL || '/api';
// Create unauthenticated client for public signup endpoint
const unauthenticatedClient = axios.create({
baseURL: API_BASE_URL,
timeout: 10000,
headers: {
'Content-Type': 'application/json',
},
});
export const authApi = {
signup: async (data: SignupRequest): Promise<SignupResponse> => {
const response = await unauthenticatedClient.post('/auth/signup', data);
return response.data;
},
getVerifyStatus: async (): Promise<VerifyStatusResponse> => {
const response = await apiClient.get('/auth/verify-status');
return response.data;
},
resendVerification: async (): Promise<ResendVerificationResponse> => {
const response = await apiClient.post('/auth/resend-verification');
return response.data;
},
};

View File

@@ -0,0 +1,148 @@
/**
* @ai-summary Signup form component with password validation and show/hide toggle
*/
import React, { useState } from 'react';
import { useForm } from 'react-hook-form';
import { zodResolver } from '@hookform/resolvers/zod';
import { z } from 'zod';
import { Button } from '../../../shared-minimal/components/Button';
import { SignupRequest } from '../types/auth.types';
const signupSchema = z
.object({
email: z.string().email('Please enter a valid email address'),
password: z
.string()
.min(8, 'Password must be at least 8 characters')
.regex(/[A-Z]/, 'Password must contain at least one uppercase letter')
.regex(/[0-9]/, 'Password must contain at least one number'),
confirmPassword: z.string(),
})
.refine((data) => data.password === data.confirmPassword, {
message: 'Passwords do not match',
path: ['confirmPassword'],
});
interface SignupFormProps {
onSubmit: (data: SignupRequest) => void;
loading?: boolean;
}
export const SignupForm: React.FC<SignupFormProps> = ({ onSubmit, loading }) => {
const [showPassword, setShowPassword] = useState(false);
const [showConfirmPassword, setShowConfirmPassword] = useState(false);
const {
register,
handleSubmit,
formState: { errors },
} = useForm<SignupRequest & { confirmPassword: string }>({
resolver: zodResolver(signupSchema),
});
const handleFormSubmit = (data: SignupRequest & { confirmPassword: string }) => {
const { email, password } = data;
onSubmit({ email, password });
};
return (
<form onSubmit={handleSubmit(handleFormSubmit)} className="space-y-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Email Address <span className="text-red-500">*</span>
</label>
<input
{...register('email')}
type="email"
inputMode="email"
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary-500 min-h-[44px]"
placeholder="your.email@example.com"
style={{ fontSize: '16px' }}
/>
{errors.email && (
<p className="mt-1 text-sm text-red-600">{errors.email.message}</p>
)}
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Password <span className="text-red-500">*</span>
</label>
<div className="relative">
<input
{...register('password')}
type={showPassword ? 'text' : 'password'}
className="w-full px-3 py-2 pr-10 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary-500 min-h-[44px]"
placeholder="At least 8 characters"
style={{ fontSize: '16px' }}
/>
<button
type="button"
onClick={() => setShowPassword(!showPassword)}
className="absolute right-3 top-1/2 -translate-y-1/2 text-gray-500 hover:text-gray-700 focus:outline-none min-w-[44px] min-h-[44px] flex items-center justify-center"
aria-label={showPassword ? 'Hide password' : 'Show password'}
>
{showPassword ? (
<svg className="w-5 h-5" fill="none" viewBox="0 0 24 24" stroke="currentColor">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M13.875 18.825A10.05 10.05 0 0112 19c-4.478 0-8.268-2.943-9.543-7a9.97 9.97 0 011.563-3.029m5.858.908a3 3 0 114.243 4.243M9.878 9.878l4.242 4.242M9.88 9.88l-3.29-3.29m7.532 7.532l3.29 3.29M3 3l3.59 3.59m0 0A9.953 9.953 0 0112 5c4.478 0 8.268 2.943 9.543 7a10.025 10.025 0 01-4.132 5.411m0 0L21 21" />
</svg>
) : (
<svg className="w-5 h-5" fill="none" viewBox="0 0 24 24" stroke="currentColor">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M15 12a3 3 0 11-6 0 3 3 0 016 0z" />
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={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" />
</svg>
)}
</button>
</div>
{errors.password && (
<p className="mt-1 text-sm text-red-600">{errors.password.message}</p>
)}
<p className="mt-1 text-xs text-gray-600">
Must be at least 8 characters with one uppercase letter and one number
</p>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Confirm Password <span className="text-red-500">*</span>
</label>
<div className="relative">
<input
{...register('confirmPassword')}
type={showConfirmPassword ? 'text' : 'password'}
className="w-full px-3 py-2 pr-10 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary-500 min-h-[44px]"
placeholder="Re-enter your password"
style={{ fontSize: '16px' }}
/>
<button
type="button"
onClick={() => setShowConfirmPassword(!showConfirmPassword)}
className="absolute right-3 top-1/2 -translate-y-1/2 text-gray-500 hover:text-gray-700 focus:outline-none min-w-[44px] min-h-[44px] flex items-center justify-center"
aria-label={showConfirmPassword ? 'Hide password' : 'Show password'}
>
{showConfirmPassword ? (
<svg className="w-5 h-5" fill="none" viewBox="0 0 24 24" stroke="currentColor">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M13.875 18.825A10.05 10.05 0 0112 19c-4.478 0-8.268-2.943-9.543-7a9.97 9.97 0 011.563-3.029m5.858.908a3 3 0 114.243 4.243M9.878 9.878l4.242 4.242M9.88 9.88l-3.29-3.29m7.532 7.532l3.29 3.29M3 3l3.59 3.59m0 0A9.953 9.953 0 0112 5c4.478 0 8.268 2.943 9.543 7a10.025 10.025 0 01-4.132 5.411m0 0L21 21" />
</svg>
) : (
<svg className="w-5 h-5" fill="none" viewBox="0 0 24 24" stroke="currentColor">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M15 12a3 3 0 11-6 0 3 3 0 016 0z" />
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={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" />
</svg>
)}
</button>
</div>
{errors.confirmPassword && (
<p className="mt-1 text-sm text-red-600">{errors.confirmPassword.message}</p>
)}
</div>
<div className="pt-4">
<Button type="submit" loading={loading} className="w-full min-h-[44px]">
Create Account
</Button>
</div>
</form>
);
};

View File

@@ -0,0 +1,32 @@
/**
* @ai-summary React Query hook for user signup
*/
import { useMutation } from '@tanstack/react-query';
import toast from 'react-hot-toast';
import { authApi } from '../api/auth.api';
import { SignupRequest } from '../types/auth.types';
interface ApiError {
response?: {
data?: {
error?: string;
message?: string;
};
status?: number;
};
message?: string;
}
export const useSignup = () => {
return useMutation({
mutationFn: (data: SignupRequest) => authApi.signup(data),
onSuccess: () => {
toast.success('Account created! Please check your email to verify your account.');
},
onError: (error: ApiError) => {
const errorMessage = error.response?.data?.error || error.response?.data?.message || error.message || 'Failed to create account';
toast.error(errorMessage);
},
});
};

View File

@@ -0,0 +1,54 @@
/**
* @ai-summary React Query hook for email verification status with polling
*/
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useAuth0 } from '@auth0/auth0-react';
import toast from 'react-hot-toast';
import { authApi } from '../api/auth.api';
interface ApiError {
response?: {
data?: {
error?: string;
message?: string;
};
};
message?: string;
}
export const useVerifyStatus = (options?: { enablePolling?: boolean; onVerified?: () => void }) => {
const { isAuthenticated, isLoading } = useAuth0();
const query = useQuery({
queryKey: ['verifyStatus'],
queryFn: authApi.getVerifyStatus,
enabled: isAuthenticated && !isLoading,
refetchInterval: options?.enablePolling ? 5000 : false, // Poll every 5 seconds if enabled
refetchIntervalInBackground: false,
retry: 2,
});
// Call onVerified callback when verification completes
if (query.data?.emailVerified && options?.onVerified) {
options.onVerified();
}
return query;
};
export const useResendVerification = () => {
const queryClient = useQueryClient();
return useMutation({
mutationFn: () => authApi.resendVerification(),
onSuccess: (data) => {
toast.success(data.message || 'Verification email sent. Please check your inbox.');
queryClient.invalidateQueries({ queryKey: ['verifyStatus'] });
},
onError: (error: ApiError) => {
const errorMessage = error.response?.data?.error || error.response?.data?.message || error.message || 'Failed to resend verification email';
toast.error(errorMessage);
},
});
};

View File

@@ -0,0 +1,24 @@
/**
* @ai-summary Auth feature module exports
*/
// Types
export * from './types/auth.types';
// API
export { authApi } from './api/auth.api';
// Hooks
export { useSignup } from './hooks/useSignup';
export { useVerifyStatus, useResendVerification } from './hooks/useVerifyStatus';
// Components
export { SignupForm } from './components/SignupForm';
// Pages
export { SignupPage } from './pages/SignupPage';
export { VerifyEmailPage } from './pages/VerifyEmailPage';
// Mobile Screens
export { SignupMobileScreen } from './mobile/SignupMobileScreen';
export { VerifyEmailMobileScreen } from './mobile/VerifyEmailMobileScreen';

View File

@@ -0,0 +1,54 @@
/**
* @ai-summary Mobile signup screen with glass card styling
*/
import React from 'react';
import { useNavigate } from 'react-router-dom';
import { MobileContainer } from '../../../shared-minimal/components/mobile/MobileContainer';
import { GlassCard } from '../../../shared-minimal/components/mobile/GlassCard';
import { SignupForm } from '../components/SignupForm';
import { useSignup } from '../hooks/useSignup';
import { SignupRequest } from '../types/auth.types';
export const SignupMobileScreen: React.FC = () => {
const navigate = useNavigate();
const { mutate: signup, isPending } = useSignup();
const handleSubmit = (data: SignupRequest) => {
signup(data, {
onSuccess: () => {
navigate('/verify-email');
},
});
};
return (
<MobileContainer>
<div className="flex-1 overflow-y-auto p-4 space-y-6">
<div className="text-center pt-8 pb-4">
<h1 className="text-3xl font-bold text-primary-600 mb-2">MotoVaultPro</h1>
<h2 className="text-xl font-semibold text-slate-800">Create Your Account</h2>
<p className="text-sm text-slate-600 mt-2">
Start tracking your vehicle maintenance and fuel logs
</p>
</div>
<GlassCard>
<SignupForm onSubmit={handleSubmit} loading={isPending} />
</GlassCard>
<div className="text-center text-sm text-slate-600 pb-8">
Already have an account?{' '}
<button
onClick={() => navigate('/login')}
className="text-primary-600 hover:text-primary-700 font-medium focus:outline-none focus:underline min-h-[44px] inline-flex items-center"
>
Login
</button>
</div>
</div>
</MobileContainer>
);
};
export default SignupMobileScreen;

View File

@@ -0,0 +1,96 @@
/**
* @ai-summary Mobile email verification screen with polling and resend
*/
import React, { useEffect } from 'react';
import { useNavigate } from 'react-router-dom';
import { MobileContainer } from '../../../shared-minimal/components/mobile/MobileContainer';
import { GlassCard } from '../../../shared-minimal/components/mobile/GlassCard';
import { Button } from '../../../shared-minimal/components/Button';
import { useVerifyStatus, useResendVerification } from '../hooks/useVerifyStatus';
export const VerifyEmailMobileScreen: React.FC = () => {
const navigate = useNavigate();
const { data: verifyStatus, isLoading } = useVerifyStatus({
enablePolling: true,
});
const { mutate: resendVerification, isPending: isResending } = useResendVerification();
useEffect(() => {
if (verifyStatus?.emailVerified) {
navigate('/onboarding');
}
}, [verifyStatus, navigate]);
const handleResend = () => {
resendVerification();
};
if (isLoading) {
return (
<MobileContainer>
<div className="flex-1 flex items-center justify-center">
<div className="text-lg text-slate-600">Loading...</div>
</div>
</MobileContainer>
);
}
return (
<MobileContainer>
<div className="flex-1 overflow-y-auto p-4 space-y-6">
<div className="text-center pt-8 pb-4">
<div className="mx-auto w-16 h-16 bg-primary-100 rounded-full flex items-center justify-center mb-4">
<svg
className="w-8 h-8 text-primary-600"
fill="none"
viewBox="0 0 24 24"
stroke="currentColor"
>
<path
strokeLinecap="round"
strokeLinejoin="round"
strokeWidth={2}
d="M3 8l7.89 5.26a2 2 0 002.22 0L21 8M5 19h14a2 2 0 002-2V7a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z"
/>
</svg>
</div>
<h1 className="text-2xl font-bold text-slate-800 mb-2">Check Your Email</h1>
<p className="text-slate-600">
We've sent a verification link to
</p>
<p className="text-primary-600 font-medium mt-1 break-words px-4">
{verifyStatus?.email}
</p>
</div>
<GlassCard>
<div className="space-y-4">
<div className="bg-slate-50 rounded-lg p-4 text-sm text-slate-700">
<p className="mb-2">Click the link in the email to verify your account.</p>
<p>Once verified, you'll be automatically redirected to complete your profile.</p>
</div>
<div className="text-center">
<p className="text-sm text-slate-600 mb-3">Didn't receive the email?</p>
<Button
onClick={handleResend}
loading={isResending}
variant="secondary"
className="w-full min-h-[44px]"
>
Resend Verification Email
</Button>
</div>
</div>
</GlassCard>
<div className="text-center text-sm text-slate-500 pb-8 px-4">
<p>Check your spam folder if you don't see the email in your inbox.</p>
</div>
</div>
</MobileContainer>
);
};
export default VerifyEmailMobileScreen;

View File

@@ -0,0 +1,50 @@
/**
* @ai-summary Desktop signup page with centered card layout
*/
import React from 'react';
import { useNavigate } from 'react-router-dom';
import { SignupForm } from '../components/SignupForm';
import { useSignup } from '../hooks/useSignup';
import { SignupRequest } from '../types/auth.types';
export const SignupPage: React.FC = () => {
const navigate = useNavigate();
const { mutate: signup, isPending } = useSignup();
const handleSubmit = (data: SignupRequest) => {
signup(data, {
onSuccess: () => {
navigate('/verify-email');
},
});
};
return (
<div className="min-h-screen bg-gradient-to-br from-slate-50 via-white to-rose-50 flex items-center justify-center p-4">
<div className="w-full max-w-md">
<div className="bg-white rounded-lg shadow-lg p-8">
<div className="text-center mb-8">
<h1 className="text-3xl font-bold text-primary-600 mb-2">MotoVaultPro</h1>
<h2 className="text-xl font-semibold text-gray-800">Create Your Account</h2>
<p className="text-sm text-gray-600 mt-2">
Start tracking your vehicle maintenance and fuel logs
</p>
</div>
<SignupForm onSubmit={handleSubmit} loading={isPending} />
<div className="mt-6 text-center text-sm text-gray-600">
Already have an account?{' '}
<button
onClick={() => navigate('/login')}
className="text-primary-600 hover:text-primary-700 font-medium focus:outline-none focus:underline"
>
Login
</button>
</div>
</div>
</div>
</div>
);
};

View File

@@ -0,0 +1,90 @@
/**
* @ai-summary Desktop email verification page with polling and resend functionality
*/
import React, { useEffect } from 'react';
import { useNavigate } from 'react-router-dom';
import { useVerifyStatus, useResendVerification } from '../hooks/useVerifyStatus';
import { Button } from '../../../shared-minimal/components/Button';
export const VerifyEmailPage: React.FC = () => {
const navigate = useNavigate();
const { data: verifyStatus, isLoading } = useVerifyStatus({
enablePolling: true,
});
const { mutate: resendVerification, isPending: isResending } = useResendVerification();
useEffect(() => {
if (verifyStatus?.emailVerified) {
navigate('/onboarding');
}
}, [verifyStatus, navigate]);
const handleResend = () => {
resendVerification();
};
if (isLoading) {
return (
<div className="min-h-screen bg-gradient-to-br from-slate-50 via-white to-rose-50 flex items-center justify-center p-4">
<div className="text-lg text-gray-600">Loading...</div>
</div>
);
}
return (
<div className="min-h-screen bg-gradient-to-br from-slate-50 via-white to-rose-50 flex items-center justify-center p-4">
<div className="w-full max-w-md">
<div className="bg-white rounded-lg shadow-lg p-8">
<div className="text-center mb-8">
<div className="mx-auto w-16 h-16 bg-primary-100 rounded-full flex items-center justify-center mb-4">
<svg
className="w-8 h-8 text-primary-600"
fill="none"
viewBox="0 0 24 24"
stroke="currentColor"
>
<path
strokeLinecap="round"
strokeLinejoin="round"
strokeWidth={2}
d="M3 8l7.89 5.26a2 2 0 002.22 0L21 8M5 19h14a2 2 0 002-2V7a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z"
/>
</svg>
</div>
<h1 className="text-2xl font-bold text-gray-800 mb-2">Check Your Email</h1>
<p className="text-gray-600">
We've sent a verification link to
</p>
<p className="text-primary-600 font-medium mt-1">
{verifyStatus?.email}
</p>
</div>
<div className="space-y-4">
<div className="bg-slate-50 rounded-lg p-4 text-sm text-gray-700">
<p className="mb-2">Click the link in the email to verify your account.</p>
<p>Once verified, you'll be automatically redirected to complete your profile.</p>
</div>
<div className="text-center">
<p className="text-sm text-gray-600 mb-3">Didn't receive the email?</p>
<Button
onClick={handleResend}
loading={isResending}
variant="secondary"
className="w-full min-h-[44px]"
>
Resend Verification Email
</Button>
</div>
</div>
<div className="mt-6 text-center text-sm text-gray-500">
<p>Check your spam folder if you don't see the email in your inbox.</p>
</div>
</div>
</div>
</div>
);
};

View File

@@ -0,0 +1,23 @@
/**
* @ai-summary TypeScript types for auth feature
*/
export interface SignupRequest {
email: string;
password: string;
}
export interface SignupResponse {
userId: string;
email: string;
message: string;
}
export interface VerifyStatusResponse {
emailVerified: boolean;
email: string;
}
export interface ResendVerificationResponse {
message: string;
}