javax.persistence.EntityGraph Java Examples

The following examples show how to use javax.persistence.EntityGraph. You can vote up the ones you like or vote down the ones you don't like, and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: TestEntityGraph.java    From HibernateTips with MIT License 8 votes vote down vote up
@SuppressWarnings("unchecked")
@Test
public void selectWithEntityGraph() {
	log.info("... selectWithEntityGraph ...");

	EntityManager em = emf.createEntityManager();
	em.getTransaction().begin();

	EntityGraph<Author> graph = em.createEntityGraph(Author.class);
	graph.addAttributeNodes(Author_.books);
	
	TypedQuery<Author> q = em.createQuery("SELECT a FROM Author a WHERE a.id = 1", Author.class);
	q.setHint("javax.persistence.fetchgraph", graph);
	Author a = q.getSingleResult();
	
	em.getTransaction().commit();
	em.close();
	
	log.info(a.getFirstName()+" "+a.getLastName()+" wrote "+a.getBooks().size()+" books.");
}
 
Example #2
Source File: PhoneBookService.java    From jpa-addressbook with The Unlicense 6 votes vote down vote up
/**
 * Fetches an instance of given PhoneBookEntry with all lazy 
 * loaded properties loaded.
 * @param entry
 * @return the fully loaded instance
 */
public PhoneBookEntry loadFully(PhoneBookEntry entry) {
    // To get lazy loaded fields initialized, you have couple of options,
    // all with pros and cons, 3 of them presented here.

    // 1) use an explicit join query (with EntityManager or @Query annotation
    //    in repository method.
    //    em.createQuery("select e from PhoneBookEntry e LEFT JOIN FETCH e.groups where e.id = :id", PhoneBookEntry.class);
    //    ...
    // 2) use EntityGraph's introduced in JPA 2.1, here constructed dynamically
    //    and passed via QueryResult object from DeltaSpike Data. You can 
    //    also use entity graphs with @Query annotation in repositories or
    //    with raw EntityManager API.
    EntityGraph<PhoneBookEntry> graph = this.em.createEntityGraph(
            PhoneBookEntry.class);
    graph.addSubgraph("groups");
    entry = entryRepo.findById(entry.getId())
            .hint("javax.persistence.loadgraph", graph)
            .getSingleResult();

    // 3) ..or use the infamous size() hack that all of us actually do :-)
    entry.getAddresses().size();

    return entry;
}
 
Example #3
Source File: TestEntityGraph.java    From HibernateTips with MIT License 6 votes vote down vote up
@Test
public void selectWithNamedEntityGraph() {
	log.info("... selectWithNamedEntityGraph ...");

	EntityManager em = emf.createEntityManager();
	em.getTransaction().begin();

	EntityGraph<?> graph = em.createEntityGraph("graph.AuthorBooks");
	TypedQuery<Author> q = em.createQuery("SELECT a FROM Author a WHERE a.id = 1", Author.class);
	q.setHint("javax.persistence.fetchgraph", graph);
	Author a = q.getSingleResult();
	
	em.getTransaction().commit();
	em.close();
	
	log.info(a.getFirstName()+" "+a.getLastName()+" wrote "+a.getBooks().size()+" books.");
}
 
Example #4
Source File: MetamodelImpl.java    From lams with GNU General Public License v2.0 6 votes vote down vote up
@Override
@SuppressWarnings("unchecked")
public <T> List<EntityGraph<? super T>> findEntityGraphsByType(Class<T> entityClass) {
	final EntityType<T> entityType = entity( entityClass );
	if ( entityType == null ) {
		throw new IllegalArgumentException( "Given class is not an entity : " + entityClass.getName() );
	}

	final List<EntityGraph<? super T>> results = new ArrayList<>();

	for ( EntityGraph entityGraph : entityGraphMap.values() ) {
		if ( !EntityGraphImplementor.class.isInstance( entityGraph ) ) {
			continue;
		}

		final EntityGraphImplementor egi = (EntityGraphImplementor) entityGraph;
		if ( egi.appliesTo( entityType ) ) {
			results.add( egi );
		}
	}

	return results;
}
 
