版权声明:本文为博主原创文章,未经博主允许不得转载。 https://blog.csdn.net/qq_34173549/article/details/81666533
spring data jpa @Query注解中delete语句报错
项目中需要删除掉表中的一些数据
@Query("delete from EngineerServices es where es.engineerId = ?1")
int deleteByEgId(String engineerId);
但是提示了错误
org.hibernate.hql.QueryExecutionRequestException: Not supported for DML operations
通过查阅相关的资料发现,对于执行update和delete语句需要添加@Modifying注解
@Modifying
不过,添加之后运行又出现了另一个错误
nested exception is javax.persistence.TransactionRequiredException: Executing an update/delete query
发现缺少Transaction,于是添加@Transactional
@Transactional
到此,这条delete语句终于可以成功的执行了。
代码示例:
package com.easy.kotlin.chapter11_kotlin_springboot.dao
import com.easy.kotlin.chapter11_kotlin_springboot.entity.Image
import org.springframework.data.domain.Page
import org.springframework.data.domain.Pageable
import org.springframework.data.jpa.repository.Modifying
import org.springframework.data.jpa.repository.Query
import org.springframework.data.repository.PagingAndSortingRepository
import org.springframework.data.repository.query.Param
import org.springframework.transaction.annotation.Transactional
/** Created by jack on 2017/7/17.
@Query注解里面的value和nativeQuery=true,意思是使用原生的sql查询语句.
sql模糊查询like语法,我们在写sql的时候是这样写的
like '%?%'
但是在@Query的value字符串中, 这样写
like %?1%
另外,要注意的是: 对于执行update和delete语句需要添加@Modifying注解
*/
interface ImageRepository : PagingAndSortingRepository<Image, Long> {
@Query("SELECT a from #{#entityName} a where a.isDeleted=0 and a.category like %?1%")
fun findByCategory(category: String): MutableList<Image>
@Query("select count(*) from #{#entityName} a where a.isDeleted=0 and a.url = ?1")
fun countByUrl(url: String): Int
@Query("SELECT a from #{#entityName} a where a.isDeleted=0 and a.category like %:searchText%")
fun search(@Param("searchText") searchText: String, pageable: Pageable): Page<Image>
@Query("SELECT a from #{#entityName} a where a.isDeleted=0 and a.isFavorite=1")
fun findAllFavorite(pageable: Pageable): Page<Image>
@Query("SELECT a from #{#entityName} a where a.isDeleted=0 and a.isFavorite=1 and a.category like %:searchText%")
fun searchFavorite(@Param("searchText") searchText: String, pageable: Pageable): Page<Image>
@Modifying
@Transactional
@Query("update #{#entityName} a set a.isFavorite=1 where a.id=?1")
fun addFavorite(id: Long)
@Modifying
@Transactional
@Query("delete from #{#entityName} a where a.id=?1")
fun delete(id: Long)
}