Не удалось написать JSON: не удалось лениво инициализировать коллекцию - PullRequest
0 голосов
/ 01 июня 2018

Я работаю с Spring Boot 1.5.10, Spring Data JPA и Hibernate.

Когда я ищу по Id сущность Person, результат верен, но когда я пытаюсь построить запрос с помощью List, мойзапрос на возврат исключения:

Failed to write HTTP message: 
org.springframework.http.converter.HttpMessageNotWritableException: 
Could not write JSON: failed to lazily initialize a collection of role: us.icitap.entities.tims.Person.otherNames, could not initialize proxy - no Session; 
nested exception is com.fasterxml.jackson.databind.JsonMappingException: failed to lazily initialize a collection of role: us.icitap.entities.tims.Person.otherNames, could not initialize proxy - no Session (through reference chain: java.util.ArrayList[0]->us.icitap.entities.tims.Person["otherNames"])

Код организации, над которой я работаю:

@Entity
@Table(name="PERSON", schema = "TIMS")
@NamedQuery(name="Person.findAll", query="SELECT p FROM Person p")
public class Person extends PersonAbstract {

    private static final long serialVersionUID = 1L;

    //bi-directional many-to-one association to PersonOtherName
    @OneToMany(mappedBy="person")
    private List<PersonOtherName> otherNames;

    //bi-directional many-to-one association to Photo
    @OneToMany(mappedBy="person")
    private List<Photo> photos;

    //bi-directional many-to-one association to TravelDocument
    @OneToMany(mappedBy="person")
    private List<TravelDocument> travelDocuments;

    public Person() {
    }

    public List<PersonOtherName> getOtherNames() {
        return this.otherNames;
    }

    public void setOtherNames(List<PersonOtherName> otherNames) {
        this.otherNames = otherNames;
    }

    public PersonOtherName addOtherName(PersonOtherName otherName) {
        getOtherNames().add(otherName);
        otherName.setPerson(this);
        return otherName;
    }

    public PersonOtherName removeOtherName(PersonOtherName otherName) {
        getOtherNames().remove(otherName);
        otherName.setPerson(null);
        return otherName;
    }

    public List<Photo> getPhotos() {
        return this.photos;
    }

    public void setPhotos(List<Photo> photos) {
        this.photos = photos;
    }

    public Photo addPhoto(Photo photo) {
        getPhotos().add(photo);
        photo.setPerson(this);
        return photo;
    }

    public Photo removePhoto(Photo photo) {
        getPhotos().remove(photo);
        photo.setPerson(null);
        return photo;
    }

    public List<TravelDocument> getTravelDocuments() {
        return this.travelDocuments;
    }

    public void setTravelDocuments(List<TravelDocument> travelDocuments) {
        this.travelDocuments = travelDocuments;
    }

    public TravelDocument addTravelDocument(TravelDocument travelDocument) {
        getTravelDocuments().add(travelDocument);
        travelDocument.setPerson(this);
        return travelDocument;
    }

    public TravelDocument removeTravelDocument(TravelDocument travelDocument) {
        getTravelDocuments().remove(travelDocument);
        travelDocument.setPerson(null);
        return travelDocument;
    }
}

Соответствующая часть услуги:

@SuppressWarnings("unchecked")
@Override
public List<Person> searchByExpression(List<Criterion> expressions) {
    Session session = entityManager.unwrap(Session.class);
    List<Person> persons = null;
    try {
        Criteria criteria = session.createCriteria(Person.class);
        for (Criterion simpleExpression : expressions) {
            criteria.add(simpleExpression);
        }
        persons = criteria.list();                      
    }catch (Exception e) {
        e.printStackTrace();            
    }
    session.close();
    return persons;
}

@Override
public Person searchPersonById(Long id) {       
    return personRepository.findOne(id);
}

контроллер:

@RestController
@RequestMapping("/tims/person")
public class PersonController {

    @Autowired
    private PersonService personService;

    @RequestMapping(value="/searchPersonById/{id}", method = RequestMethod.GET)
    public ResponseEntity<Person> searchById(@PathVariable("id") Long id) {
        try {
            Person person = this.personService.searchPersonById(id);
            if (person == null)
                return new ResponseEntity<Person>(null, null, HttpStatus.NOT_FOUND);
            else 
                return new ResponseEntity<Person>(person, null, HttpStatus.OK);
        }catch(Exception e){
            HttpHeaders httpHeaders = new HttpHeaders();
            httpHeaders.set("Exception", e.getMessage());
            ResponseEntity<Person> respond = new ResponseEntity<Person>(null, httpHeaders, HttpStatus.INTERNAL_SERVER_ERROR);
            return respond;
        }
    }