Example #5
Source File: ViewPostBean.java    From ee7-sandbox with Apache License 2.0 6 votes vote down vote up
public void init() {
        log.info("call init, id @" + id);
        if (id != null) {
            //this.post = em.find(Post.class, this.id);
            EntityGraph postEntityGraph=em.getEntityGraph("post");
//            EntityGraph postEntityGraph=em.createEntityGraph(Post.class);
//            postEntityGraph.addAttributeNodes("title");
//            postEntityGraph.addSubgraph("comments").addAttributeNodes("content");
            
            this.post=em
                    .createQuery("select p from Post p where p.id=:id", Post.class)
                    .setHint("javax.persistence.loadgraph", postEntityGraph)
                    .setParameter("id", this.id)
                    .getResultList()
                    .get(0);
            
            PersistenceUnitUtil util=em.getEntityManagerFactory().getPersistenceUnitUtil();
            
            log.info("title is loadded@"+util.isLoaded(this.post, "title"));
            log.info("body is loadded@"+util.isLoaded(this.post, "body"));
            log.info("comments is loadded@"+util.isLoaded(this.post, "comments"));
        } else {
            throw new RuntimeException("id is required");
        }
    }
 
Example #6
Source File: ActionListDAOJpaImpl.java    From rice with Educational Community License v2.0 6 votes vote down vote up
/**
 * {@inheritDoc}
 */
@Override
public DocumentRouteHeaderValue getMinimalRouteHeader(String documentId) {
    // This graph is defined on the DocumentRouteHeaderValue class.
    EntityGraph<DocumentRouteHeaderValue> entityGraph =
            (EntityGraph<DocumentRouteHeaderValue>) entityManager.createEntityGraph("DocumentRouteHeaderValue.ActionListAttributesOnly");
    TypedQuery<DocumentRouteHeaderValue> query = entityManager.createQuery("SELECT rh FROM DocumentRouteHeaderValue rh WHERE rh.documentId = :documentId", DocumentRouteHeaderValue.class );
    // By using the graph - all properties but those on the graph should have
    // a lazy proxy in place.  Attempting to access any of those *should* cause the
    // rest of the properties to load.
    query.setHint("javax.persistence.fetchgraph", entityGraph);
    query.setParameter("documentId", documentId);
    List<DocumentRouteHeaderValue> result = query.getResultList();
    if ( result.isEmpty() ) {
        return null;
    }
    return result.get(0);
}
 
Example #7
Source File: UsersResourceTest.java    From bouncr with Eclipse Public License 1.0 6 votes vote down vote up
@Test
void findByNoSuchGroupId() {
    CriteriaQuery query = mock(CriteriaQuery.class);
    TypedQuery typedQuery = mock(TypedQuery.class);
    EntityGraph graph = mock(EntityGraph.class);
    Root<User> userRoot = mock(Root.class);

    EntityManager em = MockFactory.createEntityManagerMock(typedQuery, graph, query, userRoot);
    UsersResource resource = new UsersResource();

    UserSearchParams params = builder(new UserSearchParams())
            .set(UserSearchParams::setGroupId, 10L)
            .build();
    UserPermissionPrincipal principal = new UserPermissionPrincipal(1L, "admin", Map.of(), Set.of("any_user:read"));
    resource.handleOk(params, principal, em);
    verify(userRoot).join(eq("groups"));
}
 
Example #8
Source File: StaticEntityRepositoryImpl.java    From we-cmdb with Apache License 2.0 6 votes vote down vote up
private void queryJoin(CriteriaBuilder cb, CriteriaQuery query, From from, FilterPath path, EntityGraph<?> eg, Subgraph sg, List<Predicate> predicates) {
    String joinAttr = path.getJoinAttr();
    From joinPath = null;
    if (".".equals(joinAttr)) {
        joinPath = from;
    } else {
        if (sg == null) {
            sg = eg.addSubgraph(path.getJoinAttr());
        } else {
            sg = sg.addSubgraph(path.getJoinAttr());
        }
        joinPath = from.join(path.getJoinAttr());
    }
    applyFilter(cb, query, path.getFilters(), joinPath, predicates);
    if (path.getJoinChildren() != null && path.getJoinChildren().size() > 0) {
        for (FilterPath fp : path.getJoinChildren()) {
            queryJoin(cb, query, joinPath, fp, eg, sg, predicates);
        }
    }
}
 
