当前位置: 首页>>代码示例>>Java>>正文


Java ServiceException类代码示例

本文整理汇总了Java中org.hibernate.service.spi.ServiceException的典型用法代码示例。如果您正苦于以下问题:Java ServiceException类的具体用法?Java ServiceException怎么用?Java ServiceException使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。


ServiceException类属于org.hibernate.service.spi包,在下文中一共展示了ServiceException类的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Java代码示例。

示例1: initiateService

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Override
@SuppressWarnings( {"unchecked"})
public PersisterFactory initiateService(Map configurationValues, ServiceRegistryImplementor registry) {
	final Object customImpl = configurationValues.get( IMPL_NAME );
	if ( customImpl == null ) {
		return new PersisterFactoryImpl();
	}

	if ( PersisterFactory.class.isInstance( customImpl ) ) {
		return (PersisterFactory) customImpl;
	}

	final Class<? extends PersisterFactory> customImplClass = Class.class.isInstance( customImpl )
			? ( Class<? extends PersisterFactory> ) customImpl
			: locate( registry, customImpl.toString() );
	try {
		return customImplClass.newInstance();
	}
	catch (Exception e) {
		throw new ServiceException( "Could not initialize custom PersisterFactory impl [" + customImplClass.getName() + "]", e );
	}
}
 
开发者ID:lamsfoundation,项目名称:lams,代码行数:23,代码来源:PersisterFactoryInitiator.java

示例2: initiateService

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Override
@SuppressWarnings( {"unchecked"})
public PersisterClassResolver initiateService(Map configurationValues, ServiceRegistryImplementor registry) {
	final Object customImpl = configurationValues.get( IMPL_NAME );
	if ( customImpl == null ) {
		return new StandardPersisterClassResolver();
	}

	if ( PersisterClassResolver.class.isInstance( customImpl ) ) {
		return (PersisterClassResolver) customImpl;
	}

	final Class<? extends PersisterClassResolver> customImplClass = Class.class.isInstance( customImpl )
			? (Class<? extends PersisterClassResolver>) customImpl
			: locate( registry, customImpl.toString() );

	try {
		return customImplClass.newInstance();
	}
	catch (Exception e) {
		throw new ServiceException( "Could not initialize custom PersisterClassResolver impl [" + customImplClass.getName() + "]", e );
	}
}
 
开发者ID:lamsfoundation,项目名称:lams,代码行数:24,代码来源:PersisterClassResolverInitiator.java

示例3: initiateService

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Override
public BatchBuilder initiateService(Map configurationValues, ServiceRegistryImplementor registry) {
	final Object builder = configurationValues.get( BUILDER );
	if ( builder == null ) {
		return new BatchBuilderImpl(
				ConfigurationHelper.getInt( Environment.STATEMENT_BATCH_SIZE, configurationValues, 1 )
		);
	}

	if ( BatchBuilder.class.isInstance( builder ) ) {
		return (BatchBuilder) builder;
	}

	final String builderClassName = builder.toString();
	try {
		return (BatchBuilder) registry.getService( ClassLoaderService.class ).classForName( builderClassName ).newInstance();
	}
	catch (Exception e) {
		throw new ServiceException( "Could not build explicit BatchBuilder [" + builderClassName + "]", e );
	}
}
 
开发者ID:lamsfoundation,项目名称:lams,代码行数:22,代码来源:BatchBuilderInitiator.java

示例4: testNamedClient_noInstance

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Test
public void testNamedClient_noInstance() throws Exception {
    exception.expect(ServiceException.class);
    exception.expectCause(allOf(isA(CacheException.class), new BaseMatcher<CacheException>() {
        @Override
        public boolean matches(Object item) {
            return ((CacheException) item).getMessage().contains("No client with name [dev-custom] could be found.");
        }

        @Override
        public void describeTo(Description description) {
        }
    }));

    Properties props = new Properties();
    props.setProperty(Environment.CACHE_REGION_FACTORY, HazelcastCacheRegionFactory.class.getName());
    props.setProperty(CacheEnvironment.USE_NATIVE_CLIENT, "true");
    props.setProperty(CacheEnvironment.NATIVE_CLIENT_INSTANCE_NAME, "dev-custom");
    props.setProperty("hibernate.dialect", "org.hibernate.dialect.HSQLDialect");

    Configuration configuration = new Configuration();
    configuration.addProperties(props);

    SessionFactory sf = configuration.buildSessionFactory();
    sf.close();
}
 
开发者ID:hazelcast,项目名称:hazelcast-hibernate5,代码行数:27,代码来源:CustomPropertiesTest.java

