Mybatis的多表操作2
阿新 • • 發佈:2021-01-13
一、Mybatis的多對多操作
例: 一個使用者可以有多個角色
一個角色可以賦予多個使用者
方法:
1、建立兩張表:使用者表,角色表
讓使用者表和角色表具有多對多的關係。需要使用中間表,中間表中包含各自的主鍵,在中間表中是外來鍵。
2、建立兩個實體類:使用者實體類和角色實體類
讓使用者和角色的實體類能體現出來多對多的關係
各自包含對方一個集合引用
//role角色表 private Integer roleId; private String roleName; private String roleDesc; //多對多的關係對映 一個角色可以賦予多個使用者 private List<User> users;
//使用者表實體
private Integer id;
private String username;
private String address;
private String sex;
private Date birthday;
//多對多的關係對映,一個使用者可以具備多個角色
private List<Role> roles;
3、建立兩個配置檔案
使用者的配置檔案
角色的配置檔案
4、實現配置
當我們查詢使用者時,可以同時得到使用者所包含的角色資訊
<mapper namespace="com.rpf.dao.UserDao"> <!--定義User的ResuleMap--> <resultMap id="userMap" type="user"> <id property="id" column="id"></id> <result property="username" column="username"></result> <result property="address" column="address"></result> <result property="sex" column="sex"></result> <result property="birthday" column="birthday"></result> <collection property="roles" ofType="role"> <id property="roleId" column="rid"></id> <result property="roleName" column="role_name"></result> <result property="roleDesc" column="role_desc"></result> </collection> </resultMap> <!--配置查詢所有--> <select id="findAll" resultMap="userMap"><!--resultType="com.rpf.domain.User"--> select u.*,r.id as rid,r.role_name,r.role_desc from user u left outer join user_role ur on u.id =ur.uid left outer join role r on r.id=ur.rid </select> </mapper>
當我們查詢角色時,可以同時得到角色的所賦予的使用者資訊
<mapper namespace="com.rpf.dao.RoleDao"> <!--查詢所有--> <resultMap id="roleMap" type="Role"> <id property="roleId" column="rid"></id> <result property="roleName" column="role_name"></result> <result property="roleDesc" column="role_desc"></result> <collection property="users" ofType="user"> <id column="id" property="id"></id> <result column="username" property="username"></result> <result column="address" property="address"></result> <result column="sex" property="sex"></result> <result column="birthday" property="birthday"></result> </collection> </resultMap> <select id="findAll" resultMap="roleMap"> select u.*,r.id as rid,r.role_name,r.role_desc from role r left outer join user_role ur on r.id =ur.rid left outer join user u on u.id=ur.uid </select>
5、測試 查詢使用者時同時顯示使用者的角色資訊
@Test
public void findAll(){
List<User> users=userDao.findAll();
for (User user:users){
System.out.println(user);
System.out.println(user.getRoles());
}
}