Example #9
Source File: SignInService.java    From bouncr with Eclipse Public License 1.0 5 votes vote down vote up
public Map<String, List<String>> getPermissionsByRealm(User user) {
    CriteriaBuilder cb = em.getCriteriaBuilder();
    CriteriaQuery<Assignment> assignmentCriteria = cb.createQuery(Assignment.class);
    Root<Assignment> assignmentRoot = assignmentCriteria.from(Assignment.class);
    Join<Group, Assignment> groupJoin = assignmentRoot.join("group");
    Join<User, Group> userJoin = groupJoin.join("users");
    assignmentRoot.fetch("role").fetch("permissions");
    assignmentCriteria.where(cb.equal(userJoin.get("id"), user.getId()));

    EntityGraph<Assignment> assignmentGraph = em.createEntityGraph(Assignment.class);
    assignmentGraph.addAttributeNodes("realm", "role");
    Subgraph<Role> roleGraph = assignmentGraph.addSubgraph("role");
    roleGraph.addAttributeNodes("permissions");
    Subgraph<Permission> permissionsGraph = roleGraph.addSubgraph("permissions");
    permissionsGraph.addAttributeNodes("name");

    return em.createQuery(assignmentCriteria)
            .setHint("javax.persistence.cache.storeMode", CacheStoreMode.REFRESH)
            .setHint("javax.persistence.fetchgraph", assignmentGraph)
            .getResultStream()
            .collect(Collectors.groupingBy(Assignment::getRealm))
            .entrySet()
            .stream()
            .collect(Collectors.toMap(
                    e -> e.getKey().getId().toString(),
                    e -> new ArrayList<>(e.getValue().stream()
                            .flatMap(v -> v.getRole().getPermissions().stream())
                            .map(Permission::getName)
                            .collect(Collectors.toSet()))));
}
 
Example #10
Source File: AbstractQueryExecutorImpl.java    From katharsis-framework with Apache License 2.0 5 votes vote down vote up
protected void applyFetchPaths(Query criteriaQuery) {
	EntityGraph<T> graph = em.createEntityGraph(getEntityClass());
	for (MetaAttributePath fetchPath : fetchPaths) {
		applyFetchPaths(graph, fetchPath);
	}
	criteriaQuery.setHint("javax.persistence.fetchgraph", graph);
}
 
Example #11
Source File: GroupsResource.java    From bouncr with Eclipse Public License 1.0 5 votes vote down vote up
@Decision(HANDLE_OK)
public List<Group> handleOk(GroupSearchParams params, UserPermissionPrincipal principal, EntityManager em) {
    CriteriaBuilder cb = em.getCriteriaBuilder();
    CriteriaQuery<Group> query = cb.createQuery(Group.class);
    Root<Group> groupRoot = query.from(Group.class);
    query.distinct(true);
    query.orderBy(cb.asc(groupRoot.get("id")));

    List<ResourceField> embedEntities = some(params.getEmbed(), embed -> new ResourceFilter().parse(embed))
            .orElse(Collections.emptyList());
    EntityGraph<Group> groupGraph = em.createEntityGraph(Group.class);
    groupGraph.addAttributeNodes("name", "description");

    List<Predicate> predicates = new ArrayList<>();
    if (!principal.hasPermission("any_group:read")) {
        Join<User, Group> userJoin = groupRoot.join("users");
        predicates.add(cb.equal(userJoin.get("id"), principal.getId()));
    }

    Optional.ofNullable(params.getQ())
            .ifPresent(q -> {
                String likeExpr = "%" + q.replaceAll("%", "_%") + "%";
                predicates.add(cb.like(groupRoot.get("name"), likeExpr, '_'));
            });
    if (!predicates.isEmpty()) {
        query.where(predicates.toArray(Predicate[]::new));
    }


    if (embedEntities.stream().anyMatch(r -> r.getName().equalsIgnoreCase("users"))) {
        groupGraph.addAttributeNodes("users");
        groupGraph.addSubgraph("users")
                .addAttributeNodes("account");
    }
    return em.createQuery(query)
            .setHint("javax.persistence.fetchgraph", groupGraph)
            .setFirstResult(params.getOffset())
            .setMaxResults(params.getLimit())
            .getResultList();
}
 
Example #12
Source File: EntityGraphQueryHint.java    From lams with GNU General Public License v2.0 5 votes vote down vote up
public EntityGraphQueryHint(String hintName, EntityGraph<?> originEntityGraph) {
	assert hintName != null;
	assert HINT_FETCHGRAPH.equals( hintName ) || HINT_LOADGRAPH.equals( hintName );

	this.hintName = hintName;
	this.originEntityGraph = originEntityGraph;
}
 
