1. 程式人生 > >MyBatis細細研磨(2)——增刪改查

MyBatis細細研磨(2)——增刪改查

MyBatis細細研磨(1)——快速構建中,對MyBatis作了初步入門的介紹,環境的搭建和一個簡單的新增功能,本次詳細的介紹CRUD的使用

在上個範例中,只使用了XML的方式,呼叫SQL語句,也是直接呼叫,並沒有寫持久層的程式碼

1.將XML於java程式碼結合使用

  • 建立持久層介面程式碼
package com.funshion.dao;
import com.funshion.model.User;
public interface UserDao {
    public int insert(User user);
}
  • 直接呼叫介面程式碼
@Test
public void testInsertByJava() {
    User user = new User();
    user.setId(3l);
    user.setAge(12);
    user.setName("王五");
    UserDao userDao = sqlSession.getMapper(UserDao.class);
    userDao.insert(user);
    sqlSession.commit();
}

如程式碼中所示,我們使用sqlSessiongetMapper方法,就是獲取到UserDao,呼叫insert

方法進行操作

注意:

對映檔名要與MyBatis配置檔案中的名稱要一致

image.png

對映檔案中的namespace要與類名一致

image.png

2.使用註解
對於一些簡單的SQL,使用XML就顯得非常繁瑣了,使用註解就會非常簡單方便

@Insert("insert into bd_user(id,name,age) values(#{id},#{name},#{age})")
public int insertWithAnnotation(User user);
  1. 新增時獲取資料庫自動生成的主鍵值
    將資料庫中的主鍵設定為自動遞增
    • XML方式
<insert id="insertAndGetId" useGeneratedKeys="true" keyProperty="id" keyColumn="id">
    insert into bd_user(name,age) values(#{name},#{age})
</insert>
  • 註解方式
@Insert("insert into bd_user(id,name,age) values(#{id},#{name},#{age})")
@Options(useGeneratedKeys=true,keyProperty="id",keyColumn="id")
public int insertWithAnnotationAndGetId(User user);
4.查詢 - 根據ID查詢一條記錄
@Select("select * from bd_user where id=#{id}")
public User get(Long id);
  • 查詢多條資料
<select id="list" resultType="com.funshion.model.User">
    select * from bd_user
</select>
public List<User> list();
  • 多條件查詢
    多條件查詢時要使用 Param註解
@Select("select * from bd_user where age=#{age} and name=#{name}")
public User selectByCondition(@Param("name")String name,@Param("age")int age);
  1. 更新
@Update("update bd_user set name=#{name},age=#{age} where id=#{id}")
public int update(User user);

6.刪除

@Delete("delete from bd_user where id=#{id}")
public int delete(Long id);

上述中為最基本,最簡單的CRUD操作,也是日常業務開發中必不可少的東西。在日常的開發中,查詢是用的最多,也是最繁瑣的,尤其是具有關聯關係的查詢。