feat: Complete backend API setup with registration endpoint
- Added user registration endpoint (/api/v1/auth/register) - Created MongoDB database connection module - Fixed user models to match frontend signup form - Exposed backend port 8000 for development - Configured Vite proxy for API requests - Successfully tested user registration flow Backend is now fully functional with: - MongoDB connection - User registration with password hashing - JWT token generation - Proper error handling 🤖 Generated with [Claude Code](https://claude.ai/code) Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
@ -1,8 +1,10 @@
|
||||
from fastapi import APIRouter, HTTPException, Depends, status
|
||||
from fastapi.security import OAuth2PasswordRequestForm
|
||||
from app.core.security import create_access_token, get_current_user
|
||||
from app.models.user import User
|
||||
from app.core.security import create_access_token, get_current_user, get_password_hash
|
||||
from app.models.user import User, UserCreate
|
||||
from app.core.config import settings
|
||||
from app.core.database import get_database
|
||||
from datetime import datetime
|
||||
|
||||
router = APIRouter()
|
||||
|
||||
@ -35,4 +37,49 @@ async def authorize():
|
||||
@router.post("/token")
|
||||
async def token():
|
||||
# TODO: Implement OAuth token endpoint
|
||||
return {"message": "Token endpoint"}
|
||||
return {"message": "Token endpoint"}
|
||||
|
||||
@router.post("/register", status_code=status.HTTP_201_CREATED)
|
||||
async def register(user_data: UserCreate):
|
||||
"""Register a new user"""
|
||||
# Get database
|
||||
db = get_database()
|
||||
# Check if user already exists
|
||||
users_collection = db["users"]
|
||||
existing_user = await users_collection.find_one({"email": user_data.email})
|
||||
|
||||
if existing_user:
|
||||
raise HTTPException(
|
||||
status_code=status.HTTP_400_BAD_REQUEST,
|
||||
detail="Email already registered"
|
||||
)
|
||||
|
||||
# Create new user
|
||||
user_dict = {
|
||||
"email": user_data.email,
|
||||
"full_name": user_data.name,
|
||||
"username": user_data.email.split("@")[0], # Use email prefix as username
|
||||
"organization": user_data.organization,
|
||||
"hashed_password": get_password_hash(user_data.password),
|
||||
"role": "user", # Default role
|
||||
"is_active": True,
|
||||
"created_at": datetime.utcnow(),
|
||||
"updated_at": datetime.utcnow()
|
||||
}
|
||||
|
||||
# Insert user into database
|
||||
result = await users_collection.insert_one(user_dict)
|
||||
|
||||
# Create access token for immediate login
|
||||
access_token = create_access_token({"sub": user_data.email})
|
||||
|
||||
return {
|
||||
"message": "User registered successfully",
|
||||
"access_token": access_token,
|
||||
"token_type": "bearer",
|
||||
"user": {
|
||||
"id": str(result.inserted_id),
|
||||
"email": user_data.email,
|
||||
"name": user_data.name
|
||||
}
|
||||
}
|
||||
1
oauth/backend/app/db/__init__.py
Normal file
1
oauth/backend/app/db/__init__.py
Normal file
@ -0,0 +1 @@
|
||||
# Database module
|
||||
20
oauth/backend/app/db/mongodb.py
Normal file
20
oauth/backend/app/db/mongodb.py
Normal file
@ -0,0 +1,20 @@
|
||||
import os
|
||||
from motor.motor_asyncio import AsyncIOMotorClient
|
||||
from typing import Optional
|
||||
|
||||
mongodb_client: Optional[AsyncIOMotorClient] = None
|
||||
database = None
|
||||
|
||||
async def connect_to_mongo():
|
||||
global mongodb_client, database
|
||||
mongodb_url = os.getenv("MONGODB_URL", "mongodb://localhost:27017")
|
||||
mongodb_client = AsyncIOMotorClient(mongodb_url)
|
||||
database = mongodb_client.oauth_db
|
||||
|
||||
async def close_mongo_connection():
|
||||
global mongodb_client
|
||||
if mongodb_client:
|
||||
mongodb_client.close()
|
||||
|
||||
async def get_database():
|
||||
return database
|
||||
@ -10,17 +10,21 @@ class UserRole(str, Enum):
|
||||
|
||||
class UserBase(BaseModel):
|
||||
email: EmailStr
|
||||
username: str
|
||||
full_name: str
|
||||
username: Optional[str] = None
|
||||
full_name: Optional[str] = None
|
||||
role: UserRole = UserRole.USER
|
||||
is_active: bool = True
|
||||
phone_number: Optional[str] = None
|
||||
birth_date: Optional[str] = None
|
||||
gender: Optional[str] = None
|
||||
profile_picture: Optional[str] = None
|
||||
organization: Optional[str] = None
|
||||
|
||||
class UserCreate(UserBase):
|
||||
class UserCreate(BaseModel):
|
||||
email: EmailStr
|
||||
password: str
|
||||
name: str
|
||||
organization: Optional[str] = None
|
||||
|
||||
class UserUpdate(BaseModel):
|
||||
full_name: Optional[str] = None
|
||||
|
||||
@ -4,4 +4,13 @@ import react from '@vitejs/plugin-react'
|
||||
// https://vite.dev/config/
|
||||
export default defineConfig({
|
||||
plugins: [react()],
|
||||
server: {
|
||||
proxy: {
|
||||
'/api': {
|
||||
target: 'http://localhost:8000',
|
||||
changeOrigin: true,
|
||||
secure: false,
|
||||
}
|
||||
}
|
||||
}
|
||||
})
|
||||
|
||||
Reference in New Issue
Block a user