Initial commit 4.

This commit is contained in:
fanmuchen 2025-05-07 20:05:04 +08:00
parent 0381f6a0be
commit 8252a4bb14
8 changed files with 197 additions and 15 deletions

17
.env.dev Normal file
View File

@ -0,0 +1,17 @@
#===============================================
# Development Environment
#===============================================
BACKEND_PORT=8080
FRONTEND_PORT=3000
BASE_URL=http://localhost:3000
API_URL=http://localhost:8080/service
# Logto Authentication Configuration
LOGTO_ENDPOINT=https://auth.muchen.fan
LOGTO_APP_ID=nm3btt4j9v26rtt82t64e
LOGTO_APP_SECRET=2no3Gml080KbIGqAihfc0G8uRtk0DVQv
LOGTO_REDIRECT_URI=http://localhost:3000/service/auth/callback
LOGTO_POST_SIGN_OUT_REDIRECT_URI=http://localhost:3000
COOKIE_SECRET=2QEzOcjnHej7wLMlbh57Hkhnzaqcddx8

35
backend/Dockerfile Normal file
View File

@ -0,0 +1,35 @@
FROM golang:1.23-alpine AS builder
WORKDIR /app
# Copy go.mod and go.sum files
COPY go.mod go.sum ./
# Download dependencies
RUN go mod download
# Copy the source code
COPY . .
# Build the application
RUN CGO_ENABLED=0 GOOS=linux go build -a -installsuffix cgo -o server main.go
# Use a small alpine image for the final stage
FROM alpine:latest
RUN apk --no-cache add ca-certificates
WORKDIR /app
# Copy the binary from the builder stage
COPY --from=builder /app/server .
# Expose the application port
EXPOSE 8080
# Set environment variables
ENV PORT=8080
ENV GIN_MODE=release
# Run the application
CMD ["./server"]

View File

@ -5,7 +5,7 @@ services:
dockerfile: Dockerfile
restart: unless-stopped
ports:
- "${BACKEND_PORT}:8000"
- "${BACKEND_PORT}:8080"
environment:
- BACKEND_PORT=${BACKEND_PORT}
networks:

View File

@ -2,6 +2,18 @@ import type { NextConfig } from "next";
const nextConfig: NextConfig = {
/* config options here */
async rewrites() {
// Only apply proxy in development environment
if (process.env.NODE_ENV === "development") {
return [
{
source: "/service/:path*",
destination: "http://localhost:8080/service/:path*", // assuming Go backend runs on port 8080
},
];
}
return [];
},
};
export default nextConfig;

View File

@ -0,0 +1,75 @@
"use client";
import { useState, useEffect } from "react";
export default function HealthStatus() {
const [health, setHealth] = useState<{ status?: string }>({});
const [loading, setLoading] = useState(true);
const [error, setError] = useState("");
useEffect(() => {
const checkHealth = async () => {
try {
setLoading(true);
const response = await fetch("/service/health");
if (!response.ok) {
throw new Error(`Server responded with status: ${response.status}`);
}
const data = await response.json();
setHealth(data);
} catch (err) {
setError(
err instanceof Error ? err.message : "Failed to check health status"
);
} finally {
setLoading(false);
}
};
checkHealth();
}, []);
return (
<div className="health-status">
<h2>Backend Health Status</h2>
{loading ? (
<p>Checking backend status...</p>
) : error ? (
<div className="error">
<p>Error: {error}</p>
</div>
) : (
<div className="status">
<p>
Status:{" "}
<span
className={health.status === "ok" ? "status-ok" : "status-error"}
>
{health.status || "unknown"}
</span>
</p>
</div>
)}
<style jsx>{`
.health-status {
padding: 1rem;
border-radius: 0.5rem;
border: 1px solid #eaeaea;
margin-top: 1rem;
}
.status-ok {
color: green;
font-weight: bold;
}
.status-error {
color: red;
font-weight: bold;
}
.error {
color: red;
}
`}</style>
</div>
);
}

View File

@ -1,17 +1,6 @@
import type { Metadata } from "next";
import { Geist, Geist_Mono } from "next/font/google";
import "./globals.css";
const geistSans = Geist({
variable: "--font-geist-sans",
subsets: ["latin"],
});
const geistMono = Geist_Mono({
variable: "--font-geist-mono",
subsets: ["latin"],
});
export const metadata: Metadata = {
title: "Webapp Starter",
description: "Created by FMC",

View File

@ -1,3 +1,21 @@
"use client";
import HealthStatus from "./components/HealthStatus";
export default function Home() {
return <main>Hello, world!</main>;
return (
<main className="container">
<h1>Welcome to Starter App</h1>
<HealthStatus />
<style jsx>{`
.container {
max-width: 800px;
margin: 0 auto;
padding: 2rem;
}
h1 {
margin-bottom: 1rem;
}
`}</style>
</main>
);
}

View File

@ -21,6 +21,31 @@ fi
SCRIPT_DIR="$(cd "$(dirname "$0")" && pwd)"
REPO_ROOT="$SCRIPT_DIR/.."
# Cleanup function to kill backend server on script exit
cleanup() {
echo -e "\n${BLUE}Stopping backend server...${NC}"
if [ -n "$BACKEND_PID" ]; then
kill $BACKEND_PID 2>/dev/null || true
echo -e "${GREEN}Backend server stopped.${NC}"
fi
exit 0
}
# Register the cleanup function for script termination
trap cleanup INT TERM EXIT
# Source the .env.dev file to get environment variables
if [ -f "$REPO_ROOT/.env.dev" ]; then
echo -e "${BLUE}Loading environment variables from .env.dev...${NC}"
set -a # automatically export all variables
source "$REPO_ROOT/.env.dev"
set +a
echo -e "${GREEN}Development environment variables loaded.${NC}"
else
echo -e "${RED}Error:${NC} .env.dev file not found in repository root!"
exit 1
fi
# Start the backend server
cd "$REPO_ROOT/backend" || exit 1
echo -e "${BLUE}Starting backend server...${NC}"
@ -42,5 +67,16 @@ else
fi
# Run dev server
echo -e "${BLUE}Starting dev server...${NC}"
npm run dev
echo -e "${BLUE}Starting frontend dev server...${NC}"
npm run dev &
FRONTEND_PID=$!
echo -e "${GREEN}Frontend dev server started with PID $FRONTEND_PID.${NC}"
# Keep script running until explicitly terminated
echo -e "${BLUE}Development environment running. Press Ctrl+C to stop all servers.${NC}"
wait $BACKEND_PID
echo -e "${YELLOW}Backend server exited. Frontend server may still be running.${NC}"
wait $FRONTEND_PID
echo -e "${YELLOW}Frontend server exited. Press Ctrl+C to exit the script.${NC}"
# Wait indefinitely
tail -f /dev/null