Example #13
Source File: JtaEntityManager.java    From tomee with Apache License 2.0 5 votes vote down vote up
@Override
public <T> EntityGraph<T> createEntityGraph(final Class<T> rootType) {
    final Timer timer = Op.createEntityGraph.start(this.timer, this);
    try {
        return getEntityManager().createEntityGraph(rootType);
    } finally {
        timer.stop();
    }
}
 
Example #14
Source File: AccountDAO.java    From Hands-On-High-Performance-with-Spring-5 with MIT License 5 votes vote down vote up
@Override
public Account findAccountUsingNamedEntityGraph(Long accountId) {
	EntityGraph<?> entityGraph =  getEntityManager().createEntityGraph("graph.transactions");
	Query query = getEntityManager().createQuery("SELECT a FROM Account AS a WHERE a.accountId=:accountId", Account.class);
	query.setHint("javax.persistence.fetchgraph", entityGraph);
	query.setParameter("accountId", accountId);
	return (Account)query.getSingleResult();
}
 
Example #15
Source File: SessionImpl.java    From lams with GNU General Public License v2.0 5 votes vote down vote up
@Override
public EntityGraph<?> createEntityGraph(String graphName) {
	checkOpen();
	final EntityGraph named = getEntityManagerFactory().findEntityGraphByName( graphName );
	if ( named == null ) {
		return null;
	}

	if ( EntityGraphImplementor.class.isInstance( named ) ) {
		return ( (EntityGraphImplementor) named ).makeMutableCopy();
	}
	else {
		return named;
	}
}
 
Example #16
Source File: StageSessionImpl.java    From hibernate-reactive with GNU Lesser General Public License v2.1 5 votes vote down vote up
@Override
public <T> CompletionStage<T> find(EntityGraph<T> entityGraph, Object id) {
	Class<T> entityClass = ((RootGraphImplementor<T>) entityGraph).getGraphedType().getJavaType();
	return delegate.reactiveFind( entityClass, id, null,
			singletonMap( GraphSemantic.FETCH.getJpaHintName(), entityGraph )
	);
}
 
Example #17
Source File: JtaEntityManager.java    From tomee with Apache License 2.0 5 votes vote down vote up
@Override
public EntityGraph<?> createEntityGraph(final String graphName) {
    final Timer timer = Op.createEntityGraph.start(this.timer, this);
    try {
        return getEntityManager().createEntityGraph(graphName);
    } finally {
        timer.stop();
    }
}
 
Example #18
Source File: MetamodelImpl.java    From lams with GNU General Public License v2.0 5 votes vote down vote up
@Override
public <T> void addNamedEntityGraph(String graphName, EntityGraph<T> entityGraph) {
	if ( entityGraph instanceof EntityGraphImplementor ) {
		entityGraph = ( (EntityGraphImplementor<T>) entityGraph ).makeImmutableCopy( graphName );
	}
	final EntityGraph old = entityGraphMap.put( graphName, entityGraph );
	if ( old != null ) {
		log.debugf( "EntityGraph being replaced on EntityManagerFactory for name %s", graphName );
	}
}
 
Example #19
Source File: EmployeeRepository.java    From tutorials with MIT License 5 votes vote down vote up
public Employee findByEntityGraph(int id) {
    EntityGraph<Employee> entityGraph = em.createEntityGraph(Employee.class);
    entityGraph.addAttributeNodes("name", "phones");
    Map<String, Object> properties = new HashMap<>();
    properties.put("javax.persistence.fetchgraph", entityGraph);
    return em.find(Employee.class, id, properties);
}
 
Example #20
Source File: EntityGraphBuilderImpl.java    From crnk-framework with Apache License 2.0 5 votes vote down vote up
@Override
public <T> void build(EntityManager em, Query criteriaQuery, Class<T> entityClass,
					  Set<MetaAttributePath> fetchPaths) {
	EntityGraph<T> graph = em.createEntityGraph(entityClass);
	for (MetaAttributePath fetchPath : fetchPaths) {
		applyFetchPaths(graph, fetchPath);
	}
	criteriaQuery.setHint("javax.persistence.fetchgraph", graph);
}
 
Example #21
Source File: EntityGraphBuilderImpl.java    From crnk-framework with Apache License 2.0 5 votes vote down vote up
private <T> Subgraph<Object> applyFetchPaths(EntityGraph<T> graph, MetaAttributePath fetchPath) {
	if (fetchPath.length() >= 2) {
		// ensure parent is fetched
		MetaAttributePath parentPath = fetchPath.subPath(0, fetchPath.length() - 1);
		Subgraph<Object> parentGraph = applyFetchPaths(graph, parentPath);
		return parentGraph.addSubgraph(fetchPath.getLast().getName());
	} else {
		return graph.addSubgraph(fetchPath.toString());
	}
}
 
