添加了登录的jwt LoginForm
This commit is contained in:
parent
fdf7493195
commit
8e839c28f8
1
.gitignore
vendored
1
.gitignore
vendored
|
@ -51,3 +51,4 @@ movie
|
||||||
server/server
|
server/server
|
||||||
server/main
|
server/main
|
||||||
__debug_bin
|
__debug_bin
|
||||||
|
gpt*.txt
|
||||||
|
|
|
@ -5,4 +5,5 @@ go 1.16
|
||||||
require (
|
require (
|
||||||
github.com/gin-gonic/gin v1.6.3
|
github.com/gin-gonic/gin v1.6.3
|
||||||
github.com/giorgisio/goav v0.1.0 // indirect
|
github.com/giorgisio/goav v0.1.0 // indirect
|
||||||
|
github.com/golang-jwt/jwt v3.2.2+incompatible // indirect
|
||||||
)
|
)
|
||||||
|
|
|
@ -15,6 +15,8 @@ github.com/go-playground/universal-translator v0.17.0 h1:icxd5fm+REJzpZx7ZfpaD87
|
||||||
github.com/go-playground/universal-translator v0.17.0/go.mod h1:UkSxE5sNxxRwHyU+Scu5vgOQjsIJAF8j9muTVoKLVtA=
|
github.com/go-playground/universal-translator v0.17.0/go.mod h1:UkSxE5sNxxRwHyU+Scu5vgOQjsIJAF8j9muTVoKLVtA=
|
||||||
github.com/go-playground/validator/v10 v10.2.0 h1:KgJ0snyC2R9VXYN2rneOtQcw5aHQB1Vv0sFl1UcHBOY=
|
github.com/go-playground/validator/v10 v10.2.0 h1:KgJ0snyC2R9VXYN2rneOtQcw5aHQB1Vv0sFl1UcHBOY=
|
||||||
github.com/go-playground/validator/v10 v10.2.0/go.mod h1:uOYAAleCW8F/7oMFd6aG0GOhaH6EGOAJShg8Id5JGkI=
|
github.com/go-playground/validator/v10 v10.2.0/go.mod h1:uOYAAleCW8F/7oMFd6aG0GOhaH6EGOAJShg8Id5JGkI=
|
||||||
|
github.com/golang-jwt/jwt v3.2.2+incompatible h1:IfV12K8xAKAnZqdXVzCZ+TOjboZ2keLg81eXfW3O+oY=
|
||||||
|
github.com/golang-jwt/jwt v3.2.2+incompatible/go.mod h1:8pz2t5EyA70fFQQSrl6XZXzqecmYZeUEB8OUGHkxJ+I=
|
||||||
github.com/golang/protobuf v1.3.3 h1:gyjaxf+svBWX08ZjK86iN9geUJF0H6gp2IRKX6Nf6/I=
|
github.com/golang/protobuf v1.3.3 h1:gyjaxf+svBWX08ZjK86iN9geUJF0H6gp2IRKX6Nf6/I=
|
||||||
github.com/golang/protobuf v1.3.3/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw=
|
github.com/golang/protobuf v1.3.3/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw=
|
||||||
github.com/google/gofuzz v1.0.0/go.mod h1:dBl0BpW6vV/+mYPU4Po3pmUjxk6FQPldtuIdl/M65Eg=
|
github.com/google/gofuzz v1.0.0/go.mod h1:dBl0BpW6vV/+mYPU4Po3pmUjxk6FQPldtuIdl/M65Eg=
|
||||||
|
|
65
server/loginHandler.go
Normal file
65
server/loginHandler.go
Normal file
|
@ -0,0 +1,65 @@
|
||||||
|
package main
|
||||||
|
|
||||||
|
import (
|
||||||
|
"log"
|
||||||
|
"net/http"
|
||||||
|
"time"
|
||||||
|
|
||||||
|
"github.com/gin-gonic/gin"
|
||||||
|
"github.com/golang-jwt/jwt"
|
||||||
|
)
|
||||||
|
|
||||||
|
var jwtSecret = []byte("eson1238752372fs")
|
||||||
|
|
||||||
|
func loginHandler(c *gin.Context) {
|
||||||
|
username := c.PostForm("username")
|
||||||
|
password := c.PostForm("password")
|
||||||
|
|
||||||
|
// 在这里验证用户名和密码。在此示例中,我们仅检查它们是否为空。
|
||||||
|
if username == "" || password == "" {
|
||||||
|
c.JSON(http.StatusBadRequest, gin.H{"error": "Username and password required"})
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
if username != "eson" || password != "6601502.." {
|
||||||
|
c.JSON(http.StatusBadRequest, gin.H{"error": "Username and password error"})
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
// 创建 JWT
|
||||||
|
token := jwt.New(jwt.SigningMethodHS256)
|
||||||
|
claims := token.Claims.(jwt.MapClaims)
|
||||||
|
claims["username"] = username
|
||||||
|
claims["exp"] = time.Now().Add(time.Hour * 24 * 7).Unix()
|
||||||
|
|
||||||
|
tokenString, err := token.SignedString(jwtSecret)
|
||||||
|
if err != nil {
|
||||||
|
log.Println(err)
|
||||||
|
c.JSON(http.StatusInternalServerError, gin.H{"error": "Failed to generate JWT"})
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
c.JSON(http.StatusOK, gin.H{"token": tokenString})
|
||||||
|
}
|
||||||
|
|
||||||
|
func jwtMiddleware() gin.HandlerFunc {
|
||||||
|
return func(c *gin.Context) {
|
||||||
|
authHeader := c.GetHeader("Authorization")
|
||||||
|
if authHeader == "" {
|
||||||
|
c.AbortWithStatusJSON(http.StatusUnauthorized, gin.H{"error": "Authorization header required"})
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
tokenString := authHeader[7:]
|
||||||
|
token, err := jwt.Parse(tokenString, func(token *jwt.Token) (interface{}, error) {
|
||||||
|
return jwtSecret, nil
|
||||||
|
})
|
||||||
|
|
||||||
|
if err != nil || !token.Valid {
|
||||||
|
c.AbortWithStatusJSON(http.StatusUnauthorized, gin.H{"error": "Invalid token"})
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
c.Next()
|
||||||
|
}
|
||||||
|
}
|
128
server/main.go
128
server/main.go
|
@ -1,142 +1,18 @@
|
||||||
package main
|
package main
|
||||||
|
|
||||||
import (
|
import (
|
||||||
"bytes"
|
|
||||||
"io/fs"
|
|
||||||
"log"
|
|
||||||
"net/http"
|
"net/http"
|
||||||
"os/exec"
|
|
||||||
"path/filepath"
|
"path/filepath"
|
||||||
"sort"
|
|
||||||
"strconv"
|
|
||||||
"strings"
|
|
||||||
|
|
||||||
"github.com/gin-gonic/gin"
|
"github.com/gin-gonic/gin"
|
||||||
)
|
)
|
||||||
|
|
||||||
// Category 电影分类结构
|
|
||||||
type Category struct {
|
|
||||||
Name string `json:"name"`
|
|
||||||
Movies []Movie `json:"movies"`
|
|
||||||
}
|
|
||||||
|
|
||||||
// Movie 电影结构
|
|
||||||
type Movie struct {
|
|
||||||
Name string `json:"filename"`
|
|
||||||
Image string `json:"image"`
|
|
||||||
Duration int `json:"duration"`
|
|
||||||
}
|
|
||||||
|
|
||||||
// var movies []Movie
|
|
||||||
var categories []Category
|
|
||||||
|
|
||||||
func initMovie() {
|
|
||||||
// 需要改进 如果存在这个文件的略缩图, 就不存进movieDict里
|
|
||||||
var movieDict map[string]string = make(map[string]string)
|
|
||||||
|
|
||||||
matches, err := filepath.Glob("movie/*")
|
|
||||||
if err != nil {
|
|
||||||
log.Println(err)
|
|
||||||
}
|
|
||||||
|
|
||||||
for _, filename := range matches {
|
|
||||||
base := filepath.Base(filename)
|
|
||||||
|
|
||||||
// ext := filepath.Ext(base)
|
|
||||||
base = base[:strings.IndexByte(base, '.')]
|
|
||||||
|
|
||||||
if _, ok := movieDict[base]; ok {
|
|
||||||
delete(movieDict, base)
|
|
||||||
} else {
|
|
||||||
movieDict[base] = filename
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
for key, filename := range movieDict {
|
|
||||||
// width := 160
|
|
||||||
// height := 120
|
|
||||||
log.Println(filename)
|
|
||||||
|
|
||||||
cmd := exec.Command("ffmpeg",
|
|
||||||
"-i", filename,
|
|
||||||
"-vf", "select='isnan(prev_selected_t)+gte(t-prev_selected_t\\,35)',scale=320:180,tile=3x3",
|
|
||||||
"-frames:v", "1",
|
|
||||||
"movie/"+key+".png",
|
|
||||||
)
|
|
||||||
|
|
||||||
var buffer bytes.Buffer
|
|
||||||
cmd.Stdout = &buffer
|
|
||||||
if cmd.Run() != nil {
|
|
||||||
log.Println(buffer.String())
|
|
||||||
panic("could not generate frame")
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
// 初始化分类
|
|
||||||
categories = []Category{
|
|
||||||
{Name: "15min", Movies: []Movie{}},
|
|
||||||
{Name: "30min", Movies: []Movie{}},
|
|
||||||
{Name: "60min", Movies: []Movie{}},
|
|
||||||
{Name: "大于60min", Movies: []Movie{}},
|
|
||||||
}
|
|
||||||
|
|
||||||
filepath.Walk("./movie", func(path string, info fs.FileInfo, err error) error {
|
|
||||||
if !info.IsDir() && filepath.Ext(info.Name()) != ".png" {
|
|
||||||
base := info.Name()
|
|
||||||
cmd := exec.Command("ffprobe", "-v", "error", "-select_streams", "v:0", "-show_entries", "stream=duration", "-of", "default=nw=1:nk=1", "./movie/"+info.Name())
|
|
||||||
durationOutput, err := cmd.Output()
|
|
||||||
if err != nil {
|
|
||||||
log.Printf("Error getting duration for %s: %v", info.Name(), err)
|
|
||||||
return err
|
|
||||||
}
|
|
||||||
|
|
||||||
duration, err := strconv.ParseFloat(strings.Trim(string(durationOutput), "\n "), 64)
|
|
||||||
if err != nil {
|
|
||||||
log.Printf("Error parsing duration for %s: %v", info.Name(), err)
|
|
||||||
return err
|
|
||||||
}
|
|
||||||
log.Println(path, info.Name())
|
|
||||||
|
|
||||||
movie := Movie{
|
|
||||||
Name: info.Name(),
|
|
||||||
Image: base[:strings.IndexByte(base, '.')] + ".png",
|
|
||||||
Duration: int(duration / 60.0),
|
|
||||||
}
|
|
||||||
if movie.Duration <= 15 {
|
|
||||||
categories[0].Movies = append(categories[0].Movies, movie)
|
|
||||||
} else if movie.Duration <= 30 {
|
|
||||||
categories[1].Movies = append(categories[1].Movies, movie)
|
|
||||||
} else if movie.Duration <= 60 {
|
|
||||||
categories[2].Movies = append(categories[2].Movies, movie)
|
|
||||||
} else {
|
|
||||||
categories[3].Movies = append(categories[3].Movies, movie)
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
return nil
|
|
||||||
})
|
|
||||||
|
|
||||||
for _, category := range categories {
|
|
||||||
var movies = category.Movies
|
|
||||||
sort.Slice(movies, func(i, j int) bool {
|
|
||||||
return movies[i].Duration < movies[j].Duration
|
|
||||||
})
|
|
||||||
}
|
|
||||||
|
|
||||||
// log.Printf("%##v", categories)
|
|
||||||
}
|
|
||||||
|
|
||||||
func main() {
|
func main() {
|
||||||
initMovie()
|
initMovie()
|
||||||
|
|
||||||
eg := gin.Default()
|
eg := gin.Default()
|
||||||
eg.Use(Cors())
|
eg.Use(Cors())
|
||||||
|
|
||||||
eg.Static("/res", "movie/")
|
eg.Static("/res", "movie/")
|
||||||
|
|
||||||
// 添加以下代码以提供frontend静态文件
|
|
||||||
eg.Static("/static", "../build/static")
|
eg.Static("/static", "../build/static")
|
||||||
eg.NoRoute(func(c *gin.Context) {
|
eg.NoRoute(func(c *gin.Context) {
|
||||||
path := c.Request.URL.Path
|
path := c.Request.URL.Path
|
||||||
|
@ -147,7 +23,11 @@ func main() {
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
|
api := eg.Group("/api")
|
||||||
|
api.POST("/login", loginHandler)
|
||||||
|
|
||||||
movie := eg.Group("movie")
|
movie := eg.Group("movie")
|
||||||
|
movie.Use(jwtMiddleware())
|
||||||
movie.GET("/", MovieList)
|
movie.GET("/", MovieList)
|
||||||
|
|
||||||
eg.Run(":4444")
|
eg.Run(":4444")
|
||||||
|
|
|
@ -11,16 +11,6 @@ func Cors() gin.HandlerFunc {
|
||||||
return func(c *gin.Context) {
|
return func(c *gin.Context) {
|
||||||
method := c.Request.Method //请求方法
|
method := c.Request.Method //请求方法
|
||||||
origin := c.Request.Header.Get("Origin") //请求头部
|
origin := c.Request.Header.Get("Origin") //请求头部
|
||||||
// var headerKeys []string // 声明请求头keys
|
|
||||||
// for k := range c.Request.Header {
|
|
||||||
// headerKeys = append(headerKeys, k)
|
|
||||||
// }
|
|
||||||
// headerStr := strings.Join(headerKeys, ", ")
|
|
||||||
// if headerStr != "" {
|
|
||||||
// headerStr = fmt.Sprintf("access-control-allow-origin, access-control-allow-headers, %s", headerStr)
|
|
||||||
// } else {
|
|
||||||
// headerStr = "access-control-allow-origin, access-control-allow-headers"
|
|
||||||
// }
|
|
||||||
if origin != "" {
|
if origin != "" {
|
||||||
c.Writer.Header().Set("Access-Control-Allow-Origin", "*")
|
c.Writer.Header().Set("Access-Control-Allow-Origin", "*")
|
||||||
|
|
||||||
|
@ -34,7 +24,6 @@ func Cors() gin.HandlerFunc {
|
||||||
c.Header("Access-Control-Allow-Credentials", "true") // 跨域请求是否需要带cookie信息 默认设置为true
|
c.Header("Access-Control-Allow-Credentials", "true") // 跨域请求是否需要带cookie信息 默认设置为true
|
||||||
c.Set("content-type", "application/json") // 设置返回格式是json
|
c.Set("content-type", "application/json") // 设置返回格式是json
|
||||||
}
|
}
|
||||||
|
|
||||||
//放行所有OPTIONS方法
|
//放行所有OPTIONS方法
|
||||||
if method == "OPTIONS" {
|
if method == "OPTIONS" {
|
||||||
c.JSON(http.StatusOK, "Options Request!")
|
c.JSON(http.StatusOK, "Options Request!")
|
||||||
|
|
126
server/movie.go
Normal file
126
server/movie.go
Normal file
|
@ -0,0 +1,126 @@
|
||||||
|
package main
|
||||||
|
|
||||||
|
import (
|
||||||
|
"bytes"
|
||||||
|
"io/fs"
|
||||||
|
"log"
|
||||||
|
"os/exec"
|
||||||
|
"path/filepath"
|
||||||
|
"sort"
|
||||||
|
"strconv"
|
||||||
|
"strings"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Category 电影分类结构
|
||||||
|
type Category struct {
|
||||||
|
Name string `json:"name"`
|
||||||
|
Movies []Movie `json:"movies"`
|
||||||
|
}
|
||||||
|
|
||||||
|
// Movie 电影结构
|
||||||
|
type Movie struct {
|
||||||
|
Name string `json:"filename"`
|
||||||
|
Image string `json:"image"`
|
||||||
|
Duration int `json:"duration"`
|
||||||
|
}
|
||||||
|
|
||||||
|
// var movies []Movie
|
||||||
|
var categories []Category
|
||||||
|
|
||||||
|
func initMovie() {
|
||||||
|
// 需要改进 如果存在这个文件的略缩图, 就不存进movieDict里
|
||||||
|
var movieDict map[string]string = make(map[string]string)
|
||||||
|
|
||||||
|
matches, err := filepath.Glob("movie/*")
|
||||||
|
if err != nil {
|
||||||
|
log.Println(err)
|
||||||
|
}
|
||||||
|
|
||||||
|
for _, filename := range matches {
|
||||||
|
base := filepath.Base(filename)
|
||||||
|
|
||||||
|
// ext := filepath.Ext(base)
|
||||||
|
base = base[:strings.IndexByte(base, '.')]
|
||||||
|
|
||||||
|
if _, ok := movieDict[base]; ok {
|
||||||
|
delete(movieDict, base)
|
||||||
|
} else {
|
||||||
|
movieDict[base] = filename
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
for key, filename := range movieDict {
|
||||||
|
// width := 160
|
||||||
|
// height := 120
|
||||||
|
log.Println(filename)
|
||||||
|
|
||||||
|
cmd := exec.Command("ffmpeg",
|
||||||
|
"-i", filename,
|
||||||
|
"-vf", "select='isnan(prev_selected_t)+gte(t-prev_selected_t\\,35)',scale=320:180,tile=3x3",
|
||||||
|
"-frames:v", "1",
|
||||||
|
"movie/"+key+".png",
|
||||||
|
)
|
||||||
|
|
||||||
|
var buffer bytes.Buffer
|
||||||
|
cmd.Stdout = &buffer
|
||||||
|
if cmd.Run() != nil {
|
||||||
|
log.Println(buffer.String())
|
||||||
|
panic("could not generate frame")
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
// 初始化分类
|
||||||
|
categories = []Category{
|
||||||
|
{Name: "15min", Movies: []Movie{}},
|
||||||
|
{Name: "30min", Movies: []Movie{}},
|
||||||
|
{Name: "60min", Movies: []Movie{}},
|
||||||
|
{Name: "大于60min", Movies: []Movie{}},
|
||||||
|
}
|
||||||
|
|
||||||
|
filepath.Walk("./movie", func(path string, info fs.FileInfo, err error) error {
|
||||||
|
if !info.IsDir() && filepath.Ext(info.Name()) != ".png" {
|
||||||
|
base := info.Name()
|
||||||
|
cmd := exec.Command("ffprobe", "-v", "error", "-select_streams", "v:0", "-show_entries", "stream=duration", "-of", "default=nw=1:nk=1", "./movie/"+info.Name())
|
||||||
|
durationOutput, err := cmd.Output()
|
||||||
|
if err != nil {
|
||||||
|
log.Printf("Error getting duration for %s: %v", info.Name(), err)
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
duration, err := strconv.ParseFloat(strings.Trim(string(durationOutput), "\n "), 64)
|
||||||
|
if err != nil {
|
||||||
|
log.Printf("Error parsing duration for %s: %v", info.Name(), err)
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
// log.Println(path, info.Name())
|
||||||
|
|
||||||
|
movie := Movie{
|
||||||
|
Name: info.Name(),
|
||||||
|
Image: base[:strings.IndexByte(base, '.')] + ".png",
|
||||||
|
Duration: int(duration / 60.0),
|
||||||
|
}
|
||||||
|
if movie.Duration <= 15 {
|
||||||
|
categories[0].Movies = append(categories[0].Movies, movie)
|
||||||
|
} else if movie.Duration <= 30 {
|
||||||
|
categories[1].Movies = append(categories[1].Movies, movie)
|
||||||
|
} else if movie.Duration <= 60 {
|
||||||
|
categories[2].Movies = append(categories[2].Movies, movie)
|
||||||
|
} else {
|
||||||
|
categories[3].Movies = append(categories[3].Movies, movie)
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
})
|
||||||
|
|
||||||
|
for _, category := range categories {
|
||||||
|
var movies = category.Movies
|
||||||
|
sort.Slice(movies, func(i, j int) bool {
|
||||||
|
return movies[i].Duration < movies[j].Duration
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// log.Printf("%##v", categories)
|
||||||
|
}
|
84
src/App.js
84
src/App.js
|
@ -1,44 +1,74 @@
|
||||||
// App.js
|
// App.js
|
||||||
import React from 'react';
|
import React from 'react';
|
||||||
|
|
||||||
import AppBar from '@mui/material/AppBar';
|
import AppBar from '@mui/material/AppBar';
|
||||||
import Toolbar from '@mui/material/Toolbar';
|
|
||||||
import IconButton from '@mui/material/IconButton';
|
import IconButton from '@mui/material/IconButton';
|
||||||
|
import Toolbar from '@mui/material/Toolbar';
|
||||||
import Typography from '@mui/material/Typography';
|
import Typography from '@mui/material/Typography';
|
||||||
import VuetifyLogo from './logo.svg';
|
import { Route, Router, Routes } from 'react-router-dom';
|
||||||
import VuetifyName from './logo.svg';
|
|
||||||
import { BrowserRouter, Route, Routes } from 'react-router-dom';
|
|
||||||
import Main from './Components';
|
|
||||||
import VideoPlayer from './VideoPlayer'; // 导入我们将创建的VideoPlayer组件
|
|
||||||
import ConfigContext, { config } from './Config';
|
import ConfigContext, { config } from './Config';
|
||||||
|
import LoginForm from './LoginForm';
|
||||||
|
import Main from './Main';
|
||||||
|
import VideoPlayer from './VideoPlayer'; // 导入我们将创建的VideoPlayer组件
|
||||||
|
import { default as VuetifyLogo, default as VuetifyName } from './logo.svg';
|
||||||
|
|
||||||
|
import axios from 'axios';
|
||||||
|
import { useLocation, useNavigate } from 'react-router-dom';
|
||||||
|
|
||||||
|
axios.interceptors.request.use((config) => {
|
||||||
|
const token = localStorage.getItem('token');
|
||||||
|
if (token) {
|
||||||
|
config.headers.Authorization = `Bearer ${token}`;
|
||||||
|
}
|
||||||
|
return config;
|
||||||
|
});
|
||||||
|
|
||||||
const App = () => {
|
const App = () => {
|
||||||
return (
|
const navigate = useNavigate(); // 将 navigate 声明移动到组件内部
|
||||||
|
const location = useLocation();
|
||||||
|
|
||||||
|
axios.interceptors.response.use(
|
||||||
|
|
||||||
|
(response) => {
|
||||||
|
return response;
|
||||||
|
},
|
||||||
|
|
||||||
|
(error) => {
|
||||||
|
|
||||||
|
|
||||||
|
if (error.response.status === 401) {
|
||||||
|
sessionStorage.setItem('previousLocation', location.pathname); // 使用 window.location.pathname 获取当前路径
|
||||||
|
navigate('/login'); // 使用 window.location.assign() 进行导航
|
||||||
|
}
|
||||||
|
return Promise.reject(error);
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
return (
|
||||||
|
|
||||||
|
|
||||||
<ConfigContext.Provider value={config}>
|
<ConfigContext.Provider value={config}>
|
||||||
<BrowserRouter>
|
|
||||||
<div>
|
<div>
|
||||||
<AppBar position="static">
|
<AppBar position="static">
|
||||||
<Toolbar>
|
<Toolbar>
|
||||||
<IconButton edge="start" color="inherit" aria-label="menu">
|
<IconButton edge="start" color="inherit" aria-label="menu">
|
||||||
<img src={VuetifyLogo} alt="Vuetify Logo" width="40" />
|
<img src={VuetifyLogo} alt="Vuetify Logo" width="40" />
|
||||||
</IconButton>
|
</IconButton>
|
||||||
<Typography variant="h3" style={{ flexGrow: 1 }}>
|
<Typography variant="h3" style={{ flexGrow: 1 }}>
|
||||||
<img src={VuetifyName} alt="Vuetify Name" width="40" />
|
<img src={VuetifyName} alt="Vuetify Name" width="40" />
|
||||||
</Typography>
|
</Typography>
|
||||||
</Toolbar>
|
</Toolbar>
|
||||||
</AppBar>
|
</AppBar>
|
||||||
|
</div>
|
||||||
<Routes>
|
<Routes>
|
||||||
<Route path="/" element={<Main />} />
|
<Route path="/login" element={<LoginForm />} />
|
||||||
<Route path="/res/:filename" element={<VideoPlayer />} />
|
<Route path="/" element={<Main />} />
|
||||||
|
<Route path="/res/:filename" element={<VideoPlayer />} />
|
||||||
</Routes>
|
</Routes>
|
||||||
</div>
|
|
||||||
</BrowserRouter>
|
|
||||||
|
|
||||||
</ConfigContext.Provider>
|
</ConfigContext.Provider>
|
||||||
|
|
||||||
);
|
);
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
|
@ -1,3 +1,4 @@
|
||||||
|
// CategoryNav.js
|
||||||
import React from 'react';
|
import React from 'react';
|
||||||
import Tabs from '@mui/material/Tabs';
|
import Tabs from '@mui/material/Tabs';
|
||||||
import Tab from '@mui/material/Tab';
|
import Tab from '@mui/material/Tab';
|
||||||
|
|
100
src/LoginForm.js
Normal file
100
src/LoginForm.js
Normal file
|
@ -0,0 +1,100 @@
|
||||||
|
// LoginForm.js
|
||||||
|
import React, { useContext, useState } from 'react';
|
||||||
|
import axios from 'axios';
|
||||||
|
import ConfigContext from './Config';
|
||||||
|
import { useNavigate } from 'react-router-dom';
|
||||||
|
import {
|
||||||
|
Box,
|
||||||
|
Button,
|
||||||
|
Container,
|
||||||
|
Grid,
|
||||||
|
TextField,
|
||||||
|
Typography,
|
||||||
|
} from '@mui/material';
|
||||||
|
|
||||||
|
function LoginForm() {
|
||||||
|
const [username, setUsername] = useState('');
|
||||||
|
const [password, setPassword] = useState('');
|
||||||
|
const [error, setError] = useState('');
|
||||||
|
const config = useContext(ConfigContext);
|
||||||
|
const navigate = useNavigate();
|
||||||
|
|
||||||
|
const handleSubmit = async (e) => {
|
||||||
|
e.preventDefault();
|
||||||
|
|
||||||
|
try {
|
||||||
|
const response = await axios.post(`${config.Host}/api/login`, new URLSearchParams({
|
||||||
|
username,
|
||||||
|
password,
|
||||||
|
}), {
|
||||||
|
headers: {
|
||||||
|
'Content-Type': 'application/x-www-form-urlencoded',
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
localStorage.setItem('token', response.data.token);
|
||||||
|
|
||||||
|
// 如果存在之前的页面路径,则返回,否则跳转到首页
|
||||||
|
const previousLocation = sessionStorage.getItem('previousLocation');
|
||||||
|
if (previousLocation) {
|
||||||
|
sessionStorage.removeItem('previousLocation');
|
||||||
|
navigate(previousLocation);
|
||||||
|
} else {
|
||||||
|
navigate('/');
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
setError('Invalid username or password');
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Container maxWidth="xs">
|
||||||
|
<Box sx={{ marginTop: 8, display: 'flex', flexDirection: 'column', alignItems: 'center' }}>
|
||||||
|
<Typography component="h1" variant="h5">
|
||||||
|
登录
|
||||||
|
</Typography>
|
||||||
|
{error && (
|
||||||
|
<Typography color="error" sx={{ marginTop: 1 }}>
|
||||||
|
{error}
|
||||||
|
</Typography>
|
||||||
|
)}
|
||||||
|
<Box component="form" onSubmit={handleSubmit} sx={{ width: '100%', marginTop: 3 }}>
|
||||||
|
<Grid container spacing={2}>
|
||||||
|
<Grid item xs={12}>
|
||||||
|
<TextField
|
||||||
|
required
|
||||||
|
fullWidth
|
||||||
|
id="username"
|
||||||
|
label="Username"
|
||||||
|
value={username}
|
||||||
|
onChange={(e) => setUsername(e.target.value)}
|
||||||
|
/>
|
||||||
|
</Grid>
|
||||||
|
<Grid item xs={12}>
|
||||||
|
<TextField
|
||||||
|
required
|
||||||
|
fullWidth
|
||||||
|
id="password"
|
||||||
|
label="Password"
|
||||||
|
type="password"
|
||||||
|
value={password}
|
||||||
|
onChange={(e) => setPassword(e.target.value)}
|
||||||
|
/>
|
||||||
|
</Grid>
|
||||||
|
</Grid>
|
||||||
|
<Button
|
||||||
|
type="submit"
|
||||||
|
fullWidth
|
||||||
|
variant="contained"
|
||||||
|
color="primary"
|
||||||
|
sx={{ marginTop: 3 }}
|
||||||
|
>
|
||||||
|
Login
|
||||||
|
</Button>
|
||||||
|
</Box>
|
||||||
|
</Box>
|
||||||
|
</Container>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export default LoginForm;
|
|
@ -1,3 +1,4 @@
|
||||||
|
// Main.js
|
||||||
import React, { useState, useEffect, useContext } from 'react';
|
import React, { useState, useEffect, useContext } from 'react';
|
||||||
import axios from 'axios';
|
import axios from 'axios';
|
||||||
import Container from '@mui/material/Container';
|
import Container from '@mui/material/Container';
|
||||||
|
@ -54,7 +55,7 @@ const Main = () => {
|
||||||
|
|
||||||
if (response.status === 200) {
|
if (response.status === 200) {
|
||||||
const data = response.data.data;
|
const data = response.data.data;
|
||||||
console.log(`${config.Host}/movie/?page=${page}&limit=${limit}&category=${category}`);
|
|
||||||
if (data.items.length === 0 && page > 1) {
|
if (data.items.length === 0 && page > 1) {
|
||||||
// 如果返回的数据为空且请求的页码大于1,则尝试获取上一页的数据
|
// 如果返回的数据为空且请求的页码大于1,则尝试获取上一页的数据
|
||||||
fetchMovies(page - 1);
|
fetchMovies(page - 1);
|
||||||
|
@ -93,11 +94,12 @@ const Main = () => {
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<Container style={{ marginTop: 20 }}>
|
<Container style={{ marginTop: 20 }}>
|
||||||
<CategoryNav
|
<CategoryNav
|
||||||
categories={categories}
|
categories={categories}
|
||||||
currentCategory={currentCategory}
|
currentCategory={currentCategory}
|
||||||
onCategoryChange={handleCategoryChange}
|
onCategoryChange={handleCategoryChange}
|
||||||
/>
|
/>
|
||||||
|
|
||||||
<div style={{ textAlign: 'center', marginBottom: 20 }}>
|
<div style={{ textAlign: 'center', marginBottom: 20 }}>
|
||||||
<Pagination
|
<Pagination
|
||||||
count={pagination.length}
|
count={pagination.length}
|
||||||
|
@ -108,9 +110,7 @@ const Main = () => {
|
||||||
size="large"
|
size="large"
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
{loading ? (
|
{loading ? (
|
||||||
<div
|
<div
|
||||||
|
@ -124,9 +124,7 @@ const Main = () => {
|
||||||
<CircularProgress />
|
<CircularProgress />
|
||||||
</div>
|
</div>
|
||||||
) : (
|
) : (
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<Grid container spacing={2} style={{ marginTop: 3 }}>
|
<Grid container spacing={2} style={{ marginTop: 3 }}>
|
||||||
{pagination.movies.map((item) => (
|
{pagination.movies.map((item) => (
|
||||||
<Grid
|
<Grid
|
||||||
|
@ -149,9 +147,7 @@ const Main = () => {
|
||||||
</Grid>
|
</Grid>
|
||||||
)}
|
)}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<div style={{ textAlign: 'center', marginTop: 20 }}>
|
<div style={{ textAlign: 'center', marginTop: 20 }}>
|
||||||
<Pagination
|
<Pagination
|
||||||
count={pagination.length}
|
count={pagination.length}
|
1
src/axiosConfig.js
Normal file
1
src/axiosConfig.js
Normal file
|
@ -0,0 +1 @@
|
||||||
|
|
11
src/index.js
11
src/index.js
|
@ -3,12 +3,21 @@ import ReactDOM from 'react-dom/client';
|
||||||
import './index.css';
|
import './index.css';
|
||||||
import App from './App';
|
import App from './App';
|
||||||
import reportWebVitals from './reportWebVitals';
|
import reportWebVitals from './reportWebVitals';
|
||||||
|
import { BrowserRouter,Router, Routes, Route} from 'react-router-dom';
|
||||||
|
import LoginForm from './LoginForm';
|
||||||
|
import Main from './Main';
|
||||||
|
import VideoPlayer from './VideoPlayer'; // 导入我们将创建的VideoPlayer组件
|
||||||
|
|
||||||
const root = ReactDOM.createRoot(document.getElementById('root'));
|
const root = ReactDOM.createRoot(document.getElementById('root'));
|
||||||
|
|
||||||
root.render(
|
root.render(
|
||||||
|
|
||||||
<React.StrictMode>
|
<React.StrictMode>
|
||||||
<App />
|
<BrowserRouter>
|
||||||
|
<App />
|
||||||
|
</BrowserRouter>
|
||||||
</React.StrictMode>
|
</React.StrictMode>
|
||||||
|
|
||||||
);
|
);
|
||||||
|
|
||||||
// If you want to start measuring performance in your app, pass a function
|
// If you want to start measuring performance in your app, pass a function
|
||||||
|
|
Loading…
Reference in New Issue
Block a user