溫馨提示×

如何在MyBatis中實現(xiàn)BaseDao接口

小樊
94
2024-09-10 03:00:12
欄目: 編程語言

在 MyBatis 中實現(xiàn) BaseDao 接口,可以遵循以下步驟:

  1. 創(chuàng)建一個通用的 BaseDao 接口,定義一些基本的 CRUD 操作。
public interface BaseDao<T> {
    int insert(T entity);
    int update(T entity);
    int delete(int id);
    T findById(int id);
    List<T> findAll();
}
  1. 創(chuàng)建一個通用的 Mapper XML 文件,實現(xiàn) BaseDao 接口中的方法。
<!-- BaseMapper.xml -->
<mapper namespace="com.example.dao.BaseDao">
   <insert id="insert" parameterType="T">
        INSERT INTO ${tableName} (...)
        VALUES (...)
    </insert>

   <update id="update" parameterType="T">
        UPDATE ${tableName}
        SET ...
        WHERE id = #{id}
    </update>

   <delete id="delete">
        DELETE FROM ${tableName}
        WHERE id = #{id}
    </delete>

   <select id="findById" resultType="T">
        SELECT * FROM ${tableName}
        WHERE id = #{id}
    </select>

   <select id="findAll" resultType="T">
        SELECT * FROM ${tableName}
    </select>
</mapper>
  1. 為每個實體類創(chuàng)建一個 Dao 接口,繼承 BaseDao 接口。
public interface UserDao extends BaseDao<User> {
}
  1. 為每個實體類創(chuàng)建一個 Mapper XML 文件,指定對應(yīng)的表名和命名空間。
<!-- UserMapper.xml -->
<mapper namespace="com.example.dao.UserDao">
   <property name="tableName" value="user"/>
    <!-- 引入 BaseMapper.xml 中的 SQL 語句 -->
   <include resource="BaseMapper.xml"/>
</mapper>
  1. 在 MyBatis 配置文件中注冊這些 Mapper。
<!-- mybatis-config.xml --><configuration>
    <mappers>
        <mapper resource="com/example/dao/UserMapper.xml"/>
        <!-- 其他實體類的 Mapper 文件 -->
    </mappers>
</configuration>
  1. 在 Service 層或其他需要使用 Dao 的地方,通過依賴注入的方式獲取 Dao 實例。
@Service
public class UserService {
    @Autowired
    private UserDao userDao;

    public void createUser(User user) {
        userDao.insert(user);
    }

    // 其他業(yè)務(wù)邏輯
}

這樣,你就可以在 MyBatis 中實現(xiàn)一個通用的 BaseDao 接口,并為每個實體類提供相應(yīng)的 Dao 實現(xiàn)。

0