Example #22
Source File: AccountDAO.java    From Hands-On-High-Performance-with-Spring-5 with MIT License 5 votes vote down vote up
@Override
public Account findAccountUsingDynamicEntityGraph(Long accountId) {
	EntityGraph<?> entityGraph =  getEntityManager().createEntityGraph(Account.class);
	entityGraph.addSubgraph("transactions");
	
	Map<String, Object> hints = new HashMap<String, Object>();
	hints.put("javax.persistence.fetchgraph", entityGraph);
	return this.getEntityManager().find(Account.class, accountId, hints);
}
 
Example #23
Source File: UserResourceTest.java    From bouncr with Eclipse Public License 1.0 4 votes vote down vote up
@Test
void updateUserWithoutEmail() {
    CriteriaQuery query = mock(CriteriaQuery.class);
    TypedQuery typedQuery = mock(TypedQuery.class);
    EntityGraph graph = mock(EntityGraph.class);

    EntityManager em = MockFactory.createEntityManagerMock(typedQuery, graph, query);

    UserResource sat = new UserResource();
    ComponentInjector injector = new ComponentInjector(
            Map.of("converter", system.getComponent("converter"),
                    "validator", system.getComponent("validator"),
                    "config", system.getComponent("config")));
    injector.inject(sat);

    UserUpdateRequest updateRequest = new UserUpdateRequest();
    updateRequest.setUserProfile("email", "[email protected]");

    UserProfileField emailField = builder(new UserProfileField())
            .set(UserProfileField::setId, 1L)
            .set(UserProfileField::setJsonName, "email")
            .set(UserProfileField::setNeedsVerification, true)
            .build();
    Mockito.when(typedQuery.getResultList()).thenReturn(
            List.of(emailField)
    );

    User user = builder(new User())
            .set(User::setAccount, "kawasima")
            .set(User::setUserProfileValues, new ArrayList<>(List.of(
                    builder(new UserProfileValue())
                            .set(UserProfileValue::setUserProfileField, emailField)
                            .set(UserProfileValue::setValue, "[email protected]")
                            .build()
            )))
            .build();
    ActionRecord actionRecord = new ActionRecord();
    UserPermissionPrincipal principal = new UserPermissionPrincipal(1L, "kawasima", Map.of("email", "[email protected]"), Set.of());
    RestContext context = new RestContext(new DefaultResource(), new DefaultHttpRequest());
    sat.update(updateRequest, user, actionRecord, principal, context, em);

    verify(em, never()).persist(eq(builder(new UserProfileVerification())
            .set(UserProfileVerification::setUser, user)
            .set(UserProfileVerification::setUserProfileField, emailField)
            .build()));
}
 
Example #24
Source File: SessionFactoryDelegatingImpl.java    From lams with GNU General Public License v2.0 4 votes vote down vote up
@Override
public <T> List<EntityGraph<? super T>> findEntityGraphsByType(Class<T> entityClass) {
	return delegate.findEntityGraphsByType( entityClass );
}
 
Example #25
Source File: UserResource.java    From bouncr with Eclipse Public License 1.0 4 votes vote down vote up
@Decision(EXISTS)
public boolean exists(Parameters params, RestContext context, EntityManager em) {
    CriteriaBuilder builder = em.getCriteriaBuilder();
    CriteriaQuery<User> query = builder.createQuery(User.class);
    Root<User> userRoot = query.from(User.class);
    userRoot.fetch("userProfileValues", JoinType.LEFT);
    query.where(builder.equal(userRoot.get("account"), params.get("account")));

    List<ResourceField> embedEntities = some(params.get("embed"), embed -> new ResourceFilter().parse(embed))
            .orElse(Collections.emptyList());

    EntityGraph<User> userGraph = em.createEntityGraph(User.class);
    userGraph.addAttributeNodes("account", "userProfileValues");
    if (embedEntities.stream().anyMatch(r -> r.getName().equalsIgnoreCase("groups"))) {
        userRoot.fetch("groups", JoinType.LEFT);
        query.distinct(true);
        userGraph.addAttributeNodes("groups");
        userGraph.addSubgraph("groups")
                .addAttributeNodes("name", "description");
    }

    // OIDC provider
    if (embedEntities.stream().anyMatch(r -> r.getName().equalsIgnoreCase("oidc_providers"))) {
        userRoot.fetch("oidcUsers", JoinType.LEFT);
        userGraph.addAttributeNodes("oidcUsers");
        Subgraph<Object> oidcUsersGraph = userGraph.addSubgraph("oidcUsers");
        oidcUsersGraph.addSubgraph("oidcProvider")
                .addAttributeNodes("name");
    }

    User user = em.createQuery(query)
            .setHint("javax.persistence.cache.storeMode", CacheStoreMode.REFRESH)
            .setHint("javax.persistence.fetchgraph", userGraph)
            .getResultStream().findAny().orElse(null);

    if (user != null) {
        final UserProfileService userProfileService = new UserProfileService(em);
        final List<UserProfileVerification> userProfileVerifications = userProfileService.findUserProfileVerifications(user.getAccount());
        user.setUnverifiedProfiles(userProfileVerifications.stream()
                .map(UserProfileVerification::getUserProfileField)
                .filter(Objects::nonNull)
                .map(UserProfileField::getJsonName)
                .collect(Collectors.toList()));
        context.putValue(user);
    }
    return user != null;
}
 
