diff --git a/server/handler_admin_config.go b/server/handler_admin_config.go
index 553b415c..286fadea 100644
--- a/server/handler_admin_config.go
+++ b/server/handler_admin_config.go
@@ -18,25 +18,27 @@ func (s *Server) TestHandle(c *gin.Context) {
}
-func (s *Server) ConfigGetHandle(c *gin.Context) {
+func (s *Server) ConfigGetHandle(c *gin.Context) {
data := struct {
- Title string `json:"title"`
- ConsoleTitle string `json:"console_title"`
- ProxyURL string `json:"proxy_url"`
- Model string `json:"model"`
- Temperature float32 `json:"temperature"`
- MaxTokens int `json:"max_tokens"`
- ChatContextExpireTime int `json:"chat_context_expire_time"`
- EnableContext bool `json:"enable_context"`
+ Title string `json:"title"`
+ ConsoleTitle string `json:"console_title"`
+ ProxyURL string `json:"proxy_url"`
+ Model string `json:"model"`
+ Temperature float32 `json:"temperature"`
+ MaxTokens int `json:"max_tokens"`
+ ChatContextExpireTime int `json:"chat_context_expire_time"`
+ EnableContext bool `json:"enable_context"`
+ ImgURL types.ImgURL `json:"img_url"`
}{
- Title: s.Config.Title,
- ConsoleTitle: s.Config.ConsoleTitle,
- ProxyURL: strings.Join(s.Config.ProxyURL, ","),
- Model: s.Config.Chat.Model,
- Temperature: s.Config.Chat.Temperature,
- MaxTokens: s.Config.Chat.MaxTokens,
- EnableContext: s.Config.Chat.EnableContext,
+ Title: s.Config.Title,
+ ConsoleTitle: s.Config.ConsoleTitle,
+ ProxyURL: strings.Join(s.Config.ProxyURL, ","),
+ Model: s.Config.Chat.Model,
+ Temperature: s.Config.Chat.Temperature,
+ MaxTokens: s.Config.Chat.MaxTokens,
+ EnableContext: s.Config.Chat.EnableContext,
ChatContextExpireTime: s.Config.Chat.ChatContextExpireTime,
+ ImgURL: s.Config.ImgURL,
}
c.JSON(http.StatusOK, types.BizVo{Code: types.Success, Data: data})
@@ -45,14 +47,15 @@ func (s *Server) ConfigGetHandle(c *gin.Context) {
// ConfigSetHandle set configs
func (s *Server) ConfigSetHandle(c *gin.Context) {
var data struct {
- Title string `json:"title"`
- ConsoleTitle string `json:"console_title"`
- ProxyURL string `json:"proxy_url"`
- Model string `json:"model"`
- Temperature float32 `json:"temperature"`
- MaxTokens int `json:"max_tokens"`
- ChatContextExpireTime int `json:"chat_context_expire_time"`
- EnableContext bool `json:"enable_context"`
+ Title string `json:"title"`
+ ConsoleTitle string `json:"console_title"`
+ ProxyURL string `json:"proxy_url"`
+ Model string `json:"model"`
+ Temperature float32 `json:"temperature"`
+ MaxTokens int `json:"max_tokens"`
+ ChatContextExpireTime int `json:"chat_context_expire_time"`
+ EnableContext bool `json:"enable_context"`
+ ImgURL types.ImgURL `json:"img_url"`
}
err := json.NewDecoder(c.Request.Body).Decode(&data)
if err != nil {
@@ -63,12 +66,17 @@ func (s *Server) ConfigSetHandle(c *gin.Context) {
s.Config.Title = data.Title
s.Config.ConsoleTitle = data.ConsoleTitle
- s.Config.ProxyURL = strings.Split(data.ProxyURL, ",")
+ urls := strings.Split(data.ProxyURL, ",")
+ for k, v := range urls {
+ urls[k] = strings.TrimSpace(v)
+ }
+ s.Config.ProxyURL = urls
s.Config.Chat.Model = data.Model
s.Config.Chat.Temperature = data.Temperature
s.Config.Chat.MaxTokens = data.MaxTokens
s.Config.Chat.EnableContext = data.EnableContext
s.Config.Chat.ChatContextExpireTime = data.ChatContextExpireTime
+ s.Config.ImgURL = data.ImgURL
// 保存配置文件
err = utils.SaveConfig(s.Config, s.ConfigPath)
diff --git a/server/handler_chat.go b/server/handler_chat.go
index eab8dc5b..3d0080a3 100644
--- a/server/handler_chat.go
+++ b/server/handler_chat.go
@@ -404,7 +404,7 @@ func (s *Server) GetChatHistoryHandle(c *gin.Context) {
history, err := GetChatHistory(session.Username, data.Role)
if err != nil {
- c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: "No history message"})
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Success, Data: nil, Message: "No history message"})
return
}
diff --git a/server/handler_login.go b/server/handler_login.go
new file mode 100644
index 00000000..0c589df5
--- /dev/null
+++ b/server/handler_login.go
@@ -0,0 +1,118 @@
+package server
+
+import (
+ "encoding/json"
+ "github.com/gin-contrib/sessions"
+ "github.com/gin-gonic/gin"
+ "net/http"
+ "openai/types"
+ "openai/utils"
+ "strings"
+ "time"
+)
+
+func (s *Server) LoginHandle(c *gin.Context) {
+ var data struct {
+ Token string `json:"token"`
+ }
+ err := json.NewDecoder(c.Request.Body).Decode(&data)
+ if err != nil {
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: types.ErrorMsg})
+ return
+ }
+ username := strings.TrimSpace(data.Token)
+ user, err := GetUser(username)
+ if err != nil {
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: "Invalid user"})
+ return
+ }
+
+ sessionId := utils.RandString(42)
+ session := sessions.Default(c)
+ session.Set(sessionId, username)
+ err = session.Save()
+ if err != nil {
+ logger.Error("Error for save session: ", err)
+ }
+ // 记录客户端 IP 地址
+ s.ChatSession[sessionId] = types.ChatSession{ClientIP: c.ClientIP(), Username: username, SessionId: sessionId}
+ // 更新用户激活时间
+ user.ActiveTime = time.Now().Unix()
+ if user.ExpiredTime == 0 {
+ activeTime := time.Unix(user.ActiveTime, 0)
+ if user.Term == 0 {
+ user.Term = 30 // 默认 30 天到期
+ }
+ user.ExpiredTime = activeTime.Add(time.Hour * 24 * time.Duration(user.Term)).Unix()
+ }
+ err = PutUser(*user)
+ if err != nil {
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: "Save user info failed"})
+ return
+ }
+
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Success, Data: struct {
+ User types.User `json:"user"`
+ SessionId string `json:"session_id"`
+ }{User: *user, SessionId: sessionId}})
+}
+
+// ManagerLoginHandle 管理员登录
+func (s *Server) ManagerLoginHandle(c *gin.Context) {
+ var data struct {
+ Username string `json:"username"`
+ Password string `json:"password"`
+ }
+ err := json.NewDecoder(c.Request.Body).Decode(&data)
+ if err != nil {
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: types.ErrorMsg})
+ return
+ }
+ username := strings.TrimSpace(data.Username)
+ password := strings.TrimSpace(data.Password)
+ if username == s.Config.Manager.Username && password == s.Config.Manager.Password {
+ sessionId := utils.RandString(42)
+ session := sessions.Default(c)
+ session.Set(sessionId, username)
+ err = session.Save()
+ // 记录登录信息
+ s.ChatSession[sessionId] = types.ChatSession{ClientIP: c.ClientIP(), Username: username, SessionId: sessionId}
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Success, Data: struct {
+ User types.Manager `json:"user"`
+ SessionId string `json:"session_id"`
+ }{User: data, SessionId: sessionId}})
+ } else {
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: "用户名或者密码错误"})
+ }
+}
+
+// LogoutHandle 注销
+func (s *Server) LogoutHandle(c *gin.Context) {
+ sessionId := c.GetHeader(types.TokenName)
+ session := sessions.Default(c)
+ session.Delete(sessionId)
+ err := session.Save()
+ if err != nil {
+ logger.Error("Error for save session: ", err)
+ }
+ // 删除 websocket 会话列表
+ delete(s.ChatSession, sessionId)
+ // 关闭 socket 连接
+ if client, ok := s.ChatClients[sessionId]; ok {
+ client.Close()
+ }
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Success})
+}
+
+func (s *Server) GetSessionHandle(c *gin.Context) {
+ sessionId := c.GetHeader(types.TokenName)
+ if session, ok := s.ChatSession[sessionId]; ok && session.ClientIP == c.ClientIP() {
+ c.JSON(http.StatusOK, types.BizVo{Code: types.Success})
+ } else {
+ c.JSON(http.StatusOK, types.BizVo{
+ Code: types.NotAuthorized,
+ Message: "Not Authorized",
+ })
+ }
+
+}
diff --git a/server/server.go b/server/server.go
index b5a7fd75..b8aebe5e 100644
--- a/server/server.go
+++ b/server/server.go
@@ -3,7 +3,6 @@ package server
import (
"context"
"embed"
- "encoding/json"
"github.com/gin-contrib/sessions"
"github.com/gin-contrib/sessions/cookie"
"github.com/gin-gonic/gin"
@@ -96,10 +95,10 @@ func (s *Server) Run(webRoot embed.FS, path string, debug bool) {
engine.POST("api/img/get", s.GetImgURLHandle)
engine.POST("api/img/set", s.SetImgURLHandle)
- engine.GET("api/admin/config/get", s.ConfigGetHandle)
+ engine.GET("api/config/get", s.ConfigGetHandle)
engine.POST("api/admin/config/set", s.ConfigSetHandle)
- engine.POST("api/chat-roles/list", s.GetChatRoleListHandle)
+ engine.GET("api/chat-roles/list", s.GetChatRoleListHandle)
engine.POST("api/admin/chat-roles/list", s.GetAllChatRolesHandle)
engine.POST("api/chat-roles/get", s.GetChatRoleHandle)
engine.POST("api/admin/chat-roles/add", s.AddChatRoleHandle)
@@ -110,6 +109,7 @@ func (s *Server) Run(webRoot embed.FS, path string, debug bool) {
engine.POST("api/admin/user/set", s.SetUserHandle)
engine.POST("api/admin/user/list", s.GetUserListHandle)
engine.POST("api/admin/user/remove", s.RemoveUserHandle)
+ engine.POST("api/admin/login", s.ManagerLoginHandle) // 管理员登录
engine.POST("api/admin/apikey/add", s.AddApiKeyHandle)
engine.POST("api/admin/apikey/remove", s.RemoveApiKeyHandle)
@@ -219,128 +219,54 @@ func corsMiddleware() gin.HandlerFunc {
// AuthorizeMiddleware 用户授权验证
func AuthorizeMiddleware(s *Server) gin.HandlerFunc {
return func(c *gin.Context) {
- c.Next()
- //if !s.Config.EnableAuth ||
- // c.Request.URL.Path == "/api/login" ||
- // c.Request.URL.Path == "/api/config/chat-roles/get" ||
- // !strings.HasPrefix(c.Request.URL.Path, "/api") {
- // c.Next()
- // return
- //}
- //
- //// WebSocket 连接请求验证
- //if c.Request.URL.Path == "/api/chat" {
- // sessionId := c.Query("sessionId")
- // if session, ok := s.ChatSession[sessionId]; ok && session.ClientIP == c.ClientIP() {
- // c.Next()
- // } else {
- // c.Abort()
- // }
- // return
- //}
- //
- //sessionId := c.GetHeader(types.TokenName)
- //session := sessions.Default(c)
- //userInfo := session.Get(sessionId)
- //if userInfo != nil {
- // c.Set(types.SessionKey, userInfo)
- // c.Next()
- //} else {
- // c.Abort()
- // c.JSON(http.StatusOK, types.BizVo{
- // Code: types.NotAuthorized,
- // Message: "Not Authorized",
- // })
- //}
- }
-}
-
-func (s *Server) GetSessionHandle(c *gin.Context) {
- sessionId := c.GetHeader(types.TokenName)
- if session, ok := s.ChatSession[sessionId]; ok && session.ClientIP == c.ClientIP() {
- c.JSON(http.StatusOK, types.BizVo{Code: types.Success})
- } else {
- c.JSON(http.StatusOK, types.BizVo{
- Code: types.NotAuthorized,
- Message: "Not Authorized",
- })
- }
-
-}
-
-func (s *Server) LoginHandle(c *gin.Context) {
- var data struct {
- Token string `json:"token"`
- }
- err := json.NewDecoder(c.Request.Body).Decode(&data)
- if err != nil {
- c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: types.ErrorMsg})
- return
- }
- username := strings.TrimSpace(data.Token)
- user, err := GetUser(username)
- if err != nil {
- c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: "Invalid user"})
- return
- }
-
- sessionId := utils.RandString(42)
- session := sessions.Default(c)
- session.Set(sessionId, username)
- err = session.Save()
- if err != nil {
- logger.Error("Error for save session: ", err)
- }
- // 记录客户端 IP 地址
- s.ChatSession[sessionId] = types.ChatSession{ClientIP: c.ClientIP(), Username: username, SessionId: sessionId}
- // 更新用户激活时间
- user.ActiveTime = time.Now().Unix()
- if user.ExpiredTime == 0 {
- activeTime := time.Unix(user.ActiveTime, 0)
- if user.Term == 0 {
- user.Term = 30 // 默认 30 天到期
+ if c.Request.URL.Path == "/api/login" ||
+ c.Request.URL.Path == "/api/admin/login" ||
+ c.Request.URL.Path == "/api/chat-roles/list" ||
+ !strings.HasPrefix(c.Request.URL.Path, "/api") {
+ c.Next()
+ return
}
- user.ExpiredTime = activeTime.Add(time.Hour * 24 * time.Duration(user.Term)).Unix()
- }
- err = PutUser(*user)
- if err != nil {
- c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: "Save user info failed"})
- return
- }
- c.JSON(http.StatusOK, types.BizVo{Code: types.Success, Data: struct {
- User types.User `json:"user"`
- SessionId string `json:"session_id"`
- }{User: *user, SessionId: sessionId}})
-}
+ if strings.HasPrefix(c.Request.URL.Path, "/api/admin") {
+ accessKey := c.GetHeader("ACCESS-KEY")
+ if accessKey == strings.TrimSpace(s.Config.AccessKey) {
+ c.Next()
+ return
+ }
+ // 验证当前登录用户是否是管理员
+ sessionId := c.GetHeader(types.TokenName)
+ if m, ok := s.ChatSession[sessionId]; ok && m.Username == s.Config.Manager.Username {
+ c.Next()
+ return
+ }
-// LogoutHandle 注销
-func (s *Server) LogoutHandle(c *gin.Context) {
- var data struct {
- Opt string `json:"opt"`
- }
- err := json.NewDecoder(c.Request.Body).Decode(&data)
- if err != nil {
- c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: types.ErrorMsg})
- return
- }
+ c.Abort()
+ c.JSON(http.StatusOK, types.BizVo{Code: types.NotAuthorized, Message: "No Permissions"})
+ }
+
+ // WebSocket 连接请求验证
+ if c.Request.URL.Path == "/api/chat" {
+ sessionId := c.Query("sessionId")
+ if session, ok := s.ChatSession[sessionId]; ok && session.ClientIP == c.ClientIP() {
+ c.Next()
+ } else {
+ c.Abort()
+ }
+ return
+ }
- if data.Opt == "logout" {
sessionId := c.GetHeader(types.TokenName)
session := sessions.Default(c)
- session.Delete(sessionId)
- err := session.Save()
- if err != nil {
- logger.Error("Error for save session: ", err)
+ userInfo := session.Get(sessionId)
+ if userInfo != nil {
+ c.Set(types.SessionKey, userInfo)
+ c.Next()
+ } else {
+ c.Abort()
+ c.JSON(http.StatusOK, types.BizVo{
+ Code: types.NotAuthorized,
+ Message: "Not Authorized",
+ })
}
- // 删除 websocket 会话列表
- delete(s.ChatSession, sessionId)
- // 关闭 socket 连接
- if client, ok := s.ChatClients[sessionId]; ok {
- client.Close()
- }
- c.JSON(http.StatusOK, types.BizVo{Code: types.Success})
- } else {
- c.JSON(http.StatusOK, types.BizVo{Code: types.Failed, Message: "Hack attempt!"})
}
}
diff --git a/types/chat.go b/types/chat.go
index 95abee61..bcc44e23 100644
--- a/types/chat.go
+++ b/types/chat.go
@@ -46,7 +46,7 @@ type ChatSession struct {
SessionId string `json:"session_id"`
ClientIP string `json:"client_ip"` // 客户端 IP
Username string `json:"user"` // 当前登录的 user
- ChatId string `json:"chat_id"` // 客户端聊天会话 ID
+ ChatId string `json:"chat_id"` // 客户端聊天会话 ID, 多会话模式专用字段
}
// ChatContext 聊天上下文
diff --git a/types/config.go b/types/config.go
index 125af00a..83b8ee41 100644
--- a/types/config.go
+++ b/types/config.go
@@ -10,8 +10,10 @@ type Config struct {
Listen string
Session Session
ProxyURL []string
+ ImgURL ImgURL // 各种图片资源链接地址,比如微信二维码,群二维码
+ AccessKey string // 管理员访问 AccessKey, 通过传入这个参数可以访问系统管理 API
+ Manager Manager // 后台管理员账户信息
Chat Chat
- ImgURL ImgURL // 各种图片资源链接地址,比如微信二维码,群二维码
}
type User struct {
@@ -45,8 +47,8 @@ type Chat struct {
}
type APIKey struct {
- Value string `json:"value"` // Key value
- LastUsed int64 `json:"last_used"` // 最后使用时间
+ Value string `json:"value"` // Key value
+ LastUsed int64 `json:"last_used"` // 最后使用时间
}
// Session configs struct
diff --git a/utils/config.go b/utils/config.go
index edd9e1c8..c3011c57 100644
--- a/utils/config.go
+++ b/utils/config.go
@@ -16,6 +16,8 @@ func NewDefaultConfig() *types.Config {
Listen: "0.0.0.0:5678",
ProxyURL: make([]string, 0),
ImgURL: types.ImgURL{},
+ Manager: types.Manager{Username: "admin", Password: "admin123"},
+ AccessKey: "yangjian102621@gmail.com",
Session: types.Session{
SecretKey: RandString(64),
diff --git a/web/src/utils/libs.js b/web/src/utils/libs.js
index 956f2cb7..31907462 100644
--- a/web/src/utils/libs.js
+++ b/web/src/utils/libs.js
@@ -109,4 +109,9 @@ export function renderInputText(text) {
const replaceRegex = /(\n\r|\r\n|\r|\n)/g;
text = text || '';
return text.replace(replaceRegex, "
");
+}
+
+// 拷贝对象
+export function copyObj(origin) {
+ return JSON.parse(JSON.stringify(origin));
}
\ No newline at end of file
diff --git a/web/src/views/Admin.vue b/web/src/views/Admin.vue
index a597e304..61c412d7 100644
--- a/web/src/views/Admin.vue
+++ b/web/src/views/Admin.vue
@@ -43,6 +43,10 @@
{{ nav.title }}
+
+
+ 退出登录
+
@@ -86,7 +90,7 @@
@@ -94,10 +98,11 @@
@@ -105,7 +110,7 @@
@@ -122,6 +127,9 @@ import SysConfig from "@/views/admin/SysConfig.vue";
import {arrayContains, removeArrayItem} from "@/utils/libs";
import UserList from "@/views/admin/UserList.vue";
import RoleList from "@/views/admin/RoleList.vue";
+import {httpGet, httpPost} from "@/utils/http";
+import {ElMessage} from "element-plus";
+import {setLoginUser} from "@/utils/storage";
export default defineComponent({
@@ -156,6 +164,7 @@ export default defineComponent({
curNav: null,
curTab: 'welcome',
tabs: [],
+ isLogin: false,
showDialog: false,
@@ -180,14 +189,54 @@ export default defineComponent({
},
mounted: function () {
-
// bind window resize event
window.addEventListener("resize", function () {
this.winHeight = window.innerHeight
})
+ this.checkSession()
},
methods: {
+ checkSession: function () {
+ httpGet("/api/session/get").then(() => {
+ this.isLogin = true
+ }).catch(() => {
+ this.showDialog = true
+ })
+ },
+
+ // 登录输入框输入事件处理
+ loginInputKeyup: function (e) {
+ if (e.keyCode === 13) {
+ this.login();
+ }
+ },
+
+ // 登录
+ login: function () {
+ if (!this.user.username || !this.user.password) {
+ ElMessage.error('请输入用户名和密码')
+ return
+ }
+ httpPost('/api/admin/login', this.user).then((res) => {
+ setLoginUser(res.data)
+ this.showDialog = false
+ this.isLogin = true
+ this.user = {}
+ }).catch((e) => {
+ ElMessage.error('登录失败,' + e.message)
+ })
+ },
+
+ logout: function () {
+ httpPost("/api/logout", {opt: "logout"}).then(() => {
+ this.checkSession();
+ this.isLogin = false
+ }).catch(() => {
+ ElMessage.error("注销失败");
+ })
+ },
+
arrayContains(array, value, compare) {
return arrayContains(array, value, compare);
},
@@ -315,6 +364,12 @@ $borderColor = #4676d0;
background-color: #363535
}
}
+
+ .tool-box {
+ display flex
+ justify-content center
+ padding 10px 20px;
+ }
}
.el-main {
diff --git a/web/src/views/ChatPlus.vue b/web/src/views/ChatPlus.vue
index 99a15638..d1666452 100644
--- a/web/src/views/ChatPlus.vue
+++ b/web/src/views/ChatPlus.vue
@@ -222,6 +222,7 @@ export default defineComponent({
allChatRoles: [], // 所有角色集合
role: 'gpt',
inputValue: '', // 聊天内容
+ sendHelloMsg: {}, // 是否发送过打招呼信息
showConfigDialog: false, // 显示配置对话框
userInfo: {},
@@ -299,7 +300,7 @@ export default defineComponent({
socket.addEventListener('open', () => {
// 获取聊天角色
if (this.chatRoles.length === 0) {
- httpGet("/api/config/chat-roles/get").then((res) => {
+ httpGet("/api/chat-roles/list").then((res) => {
// ElMessage.success('创建会话成功!');
this.chatRoles = res.data;
this.allChatRoles = res.data;
@@ -326,6 +327,10 @@ export default defineComponent({
reader.readAsText(event.data, "UTF-8");
reader.onload = () => {
const data = JSON.parse(String(reader.result));
+ if (data['is_hello_msg'] && this.sendHelloMsg[this.role]) { // 一定发送过打招呼信息的
+ return
+ }
+
if (data.type === 'start') {
this.chatData.push({
type: "reply",
@@ -340,6 +345,8 @@ export default defineComponent({
this.sending = false;
if (data['is_hello_msg'] !== true) {
this.showReGenerate = true;
+ } else {
+ this.sendHelloMsg[this.role] = true
}
this.showStopGenerate = false;
this.lineBuffer = ''; // 清空缓冲
diff --git a/web/src/views/admin/RoleList.vue b/web/src/views/admin/RoleList.vue
index 92a2481e..153f0e1a 100644
--- a/web/src/views/admin/RoleList.vue
+++ b/web/src/views/admin/RoleList.vue
@@ -37,7 +37,7 @@
- 编辑
+ 编辑
@@ -47,8 +47,6 @@
v-model="showDialog"
title="编辑用户"
width="50%"
- :destroy-on-close="true"
-
>
@@ -140,6 +138,7 @@ import {Plus, RemoveFilled} from "@element-plus/icons-vue";
import {reactive, ref} from "vue";
import {httpPost} from "@/utils/http";
import {ElMessage} from "element-plus";
+import {copyObj} from "@/utils/libs";
const showDialog = ref(false)
const parentBorder = ref(false)
@@ -164,8 +163,10 @@ httpPost('/api/admin/chat-roles/list').then((res) => {
})
// 编辑
-const rowEdit = function (row) {
- form1.value = row
+const curIndex = ref(0)
+const rowEdit = function (index, row) {
+ curIndex.value = index
+ form1.value = copyObj(row)
showDialog.value = true
}
@@ -175,6 +176,8 @@ const doUpdate = function () {
showDialog.value = false
httpPost('/api/admin/chat-roles/set', form1.value).then(() => {
ElMessage.success('更新角色成功')
+ // 更新当前数据行
+ tableData.value[curIndex.value] = form1.value
}).catch((e) => {
ElMessage.error('更新角色失败,' + e.message)
})
diff --git a/web/src/views/admin/SysConfig.vue b/web/src/views/admin/SysConfig.vue
index dfb3c0dc..63d383c2 100644
--- a/web/src/views/admin/SysConfig.vue
+++ b/web/src/views/admin/SysConfig.vue
@@ -11,6 +11,14 @@
+
+
+
+
+
+
+
+
聊天设置
@@ -124,14 +132,14 @@ export default defineComponent({
data() {
return {
apiKey: '',
- form: {},
+ form: {img_url: {}},
apiKeys: [],
loading: true
}
},
mounted() {
// 获取系统配置
- httpGet('/api/admin/config/get').then((res) => {
+ httpGet('/api/config/get').then((res) => {
this.form = res.data;
}).catch(() => {
ElMessage.error('获取系统配置失败')
diff --git a/web/src/views/admin/UserList.vue b/web/src/views/admin/UserList.vue
index cc4e636b..71e9d616 100644
--- a/web/src/views/admin/UserList.vue
+++ b/web/src/views/admin/UserList.vue
@@ -190,8 +190,6 @@
v-model="showUserEditDialog"
title="编辑用户"
width="50%"
- :destroy-on-close="true"
-
>