
- Complete FastAPI application with authentication and JWT tokens - SQLite database with SQLAlchemy ORM and Alembic migrations - User management with profile features and search functionality - LinkedIn-style networking with connection requests and acceptance - Social features: posts, likes, comments, announcements, prayer requests - Event management with registration system and capacity limits - RESTful API endpoints for all features with proper authorization - Comprehensive documentation and setup instructions Key Features: - JWT-based authentication with bcrypt password hashing - User profiles with bio, position, contact information - Connection system for church member networking - Community feed with post interactions - Event creation, registration, and attendance tracking - Admin role-based permissions - Health check endpoint and API documentation Environment Variables Required: - SECRET_KEY: JWT secret key for token generation
44 lines
1.6 KiB
Python
44 lines
1.6 KiB
Python
from sqlalchemy import Column, Integer, String, DateTime, Text, ForeignKey, Boolean
|
|
from sqlalchemy.orm import relationship
|
|
from sqlalchemy.sql import func
|
|
from app.db.base import Base
|
|
|
|
|
|
class Event(Base):
|
|
__tablename__ = "events"
|
|
|
|
id = Column(Integer, primary_key=True, index=True)
|
|
title = Column(String, nullable=False)
|
|
description = Column(Text, nullable=True)
|
|
location = Column(String, nullable=True)
|
|
start_date = Column(DateTime, nullable=False)
|
|
end_date = Column(DateTime, nullable=True)
|
|
max_attendees = Column(Integer, nullable=True)
|
|
is_public = Column(Boolean, default=True)
|
|
image_url = Column(String, nullable=True)
|
|
created_by = Column(Integer, ForeignKey("users.id"), nullable=False)
|
|
created_at = Column(DateTime, nullable=False, default=func.now())
|
|
updated_at = Column(
|
|
DateTime, nullable=False, default=func.now(), onupdate=func.now()
|
|
)
|
|
|
|
# Relationships
|
|
creator = relationship("User")
|
|
registrations = relationship(
|
|
"EventRegistration", back_populates="event", cascade="all, delete-orphan"
|
|
)
|
|
|
|
|
|
class EventRegistration(Base):
|
|
__tablename__ = "event_registrations"
|
|
|
|
id = Column(Integer, primary_key=True, index=True)
|
|
event_id = Column(Integer, ForeignKey("events.id"), nullable=False)
|
|
user_id = Column(Integer, ForeignKey("users.id"), nullable=False)
|
|
status = Column(String, default="registered") # registered, attended, cancelled
|
|
registered_at = Column(DateTime, nullable=False, default=func.now())
|
|
|
|
# Relationships
|
|
event = relationship("Event", back_populates="registrations")
|
|
user = relationship("User", back_populates="event_registrations")
|