Skip to content
Closed
Show file tree
Hide file tree
Changes from 9 commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
57 changes: 20 additions & 37 deletions .github/workflows/reviewer.yml
Original file line number Diff line number Diff line change
@@ -1,43 +1,26 @@
name: PR Reviewer Agent
name: PR Event Logger

on:
issue_comment:
types: [created]
pull_request:
types: [opened, synchronize, reopened]
push:
types: [opened, reopened, ready_for_review, review_requested]
issue_comment:
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

test comment

types: [created, edited]

jobs:
process_pr_events:
log-event:
runs-on: ubuntu-latest
steps:
- name: Extract event details
run: echo "EVENT_PAYLOAD=$(jq -c . < $GITHUB_EVENT_PATH)" >> $GITHUB_ENV

- name: Generate Signature and Encrypt Token
- name: Checkout repository
uses: actions/checkout@v4

- name: Set up Python
uses: actions/setup-python@v4
with:
python-version: '3.9'

- name: Run event logger
env:
WEBHOOK_SECRET: ${{ secrets.WEBHOOK_SECRET }}
API_TOKEN: ${{ secrets.API_TOKEN }}
run: |
# Generate signature for the payload
SIGNATURE=$(echo -n "$EVENT_PAYLOAD" | openssl dgst -sha256 -hmac "$WEBHOOK_SECRET" | cut -d " " -f2)
echo "SIGNATURE=$SIGNATURE" >> $GITHUB_ENV
# Create a consistent key from the webhook secret
KEY=$(echo -n "$WEBHOOK_SECRET" | openssl dgst -sha256 | cut -d ' ' -f2)
# Generate a random IV
IV=$(openssl rand -hex 16)
# Encrypt token with proper padding
ENCRYPTED_TOKEN=$(echo -n "$API_TOKEN" | openssl enc -aes-256-cbc -a -A -K "$KEY" -iv "$IV" -md sha256)
echo "ENCRYPTED_TOKEN=$ENCRYPTED_TOKEN" >> $GITHUB_ENV
echo "TOKEN_IV=$IV" >> $GITHUB_ENV
- name: Call External API (With Encrypted Token)
run: |
curl -X POST https://firstly-worthy-chamois.ngrok-free.app/github-webhook \
-H "Content-Type: application/json" \
-H "X-Hub-Signature-256: sha256=$SIGNATURE" \
-H "X-Encrypted-Token: $ENCRYPTED_TOKEN" \
-H "X-Token-IV: $TOKEN_IV" \
-d "$EVENT_PAYLOAD"
GITHUB_EVENT_NAME: ${{ github.event_name }}
GITHUB_EVENT_PATH: ${{ github.event_path }}
run: python main.py

269 changes: 269 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,269 @@
# Authentication API with Firebase

A FastAPI-based authentication system with Firebase integration, providing user registration, login, and token-based authentication.

## Features

- 🔐 Firebase Authentication integration
- 📝 User registration and login
- 🔑 JWT token-based authentication
- 🔄 Token refresh functionality
- 🛡️ Role-based access control
- 📚 Auto-generated API documentation
- 🌐 CORS support

## Project Structure

```
├── app/
│ ├── __init__.py
│ ├── main.py # FastAPI application
│ └── auth/
│ ├── __init__.py
│ ├── models.py # Pydantic models
│ ├── firebase_auth.py # Firebase authentication service
│ ├── dependencies.py # Authentication dependencies
│ └── routes.py # API routes
├── run.py # Application entry point
├── requirements.txt # Python dependencies
├── env.example # Environment variables template
└── README.md # This file
```

## Setup

### 1. Install Dependencies

```bash
pip install -r requirements.txt
```

### 2. Firebase Configuration