    @RequestMapping("/searchPersonByGenerality")
    public ResponseEntity<List<Person>> searchPersonByGenerality(String pid, String name, String surname, GenderEnum gender, String dateOfBirth){
        List<Person> persons = null;
        Date date = null;
        try {
            if(dateOfBirth != null) {
                SimpleDateFormat df = new SimpleDateFormat("dd.MM.yyyy");
                date = df.parse(dateOfBirth);
            }
        }catch (Exception e) {
            System.err.println(e.getMessage());
        }

        try {
            if (pid != null && !pid.isEmpty()) {
                persons = this.personService.searchPersons(pid, name, surname, gender, date);
                return new ResponseEntity<List<Person>>(persons, null, HttpStatus.OK);
            }
            int valid = 0;
            List<Criterion> expressions = new ArrayList<>();
            if(name != null & !name.isEmpty()) {
                name = name.toUpperCase();
                valid = valid + 5;
                if (name.contains("%") || name.contains("_")) {                 
                    expressions.add(Restrictions.sqlRestriction("translate({alias}.name, 'ËÇ', 'EC') like '" + MyString.transformAccentsLetter(name) + "'"));
                }else 
                    expressions.add(Restrictions.sqlRestriction("translate({alias}.name, 'ËÇ', 'EC') = '" + MyString.transformAccentsLetter(name) + "'"));
            }
            if(surname != null & !surname.isEmpty()) {
                surname = surname.toUpperCase();
                valid = valid + 5;
                if (surname.contains("%") || surname.contains("_")) {
                    expressions.add(Restrictions.sqlRestriction("translate({alias}.surname, 'ËÇ', 'EC') like '" + MyString.transformAccentsLetter(surname) + "'"));
                }else 
                    expressions.add(Restrictions.sqlRestriction("translate({alias}.surname, 'ËÇ', 'EC') = '" + MyString.transformAccentsLetter(surname) + "'"));
            }
            if (gender != null) {
                valid = valid + 2;
                expressions.add(Restrictions.eq("gender", gender));
            }
            if (date != null) {
                valid = valid + 3;
                expressions.add(Restrictions.between("dateOfBirth", atStartOfDay(date), atEndOfDay(date)));
            }
            persons = personService.searchByExpression(expressions);
            return new ResponseEntity<List<Person>>(persons, null, HttpStatus.OK);
        } catch (Exception e) {
            HttpHeaders httpHeaders = new HttpHeaders();
            httpHeaders.set("Exception", e.getMessage());
            ResponseEntity<List<Person>> respond = new ResponseEntity<List<Person>>(null, httpHeaders,
                    HttpStatus.INTERNAL_SERVER_ERROR);
            return respond;
        }
    }
}

Может кто-нибудь помочь мне найти, что происходит в моем коде?

Ответы [ 2 ]

0 голосов
/ 30 июня 2018

Это стратегия по умолчанию для извлечения данных из базы данных в отношении @OneToMany, данные должны извлекаться лениво при первом обращении к ним, и в этом случае вы пытаетесь сериализовать объект после закрытия сеанса.Попробуйте установить EAGER стратегию выборки для этого свойства (подробнее см. this ):

@OneToMany(fetch = FetchType.EAGER, mappedBy="person")
private List<PersonOtherName> otherNames;

В качестве альтернативы, вы можете принудительно инициализировать прокси-сервер для этой конкретной службы дозакрытие сессии:

Hibernate.initialize(person.getOtherNames());

Если вам не нужно показывать эти данные в интерфейсе, более эффективное решение не будет даже сериализовывать их:

@JsonIgnore
@OneToMany(mappedBy="person")
private List<PersonOtherName> otherNames;
0 голосов
/ 01 июня 2018

Проверьте ваше исключение, оно говорит: could not initialize proxy - no Session.Это означает, что ваш сеанс не инициализирован должным образом.

Попробуйте отладить ваше приложение и посмотрите, что произойдет, когда вы запустите

Session session = entityManager.unwrap(Session.class);
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...