SpringBoot+Shiro+Mybatis完成的。java
以前看了一位小夥伴的Shiro教程,跟着作了,遇到蠻多坑的(´இ皿இ`)mysql
修改整理了一下,成功跑起來了。能夠經過postman進行測試git
很少比比∠( ᐛ 」∠)_,直接上源碼:github.com/niaobulashi…github
Apache Shiro是一個功能強大、靈活的、開源的安全框架。能夠乾淨利落地處理身份驗證、受權、企業會話管理和加密。web
Shiro框架圖以下:算法
在概念層,Shiro架構包含三個主要的理念:Subject,SecurityManager和 Realm。下面的圖展現了這些組件如何相互做用,咱們將在下面依次對其進行描述。spring
<dependency>
<groupId>org.apache.shiro</groupId>
<artifactId>shiro-spring</artifactId>
<version>1.4.1</version>
複製代碼
application.yml
sql
# 服務器端口
server:
port: 8081
# 配置Spring相關信息
spring:
datasource:
driver-class-name: com.mysql.jdbc.Driver
url: jdbc:mysql://localhost:3306/test?serverTimezone=UTC&useUnicode=true&characterEncoding=utf-8&useSSL=true
username: root
password: root
# 配置Mybatis
mybatis:
type-aliases-package: com.niaobulashi.model
mapper-locations: classpath:mapper/*.xml
configuration:
# 開啓駝峯命名轉換
map-underscore-to-camel-case: true
# 打印SQL日誌
logging:
level:
com.niaobulashi.mapper: DEBUG
複製代碼
啓動方法添加mapper掃描,我通常都是在啓動方法上面聲明,不然須要在每個mapper上單獨聲明掃描數據庫
@SpringBootApplication
@MapperScan("com.niaobulashi.mapper")
public class ShiroApplication {
public static void main(String[] args) {
SpringApplication.run(ShiroApplication.class, args);
}
}
複製代碼
無非就是5張表:用戶表、角色表、權限表、用戶角色表、角色權限表。apache
看下面這張圖,能夠說至關明瞭了。
具體我就不貼出來了,太佔篇幅。。直接貼連接:github.com/niaobulashi…
@Data
public class User implements Serializable {
private static final long serialVersionUID = -6056125703075132981L;
private Integer id;
private String account;
private String password;
private String username;
}
複製代碼
@Data
public class Role implements Serializable {
private static final long serialVersionUID = -1767327914553823741L;
private Integer id;
private String role;
private String desc;
}
複製代碼
這裏歸納一下:簡單的用戶登陸權限的Shiro控制涉及到的數據庫操做主要有仨
public interface UserMapper {
/** * 根據帳戶查詢用戶信息 * @param account * @return */
User findByAccount(@Param("account") String account);
}
複製代碼
<!--用戶表結果集-->
<sql id="base_column_list">
id, account, password, username
</sql>
<!--根據帳戶查詢用戶信息-->
<select id="findByAccount" parameterType="Map" resultType="com.niaobulashi.model.User">
select
<include refid="base_column_list"/>
from user
where account = #{account}
</select>
複製代碼
public interface RoleMapper {
/**
* 根據userId查詢角色信息
* @param userId
* @return
*/
List<Role> findRoleByUserId(@Param("userId") Integer userId);
}
複製代碼
<!--角色表字段結果集-->
<sql id="base_cloum_list">
id, role, desc
</sql>
<!--根據userId查詢角色信息-->
<select id="findRoleByUserId" parameterType="Integer" resultType="com.niaobulashi.model.Role">
select r.id, r.role
from role r
left join user_role ur on ur.role_id = r.id
left join user u on u.id = ur.user_id
where 1=1
and u.user_id = #{userId}
</select>
複製代碼
public interface PermissionMapper {
/** * 根據角色id查詢權限 * @param roleIds * @return */
List<String> findByRoleId(@Param("roleIds") List<Integer> roleIds);
}
複製代碼
<!--權限查詢結果集-->
<sql id="base_column_list">
id, permission, desc
</sql>
<!--根據角色id查詢權限-->
<select id="findByRoleId" parameterType="List" resultType="String">
select permission
from permission, role_permission rp
where rp.permission_id = permission.id and rp.role_id in
<foreach collection="roleIds" item="id" open="(" close=")" separator=",">
#{id}
</foreach>
</select>
複製代碼
沒有其餘邏輯,只有繼承。
注意:
不過須要注意的一點是,我在Service層中,使用的註解@Service:啓動時會自動註冊到Spring容器中。
不然啓動時,攔截器配置初始化時,會找不到Service。。。這點有點坑。
public interface UserService {
/** * 根據帳戶查詢用戶信息 * @param account * @return */
User findByAccount(String account);
}
複製代碼
@Service("userService")
public class UserServiceImpl implements UserService {
@Resource
private UserMapper userMapper;
/** * 根據帳戶查詢用戶信息 * @param account * @return */
@Override
public User findByAccount(String account) {
return userMapper.findByAccount(account);
}
}
複製代碼
public interface RoleService {
/** * 根據userId查詢角色信息 * @param id * @return */
List<Role> findRoleByUserId(Integer id);
}
複製代碼
@Service("roleService")
public class RoleServiceImpl implements RoleService {
@Resource
private RoleMapper roleMapper;
/** * 根據userId查詢角色信息 * @param id * @return */
@Override
public List<Role> findRoleByUserId(Integer id) {
return roleMapper.findRoleByUserId(id);
}
}
複製代碼
public interface PermissionService {
/** * 根據角色id查詢權限 * @param roleIds * @return */
List<String> findByRoleId(@Param("roleIds") List<Integer> roleIds);
}
複製代碼
@Service("permissionService")
public class PermissionServiceImpl implements PermissionService {
@Resource
private PermissionMapper permissionMapper;
/** * 根據角色id查詢權限 * @param roleIds * @return */
@Override
public List<String> findByRoleId(List<Integer> roleIds) {
return permissionMapper.findByRoleId(roleIds);
}
}
複製代碼
狀態字段枚舉
public enum StatusEnums {
SUCCESS(200, "操做成功"),
SYSTEM_ERROR(500, "系統錯誤"),
ACCOUNT_UNKNOWN(500, "帳戶不存在"),
ACCOUNT_IS_DISABLED(13, "帳號被禁用"),
INCORRECT_CREDENTIALS(500,"用戶名或密碼錯誤"),
PARAM_ERROR(400, "參數錯誤"),
PARAM_REPEAT(400, "參數已存在"),
PERMISSION_ERROR(403, "沒有操做權限"),
NOT_LOGIN_IN(15, "帳號未登陸"),
OTHER(-100, "其餘錯誤");
@Getter
@Setter
private int code;
@Getter
@Setter
private String message;
StatusEnums(int code, String message) {
this.code = code;
this.message = message;
}
}
複製代碼
響應包裝方法
@Data
@AllArgsConstructor
public class ResponseCode<T> implements Serializable {
private Integer code;
private String message;
private Object data;
private ResponseCode(StatusEnums responseCode) {
this.code = responseCode.getCode();
this.message = responseCode.getMessage();
}
private ResponseCode(StatusEnums responseCode, T data) {
this.code = responseCode.getCode();
this.message = responseCode.getMessage();
this.data = data;
}
private ResponseCode(Integer code, String message) {
this.code = code;
this.message = message;
}
/** * 返回成功信息 * @param data 信息內容 * @param <T> * @return */
public static<T> ResponseCode success(T data) {
return new ResponseCode<>(StatusEnums.SUCCESS, data);
}
/** * 返回成功信息 * @return */
public static ResponseCode success() {
return new ResponseCode(StatusEnums.SUCCESS);
}
/** * 返回錯誤信息 * @param statusEnums 響應碼 * @return */
public static ResponseCode error(StatusEnums statusEnums) {
return new ResponseCode(statusEnums);
}
}
複製代碼
@Configuration
public class ShiroConfig {
/** * 路徑過濾規則 * @return */
@Bean
public ShiroFilterFactoryBean shiroFilter(SecurityManager securityManager) {
ShiroFilterFactoryBean shiroFilterFactoryBean = new ShiroFilterFactoryBean();
shiroFilterFactoryBean.setSecurityManager(securityManager);
// 若是不設置默認會自動尋找Web工程根目錄下的"/login.jsp"頁面
shiroFilterFactoryBean.setLoginUrl("/login");
shiroFilterFactoryBean.setSuccessUrl("/");
// 攔截器
Map<String, String> map = new LinkedHashMap<>();
// 配置不會被攔截的連接 順序判斷
map.put("/login", "anon");
// 過濾鏈定義,從上向下順序執行,通常將/**放在最爲下邊
// 進行身份認證後才能訪問
// authc:全部url都必須認證經過才能夠訪問; anon:全部url都均可以匿名訪問
map.put("/**", "authc");
shiroFilterFactoryBean.setFilterChainDefinitionMap(map);
return shiroFilterFactoryBean;
}
/** * 自定義身份認證Realm(包含用戶名密碼校驗,權限校驗等) * @return */
@Bean
public AuthRealm authRealm() {
return new AuthRealm();
}
@Bean
public SecurityManager securityManager() {
DefaultWebSecurityManager securityManager = new DefaultWebSecurityManager();
securityManager.setRealm(authRealm());
return securityManager;
}
/** * 開啓Shiro註解模式,能夠在Controller中的方法上添加註解 * @param securityManager * @return */
@Bean
public AuthorizationAttributeSourceAdvisor authorizationAttributeSourceAdvisor(SecurityManager securityManager){
AuthorizationAttributeSourceAdvisor authorizationAttributeSourceAdvisor = new AuthorizationAttributeSourceAdvisor();
authorizationAttributeSourceAdvisor.setSecurityManager(securityManager);
return authorizationAttributeSourceAdvisor;
}
}
複製代碼
這裏擴展一下權限攔截Filter的URL的一些說明
一、URL匹配規則
(1)「?」:匹配一個字符,如」/admin?」,將匹配「 /admin1」、「/admin2」,但不匹配「/admin」
(2)「」:匹配零個或多個字符串,如「/admin」,將匹配「 /admin」、「/admin123」,但不匹配「/admin/1」
(3)「」:匹配路徑中的零個或多個路徑,如「/admin/」,將匹配「/admin/a」、「/admin/a/b」
二、shiro過濾器
Filter | 解釋 |
---|---|
anon | 無參,開放權限,能夠理解爲匿名用戶或遊客 |
authc | 無參,須要認證 |
logout | 無參,註銷,執行後會直接跳轉到shiroFilterFactoryBean.setLoginUrl(); 設置的 url |
authcBasic | 無參,表示 httpBasic 認證 |
user | 無參,表示必須存在用戶,當登入操做時不作檢查 |
ssl | 無參,表示安全的URL請求,協議爲 https |
perms[user] | 參數可寫多個,表示須要某個或某些權限才能經過,多個參數時寫 perms["user, admin"],當有多個參數時必須每一個參數都經過纔算經過 |
roles[admin] | 參數可寫多個,表示是某個或某些角色才能經過,多個參數時寫 roles["admin,user"],當有多個參數時必須每一個參數都經過纔算經過 |
rest[user] | 根據請求的方法,至關於 perms[user:method],其中 method 爲 post,get,delete 等 |
port[8081] | 當請求的URL端口不是8081時,跳轉到schemal://serverName:8081?queryString 其中 schmal 是協議 http 或 https 等等,serverName 是你訪問的 Host,8081 是 Port 端口,queryString 是你訪問的 URL 裏的 ? 後面的參數 |
經常使用的主要就是 anon,authc,user,roles,perms 等
注意:anon, authc, authcBasic, user 是第一組認證過濾器,perms, port, rest, roles, ssl 是第二組受權過濾器,要經過受權過濾器,就先要完成登錄認證操做(即先要完成認證才能前去尋找受權) 才能走第二組受權器(例如訪問須要 roles 權限的 url,若是尚未登錄的話,會直接跳轉到 shiroFilterFactoryBean.setLoginUrl();
設置的 url )。
主要繼承AuthorizingRealm
,重寫裏面的方法doGetAuthorizationInfo
,doGetAuthenticationInfo
受權:doGetAuthorizationInfo
認證:doGetAuthenticationInfo
public class AuthRealm extends AuthorizingRealm {
@Resource
private UserService userService;
@Resource
private RoleService roleService;
@Resource
private PermissionService permissionService;
/** * 受權 * @param principalCollection * @return */
@Override
protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
User user = (User) principalCollection.getPrimaryPrincipal();
SimpleAuthorizationInfo authorizationInfo = new SimpleAuthorizationInfo();
// 根據用戶Id查詢角色信息
List<Role> roleList = roleService.findRoleByUserId(user.getId());
Set<String> roleSet = new HashSet<>();
List<Integer> roleIds = new ArrayList<>();
for (Role role : roleList) {
roleSet.add(role.getRole());
roleIds.add(role.getId());
}
// 放入角色信息
authorizationInfo.setRoles(roleSet);
// 放入權限信息
List<String> permissionList = permissionService.findByRoleId(roleIds);
authorizationInfo.setStringPermissions(new HashSet<>(permissionList));
return authorizationInfo;
}
/** * 認證 * @param authToken * @return * @throws AuthenticationException */
@Override
protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken authToken) throws AuthenticationException {
UsernamePasswordToken token = (UsernamePasswordToken) authToken;
// 根據用戶名查詢用戶信息
User user = userService.findByAccount(token.getUsername());
if (user == null) {
return null;
}
return new SimpleAuthenticationInfo(user, user.getPassword(), getName());
}
}
複製代碼
@RestController
public class LoginController {
/** * 登陸操做 * @param user * @return */
@RequestMapping(value = "/login", method = RequestMethod.POST)
public ResponseCode login(@RequestBody User user) {
Subject userSubject = SecurityUtils.getSubject();
UsernamePasswordToken token = new UsernamePasswordToken(user.getAccount(), user.getPassword());
try {
// 登陸驗證
userSubject.login(token);
return ResponseCode.success();
} catch (UnknownAccountException e) {
return ResponseCode.error(StatusEnums.ACCOUNT_UNKNOWN);
} catch (DisabledAccountException e) {
return ResponseCode.error(StatusEnums.ACCOUNT_IS_DISABLED);
} catch (IncorrectCredentialsException e) {
return ResponseCode.error(StatusEnums.INCORRECT_CREDENTIALS);
} catch (Throwable e) {
e.printStackTrace();
return ResponseCode.error(StatusEnums.SYSTEM_ERROR);
}
}
@GetMapping("/login")
public ResponseCode login() {
return ResponseCode.error(StatusEnums.NOT_LOGIN_IN);
}
@GetMapping("/auth")
public String auth() {
return "已成功登陸";
}
@GetMapping("/role")
@RequiresRoles("vip")
public String role() {
return "測試Vip角色";
}
@GetMapping("/permission")
@RequiresPermissions(value = {"add", "update"}, logical = Logical.AND)
public String permission() {
return "測試Add和Update權限";
}
/** * 登出 * @return */
@GetMapping("/logout")
public ResponseCode logout() {
getSubject().logout();
return ResponseCode.success();
}
}
複製代碼
一、登陸:http://localhost:8081/login
{
"account":"123",
"password":"232"
}
複製代碼
二、其餘的是get請求,直接發URL就行啦。
已經過接口測試,你們可放心食用。
推薦閱讀:
張開濤老的《跟我學Shiro》jinnianshilongnian.iteye.com/blog/201893…
To be continued
做者:鳥不拉屎 出處: https://juejin.im/user/5b3de9155188251aa0161fe4
本文版權歸做者和掘金共有,歡迎轉載,但未經做者贊成必須保留此段聲明,且在文章頁面明顯位置給出原文鏈接,不然保留追究法律責任的權利。若是以爲還有幫助的話,能夠點一下左上角的【點贊】。