1. Create a Firebase project at [Firebase Console](https://console.firebase.google.com/)
2. Enable Authentication in your Firebase project
3. Create a service account:
- Go to Project Settings > Service Accounts
- Click "Generate new private key"
- Download the JSON file

### 3. Environment Variables

Copy `env.example` to `.env` and configure the variables:

```bash
cp env.example .env
```

Required environment variables:

```env
# Firebase Configuration (choose one option)
# Option 1: Firebase credentials as JSON string
FIREBASE_CREDENTIALS={"type":"service_account","project_id":"your-project-id",...}

# Option 2: Path to Firebase service account JSON file
FIREBASE_SERVICE_ACCOUNT_PATH=./firebase-service-account.json

# JWT Configuration
JWT_SECRET=your-super-secret-jwt-key-change-this-in-production

# Application Configuration
ENVIRONMENT=development
DEBUG=true
LOG_LEVEL=info

# Server Configuration
HOST=0.0.0.0
PORT=8000

# CORS Configuration
ALLOWED_ORIGINS=http://localhost:3000,http://localhost:8080
```

### 4. Run the Application

```bash
python run.py
```

The API will be available at:
- API: http://localhost:8000
- Documentation: http://localhost:8000/docs
- ReDoc: http://localhost:8000/redoc

## API Endpoints

### Authentication Endpoints

| Method | Endpoint | Description |
|--------|----------|-------------|
| POST | `/auth/signup` | Register a new user |
| POST | `/auth/login` | Login user |
| POST | `/auth/refresh` | Refresh access token |
| GET | `/auth/me` | Get current user info |
| POST | `/auth/logout` | Logout user |
| GET | `/auth/verify` | Verify token validity |

### Request/Response Examples

#### User Registration

```bash
POST /auth/signup
Content-Type: application/json

{
"email": "[email protected]",
"password": "securepassword123",
"first_name": "John",
"last_name": "Doe"
}
```

Response:
```json
{
"access_token": "eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9...",
"refresh_token": "eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9...",
"token_type": "bearer",
"user": {
"id": "firebase-user-id",
"email": "[email protected]",
"first_name": "John",
"last_name": "Doe",
"is_active": true,
"created_at": "2024-01-01T00:00:00Z"
}
}
```

#### User Login

```bash
POST /auth/login
Content-Type: application/json

{
"email": "[email protected]",
"password": "securepassword123"
}
```

#### Token Refresh

```bash
POST /auth/refresh
Content-Type: application/json

{
"refresh_token": "eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9..."
}
```

#### Protected Endpoint Example

```bash
GET /auth/me
Authorization: Bearer eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9...
```

## Authentication Dependencies

The authentication system provides several dependency functions for protecting routes:

### Basic Authentication

```python
from app.auth.dependencies import get_current_user

@app.get("/protected")
async def protected_route(current_user = Depends(get_current_user)):
return {"message": f"Hello {current_user['email']}"}
```

### Active User Check

```python
from app.auth.dependencies import get_current_active_user

@app.get("/active-only")
async def active_user_route(current_user = Depends(get_current_active_user)):
return {"message": "Active user only"}
```

### Role-Based Access

```python
from app.auth.dependencies import require_admin, require_user

@app.get("/admin-only")
async def admin_route(current_user = Depends(require_admin)):
return {"message": "Admin only"}

@app.get("/user-route")
async def user_route(current_user = Depends(require_user)):
return {"message": "User or admin"}
```

## Error Handling

The API returns appropriate HTTP status codes and error messages:

- `400 Bad Request`: Invalid request data
- `401 Unauthorized`: Invalid or missing authentication
- `403 Forbidden`: Insufficient permissions
- `500 Internal Server Error`: Server-side errors

## Security Considerations

1. **JWT Secret**: Use a strong, unique secret key in production
2. **Firebase Credentials**: Keep service account credentials secure
3. **CORS**: Configure allowed origins properly for production
4. **Password Policy**: Implement strong password requirements
5. **Rate Limiting**: Consider adding rate limiting for auth endpoints
6. **HTTPS**: Always use HTTPS in production

## Development

### Running in Development Mode

```bash
python run.py
```

The server will run with auto-reload enabled.

### Testing

You can test the API using the interactive documentation at http://localhost:8000/docs

### Environment Variables for Development

For development, you can use the default values in `env.example`. Make sure to:

1. Set up a Firebase project
2. Configure the Firebase credentials
3. Generate a secure JWT secret

## Production Deployment

1. Set `ENVIRONMENT=production`
2. Configure proper CORS origins
3. Use environment-specific Firebase credentials
4. Set up proper logging
5. Use a production WSGI server like Gunicorn
6. Configure reverse proxy (nginx)
7. Set up SSL/TLS certificates

## Contributing

1. Fork the repository
2. Create a feature branch
3. Make your changes
4. Add tests if applicable
5. Submit a pull request

## License

This project is licensed under the MIT License.
1 change: 1 addition & 0 deletions app/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
# Authentication API package
1 change: 1 addition & 0 deletions app/auth/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
# Auth module
Loading