07 로그인 인터페이스 개발
로그인 인터페이스 개발
로그인의 논리는 사실 매우 간단명료하다. 계정 비밀번호를 받은 다음에 사용자의 id를 jwt로 생성하여 앞에 되돌려주고 후속 jwt의 연기를 위해 우리는 jwt를 헤더에 놓는다.구체적인 코드는 다음과 같습니다.
@RestController
public class AccountController {
@Autowired
JwtUtils jwtUtils;
@Autowired
UserService userService;
/**
* :gychen / 111111
*
*/
@CrossOrigin
@PostMapping("/login")
public Result login(@Validated @RequestBody LoginDto loginDto, HttpServletResponse response) {
User user = userService.getOne(new QueryWrapper().eq("username", loginDto.getUsername()));
Assert.notNull(user, " ");
if(!user.getPassword().equals(SecureUtil.md5(loginDto.getPassword()))) {
return Result.fail(" !");
}
String jwt = jwtUtils.generateToken(user.getId());
response.setHeader("Authorization", jwt);
response.setHeader("Access-Control-Expose-Headers", "Authorization");
//
return Result.succ(MapUtil.builder()
.put("id", user.getId())
.put("username", user.getUsername())
.put("avatar", user.getAvatar())
.put("email", user.getEmail())
.map()
);
}
//
@GetMapping("/logout")
@RequiresAuthentication
public Result logout() {
SecurityUtils.getSubject().logout();
return Result.succ(null);
}
}
{
"_comment":"postman ",
"username":"gychen",
"password":"111111"
}
{
"_comment":" ",
"code": "0",
"msg": " ",
"data": {
"id": 1,
"avatar": "https://image-1300566513.cos.ap-guangzhou.myqcloud.com/upload/images/5a9f48118166308daba8b6da7e466aab.jpg",
"email": null,
"username": "gychen"
}
}
블로그 인터페이스 개발
우리의 골격이 완성되었으니 이제 우리는 우리의 업무 인터페이스를 추가할 수 있다. 다음은 간단한 블로그 목록, 블로그 상세 페이지를 예로 삼아 개발한다.
package com.gychen.controller;
import cn.hutool.core.bean.BeanUtil;
import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
import com.baomidou.mybatisplus.core.metadata.IPage;
import com.baomidou.mybatisplus.extension.plugins.pagination.Page;
import com.gychen.common.lang.Result;
import com.gychen.entity.Blog;
import com.gychen.service.BlogService;
import com.gychen.util.ShiroUtil;
import org.apache.shiro.authz.annotation.RequiresAuthentication;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.util.Assert;
import org.springframework.validation.annotation.Validated;
import org.springframework.web.bind.annotation.*;
import java.time.LocalDateTime;
/**
*
*
*
*
* @author gychen
* @since 2020-07-28
*/
@RestController
public class BlogController {
@Autowired
BlogService blogService;
@GetMapping("/blogs")
public Result blogs(Integer currentPage) {
if(currentPage == null || currentPage < 1) currentPage = 1;
Page page = new Page(currentPage, 5);
IPage pageData = blogService.page(page, new QueryWrapper().orderByDesc("created"));
return Result.succ(pageData);
}
@GetMapping("/blog/{id}")
public Result detail(@PathVariable(name = "id") Long id) {
Blog blog = blogService.getById(id);
Assert.notNull(blog, " !");
return Result.succ(blog);
}
@RequiresAuthentication //
@PostMapping("/blog/edit")
public Result edit(@Validated @RequestBody Blog blog) {
System.out.println(blog.toString());
Blog temp = null;
if(blog.getId() != null) {
// id
temp = blogService.getById(blog.getId());
// Assert.isTrue(temp.getUserId().longValue() == ShiroUtil.getProfile().getId().longValue(), " ");
Assert.isTrue(temp.getUserId().equals(ShiroUtil.getProfile().getId()), " ");
} else {
temp = new Blog();
temp.setUserId(ShiroUtil.getProfile().getId());
temp.setCreated(LocalDateTime.now());
temp.setStatus(0);
}
// blog temp id、userId、created、status
BeanUtil.copyProperties(blog, temp, "id", "userId", "created", "status");
blogService.saveOrUpdate(temp);
return Result.succ(null);
}
}
{
"title":" 3333333333",
"description":"description333333333",
"content":"content33333333333"
}
{
"title":" 3333333333",
"description":"description333333333"
}
{
"id":11,
"title":" 3333333333",
"description":"description333333333",
"content":"content33333333333"
}
{
"id":11,
"title":" 3333333333",
"description":"description333333333",
"content":"content1111111"
}
{
"code": "0",
"msg": " ",
"data": null
}
{
"code": "-1",
"msg": " ",
"data": null
}
{
"code": "0",
"msg": " ",
"data": null
}
{
"code": "0",
"msg": " ",
"data": null
}
@RequiresAuthentication은 로그인한 후에만 접근할 수 있는 인터페이스를 설명하고, 권한이 필요한 다른 인터페이스는shiro에 대한 설명을 추가할 수 있습니다.인터페이스가 비교적 간단해서 우리는 더 이상 말하지 않겠다. 기본적으로 첨삭하고 고칠 뿐이다.주의해야 할 것은 편집 방법은 로그인을 해야만 조작할 수 있는 제한된 자원이다.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
다양한 언어의 JSONJSON은 Javascript 표기법을 사용하여 데이터 구조를 레이아웃하는 데이터 형식입니다. 그러나 Javascript가 코드에서 이러한 구조를 나타낼 수 있는 유일한 언어는 아닙니다. 저는 일반적으로 '객체'{}...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.