如何从表中检索特定列--- JPA或CrudRepository?我想只从用户表中检索电子邮件列

时间:2018-01-21 11:39:27

标签: mysql spring spring-boot spring-data-jpa crud

用户模型

@Entity
@Table(name = "user",uniqueConstraints = {@UniqueConstraint(columnNames = {"email"}) })
public class User implements Serializable{

    /**
     * 
     */
    private static final long serialVersionUID = 382892255440680084L;

    private int id;
    private String email;
    private String userName;

    private Set<Role> roles = new HashSet<Role>();

    public User() {}

    }

我相应的用户回购:

    package hello.repository;

    import org.springframework.data.repository.CrudRepository;

    import hello.model.User;

    public interface UserRepository extends CrudRepository<User,Long> {

    }

在控制器中我做:

@GetMapping(path="/all")
    public @ResponseBody Iterable<User> getAllUsers() {
        // This returns a JSON or XML with the users
        return userRepository.findAll();
    }

我发现这会检索整个用户表。但这不是我想要的。我的要求只是用户表中的电子邮件列。

如何仅从用户表中检索电子邮件? ---&GT; SQL查询,如来自用户的SELECT电子邮件;

2 个答案:

答案 0 :(得分:1)

使用@Query中的UserRepository annoatation创建一个查询,如下所示:

public interface UserRepository extends CrudRepository<User,Long> {
   @Query("select u.email from User u")
   List<String> getAllEmail();
}

在你的控制器中调用它

@GetMapping(path="/user/email")
public @ResponseBody List<String> getAllEmail() {
    return userRepository.getAllEmail();
}

答案 1 :(得分:0)

如果您不想撰写查询,可以使用projections仅检索所需字段:

public interface UserProjection {
    String getEmail();
}

public interface UserRepo extends CrudRepository<User, Long> {

   List<UserProjection> getUserDtoBy();
   Projection getUserDtoById(Long userId);

   // Even in dynamic way:
   <T> List<T> getUserDtoBy(Class<T> type);
   <T> T getUserDtoById(Long userId, Class<T> type);
}

然后它只选择指定的字段。对于上面的投影示例,它将生成如下的SQL查询:

select p.email from users u ...

原因是,您始终可以指定自定义查询以仅选择一个字段(如@AjitSoman所说):

@Query("select distinct u.email from User u)
List<String> getAllEmails();

(我认为此处不需要重复值......)