Example #26
Source File: ReloadableEntityManagerFactory.java    From tomee with Apache License 2.0 4 votes vote down vote up
@Override
public <T> void addNamedEntityGraph(final String graphName, final EntityGraph<T> entityGraph) {
    delegate().addNamedEntityGraph(graphName, entityGraph);
}
 
Example #27
Source File: UserResourceTest.java    From bouncr with Eclipse Public License 1.0 4 votes vote down vote up
@Test
void updateUserWithEmail() {
    CriteriaQuery query = mock(CriteriaQuery.class);
    TypedQuery typedQuery = mock(TypedQuery.class);
    EntityGraph graph = mock(EntityGraph.class);

    EntityManager em = MockFactory.createEntityManagerMock(typedQuery, graph, query);

    UserResource sat = new UserResource();
    ComponentInjector injector = new ComponentInjector(
            Map.of("converter", system.getComponent("converter"),
                    "validator", system.getComponent("validator"),
                    "config", system.getComponent("config")));
    injector.inject(sat);

    UserUpdateRequest updateRequest = new UserUpdateRequest();
    updateRequest.setUserProfile("email", "[email protected]");

    UserProfileField emailField = builder(new UserProfileField())
            .set(UserProfileField::setId, 1L)
            .set(UserProfileField::setJsonName, "email")
            .set(UserProfileField::setNeedsVerification, true)
            .build();
    User user = builder(new User())
            .set(User::setAccount, "kawasima")
            .set(User::setUserProfileValues, new ArrayList<>(List.of(
                    builder(new UserProfileValue())
                            .set(UserProfileValue::setUserProfileField, emailField)
                            .set(UserProfileValue::setValue, "[email protected]")
                            .build()
            )))
            .build();

    Mockito.when(typedQuery.getResultList()).thenReturn(
            List.of(emailField),
            List.of()
    );

    ActionRecord actionRecord = new ActionRecord();
    UserPermissionPrincipal principal = new UserPermissionPrincipal(1L, "kawasima", Map.of("email", "[email protected]"), Set.of());
    RestContext context = new RestContext(new DefaultResource(), new DefaultHttpRequest());
    sat.update(updateRequest, user, actionRecord, principal, context, em);

    verify(em).persist(eq(builder(new UserProfileVerification())
            .set(UserProfileVerification::setUser, user)
            .set(UserProfileVerification::setUserProfileField, emailField)
            .build()));
}
 
Example #28
Source File: MockStockPriceEntityManagerFactory.java    From training with MIT License 4 votes vote down vote up
public EntityGraph<?> getEntityGraph(String string) {
    throw new UnsupportedOperationException("Not supported.");
}
 
Example #29
Source File: MockStockPriceEntityManagerFactory.java    From training with MIT License 4 votes vote down vote up
public <T> List<EntityGraph<? super T>> getEntityGraphs(Class<T> type) {
    throw new UnsupportedOperationException("Not supported.");
}
 
Example #30
Source File: SessionFactoryDelegatingImpl.java    From lams with GNU General Public License v2.0 4 votes vote down vote up
@Override
public <T> void addNamedEntityGraph(String graphName, EntityGraph<T> entityGraph) {
	delegate.addNamedEntityGraph( graphName, entityGraph );
}