示例5: loadDriverIfPossible

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
private Driver loadDriverIfPossible(String driverClassName) {
	if ( driverClassName == null ) {
		log.debug( "No driver class specified" );
		return null;
	}

	if ( serviceRegistry != null ) {
		final ClassLoaderService classLoaderService = serviceRegistry.getService( ClassLoaderService.class );
		final Class<Driver> driverClass = classLoaderService.classForName( driverClassName );
		try {
			return driverClass.newInstance();
		}
		catch ( Exception e ) {
			throw new ServiceException( "Specified JDBC Driver " + driverClassName + " could not be loaded", e );
		}
	}

	try {
		return (Driver) Class.forName( driverClassName ).newInstance();
	}
	catch ( Exception e1 ) {
		try{
			return (Driver) ReflectHelper.classForName( driverClassName ).newInstance();
		}
		catch ( Exception e2 ) {
			throw new ServiceException( "Specified JDBC Driver " + driverClassName + " could not be loaded", e2 );
		}
	}
}
 
开发者ID:lamsfoundation,项目名称:lams,代码行数:30,代码来源:DriverManagerConnectionProviderImpl.java

示例6: handleServiceException

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
/**
 * 500 - Internal Server Error
 */
@ResponseStatus(HttpStatus.INTERNAL_SERVER_ERROR)
@ExceptionHandler(ServiceException.class)
public ResponseEntity handleServiceException(ServiceException e) {
    LOGGER.error("业务逻辑异常", e);
    return ResponseEntity.badRequest().body("业务逻辑异常:" + e.getMessage());
}
 
开发者ID:helloworldtang,项目名称:spring-boot-jwt-jpa,代码行数:10,代码来源:GlobalHandler.java

示例7: handleServiceException

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
/**
 * 500 - Internal Server Error
 */
@ResponseStatus(HttpStatus.INTERNAL_SERVER_ERROR)
@ExceptionHandler(ServiceException.class)
public Response handleServiceException(ServiceException e) {
    log.error("服务运行异常: {}", e);
    return new Response().failure(e.getMessage());
}
 
开发者ID:finefuture,项目名称:data-migration,代码行数:10,代码来源:HttpExceptionAdvice.java

示例8: handleCustomException

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@ExceptionHandler(ServiceException.class)
public
@ResponseBody
ResponseBean handleCustomException(ServiceException ex) {
    LOGGER.error("SERVICE EXCEPTION HANDLER ",ex);
    final ResponseBean responseBase = new ResponseBean();
    responseBase.setStatusCode(400);
    responseBase.setStatusMessage(ex.getLocalizedMessage());
    responseBase.setSuccess(false);
    return responseBase;
}
 
开发者ID:adarshkumarsingh83,项目名称:spring_boot,代码行数:12,代码来源:ApiExceptionHandler.java

示例9: testWrongHazelcastConfigurationFilePathShouldThrow

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Test(expected = ServiceException.class)
public void testWrongHazelcastConfigurationFilePathShouldThrow() {
    Properties props = new Properties();
    props.setProperty(Environment.CACHE_REGION_FACTORY, HazelcastCacheRegionFactory.class.getName());
    props.setProperty("hibernate.dialect", "org.hibernate.dialect.HSQLDialect");

    //we give a non-exist config file address, should fail fast
    props.setProperty("hibernate.cache.hazelcast.configuration_file_path", "non-exist.xml");

    Configuration configuration = new Configuration();
    configuration.addProperties(props);
    SessionFactory sf = configuration.buildSessionFactory();
    sf.close();
}
 
开发者ID:hazelcast,项目名称:hazelcast-hibernate5,代码行数:15,代码来源:CustomPropertiesTest.java

示例10: validateEmail

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
/**
 * 处理激活
 */
@ApiOperation(value = "处理激活", notes = "处理激活", httpMethod = "POST", produces = MediaType.APPLICATION_JSON_UTF8_VALUE)
@RequestMapping(value = "validateEmail", method = RequestMethod.POST)
public Result validateEmail(@RequestBody UserModel user
) throws ServiceException, ParseException, UserNotFoundException {
    //数据访问层,通过email获取用户信息
    UserModel userModel = service.findUserByEmail(user.getEmail());
    if (userModel != null) {
        return new Result(CodeConst.USER_REPEAT.getResultCode(), CodeConst.USER_REPEAT.getMessage());
    }
    //验证码是否过期
    if (user.getRegisterTime() + TimeUtil.ONE_DAY_IN_MILLISECONDS < TimeUtil.getNowOfMills()) {
        LOGGER.info("用户{}使用己过期的激活码{}激活邮箱失败!", user.getEmail(), user.getEmail());
        return new Result(CodeConst.TIME_PASSED.getResultCode(), CodeConst.TIME_PASSED.getMessage());
    }
    //激活
    String salt = RandomUtil.createSalt();
    userModel = new UserModel();
    userModel.setNickName(user.getNickName());
    userModel.setEmail(user.getEmail());
    userModel.setGender(GenderConst.SECRET);
    userModel.setValidateCode(Md5Util.encode(user.getEmail(), salt));
    userModel.setPhone(0L);
    userModel.setSalt(salt);
    userModel.setAddress("");
    userModel.setPassword(Md5Util.encode(user.getPassword(), salt));
    userModel = service.addUser(userModel);
    LOGGER.info("用户{}使用激活码{}激活邮箱成功!", userModel.getEmail(), userModel.getValidateCode());
    return new Result<>(userModel);
}
 
