Compare commits

..

4 Commits
main ... dev

Author SHA1 Message Date
Eigeen 35801f5ee9 Feat: 登录接口实现
continuous-integration/drone/push Build is passing Details
2022-04-09 11:48:44 +08:00
Eigeen 0df2aaa82f 大面积重构
Response部分

usersController部分

中间件部分
2022-04-06 13:54:48 +08:00
Eigeen 513b563728 将model从pak包中移出到根目录
continuous-integration/drone Build is passing Details
2022-04-05 18:16:20 +08:00
Eigeen 795028c4bb CI test #6 (+5 squashed commit)
continuous-integration/drone/push Build is passing Details
Squashed commit:

[c6787e1] CI test #5

[ad1003e] CI test #4

[3d4607c] CI test #3

[97b1961] CI test #2

[4cab727] CI test #1
2022-04-03 19:45:05 +08:00
19 changed files with 346 additions and 149 deletions

48
.drone.yml Normal file
View File

@ -0,0 +1,48 @@
kind: pipeline
type: docker
name: compile
steps:
# - name: restore-pkg
# image: drillster/drone-volume-cache
# volumes:
# - name: cache
# path: /cache
# settings:
# restore: true
# mount:
# - $GOPATH/pkg
# - name: test
# image: eigeen/golang-devops:1.18
# commands:
# - go test
- name: build
image: golang:1.18
environments:
- CGO_ENABLED=0
- GOOS=linux
- GOARCH=amd64
commands:
- go build
# - name: rebuild-pkg
# image: drillster/drone-volume-cache
# volumes:
# - name: cache
# path: /cache
# settings:
# rebuild: true
# mount:
# - $GOPATH/pkg
# #当对应条件的时候才会执行
# when:
# status:
# - success
# - failure
# volumes:
# - name: cache
# host:
# path: /tmp/cache

View File