开发者ID:xiaomoinfo,项目名称:SpringBootUnity,代码行数:33,代码来源:UserController.java

示例11: testNamedInstance_noInstance

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Test
public void testNamedInstance_noInstance() {
    exception.expect(ServiceException.class);
    exception.expectCause(allOf(isA(CacheException.class), new BaseMatcher<CacheException>() {
        @Override
        public boolean matches(Object item) {
            return ((CacheException) item).getMessage().contains("No instance with name [hibernate] could be found.");
        }

        @Override
        public void describeTo(Description description) {
        }
    }));

    Config config = new Config();
    config.setInstanceName("hibernate");

    Properties props = new Properties();
    props.setProperty(Environment.CACHE_REGION_FACTORY, HazelcastCacheRegionFactory.class.getName());
    props.put(CacheEnvironment.HAZELCAST_INSTANCE_NAME, "hibernate");
    props.put(CacheEnvironment.SHUTDOWN_ON_STOP, "false");
    props.setProperty("hibernate.dialect", "org.hibernate.dialect.HSQLDialect");

    Configuration configuration = new Configuration();
    configuration.addProperties(props);

    SessionFactory sf = configuration.buildSessionFactory();
    sf.close();
}
 
开发者ID:hazelcast,项目名称:hazelcast-hibernate,代码行数:30,代码来源:CustomPropertiesTest.java

示例12: initiateService

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Override
@SuppressWarnings( {"unchecked"})
public MultiTenantConnectionProvider initiateService(Map configurationValues, ServiceRegistryImplementor registry) {
	final MultiTenancyStrategy strategy = MultiTenancyStrategy.determineMultiTenancyStrategy(  configurationValues );
	if ( strategy == MultiTenancyStrategy.NONE || strategy == MultiTenancyStrategy.DISCRIMINATOR ) {
		// nothing to do, but given the separate hierarchies have to handle this here.
		return null;
	}

	final Object configValue = configurationValues.get( AvailableSettings.MULTI_TENANT_CONNECTION_PROVIDER );
	if ( configValue == null ) {
		// if they also specified the data source *name*, then lets assume they want
		// DataSourceBasedMultiTenantConnectionProviderImpl
		final Object dataSourceConfigValue = configurationValues.get( AvailableSettings.DATASOURCE );
		if ( dataSourceConfigValue != null && String.class.isInstance( dataSourceConfigValue ) ) {
			return new DataSourceBasedMultiTenantConnectionProviderImpl();
		}

		return null;
	}

	if ( MultiTenantConnectionProvider.class.isInstance( configValue ) ) {
		return (MultiTenantConnectionProvider) configValue;
	}
	else {
		final Class<MultiTenantConnectionProvider> implClass;
		if ( Class.class.isInstance( configValue ) ) {
			implClass = (Class) configValue;
		}
		else {
			final String className = configValue.toString();
			final ClassLoaderService classLoaderService = registry.getService( ClassLoaderService.class );
			try {
				implClass = classLoaderService.classForName( className );
			}
			catch (ClassLoadingException cle) {
				log.warn( "Unable to locate specified class [" + className + "]", cle );
				throw new ServiceException( "Unable to locate specified multi-tenant connection provider [" + className + "]" );
			}
		}

		try {
			return implClass.newInstance();
		}
		catch (Exception e) {
			log.warn( "Unable to instantiate specified class [" + implClass.getName() + "]", e );
			throw new ServiceException( "Unable to instantiate specified multi-tenant connection provider [" + implClass.getName() + "]" );
		}
	}
}
 
开发者ID:lamsfoundation,项目名称:lams,代码行数:51,代码来源:MultiTenantConnectionProviderInitiator.java

示例13: initiateService

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Override
public <R extends Service> R initiateService(ServiceInitiator<R> serviceInitiator) {
	throw new ServiceException( "Boot-strap registry should only contain provided services" );
}
 
开发者ID:lamsfoundation,项目名称:lams,代码行数:5,代码来源:BootstrapServiceRegistryImpl.java

示例14: configureService

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Override
public <R extends Service> void configureService(ServiceBinding<R> binding) {
	throw new ServiceException( "Boot-strap registry should only contain provided services" );
}
 
开发者ID:lamsfoundation,项目名称:lams,代码行数:5,代码来源:BootstrapServiceRegistryImpl.java

示例15: injectDependencies

import org.hibernate.service.spi.ServiceException; //导入依赖的package包/类
@Override
public <R extends Service> void injectDependencies(ServiceBinding<R> binding) {
	throw new ServiceException( "Boot-strap registry should only contain provided services" );
}
 
开发者ID:lamsfoundation,项目名称:lams,代码行数:5,代码来源:BootstrapServiceRegistryImpl.java


注:本文中的org.hibernate.service.spi.ServiceException类示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。