@ -13,15 +13,15 @@ func init() {
} }
func main() { func main() {
// 加载配置
config.SetupConfig()
// 初始化数据库 // 初始化数据库
err := dao.Conn() err := dao.Conn()
if err != nil { if err != nil {
golog.Fatal("数据库初始化失败: ", err) golog.Fatal("数据库初始化失败: ", err)
} }
// 加载配置
config.SetupConfig()
// 启动服务 // 启动服务
app := router.Router() app := router.Router()
app.Run(iris.Addr(":8080")) app.Run(iris.Addr(":8080"))

View File

@ -12,20 +12,27 @@ type JwtClaims struct {
} }
//TODO:token解密验证 //TODO:token解密验证
func ValidateLogin(token string) error { func VerifyToken(authorization string) error {
return nil token, err := jwt.Parse(authorization, func(token *jwt.Token) (interface{}, error) {
return []byte(config.Cfg.Security.Jwt.Secret), nil
})
if token != nil && token.Valid {
return nil
}
return err
} }
func NewToken(auds ...string) (string, error) { func NewToken(expire time.Duration, auds ...string) (string, error) {
if len(auds) == 0 { if len(auds) == 0 {
auds = []string{"nonAudience"} auds = []string{"non-audience"}
} }
// Create the claims // Create the claims
claims := JwtClaims{ claims := JwtClaims{
"bar", "bar",
jwt.RegisteredClaims{ jwt.RegisteredClaims{
// A usual scenario is to set the expiration time relative to the current time // A usual scenario is to set the expiration time relative to the current time
ExpiresAt: jwt.NewNumericDate(time.Now().Add(time.Duration(config.Cfg.Security.Jwt.Expire) * time.Second)), ExpiresAt: jwt.NewNumericDate(time.Now().Add(expire)),
IssuedAt: jwt.NewNumericDate(time.Now()), IssuedAt: jwt.NewNumericDate(time.Now()),
NotBefore: jwt.NewNumericDate(time.Now()), NotBefore: jwt.NewNumericDate(time.Now()),
Issuer: "drivelinked", Issuer: "drivelinked",
@ -41,3 +48,11 @@ func NewToken(auds ...string) (string, error) {
} }
return ss, nil return ss, nil
} }
func NewShortToken(auds ...string) (string, error) {
return NewToken(time.Duration(config.Cfg.Security.Jwt.Expire) * time.Second)
}
func NewRefreshToken(auds ...string) (string, error) {
return NewToken(24 * time.Hour)
}

View File

@ -14,3 +14,15 @@ func TestNewToken(t *testing.T) {
} }
t.Log(token) t.Log(token)
} }
func TestValidateLogin(t *testing.T) {
config.SetupConfig()
tokenString, _ := NewToken("eigeen")
err := VerifyToken(tokenString)
if err == nil {
t.Log("验证通过")
} else {
t.Error(err)
}
}

View File

@ -1,38 +0,0 @@
package controller
import (
"drive-linked/pkg/dto"
"drive-linked/pkg/service"
"encoding/json"
"github.com/kataras/iris/v12"
"io/ioutil"
"net/http"
)
func UserProfile(ctx iris.Context) {
serv := service.NewUsersService(ctx)
switch ctx.Request().Method {
// GET
case http.MethodGet:
serv.GetOneUser(ctx.Params().GetString("name"), service.MethodUserName)
return
// POST
case http.MethodPost:
//TODO:错误处理
body, err := ioutil.ReadAll(ctx.Request().Body)
if err != nil {
return
}
var req dto.QueryUser
err = json.Unmarshal(body, &req)
if err != nil {
return
}
serv.GetOneUser(req.Value, req.Method)
return
}
}

37
pkg/dao/sentences.go Normal file
View File

@ -0,0 +1,37 @@
package dao
import (
"fmt"
"strings"
)
type Conditions *map[string]interface{}
//TODO:未完成的sql语句构建器
type QuerySql struct {
Table string
Tail string
Conditions Conditions
Rebind int
body string
}
func (b *QuerySql) Build() {
if b.Conditions == nil {
}
var where []string
var values []interface{}
for k, v := range *b.Conditions {
values = append(values, v)
where = append(where, fmt.Sprintf(`"%s"=%s`, k, "?"))
}
b.body = "SELECT * FROM " + b.Table + " WHERE " + strings.Join(where, "AND")
}
func (b *QuerySql) String() {
}

View File

@ -2,6 +2,7 @@ package dto
import ( import (
"drive-linked/pkg/serializer" "drive-linked/pkg/serializer"
"github.com/kataras/golog"
"github.com/kataras/iris/v12" "github.com/kataras/iris/v12"
"net/http" "net/http"
) )
@ -10,34 +11,27 @@ type Response struct {
Ctx iris.Context Ctx iris.Context
} }
const errJsonUnmarshalMsg = "{\"code\":500,\"msg\":\"Json解析错误请联系管理员\",\"data\":null}"
func NewResponse(ctx iris.Context) *Response { func NewResponse(ctx iris.Context) *Response {
return &Response{Ctx: ctx} return &Response{Ctx: ctx}
} }
const errJsonUnmarshalMsg = "{\"code\":500,\"msg\":\"Json解析错误请联系管理员\",\"data\":null}"
// 成功 统一处理 // 成功 统一处理
func (r *Response) Success(data interface{}) { func (r *Response) Success(data interface{}) {
res := serializer.Response{ resp := serializer.ResponseSerial{Code: http.StatusOK, Data: data}
Code: 200, _, err := r.Ctx.JSON(resp)
Msg: "",
Data: data,
}
_, err := r.Ctx.JSON(res)
if err != nil { if err != nil {
golog.Error("Json解析错误: ", resp)
r.Ctx.Write([]byte(errJsonUnmarshalMsg)) r.Ctx.Write([]byte(errJsonUnmarshalMsg))
return return
} }
} }
// 失败 统一处理 // 失败 统一处理
func (r *Response) Error(code int32, msg string) { func (r *Response) Error(code int, msg string) {
res := serializer.Response{ resp := serializer.ResponseSerial{Code: code, Msg: msg}
Code: code, _, err := r.Ctx.JSON(resp)
Msg: msg,
Data: nil,
}
_, err := r.Ctx.JSON(res)
if err != nil { if err != nil {
r.Ctx.Write([]byte(errJsonUnmarshalMsg)) r.Ctx.Write([]byte(errJsonUnmarshalMsg))
return return
@ -45,15 +39,16 @@ func (r *Response) Error(code int32, msg string) {
} }
// 参数类型错误 // 参数类型错误
func (r *Response) ErrInvalidParamType() (err error) { func (r *Response) ErrBadRequest() {
res := serializer.Response{ r.Error(http.StatusBadRequest, "请求参数错误")
Code: http.StatusBadRequest, }
Msg: "参数类型错误",
Data: nil, // 未登录/未授权错误
} func (r *Response) ErrUnauthorized() {
_, err = r.Ctx.JSON(res) r.Error(http.StatusUnauthorized, "未登录")
if err != nil { }
return err
} // 账号或密码错误
return nil func (r *Response) ErrBadAccPasswd() {
r.Error(serializer.ErrBadLogin, "账号或密码错误")
} }

View File

@ -15,11 +15,6 @@ type UserProfile struct {
Roles string `json:"roles"` Roles string `json:"roles"`
} }
type QueryUser struct {
Method string `json:"method"`
Value string `json:"value"`
}
func (u *UserProfile) CopyOf(user *model.User) error { func (u *UserProfile) CopyOf(user *model.User) error {
err := copier.Copy(u, user) err := copier.Copy(u, user)
if err != nil { if err != nil {
@ -27,3 +22,13 @@ func (u *UserProfile) CopyOf(user *model.User) error {
} }
return nil return nil
} }
type QueryUserParams struct {
Method string `json:"method"`
Value string `json:"value"`
}
type LoginParams struct {
Account string `json:"account"`
Password string `json:"password"`
}

View File

@ -1,16 +0,0 @@
package middleware
import (
"drive-linked/pkg/common"
"github.com/kataras/iris/v12"
)
func SignRequired(ctx iris.Context) {
auth := ctx.GetHeader("Authorization")
//TODO:更详细的判断,包括请求格式是否正确
err := common.ValidateLogin(auth)
if err == nil {
ctx.Values().Set("logged_in", true)
}
ctx.Next()
}

32
pkg/middleware/verify.go Normal file
View File

@ -0,0 +1,32 @@
package middleware
import (
"drive-linked/pkg/common"
"drive-linked/pkg/dto"
"github.com/kataras/iris/v12"
"strings"
)
func SignRequired(ctx iris.Context) {
auth := ctx.GetHeader("Authorization")
//TODO:更详细的判断,包括请求格式是否正确
// 取出Bearer后的内容
var tokenString string
if auths := strings.Split(auth, " "); len(auths) > 1 {
tokenString = auths[1]
} else {
ctx.Skip()
}
// 验证token
err := common.VerifyToken(tokenString)
if err == nil {
ctx.Values().Set("logged_in", true)
ctx.Next()
} else {
ctx.Values().Set("logged_in", false)
resp := dto.NewResponse(ctx)
resp.ErrUnauthorized()
}
}

27
pkg/model/login.go Normal file
View File

@ -0,0 +1,27 @@
package model
import (
"drive-linked/pkg/dao"
"fmt"
)
const (
LoginMethodName = "name"
LoginMethodEmail = "email"
)
type Login struct {
ID int64
Name string
Password string
}
func (u *Login) GetLoginInfo(account, method string) error {
exec := fmt.Sprintf(`SELECT id, name, password FROM users WHERE %s=?`, method)
err := dao.DB.Get(u, exec, account)
if err != nil {
return err
}
return nil
}

View File

@ -2,10 +2,13 @@ package model
import ( import (
"drive-linked/pkg/dao" "drive-linked/pkg/dao"
"fmt"
"github.com/jmoiron/sqlx"
"strings"
) )
type User struct { type User struct {
Id int64 `json:"id,string"` ID int64 `json:"id,string"`
Name string `json:"name"` Name string `json:"name"`
Nickname string `json:"nickname"` Nickname string `json:"nickname"`
Email string `json:"email"` Email string `json:"email"`
@ -15,18 +18,22 @@ type User struct {
Roles string `json:"roles"` Roles string `json:"roles"`
} }
func (user *User) GetByName(name string) (err error) { func (user *User) GetProfileWithConditions(conditions *map[string]interface{}) error {
err = dao.DB.Get(user, "SELECT * FROM users WHERE name=?", name) // 支持多条件查询
if err != nil { //TODO:分离多条件查询部分,有利于代码复用
return err var where []string
} var values []interface{}
return nil
}
func (user *User) GetByEmail(email string) (err error) { for k, v := range *conditions {
err = dao.DB.Get(user, "SELECT * FROM users WHERE email=?", email) values = append(values, v)
where = append(where, fmt.Sprintf(`"%s" = %s`, k, "?"))
}
exec := sqlx.Rebind(sqlx.QUESTION, "SELECT * FROM users WHERE "+strings.Join(where, "AND")+" LIMIT 1")
err := dao.DB.Get(user, exec, values...)
if err != nil { if err != nil {
return err return err
} }
return nil return nil
} }

View File

@ -1,30 +1,22 @@
package model package model
import ( import (
"database/sql"
"drive-linked/pkg/dao" "drive-linked/pkg/dao"
"testing" "testing"
) )
func init() { func TestUser_GetWithConditions(t *testing.T) {
err := dao.Conn() dao.Conn()
if err != nil {
return
}
}
func TestUser_GetUser(t *testing.T) {
var user User var user User
// 存在的用户 // 存在的用户
err := user.GetByName("eigeen") conditions := &map[string]interface{}{
"name": "eigeen",
"email": "375109735@qq.com",
}
err := user.GetProfileWithConditions(conditions)
if err != nil { if err != nil {
t.Error(err) t.Error(err)
} }
t.Log(user) t.Log(user)
// 不存在的用户
err = user.GetByName("unknown_user")
if err != sql.ErrNoRows {
t.Error(err)
}
} }

6
pkg/serializer/login.go Normal file
View File

@ -0,0 +1,6 @@
package serializer
type LoginResponse struct {
Token string `json:"token"`
RefreshToken string `json:"refresh_token"`
}

View File

@ -1,26 +1,17 @@
package serializer package serializer
import "net/http" type ResponseSerial struct {
Code int `json:"code"`
type Response struct {
Code int32 `json:"code"`
Msg string `json:"msg"` Msg string `json:"msg"`
Data interface{} `json:"data"` Data interface{} `json:"data"`
} }
/* /*
自定义错误码 自定义错误码
10000 用户操作 40000 业务逻辑错误
50000 服务器操作
*/ */
const ( const (
ErrNoUser = 10001 ErrNoUser = 40001
ErrBadLogin = 40002
) )
func Success(data interface{}) Response {
r := Response{
Code: http.StatusOK,
Msg: "",
Data: data,
}
return r
}

View File

@ -2,37 +2,34 @@ package service
import ( import (
"database/sql" "database/sql"
"drive-linked/pkg/common"
"drive-linked/pkg/dto" "drive-linked/pkg/dto"
"drive-linked/pkg/model" "drive-linked/pkg/model"
"drive-linked/pkg/serializer" "drive-linked/pkg/serializer"
"drive-linked/pkg/utils"
"github.com/kataras/iris/v12" "github.com/kataras/iris/v12"
"net/http" "net/http"
"regexp"
) )
type UsersService struct { type UsersService struct {
Ctx iris.Context Ctx iris.Context
} }
const ( var (
MethodUserName = "name" UserConditions = [...]string{"id", "name", "email", "nickname"}
MethodUserEmail = "email"
) )
func NewUsersService(ctx iris.Context) *UsersService { func NewUsersService(ctx iris.Context) *UsersService {
return &UsersService{Ctx: ctx} return &UsersService{Ctx: ctx}
} }
func (serv *UsersService) GetOneUser(field, method string) { func (serv *UsersService) GetOneUser(conditions *map[string]interface{}) {
var err error var err error
resp := dto.NewResponse(serv.Ctx) resp := dto.NewResponse(serv.Ctx)
user := &model.User{} user := &model.User{}
switch method { err = user.GetProfileWithConditions(conditions)
case MethodUserName:
err = user.GetByName(field)
case MethodUserEmail:
err = user.GetByEmail(field)
}
switch err { switch err {
case nil: case nil:
@ -44,7 +41,46 @@ func (serv *UsersService) GetOneUser(field, method string) {
} }
resp.Success(userResult) resp.Success(userResult)
case sql.ErrNoRows: case sql.ErrNoRows:
resp.Error(serializer.ErrNoUser, "找不到此用户") resp.Error(serializer.ErrNoUser, "用户不存在")
default:
resp.Error(http.StatusInternalServerError, "获取用户信息失败,数据库异常")
}
}
func (serv *UsersService) Login(loginParams dto.LoginParams) {
var err error
resp := dto.NewResponse(serv.Ctx)
// 登录逻辑
// 判断账号类型 邮箱/用户名
var method string
emailExp := regexp.MustCompile("[a-z0-9!#$%&'*+/=?^_`{|}~-]+(?:\\.[a-z0-9!#$%&'*+/=?^_`{|}~-]+)*@(?:[a-z0-9](?:[a-z0-9-]*[a-z0-9])?\\.)+[a-z0-9](?:[a-z0-9-]*[a-z0-9])?")
if emailExp.Match([]byte(loginParams.Account)) {
method = model.LoginMethodEmail
} else {
method = model.LoginMethodName
}
// 从数据库取出原密码
userLogin := model.Login{}
err = userLogin.GetLoginInfo(loginParams.Account, method)
switch err {
case nil:
// 检查密码
match, _ := utils.CheckPasswd(loginParams.Password, userLogin.Password)
if match {
// 登录成功签发token
sToken, _ := common.NewShortToken(userLogin.Name)
rToken, _ := common.NewRefreshToken(userLogin.Name)
resp.Success(serializer.LoginResponse{
Token: sToken,
RefreshToken: rToken,
})
} else {
resp.ErrBadAccPasswd()
}
case sql.ErrNoRows:
resp.Error(serializer.ErrNoUser, "用户不存在")
default: default:
resp.Error(http.StatusInternalServerError, "获取用户信息失败,数据库异常") resp.Error(http.StatusInternalServerError, "获取用户信息失败,数据库异常")
} }

View File

@ -12,8 +12,8 @@ func GenPasswd(originPasswd string) (passwd string, err error) {
return passwd, nil return passwd, nil
} }
func CheckPasswd(originPasswd string, passwd string) (match bool, err error) { func CheckPasswd(password string, hash string) (match bool, err error) {
match, err = argon2id.ComparePasswordAndHash(originPasswd, passwd) match, err = argon2id.ComparePasswordAndHash(password, hash)
if err != nil { if err != nil {
return false, err return false, err
} }

View File

@ -0,0 +1,43 @@
package controller
import (
"drive-linked/pkg/dto"
"drive-linked/pkg/service"
"encoding/json"
"github.com/kataras/iris/v12"
)
func UserProfile(ctx iris.Context) {
serv := service.NewUsersService(ctx)
resp := dto.NewResponse(ctx)
// 获取所有查询条件参数
conditions := make(map[string]interface{})
for _, field := range service.UserConditions {
if ctx.URLParam(field) != "" {
conditions[field] = ctx.URLParam(field)
}
}
if len(conditions) == 0 {
resp.ErrBadRequest()
return
}
serv.GetOneUser(&conditions)
}
func UserLogin(ctx iris.Context) {
serv := service.NewUsersService(ctx)
resp := dto.NewResponse(ctx)
var loginParams dto.LoginParams
// 转换参数
body, _ := ctx.GetBody()
err := json.Unmarshal(body, &loginParams)
if err != nil {
resp.ErrBadRequest()
}
serv.Login(loginParams)
}

View File

@ -1,9 +1,10 @@
package router package router
import ( import (
"drive-linked/pkg/controller"
"drive-linked/pkg/middleware" "drive-linked/pkg/middleware"
"drive-linked/router/controller"
"github.com/kataras/iris/v12" "github.com/kataras/iris/v12"
"github.com/kataras/iris/v12/core/router"
) )
func Router() *iris.Application { func Router() *iris.Application {
@ -16,10 +17,14 @@ func Router() *iris.Application {
// 注册路由 // 注册路由
// v1 // v1
v1 := app.Party("/v1") v1 := app.Party("/v1")
v1.PartyFunc("/auth", func(auth router.Party) {
auth.Post("/login", controller.UserLogin)
})
v1.PartyFunc("/users", func(users iris.Party) { v1.PartyFunc("/users", func(users iris.Party) {
// 需要登录
users.Use(middleware.SignRequired)
// 用户详细信息 // 用户详细信息
users.Get("/profile/{name:string}", controller.UserProfile) users.Get("/profile", controller.UserProfile)
users.Post("/profile", controller.UserProfile)
}) })
return app return app
} }