GVKun编程网logo

如何在云服务器上设置/configurationlaravel项目(云服务器怎么设置)

24

对于如何在云服务器上设置/configurationlaravel项目感兴趣的读者,本文将提供您所需要的所有信息,我们将详细讲解云服务器怎么设置,并且为您提供关于CommonsConfiguratio

对于如何在云服务器上设置/configurationlaravel项目感兴趣的读者,本文将提供您所需要的所有信息,我们将详细讲解云服务器怎么设置,并且为您提供关于Commons Configuration之二基本特性和AbstractConfiguration、configuration Joomla下利用configurationphp存储简单数据、io.dropwizard.configuration.ConfigurationException的实例源码、io.dropwizard.configuration.ConfigurationFactory的实例源码的宝贵知识。

本文目录一览:

如何在云服务器上设置/configurationlaravel项目(云服务器怎么设置)

如何在云服务器上设置/configurationlaravel项目(云服务器怎么设置)

我在/var/www/html/application-folder/public_html上有这个laravel应用/var/www/html/application-folder/public_html

当我inputapache server IP它不会加载laravel应用程序,而是显示Apache主页

如何显示url /var/www/html/application-folder/public_html ?

当我input完整的url时,出现以下错误:

Chrome会忽略ETag标头,只是使用内存caching/磁盘caching

以编程方式login10个用户到远程桌面会话

Nginx反向代理设置

XAMPP缺lessPHP_eaccelerator_ts.dll

如何通过代码安装IIS 8

禁止您无权访问此服务器上的/folder/public_html/index.PHP。 Apache / 2.2.15(CentOS)服务器

Serverside FTP批处理脚本

如何使用apache将两个不同的path路由到同一台服务器

如何禁止通过IP地址直接访问网站

在PHP PHP Web服务器?

运行自定义TextSecure(信号)服务器

如果你有完整的root权限访问你的服务器,那么你可以

步骤1

将您的laravel项目从开发机器(本地)上传到服务器上的/var/www – 上传除vendor和node_modules之外的所有文件夹

第2步

一旦项目上传,运行composer install ,如果你需要运行npm install任何节点包

第3步

使用DocumentRoot /var/www/yourProjectFolder/public为您的站点创建虚拟主机

步骤4

确保storage文件夹对您的apache / web服务器用户具有写入权限 – 递归

步骤5确保公用文件夹具有适当的权限 – 递归地 ,如果您已经以root身份上传项目,那么您将需要更改所有者/权限

遵循这个工作流程,您将能够启动并运行Laravel站点。

这里要做的重要区别在于,您可以完全访问您的服务器,并且可以在继续工作流程之前在服务器上安装composer和/或npm。

如果你不能在你的服务器上安装composer和/或npm,那么你也必须把vendor目录上传到你的服务器(如果你需要任何节点包,那么node_modules也是如此) – 按照我的评论中的文档链接上面会帮助你。

请参阅Cent Os 6上的虚拟主机

总结

以上是小编为你收集整理的如何在云服务器上设置/configurationlaravel项目全部内容。

如果觉得小编网站内容还不错,欢迎将小编网站推荐给好友。

Commons Configuration之二基本特性和AbstractConfiguration

Commons Configuration之二基本特性和AbstractConfiguration

Configuration接口定义一大堆方法。一切从头开始实现这些方法非常困难。因为AbstractConfiguration类存在。该类在Commons Configuration中充当大多数Configuration实现的共同基类并提供了接口需要的大量功能。因此创建一个自定义Configuration实现该类将是一个很好的起点。
除了基本实现声明在Configuration接口中的方法之外,AbstractConfiguration类提供一些其它的便利特性。因为该类是在Commons Configuration类层次结构的根,这些特性对该类库提供的Configuration接口的大多数特定实现都是有效的。

1    处理缺失属性

如果你传入一个键给它的get方法之一,不能映射到一个已存在的属性,配置对象该做什么?AbstractConfiguration实现的默认行为是如果返回值是对象类型返回null。对于原始类型作为返回null(或任意特定值)是不可能的,因此,在这种情况下一个NoSuchElementException抛出:

// 如果没有键为"NonExistingProperty"的属性将返回null
String strValue = config.getString("NonExistingProperty");

// 如果没有键为"NonExistingProperty"的属性将抛出一个NoSuchElementException异常
long longValue = config.getLong("NonExistingProperty");

对于对象类型,像String、BigDecimal或BigInteger这种默认行为可以改变:如果setThrowExceptionOnMissing()方法使用一个true参数调用,这些方法将像原始类型一样,如果传入的属性键不能解析抛出一个异常。

注意:不幸的是支持throwExceptionOnMisssing属性不总是一致:getList()和getStringArray()不计算该标记,如果请求属性没有找到返回一个空list或数组。也许这种行为将在未来的重要版本改变。

2    List处理

使用Configuration接口定义的getList()和getStringArray()方法处理多值属性。当一个配置源(例如properties文件、XML文档或JNDI上下文)处理相应Configuration实现发现这么一个有多个值的属性并确保该数据正确存储。

当修改属性时,AbstractConfiguration的addProperty()和setProperty()方法也实现特定list处理。传入这些方法的属性值可以是list或数组产生一个多值属性。如果属性值是字符串,它检测是否字符串包含list分隔符。如果是这种情况,字符串被分割,并且它单个部分被添加。list分隔符默认是逗号。当配置源被加载时,它在考虑之内(例如,属性的字符串值将被检测是否包含分隔符)。通过使用setListDelimiter()方法你能设置它为一个不同的字符。

// 改变list分隔符为斜线
config.setListDelimiter(''/'');
// 现在添加一些属性
config.addProperty("greeting", "Hello, how are you?");
config.addProperty("colors.pie", new String[] { "#FF0000", "#00FF00", "#0000FF" });
config.addProperty("colors.graph", "#808080/#00FFCC/#6422FF");

// 访问数据
String salut = config.getString("greeting");
List<Object> colPie = config.getList("colors.pie");
String[] colGraph = config.getStringArray("colors.graph");

String firstPieColor = config.getString("colors.pie");

在该例子中,list分隔符从逗号变为斜线。因为greeting属性没有分割,而是保存为单个字符串。作为字符串传入的colors.graph属性相反包含新的分隔符因此产生一个三个值的属性。注意,list是Object类型。这是因为不知道属性值的具体类型。例如,如果你调用addProperty("answer", 42),一个Integer对象将存储在配置中。

感兴趣的是例子片段的最后一行。调用的getString()方法有多个值。这将返回list的第一个值。

如果你想要改变所有配置对象的list分隔符,你可以使用AbstractConfiguration的静态setDefaultListDelimiter()方法。也可以通过调用使用true的setDelimiterParsingDisabled()方法禁用所有的Configuration实例的字符串属性的切分。

3    变量插值

如果你熟悉Ant或Maven,你肯定已经遇到了变量(像,${token})当配置文件被加载时,变量被自动解释。Commons Configuration也支持这些特性。

application.name = Killer App
application.version = 1.6.2

application.title = ${application.name} ${application.version}

如果你现在检索application.title的属性值,结果将是Killer App 1.6.2。以至于每个默认变量被解释为其它属性的键。这只是特殊的情况,变量名的通用语法是${prefix:name}。prefix告诉Commons Configuration变量在某一上下文中计算。我们可以看到,如果prefix缺失,上下文是当前配置实例。以下是默认支持的prefix名称。

前缀
描述
sys
该前缀标记一个变量是系统属性。Commons Configuration将使用指定名称搜索一个系统属性并通过该值替换变量。这非常容易的在每个配置实现中访问系统属性的值。
const const前缀表示一个变量解释为一个类的常量成员字段(例如,使用static final修饰符的字段)。变量的名字必须是<完全限定类名>.<字段名>的形式。指定类将被加载并且该字段的值将被获取。
env 变量也能引用特定OS环境变量。这通过evn前缀表示。

下面是一些例子,只针对Properties文件:

PropertiesConfiguration cfg = new PropertiesConfiguration("cfg/basic/vm.properties");
System.out.println(cfg.getString("vm.name"));
System.out.println(cfg.getString("vm.author"));
System.out.println(cfg.getString("vm.home"));
System.out.println(cfg.getString("vm.bin"));

public interface Const {

    public static final String AUTHOR = "Evan";
    
}


#相当于System.getProperty("java.runtime.name")

vm.name=${sys:java.runtime.name}
vm.author=${const:cfg.basic.Const.AUTHOR}

#相当于System.getEnv("JAVA_HOME")

vm.home=${env:JAVA_HOME}
vm.bin=${vm.home}\bin

如果一个变量不能解析,例如,因为名称无效或未知前缀,它不能被替换,但返回包括美元符号和大括号。

3    自定义插值

本节阐述你如何添加自己的插值。使用Commons Lang的text包下的StrSubstitutor类实现插值引擎。该类使用派生自StrLookup类的对象解析变量。StrLookup定义简单lookup()方法必须通过自定义实现;它期望变量名作为参数并返回相应的值(更多细节可以在Commons Lang的文档中找到)。我们已经介绍了标准的前缀变量,到目前为止我们确实已经实现派生自StrLookup的特定类。

现在可以创建你自己的StrLookup实现并使它在一个自定义前缀上对所有配置对象有效。我们将介绍如何实现。第一步是创建一个新类派生StrLookup,必须实现lookup()方法。作为一个例子,我们实现一个简单的查询对象仅仅返回一个传入的变量的回执:

import org.apache.commons.lang.text.StrLookup;

public class EchoLookup extends StrLookup
{
    public String lookup(String varName)
    {
        return "Value of variable " + varName;
    }
}

现在,我们想要该类使用前缀echo调用变量。为了这个目的EchoLookup类必须在ConfigurationInterpolator类使用期望前缀注册。 ConfigurationInterpolator在Commons Lang定义的StrLookup API中实现一个简单的包装器。它有一个静态registerGlobalLookup()方法,我们必须如下调用:

// 放置该代码在你的应用程序初始化的地方
ConfigurationInterpolator.registerGlobalLookup("echo", new EchoLookup());

每个在该行代码之后创建的AbstractConfiguration对象将包含新的查询类并能因此解析${echo:my_variable}形式的变量。

每个AbstractConfiguration实例关联一个ConfigurationInterpolator对象。该对象在第一次访问插值特性之一时通过createInterpolator()方法创建。通过覆盖该方法可能更深入的干预插值机制。例如自定义实现能添加更高级的查询对象到插入器。

4    使用表达式(此处没有明白如何使用,请高人指点一二)

除了前面描述的简单的查找机制,Commons Configuration提供ExprLookup,使用Apache Commons Jexl允许表达式解析是否一个StrLookup被允许。如果ExprLookup被配置,该例子显示显示获取系统属性的替代方式。

user.file = ${expr:System.getProperty("user.home"}/settings.xml

ExprLookup默认被禁用,必须通过DefaultConfigurationBuilder手动添加或配置。使用Maven 2构建并引用Commons Configuration将不包括Jexl依赖,因此如果该特性被使用必须手动添加依赖到项目。

使用DefaultConfigurationBuilder添加ExprLookup是直接的。

<configuration>
  <header>
    <result/>
    <lookups>
      <lookup config-prefix="expr"
              config->
        <variables>
          <variable name="System" value="Class:java.lang.System"/>
          <variable name"net" value="Class:java.net.InetAddress"/>
          <variable name="String" value="Class:org.apache.commons.lang.StringUtils"/>
        </variables>
      </lookup>
    </lookups>
  </header>
  <override>
    <xml fileName="${expr:System.getProperty(''basePath'') +
         String.lowercase(net.localHost.hostName) + ''/testMultiConfiguration_default.xml''}"
         config-name="defaultConfig" delimiterParsingDisabled="true">
    </xml>
  </override>
</configuration>

上面的例子显示如何在表达式计算期间调用静态方法。下一个例子显示使用下级查询混合表达式计算获取“basePath”系统属性。注意获取系统属性和之前例子的差异。

<configuration>
  <header>
    <result/>
    <lookups>
      <lookup config-prefix="expr"
              config->
        <variables>
          <variable name"net" value="Class:java.net.InetAddress"/>
          <variable name="String" value="Class:org.apache.commons.lang.StringUtils"/>
        </variables>
      </lookup>
    </lookups>
  </header>
  <override>
    <xml fileName="${expr:$[sys:basePath] +
         String.lowercase(net.localHost.hostName) + ''/testMultiConfiguration_default.xml''}"
         config-name="defaultConfig" delimiterParsingDisabled="true">
    </xml>
  </override>
</configuration>











configuration Joomla下利用configurationphp存储简单数据

configuration Joomla下利用configurationphp存储简单数据

写入过程

复制代码 代码如下:


// Get the path of the configuration file
$fname = JPATH_CONFIGURATION.DS.''configuration.php'';
// clear cache
$cache = JFactory::getCache();
$cache->clean();
// Update the credentials with the new settings
$config =& JFactory::getConfig();
$config->setValue(''config.custom_var'', ''xxx'');
// Get the config registry in PHP class format and write it to configuation.php
jimport(''joomla.filesystem.file'');
if (!JFile::write($fname, $config->toString(''PHP'', ''config'', array(''class'' => ''JConfig'')))) {
die(JText::_(''ERRORCONFIGFILE''));
}


提取过程

复制代码 代码如下:


global $mainframe;
$mainframe->getCfg(''custom_var'');

以上就介绍了configuration Joomla下利用configurationphp存储简单数据,包括了configuration方面的内容,希望对PHP教程有兴趣的朋友有所帮助。

io.dropwizard.configuration.ConfigurationException的实例源码

io.dropwizard.configuration.ConfigurationException的实例源码

项目:verify-hub    文件:FileBackedConfigDataSource.java   
@Override
public Collection<T> loadConfig() {
    Collection<T> configData = new ArrayList<>();
    final File configDirectory = new File(configuration.getDataDirectory(),dataDirectory);
    final File[] dataFiles = configDirectory.listFiles((FilenameFilter) new WildcardFileFilter("*.yml"));
    if (dataFiles == null) {
        throw ConfigValidationException.createFileReadError(configDirectory.getAbsolutePath());
    }

    for (File dataFile : dataFiles) {
        T data;
        try {
            data = configurationFactory.build(dataFile);
        } catch (IOException | ConfigurationException e) {
            throw Throwables.propagate(e);
        }
        configData.add(data);

    }
    return configData;
}
项目:dropwizard-elasticsearch    文件:ManagedEsClientTest.java   
@Test
public void nodeClientShouldBeCreatedFromConfig() throws URISyntaxException,IOException,ConfigurationException {
    URL configFileUrl = this.getClass().getResource("/node_client.yml");
    File configFile = new File(configFileUrl.toURI());
    EsConfiguration config = configFactory.build(configFile);

    ManagedEsClient managedEsClient = new ManagedEsClient(config);
    Client client = managedEsClient.getClient();

    assertNotNull(client);
    assertTrue(client instanceof NodeClient);

    NodeClient nodeClient = (NodeClient) client;
    assertEquals(config.getClusterName(),nodeClient.settings().get("cluster.name"));
    assertEquals("true",nodeClient.settings().get("node.client"));
    assertEquals("false",nodeClient.settings().get("node.data"));
}
项目:dropwizard-elasticsearch    文件:ManagedEsClientTest.java   
@Test
public void transportClientShouldBeCreatedFromConfig() throws URISyntaxException,ConfigurationException {
    URL configFileUrl = this.getClass().getResource("/transport_client.yml");
    File configFile = new File(configFileUrl.toURI());
    EsConfiguration config = configFactory.build(configFile);

    ManagedEsClient managedEsClient = new ManagedEsClient(config);
    Client client = managedEsClient.getClient();

    assertNotNull(client);
    assertTrue(client instanceof TransportClient);

    final TransportClient transportClient = (TransportClient) client;
    assertEquals(3,transportClient.transportAddresses().size());
    assertEquals(
            TransportAddressHelper.fromHostAndPort(HostAndPort.fromParts("127.0.0.1",9300)),transportClient.transportAddresses().get(0));
    assertEquals(
            TransportAddressHelper.fromHostAndPort(HostAndPort.fromParts("127.0.0.1",9301)),transportClient.transportAddresses().get(1));
    assertEquals(
            TransportAddressHelper.fromHostAndPort(HostAndPort.fromParts("127.0.0.1",9302)),transportClient.transportAddresses().get(2));
}
项目:dropwizard-elasticsearch    文件:ManagedEsClientTest.java   
@Test
public void managedClientShouldUseCustomElasticsearchConfig() throws URISyntaxException,ConfigurationException {
    URL configFileUrl = this.getClass().getResource("/custom_settings_file.yml");
    File configFile = new File(configFileUrl.toURI());
    EsConfiguration config = configFactory.build(configFile);

    ManagedEsClient managedEsClient = new ManagedEsClient(config);
    Client client = managedEsClient.getClient();

    assertNotNull(client);
    assertTrue(client instanceof NodeClient);

    NodeClient nodeClient = (NodeClient) client;
    assertEquals(config.getClusterName(),nodeClient.settings().get("cluster.name"));
    assertEquals("19300-19400",nodeClient.settings().get("transport.tcp.port"));
}
项目:dropwizard-elasticsearch    文件:ManagedEsClientTest.java   
@Test
public void managedClientObeysPrecedenceOfSettings() throws URISyntaxException,ConfigurationException {
    URL configFileUrl = this.getClass().getResource("/custom_settings_precedence.yml");
    File configFile = new File(configFileUrl.toURI());
    EsConfiguration config = configFactory.build(configFile);

    ManagedEsClient managedEsClient = new ManagedEsClient(config);
    Client client = managedEsClient.getClient();

    assertNotNull(client);
    assertTrue(client instanceof NodeClient);

    NodeClient nodeClient = (NodeClient) client;
    assertEquals(config.getClusterName(),nodeClient.settings().get("cluster.name"));
    assertEquals("29300-29400",nodeClient.settings().get("transport.tcp.port"));
    assertEquals("target/data/yaml",nodeClient.settings().get("path.home"));
}
项目:dropwizard-tinkerpop    文件:TinkerPopFactoryTest.java   
private void connect() throws URISyntaxException,ConfigurationException {
    final File yml = new File(Resources.getResource(serializer).toURI());
    final YamlConfigurationFactory<TinkerPopFactory> factory =
            new YamlConfigurationFactory<>(TinkerPopFactory.class,validator,objectMapper,"dw");
    final Cluster cluster = factory.build(yml).build();
    final Graph graph = EmptyGraph.instance();
    client = cluster.connect();
    g = graph.traversal().withRemote(DriverRemoteConnection.using(cluster,"g"));
}
项目:dropwizard-tinkerpop    文件:TinkerPopFactoryTest.java   
@Test
public void testReadWriteClient() throws ConfigurationException,URISyntaxException {
    final Long expected = client.submit("g.addV('Person').id()").one().getLong();
    final Long person = client.submit("g.V().hasLabel('Person').id()").one().getLong();
    assertEquals(expected,person);

    if(testBytecode) {
        client.submit("g.V().drop()");
        final Long remoteExpected = (Long) g.addV("Person").id().next();
        final Long remotePerson = (Long) g.V().hasLabel("Person").id().next();
        assertEquals(remoteExpected,remotePerson);
    }
}
项目:verify-hub    文件:SupportedMsaVersionsLoader.java   
public SupportedMsaVersions loadSupportedMsaVersions(final URL url) {
    final ConfigurationFactory<SupportedMsaVersions> factory = supportedMsaVersionsFactoryFactory.create(
            SupportedMsaVersions.class,buildDefaultValidatorFactory().getValidator(),"");
    try {
        SupportedMsaVersions supportedMsaVersions = factory.build(
                configurationSourceProvider,url.toString());
        return supportedMsaVersions;
    } catch (IOException | ConfigurationException e) {
        throw propagate(e);
    }
}
项目:dropwizard-hikaricp-benchmark    文件:HikariDataSourceFactoryTest.java   
@Test
public void canDeserializeCorrectly() throws IOException,ConfigurationException {
    final HikariDataSourceFactory factory = new YamlConfigurationFactory<>(HikariDataSourceFactory.class,BaseValidator.newValidator(),Jackson.newObjectMapper(),"dw")
            .build(new ResourceConfigurationSourceProvider(),"config.yaml");

    assertthat(factory.getUser()).isEqualTo("nick");
    assertthat(factory.getpassword()).isEqualTo("nickss");
    assertthat(factory.getDatasourceClassName()).isEqualTo("org.postgresql.ds.PGSimpleDataSource");
    assertthat(factory.getProperties()).containsExactly(entry("databaseName","postgres"));
    assertthat(factory.getMinSize()).isEqualTo(OptionalInt.empty());
    assertthat(factory.getMaxSize()).isEqualTo(12);
    assertthat(factory.isAutoCommit()).isTrue();
}
项目:emodb    文件:EmoService.java   
private EmoConfiguration loadConfigFile(File configFile)
        throws IOException,ConfigurationException {
    Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
    ObjectMapper mapper = CustomJsonObjectMapperFactory.build(new YAMLFactory());
    ConfigurationFactory<EmoConfiguration> configurationFactory = new ConfigurationFactory(EmoConfiguration.class,mapper,"dw");
    return configurationFactory.build(configFile);
}
项目:emodb    文件:CreateKeyspacesCommand.java   
public static DdlConfiguration parseDdlConfiguration(File file) throws IOException,ConfigurationException {
    // Similar to Dropwizard's ConfigurationFactory but ignores System property overrides.
    ObjectMapper mapper = CustomJsonObjectMapperFactory.build(new YAMLFactory());
    mapper.configure(DeserializationFeature.FAIL_ON_UNKNowN_PROPERTIES,true);
    DdlConfiguration ddlConfiguration = mapper.readValue(file,DdlConfiguration.class);

    Set<ConstraintViolation<DdlConfiguration>> errors = _validator.validate(ddlConfiguration);
    if (!errors.isEmpty()) {
        throw new ConfigurationValidationException(file.toString(),errors);
    }

    return ddlConfiguration;
}
项目:emodb    文件:SdkConfigTest.java   
@Test
public void ensureSdkDefaultConfigDeserialization()
        throws IOException,URISyntaxException,ConfigurationException {
    // This test makes sure that we haven't forgotten to update the emodb sdk default config file when we add/remove properties
    Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
    ObjectMapper mapper = CustomJsonObjectMapperFactory.build(new YAMLFactory());
    ConfigurationFactory configurationFactory = new ConfigurationFactory(EmoConfiguration.class,"dw");
    // Make sure that our config files are up to date
    configurationFactory.build(
    new File(EmoStartMojo.class.getResource("/emodb-default-config.yaml").toURI()));
}
项目:auth    文件:ConfigurationParser.java   
/**
 * Parses the given configuration file and returns a configuration object.
 *
 * @param configurationFileName The name of the configuration file.
 * @return A configuration object.
 * @throws IOException The IO error that contains detail information.
 * @throws ConfigurationException The configuration error that contains detail information.
 */
public static ApiConfiguration parse(String configurationFileName)
  throws IOException,ConfigurationException {
  if (StringUtils.isBlank(configurationFileName)) {
    throw new IllegalArgumentException("Configuration file cannot be blank");
  }

  ObjectMapper objectMapper = null;
  if (configurationFileName.endsWith("yml") || configurationFileName.endsWith("yaml")) {
    objectMapper = Jackson.newObjectMapper(new YAMLFactory());
  } else if (configurationFileName.endsWith("json")) {
    objectMapper = Jackson.newObjectMapper(new JsonFactory());
  } else {
    throw new IllegalArgumentException("Unrecognized configuration file type");
  }

  ValidatorFactory validatorFactory = Validation
      .byProvider(HibernateValidator.class)
      .configure()
      .addValidatedValueHandler(new OptionalValidatedValueUnwrapper())
      .buildValidatorFactory();

  final ConfigurationFactory<ApiConfiguration> configurationFactory =
      new DefaultConfigurationFactoryFactory<ApiConfiguration>()
        .create(ApiConfiguration.class,validatorFactory.getValidator(),"dw");

  final File file = new File(configurationFileName);
  if (!file.exists()) {
    throw new FileNotFoundException("Configuration file " + configurationFileName + " not found");
  }

  return configurationFactory.build(file);
}
项目:keywhiz    文件:KeywhizTestRunner.java   
static Injector createInjector() {
  KeywhizService service = new KeywhizService();
  Bootstrap<KeywhizConfig> bootstrap = new Bootstrap<>(service);
  service.initialize(bootstrap);

  File yamlFile = new File(Resources.getResource("keywhiz-test.yaml").getFile());
  Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
  ObjectMapper objectMapper = bootstrap.getobjectMapper().copy();
  KeywhizConfig config;
  try {
    config = new ConfigurationFactory<>(KeywhizConfig.class,"dw")
        .build(yamlFile);
  } catch (IOException | ConfigurationException e) {
    throw Throwables.propagate(e);
  }

  Environment environment = new Environment(service.getName(),bootstrap.getMetricRegistry(),bootstrap.getClassLoader());

  Injector injector = Guice.createInjector(new ServiceModule(config,environment));

  service.setInjector(injector);
  return injector;
}
项目:backups    文件:ConfigurationTestUtil.java   
public static BackupConfiguration loadConfiguration() throws IOException,ConfigurationException {
    if (!CONfigURATION_FILE.isPresent()) {
        throw new FileNotFoundException(String.format("Unable to find %s",CONfigURATION_FILENAME));
    }

    return CONfigURATION_FACTORY.build(CONfigURATION_FILE.get());
}
项目:backups    文件:BackupConfigurationTest.java   
@Test
public void testTemplateConfigurationIsValid() throws IOException,ConfigurationException {
    final BackupConfiguration config = ConfigurationTestUtil.loadConfiguration();
    assertNotNull(config);

    final Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
    assertTrue(validator.validate(config).isEmpty());
}
项目:dropwizard-raven    文件:RavenAppenderFactoryTest.java   
@Test
public void hasValidDefaults() throws IOException,ConfigurationException {
  final RavenAppenderFactory factory = new RavenAppenderFactory();

  assertNull("default dsn is unset",factory.getDsn());
  assertFalse("default environment is empty",factory.getEnvironment().isPresent());
  assertFalse("default extraTags is empty",factory.getEnvironment().isPresent());
  assertFalse("default ravenFactory is empty",factory.getRavenFactory().isPresent());
  assertFalse("default release is empty",factory.getRelease().isPresent());
  assertFalse("default serverName is empty",factory.getServerName().isPresent());
  assertFalse("default tags are empty",factory.getTags().isPresent());
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactoryTest.java   
@Test
public void can_set_variable_with_default_in_array() throws IOException,ConfigurationException {
    environmentProvider.put("ARRAY_2","5");

    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.array.get(2),is(equalTo("5")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactoryTest.java   
@Test
public void can_set_variable_with_default_in_object() throws IOException,ConfigurationException {
    environmentProvider.put("OBJECT_C","5");

    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.object.get("c"),is(equalTo("5")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactoryTest.java   
@Test
public void can_set_variable_without_default_in_array() throws IOException,ConfigurationException {
    environmentProvider.put("ARRAY_1","5");

    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.array.get(1),is(equalTo("5")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactoryTest.java   
@Test
public void can_set_variable_without_default_in_object() throws IOException,ConfigurationException {
    environmentProvider.put("OBJECT_B","5");

    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.object.get("b"),is(equalTo("5")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactoryTest.java   
@Test
public void uses_default_value_in_array() throws IOException,ConfigurationException {
    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.array.get(2),is(equalTo("default")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactoryTest.java   
@Test
public void uses_default_value_in_object() throws IOException,ConfigurationException {
    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.object.get("c"),is(equalTo("default")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactorySubObjectTest.java   
@Test
public void can_set_variable_with_default_in_array() throws IOException,ConfigurationException {
    environmentProvider.put("SUB_ARRAY_2","5");

    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.subTestConfiguration.array.get(2),is(equalTo("5")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactorySubObjectTest.java   
@Test
public void can_set_variable_with_default_in_object() throws IOException,ConfigurationException {
    environmentProvider.put("SUB_OBJECT_C","5");

    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.subTestConfiguration.object.get("c"),is(equalTo("5")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactorySubObjectTest.java   
@Test
public void can_set_variable_without_default_in_array() throws IOException,ConfigurationException {
    environmentProvider.put("SUB_ARRAY_1","5");

    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.subTestConfiguration.array.get(1),is(equalTo("5")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactorySubObjectTest.java   
@Test
public void can_set_variable_without_default_in_object() throws IOException,ConfigurationException {
    environmentProvider.put("SUB_OBJECT_B","5");

    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.subTestConfiguration.object.get("b"),is(equalTo("5")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactorySubObjectTest.java   
@Test
public void uses_default_value_in_array() throws IOException,ConfigurationException {
    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.subTestConfiguration.array.get(2),is(equalTo("default")));
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactorySubObjectTest.java   
@Test
public void uses_default_value_in_object() throws IOException,ConfigurationException {
    TestConfiguration testConfiguration = environmentConfigurationFactory.build(new File(
            "src/test/resources/config.yaml"));

    assertthat(testConfiguration.subTestConfiguration.object.get("c"),is(equalTo("default")));
}
项目:dropwizard-tinkerpop    文件:TinkerPopFactoryTest.java   
@Before
public void setUp() throws URISyntaxException,ConfigurationException {
    connect();
}
项目:AugumentedSzczecin_java    文件:OpenDataClientConfiguration.java   
public String getUrl() throws ConfigurationException {
    return url;
}
项目:AugumentedSzczecin_java    文件:OpenDataClientModule.java   
@Singleton
@Provides
@Named("openDataUrl")
public String provideOpenDataClient(final OpenDataClientConfiguration configuration) throws ConfigurationException {
    return configuration.getUrl();
}
项目:backups    文件:AzureBackupProcessorTest.java   
@Override
protected AzureTableMetadataStorage<BackupMetadata> getMetadataStorage() throws IOException,ConfigurationException {
    return new AzureTableMetadataStorage<>(BackupMetadata.class,configuration,azureNamespace,new MetricRegistry());
}
项目:backups    文件:AzurelikeBackupProcessorTest.java   
@Override
protected AzureTablelikeMetadataStorage<BackupMetadata> getMetadataStorage() throws IOException,ConfigurationException {
    return new AzureTablelikeMetadataStorage<>(BackupMetadata.class);
}
项目:backups    文件:TemporaryTokenGeneratorTest.java   
@Before
public void setUp() throws InvalidKeySpecException,NoSuchAlgorithmException,ConfigurationException {
    final TokenConfiguration config = ConfigurationTestUtil.loadConfiguration().getTokenConfiguration();
    generator = new TemporaryTokenGenerator(config);
}
项目:backups    文件:AzureTableMetadataStorageTest.java   
@Override
protected MetadataStorage<BackupMetadata> getMetadataStorage() throws IOException,ConfigurationException {
    final BackupConfiguration configuration = ConfigurationTestUtil.loadConfiguration();
    return new AzureTableMetadataStorage<>(BackupMetadata.class,configuration.getoffsiteConfiguration().getStorageConfiguration(),new MetricRegistry());
}
项目:backups    文件:AzureFileStorageTest.java   
@Override
protected AzureFileStorage getFileStorage() throws IOException,ConfigurationException,StorageException,InvalidKeyException,URISyntaxException {
    final BackupConfiguration configuration = ConfigurationTestUtil.loadConfiguration();
    return new AzureFileStorage(configuration.getoffsiteConfiguration().getStorageConfiguration(),azureNamespace);
}
项目:dropwizard-elasticsearch    文件:EsConfigurationTest.java   
@Test
public void defaultConfigShouldBeValid() throws IOException,ConfigurationException {
    configFactory.build();
}
项目:dropwizard-elasticsearch    文件:EsConfigurationTest.java   
@Test(expected = ConfigurationException.class)
public void eitherNodeClientOrServerListMustBeSet() throws IOException,URISyntaxException {
    URL configFileUrl = this.getClass().getResource("/invalid.yml");
    File configFile = new File(configFileUrl.toURI());
    configFactory.build(configFile);
}
项目:dropwizard-config-importable    文件:ImportableConfigurationFactory.java   
/**
 * Loads,parses,binds,and validates a configuration object.
 *
 * @param provider the provider to to use for reading configuration files
 * @param path     the path of the configuration file
 * @return a validated configuration object
 * @throws IOException            if there is an error reading the file
 * @throws ConfigurationException if there is an error parsing or validating the file
 */
public T build(ConfigurationSourceProvider provider,String path)
    throws IOException,ConfigurationException
{
    return build(loadConfiguration(provider,path),path);
}

io.dropwizard.configuration.ConfigurationFactory的实例源码

io.dropwizard.configuration.ConfigurationFactory的实例源码

项目:restler    文件:TestRestlerModule.java   
@Override
public RestlerConfig getConfiguration()  {
    ObjectMapper objectMapper = Jackson.newObjectMapper();

    ValidatorFactory validatorFactory = Validation
            .byProvider(HibernateValidator.class)
            .configure()
            .addValidatedValueHandler(new OptionalValidatedValueUnwrapper())
            .buildValidatorFactory();


    final ConfigurationFactory<RestlerConfig> configurationFactory =
            new DefaultConfigurationFactoryFactory<RestlerConfig>().create(RestlerConfig.class,validatorFactory.getValidator(),objectMapper,"dw");

    try {
        return configurationFactory.build(new FileConfigurationSourceProvider(),TEST_CONfig_FILE);
    } catch (Exception e) {
        throw new RuntimeException("Cannot get test configuration",e);
    }
}
项目:dcos-cassandra-service    文件:ConfigurationManagerTest.java   
@Before
public void beforeAll() throws Exception {
    server = new TestingServer();
    server.start();
    Capabilities mockCapabilities = Mockito.mock(Capabilities.class);
    when(mockCapabilities.supportsNamedVips()).thenReturn(true);
    taskFactory = new CassandraDaemonTask.Factory(mockCapabilities);
    configurationFactory = new ConfigurationFactory<>(
                    MutableSchedulerConfiguration.class,BaseValidator.newValidator(),Jackson.newObjectMapper()
                            .registerModule(new GuavaModule())
                            .registerModule(new Jdk8Module()),"dw");
    connectString = server.getConnectString();
}
项目:keywhiz    文件:MigrationsRule.java   
@Override public Statement apply(final Statement base,Description description) {
  return new Statement() {
    @Override public void evaluate() throws Throwable {
      File yamlFile = new File(Resources.getResource("keywhiz-test.yaml").getFile());
      Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
      ObjectMapper objectMapper = KeywhizService.customizeObjectMapper(Jackson.newObjectMapper());
      KeywhizConfig config = new ConfigurationFactory<>(KeywhizConfig.class,validator,"dw")
          .build(yamlFile);

      DataSource dataSource = config.getDataSourceFactory()
          .build(new MetricRegistry(),"db-migrations");

      Flyway flyway = new Flyway();
      flyway.setDataSource(dataSource);
      flyway.setLocations(config.getMigrationsDir());
      flyway.clean();
      flyway.migrate();

      DSLContext dslContext = DSLContexts.databaseAgnostic(dataSource);
      DbSeedCommand.doImport(dslContext);

      base.evaluate();
    }
  };
}
项目:soabase    文件:GuiceBundle.java   
@Override
public void initialize(Bootstrap<?> bootstrap)
{
    final InjectableValues injectableValues = new InjectableValues()
    {
        @Override
        public Object findInjectableValue(Object valueId,DeserializationContext ctxt,BeanProperty forProperty,Object beanInstance)
        {
            return null;
        }
    };
    final ConfigurationFactoryFactory<? extends Configuration> configurationFactoryFactory = bootstrap.getConfigurationFactoryFactory();
    ConfigurationFactoryFactory factoryFactory = new ConfigurationFactoryFactory()
    {
        @Override
        public ConfigurationFactory create(Class klass,Validator validator,ObjectMapper objectMapper,String propertyPrefix)
        {
            objectMapper.setInjectableValues(injectableValues);
            //noinspection unchecked
            return configurationFactoryFactory.create(klass,propertyPrefix);
        }
    };
    //noinspection unchecked
    bootstrap.setConfigurationFactoryFactory(factoryFactory);
}
项目:macrobase    文件:MacroBaseConfTest.java   
@Test
public void testParsing() throws Exception {
    ConfigurationFactory<MacroBaseConf> cfFactory = new ConfigurationFactory<>(MacroBaseConf.class,null,Jackson.newObjectMapper(),"");
    MacroBaseConf conf = cfFactory.build(new File("src/test/resources/conf/simple.yaml"));


    assertEquals((Double) 0.1,conf.getDouble("this.is.a.double"));
    assertEquals((Integer) 100,conf.getInt("this.is.an.integer"));
    assertEquals((Long) 10000000000000L,conf.getLong("this.is.a.long"));
    assertEquals("Test",conf.getString("this.is.a.string"));

    List<String> stringList = Lists.newArrayList("T1","T2","T3","T4");
    assertArrayEquals(stringList.toArray(),conf.getStringList("this.is.a.stringList").toArray());
    assertArrayEquals(stringList.toArray(),conf.getStringList("this.is.a.stringList.without.spaces").toArray());
    assertArrayEquals(stringList.toArray(),conf.getStringList("this.is.a.stringList.with.mixed.spaces").toArray());
}
项目:graceland-core    文件:ConfigurationBinder.java   
/**
 * Builds a Configuration object from the file path given. It uses the {@link io.dropwizard.configuration.ConfigurationFactory}
 * to build the configuration.
 *
 * @param possibleFilename The path to the configuration.
 * @return A configuration object loaded form the filename given.
 */
private Config buildFromFile(String possibleFilename) {
    File configFile = new File(possibleFilename);
    Preconditions.checkArgument(configFile.exists(),"File must exist at: " + configFile.getAbsolutePath());

    try {
        return new ConfigurationFactory<>(
                configClass,Validation.buildDefaultValidatorFactory().getValidator(),"graceland")
                .build(configFile);

    } catch (Exception e) {
        String msg = "UnkNown exception triggered when attempting to build config from file:" + "\n" +
                "\t* Configuration Class: " + configClass.getCanonicalName() + "\n" +
                "\t* File: " + configFile.getAbsolutePath();

        throw new RuntimeException(msg,e);
    }
}
项目:oregami-server    文件:StartHelper.java   
public static OregamiConfiguration createConfiguration(String configFilename) {
    ConfigurationFactory<OregamiConfiguration> factory =
            new ConfigurationFactory<>(
                    OregamiConfiguration.class,""
            );
    OregamiConfiguration configuration;
    try {
        configuration = factory.build(new File(configFilename));
    } catch (Exception e) {
        throw new RuntimeException(e);
    }
    System.out.println(ToStringBuilder.reflectionToString(configuration,ToStringStyle.MULTI_LINE_STYLE));
    System.out.println(ToStringBuilder.reflectionToString(configuration.getDatabaseConfiguration(),ToStringStyle.MULTI_LINE_STYLE));
    return configuration;
}
项目:verify-hub    文件:SupportedMsaVersionsLoader.java   
public SupportedMsaVersions loadSupportedMsaVersions(final URL url) {
    final ConfigurationFactory<SupportedMsaVersions> factory = supportedMsaVersionsFactoryFactory.create(
            SupportedMsaVersions.class,buildDefaultValidatorFactory().getValidator(),"");
    try {
        SupportedMsaVersions supportedMsaVersions = factory.build(
                configurationSourceProvider,url.toString());
        return supportedMsaVersions;
    } catch (IOException | ConfigurationException e) {
        throw propagate(e);
    }
}
项目:verify-hub    文件:FileBackedConfigDataSource.java   
public FileBackedConfigDataSource(
        ConfigConfiguration configuration,ConfigurationFactory<T> configurationFactory,String dataDirectory) {

    this.configuration = configuration;
    this.configurationFactory = configurationFactory;
    this.dataDirectory = dataDirectory;
}
项目:dcos-cassandra-service    文件:ConfigValidatorTest.java   
@Before
public void beforeEach() throws Exception {
  factory = new ConfigurationFactory<>(
    MutableSchedulerConfiguration.class,Jackson.newObjectMapper().registerModule(new GuavaModule())
      .registerModule(new Jdk8Module()),"dw");

  configuration = factory.build(
    new SubstitutingSourceProvider(
      new FileConfigurationSourceProvider(),new EnvironmentvariableSubstitutor(false,true)),Resources.getResource("scheduler.yml").getFile());
}
项目:emodb    文件:EmoService.java   
private EmoConfiguration loadConfigFile(File configFile)
        throws IOException,ConfigurationException {
    Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
    ObjectMapper mapper = CustomJsonObjectMapperFactory.build(new YAMLFactory());
    ConfigurationFactory<EmoConfiguration> configurationFactory = new ConfigurationFactory(EmoConfiguration.class,mapper,"dw");
    return configurationFactory.build(configFile);
}
项目:emodb    文件:BaseRoleConnectHelper.java   
protected EmoConfiguration getConfigurationFromresource()  throws Exception {
    URL url = BaseRoleConnectHelper.class.getResource(_configFileResource);
    Preconditions.checkNotNull(url,_configFileResource);
    File file = new File (url.toURI());
    Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
    ObjectMapper mapper = CustomJsonObjectMapperFactory.build(new YAMLFactory());

    ConfigurationFactory<EmoConfiguration> configFactory = new ConfigurationFactory<>(EmoConfiguration.class,"dw");
    return configFactory.build(file);
}
项目:emodb    文件:SdkConfigTest.java   
@Test
public void ensureSdkDefaultConfigDeserialization()
        throws IOException,URISyntaxException,ConfigurationException {
    // This test makes sure that we haven't forgotten to update the emodb sdk default config file when we add/remove properties
    Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
    ObjectMapper mapper = CustomJsonObjectMapperFactory.build(new YAMLFactory());
    ConfigurationFactory configurationFactory = new ConfigurationFactory(EmoConfiguration.class,"dw");
    // Make sure that our config files are up to date
    configurationFactory.build(
    new File(EmoStartMojo.class.getResource("/emodb-default-config.yaml").toURI()));
}
项目:dropwizard-config-importable    文件:ImportableConfigurationFactoryFactory.java   
@Override
public ConfigurationFactory<T> create(
    final Class<T> klass,final Validator validator,final ObjectMapper objectMapper,final String propertyPrefix
) {
    return new ImportableConfigurationFactory<T>(
        klass,configureObjectMapper(objectMapper.copy()),propertyPrefix
    );
}
项目:auth    文件:ConfigurationParser.java   
/**
 * Parses the given configuration file and returns a configuration object.
 *
 * @param configurationFileName The name of the configuration file.
 * @return A configuration object.
 * @throws IOException The IO error that contains detail information.
 * @throws ConfigurationException The configuration error that contains detail information.
 */
public static ApiConfiguration parse(String configurationFileName)
  throws IOException,ConfigurationException {
  if (StringUtils.isBlank(configurationFileName)) {
    throw new IllegalArgumentException("Configuration file cannot be blank");
  }

  ObjectMapper objectMapper = null;
  if (configurationFileName.endsWith("yml") || configurationFileName.endsWith("yaml")) {
    objectMapper = Jackson.newObjectMapper(new YAMLFactory());
  } else if (configurationFileName.endsWith("json")) {
    objectMapper = Jackson.newObjectMapper(new JsonFactory());
  } else {
    throw new IllegalArgumentException("Unrecognized configuration file type");
  }

  ValidatorFactory validatorFactory = Validation
      .byProvider(HibernateValidator.class)
      .configure()
      .addValidatedValueHandler(new OptionalValidatedValueUnwrapper())
      .buildValidatorFactory();

  final ConfigurationFactory<ApiConfiguration> configurationFactory =
      new DefaultConfigurationFactoryFactory<ApiConfiguration>()
        .create(ApiConfiguration.class,"dw");

  final File file = new File(configurationFileName);
  if (!file.exists()) {
    throw new FileNotFoundException("Configuration file " + configurationFileName + " not found");
  }

  return configurationFactory.build(file);
}
项目:keywhiz    文件:LdapLookupConfigTest.java   
@Test public void parsesLDAPLookupCorrectly() throws Exception {
  File yamlFile = new File(Resources.getResource("fixtures/keywhiz-ldap-lookup-test.yaml").getFile());
  Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
  ObjectMapper objectMapper = bootstrap.getobjectMapper().copy();

  LdapLookupConfig lookupConfig =
      new ConfigurationFactory<>(LdapLookupConfig.class,"dw")
          .build(yamlFile);

  assertthat(lookupConfig.getrequiredRoles()).containsOnly("keywhizAdmins");
  assertthat(lookupConfig.getRoleBasedn()).isEqualTo("ou=ApplicationAccess,dc=test,dc=com");
  assertthat(lookupConfig.getUserBasedn()).isEqualTo("ou=people,dc=com");
  assertthat(lookupConfig.getUserAttribute()).isEqualTo("uid");
}
项目:keywhiz    文件:KeywhizTestRunner.java   
static Injector createInjector() {
  KeywhizService service = new KeywhizService();
  Bootstrap<KeywhizConfig> bootstrap = new Bootstrap<>(service);
  service.initialize(bootstrap);

  File yamlFile = new File(Resources.getResource("keywhiz-test.yaml").getFile());
  Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
  ObjectMapper objectMapper = bootstrap.getobjectMapper().copy();
  KeywhizConfig config;
  try {
    config = new ConfigurationFactory<>(KeywhizConfig.class,"dw")
        .build(yamlFile);
  } catch (IOException | ConfigurationException e) {
    throw Throwables.propagate(e);
  }

  Environment environment = new Environment(service.getName(),bootstrap.getMetricRegistry(),bootstrap.getClassLoader());

  Injector injector = Guice.createInjector(new ServiceModule(config,environment));

  service.setInjector(injector);
  return injector;
}
项目:soabase    文件:TestFlexibleConfigurationSourceProvider.java   
@Test
public void testViaDW() throws Exception
{
    Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
    ObjectMapper objectMapper = Jackson.newObjectMapper();
    ConfigurationFactory<MyConfiguration> configurationFactory = new DefaultConfigurationFactoryFactory<MyConfiguration>().create(MyConfiguration.class,"dw");
    MyConfiguration configuration = configurationFactory.build(new FlexibleConfigurationSourceProvider(),"%{\"testValue\": \"override\"}");
    Assert.assertEquals("override",configuration.testValue);
}
项目:soabase    文件:AdminConsoleAppBuilder.java   
public AdminConsoleAppBuilder<T> withConfigurationClass(final Class<T> configurationClass)
{
    factoryFactory = new ConfigurationFactoryFactory<T>()
    {
        @Override
        public ConfigurationFactory<T> create(Class<T> klass,String propertyPrefix)
        {
            return new YamlConfigurationFactory<>(configurationClass,propertyPrefix);
        }
    };
    return this;
}
项目:log-dropwizard-eureka-mongo-sample    文件:WithConfiguration.java   
@Before
public void setuptest() throws Exception {
    azureTableConfiguration = new ConfigurationFactory<>(
            AzureTableConfiguration.class,"dw.").build(new File(Resources.getResource("azure-test.yml").toURI()));
}
项目:dropwizardry    文件:HoconConfigurationFactoryFactory.java   
@Override
public ConfigurationFactory<T> create(
        Class<T>     klass,Validator    validator,String       propertyPrefix) {
    return new HoconConfigurationFactory<>(klass,propertyPrefix);
}
项目:dropwizard-metrics-cloudwatch    文件:CloudWatchReporterFactoryTest.java   
@Test
public void verifyConfigurable() throws Exception {
    ObjectMapper mapper = Jackson.newObjectMapper();

    // dropwizard 0.9.1 changed the validation wiring a bit..
    Class<ValidatedValueUnwrapper> optValidatorClazz = (Class<ValidatedValueUnwrapper>) Class
            .forName("io.dropwizard.validation.valuehandling.OptionalValidatedValueUnwrapper");

    Validator validator = Validation.buildDefaultValidatorFactory().getValidator();
    if (optValidatorClazz != null) {
        validator = Validation.byProvider(HibernateValidator.class).configure()
                .addValidatedValueHandler(optValidatorClazz.newInstance())
                .buildValidatorFactory().getValidator();
    }

    ConfigurationFactory<CloudWatchReporterFactory> configFactory =
            new ConfigurationFactory<>(CloudWatchReporterFactory.class,"dw");
    CloudWatchReporterFactory f = configFactory.build(new File(Resources.getResource("cw.yml").getFile()));

    assertEquals("[env=default]",f.getGlobalDimensions().toString());
    assertEquals("us-east-1",f.getAwsRegion());
    assertEquals("a.b",f.getNamespace());
    assertEquals("XXXXX",f.getAwsSecretKey());
    assertEquals("11111",f.getAwsAccessKeyId());
    assertEquals("p.neustar.biz",f.getAwsClientConfiguration().getProxyHost());
    assertNull(f.getAwsClientConfiguration().getProxyUsername());
}
项目:pinot    文件:DaoProviderUtil.java   
public static PersistenceConfig createConfiguration(File configFile) {
  ConfigurationFactory<PersistenceConfig> factory =
      new ConfigurationFactory<>(PersistenceConfig.class,"");
  PersistenceConfig configuration;
  try {
    configuration = factory.build(configFile);
  } catch (Exception e) {
    throw new RuntimeException(e);
  }
  return configuration;
}
项目:monasca-common    文件:AbstractResourceTest.java   
/**
 * Returns a configuration object read in from the {@code fileName}.
 */
protected <T extends Configuration> T getConfiguration(String filename,Class<T> configurationClass) throws Exception {
  final ConfigurationFactory<T> configurationFactory = new ConfigurationFactory<>(
      configurationClass,"dw");
  if (filename != null) {
    final File file = new File(Resources.getResource(filename).getFile());
    if (!file.exists())
      throw new FileNotFoundException("File " + file + " not found");
    return configurationFactory.build(file);
  }

  return configurationFactory.build();
}
项目:dcos-cassandra-service    文件:CassandraStateTest.java   
@Before
public void beforeEach() throws Exception {
    server = new TestingServer();

    server.start();

    final ConfigurationFactory<MutableSchedulerConfiguration> factory =
            new ConfigurationFactory<>(
                    MutableSchedulerConfiguration.class,Jackson.newObjectMapper().registerModule(
                            new GuavaModule())
                            .registerModule(new Jdk8Module()),"dw");

    config = factory.build(
            new SubstitutingSourceProvider(
                    new FileConfigurationSourceProvider(),Resources.getResource("scheduler.yml").getFile());

    ServiceConfig initial = config.createConfig().getServiceConfig();

    final CassandraSchedulerConfiguration targetConfig = config.createConfig();
    clusterTaskConfig = targetConfig.getClusterTaskConfig();

    final CuratorFrameworkConfig curatorConfig = config.getCuratorConfig();
    RetryPolicy retryPolicy =
            (curatorConfig.getoperationTimeout().isPresent()) ?
                    new RetryUntilElapsed(
                            curatorConfig.getoperationTimeoutMs()
                                    .get()
                                    .intValue(),(int) curatorConfig.getBackoffMs()) :
                    new RetryForever((int) curatorConfig.getBackoffMs());

    stateStore = new CuratorStateStore(
            targetConfig.getServiceConfig().getName(),server.getConnectString(),retryPolicy);
    stateStore.storeFrameworkId(Protos.FrameworkID.newBuilder().setValue("1234").build());
    identity = new IdentityManager(
            initial,stateStore);

    identity.register("test_id");

    DefaultConfigurationManager configurationManager =
            new DefaultConfigurationManager(CassandraSchedulerConfiguration.class,config.createConfig().getServiceConfig().getName(),config.createConfig(),new ConfigValidator(),stateStore);

    Capabilities mockCapabilities = Mockito.mock(Capabilities.class);
    when(mockCapabilities.supportsNamedVips()).thenReturn(true);
    configuration = new ConfigurationManager(
            new CassandraDaemonTask.Factory(mockCapabilities),configurationManager);

    cassandraState = new CassandraState(
            configuration,clusterTaskConfig,stateStore);
}
项目:dcos-cassandra-service    文件:ServiceConfigResourceTest.java   
@BeforeClass
public static void beforeAll() throws Exception {

    server = new TestingServer();

    server.start();

    final ConfigurationFactory<MutableSchedulerConfiguration> factory =
            new ConfigurationFactory<>(
                    MutableSchedulerConfiguration.class,Resources.getResource("scheduler.yml").getFile());

    final CuratorFrameworkConfig curatorConfig = config.getCuratorConfig();
    RetryPolicy retryPolicy =
            (curatorConfig.getoperationTimeout().isPresent()) ?
                    new RetryUntilElapsed(
                            curatorConfig.getoperationTimeoutMs()
                                    .get()
                                    .intValue(),(int) curatorConfig.getBackoffMs()) :
                    new RetryForever((int) curatorConfig.getBackoffMs());

    stateStore = new CuratorStateStore(
            config.createConfig().getServiceConfig().getName(),retryPolicy);

    final CassandraSchedulerConfiguration configuration = config.createConfig();
    try {
        final ConfigValidator configValidator = new ConfigValidator();
        final DefaultConfigurationManager defaultConfigurationManager =
                new DefaultConfigurationManager(CassandraSchedulerConfiguration.class,configuration.getServiceConfig().getName(),configuration,configValidator,stateStore);
        Capabilities mockCapabilities = Mockito.mock(Capabilities.class);
        when(mockCapabilities.supportsNamedVips()).thenReturn(true);
        configurationManager = new ConfigurationManager(
                new CassandraDaemonTask.Factory(mockCapabilities),defaultConfigurationManager);
    } catch (ConfigStoreException e) {
        throw new RuntimeException(e);
    }
}
项目:dcos-cassandra-service    文件:ConfigurationResourceTest.java   
@BeforeClass
public static void beforeAll() throws Exception {
    server = new TestingServer();
    server.start();
    final ConfigurationFactory<MutableSchedulerConfiguration> factory =
            new ConfigurationFactory<>(
                    MutableSchedulerConfiguration.class,"dw");
    MutableSchedulerConfiguration mutable = factory.build(
            new SubstitutingSourceProvider(
                    new FileConfigurationSourceProvider(),Resources.getResource("scheduler.yml").getFile());
    config = mutable.createConfig();

    final CuratorFrameworkConfig curatorConfig = mutable.getCuratorConfig();
    RetryPolicy retryPolicy =
            (curatorConfig.getoperationTimeout().isPresent()) ?
                    new RetryUntilElapsed(
                            curatorConfig.getoperationTimeoutMs()
                                    .get()
                                    .intValue(),(int) curatorConfig.getBackoffMs()) :
                    new RetryForever((int) curatorConfig.getBackoffMs());

    StateStore stateStore = new CuratorStateStore(
            config.getServiceConfig().getName(),retryPolicy);
    configurationManager =
            new DefaultConfigurationManager(CassandraSchedulerConfiguration.class,config.getServiceConfig().getName(),config,stateStore);
    config = (CassandraSchedulerConfiguration) configurationManager.getTargetConfig();
}
项目:dcos-cassandra-service    文件:CassandraSchedulerTest.java   
private void beforeHelper(String configName) throws Exception {
    MockitoAnnotations.initMocks(this);
    mesosConfig = Mockito.mock(MesosConfig.class);

    client = Mockito.mock(SchedulerClient.class);
    Mockito.when(mockFuture.get()).thenReturn(true);
    Mockito.when(mockStage.toCompletableFuture()).thenReturn(mockFuture);
    backup = Mockito.mock(backupmanager.class);
    restore = Mockito.mock(RestoreManager.class);
    cleanup = Mockito.mock(CleanupManager.class);
    repair = Mockito.mock(RepairManager.class);
    upgrade = Mockito.mock(UpgradesstableManager.class);
    seeds = Mockito.mock(SeedsManager.class);
    capabilities = Mockito.mock(Capabilities.class);

    executorService = Executors.newSingleThreadScheduledExecutor();
    frameworkId = TestUtils.generateFrameworkId();

    factory = new ConfigurationFactory<>(
            MutableSchedulerConfiguration.class,Jackson.newObjectMapper().registerModule(
                    new GuavaModule())
                    .registerModule(new Jdk8Module()),Resources.getResource(configName).getFile());

    stateStore = new CuratorStateStore(
            "/" + config.getServiceConfig().getName(),server.getConnectString());

    DefaultConfigurationManager defaultConfigurationManager
            = new DefaultConfigurationManager(CassandraSchedulerConfiguration.class,"/" + config.createConfig().getServiceConfig().getName(),stateStore);


    Capabilities mockCapabilities = Mockito.mock(Capabilities.class);
    when(mockCapabilities.supportsNamedVips()).thenReturn(true);
    configurationManager = new ConfigurationManager(
            new CassandraDaemonTask.Factory(mockCapabilities),defaultConfigurationManager);
    cassandraState = new CassandraState(
            configurationManager,configurationManager.getTargetConfig().getClusterTaskConfig(),stateStore);

    offerRequirementProvider = new PersistentOfferRequirementProvider(defaultConfigurationManager);
    scheduler = new CassandraScheduler(
            configurationManager,mesosConfig,offerRequirementProvider,cassandraState,client,backup,restore,cleanup,repair,upgrade,true,seeds,executorService,stateStore,defaultConfigurationManager,capabilities);

    masterInfo = TestUtils.generateMasterInfo();

    driver = new QueuedSchedulerDriver();
    scheduler.setSchedulerDriver(driver);
    scheduler.registered(driver,frameworkId,masterInfo);
}
项目:dcos-cassandra-service    文件:CassandraDaemonStepTest.java   
@Before
public void beforeEach() throws Exception {
    MockitoAnnotations.initMocks(this);
    server = new TestingServer();
    server.start();

    Capabilities mockCapabilities = mock(Capabilities.class);
    when(mockCapabilities.supportsNamedVips()).thenReturn(true);
    taskFactory = new CassandraDaemonTask.Factory(mockCapabilities);

    final ConfigurationFactory<MutableSchedulerConfiguration> factory =
            new ConfigurationFactory<>(
                    MutableSchedulerConfiguration.class,Resources.getResource("scheduler.yml").getFile());

    final CassandraSchedulerConfiguration targetConfig = config.createConfig();
    clusterTaskConfig = targetConfig.getClusterTaskConfig();

    final CuratorFrameworkConfig curatorConfig = config.getCuratorConfig();
    RetryPolicy retryPolicy =
            (curatorConfig.getoperationTimeout().isPresent()) ?
                    new RetryUntilElapsed(
                            curatorConfig.getoperationTimeoutMs()
                                    .get()
                                    .intValue(),retryPolicy);
    stateStore.storeFrameworkId(Protos.FrameworkID.newBuilder().setValue("1234").build());

    configurationManager = new DefaultConfigurationManager(CassandraSchedulerConfiguration.class,stateStore);

    cassandraState = new CassandraState(
            new ConfigurationManager(taskFactory,configurationManager),stateStore);
}
项目:dcos-cassandra-service    文件:ClusterTaskOfferRequirementProviderTest.java   
@BeforeClass
public static void beforeAll() throws Exception {

    server = new TestingServer();

    server.start();

    final ConfigurationFactory<MutableSchedulerConfiguration> factory =
            new ConfigurationFactory<>(
                    MutableSchedulerConfiguration.class,"dw");

    MutableSchedulerConfiguration mutable = factory.build(
            new SubstitutingSourceProvider(
                    new FileConfigurationSourceProvider(),Resources.getResource("scheduler.yml").getFile());

    config = mutable.createConfig();
    ServiceConfig initial = config.getServiceConfig();

    clusterTaskConfig = config.getClusterTaskConfig();

    final CuratorFrameworkConfig curatorConfig = mutable.getCuratorConfig();
    RetryPolicy retryPolicy =
            (curatorConfig.getoperationTimeout().isPresent()) ?
                    new RetryUntilElapsed(
                            curatorConfig.getoperationTimeoutMs()
                                    .get()
                                    .intValue(),(int) curatorConfig.getBackoffMs()) :
                    new RetryForever((int) curatorConfig.getBackoffMs());

    stateStore = new CuratorStateStore(
            config.getServiceConfig().getName(),retryPolicy);
    stateStore.storeFrameworkId(Protos.FrameworkID.newBuilder().setValue("1234").build());

    identity = new IdentityManager(
            initial,stateStore);
    Capabilities mockCapabilities = Mockito.mock(Capabilities.class);
    when(mockCapabilities.supportsNamedVips()).thenReturn(true);
    configuration = new ConfigurationManager(
            new CassandraDaemonTask.Factory(mockCapabilities),configurationManager);

    provider = new ClusterTaskOfferRequirementProvider();
}
项目:dcos-cassandra-service    文件:CassandrataskFactoryTest.java   
@Before
public void beforeEach() throws Exception {
    MockitoAnnotations.initMocks(this);
    server = new TestingServer();
    server.start();

    final ConfigurationFactory<MutableSchedulerConfiguration> factory =
            new ConfigurationFactory<>(
                    MutableSchedulerConfiguration.class,retryPolicy);
    stateStore.storeFrameworkId(Protos.FrameworkID.newBuilder().setValue("1234").build());
    identity = new IdentityManager(initial,stateStore);

    taskFactory = new CassandrataskFactory(executorDriver);
}
项目:emodb    文件:QueueStresstest.java   
public static void main(String... args) throws Exception {
    final String DROPWIZARD_PROPERTY_PREFIX = "dw";

    // Load the config.yaml file specified as the first argument.
    ConfigurationFactory<EmoConfiguration> configFactory = new ConfigurationFactory(
            EmoConfiguration.class,DROPWIZARD_PROPERTY_PREFIX);
    EmoConfiguration configuration = configFactory.build(new File(args[0]));
    int numWriterThreads = Integer.parseInt(args[1]);
    int numReaderThreads = Integer.parseInt(args[2]);
    String adminApiKey = configuration.getAuthorizationConfiguration().getAdminApiKey();

    MetricRegistry metricRegistry = new MetricRegistry();
    new LoggingFactory().configure(metricRegistry,"stress");

    CuratorFramework curator = configuration.getZooKeeperConfiguration().newCurator();
    curator.start();

    QueueClientFactory queueFactory = QueueClientFactory.forClusterandHttpConfiguration(
            configuration.getCluster(),configuration.getHttpClientConfiguration(),metricRegistry);
    AuthQueueService authQueueService = ServicePoolBuilder.create(AuthQueueService.class)
            .withServiceFactory(queueFactory)
            .withHostdiscovery(new ZooKeeperHostdiscovery(curator,queueFactory.getServiceName(),metricRegistry))
            .withMetricRegistry(metricRegistry)
            .withCachingPolicy(ServiceCachingPolicyBuilder.getMultiThreadedClientPolicy())
            .buildProxy(new ExponentialBackoffRetry(5,50,1000,TimeUnit.MILLISECONDS));
    QueueService queueService = QueueServiceAuthenticator.proxied(authQueueService)
            .usingCredentials(adminApiKey);

    final QueueStresstest stresstest = new QueueStresstest(queueService);

    ThreadFactory writerFactory = new ThreadFactoryBuilder().setNameFormat("Writer-%d").build();
    for (int i = 0; i < numWriterThreads; i++) {
        writerFactory.newThread(new Runnable() {
            @Override
            public void run() {
                stresstest.write();
            }
        }).start();
    }

    ThreadFactory readerFactory = new ThreadFactoryBuilder().setNameFormat("Reader-%d").build();
    for (int i = 0; i < numReaderThreads; i++) {
        readerFactory.newThread(new Runnable() {
            @Override
            public void run() {
                stresstest.read();
            }
        }).start();
    }

    ThreadFactory reportFactory = new ThreadFactoryBuilder().setNameFormat("Report-%d").build();
    Executors.newScheduledThreadPool(1,reportFactory).scheduleAtFixedrate(new Runnable() {
        @Override
        public void run() {
            stresstest.report();
        }
    },1,TimeUnit.SECONDS);

    // Run forever
}
项目:emodb    文件:ScanUploadTest.java   
public static void main(String args[]) throws Exception {
    ValidatorFactory validatorFactory = Validation.buildDefaultValidatorFactory();
    // Load the config.yaml file specified as the first argument.
    ConfigurationFactory<EmoConfiguration> configFactory = new ConfigurationFactory<>(
            EmoConfiguration.class,"dw");
    File configFile = new File(args[0]);
    EmoConfiguration configuration = configFactory.build(configFile);
    String ddlFilePath = args[1];
    File scanUploadDir = new File(args[2]);

    checkArgument(scanUploadDir.isDirectory(),"Not a valid directory: %s",scanUploadDir);
    checkArgument(configuration.getServiceMode() == EmoServiceMode.SCANNER,"Not configured for scanner: %s",configuration.getServiceMode());

    // To prevent conflicting with EmoDB running on this same server adjust the host and admin ports.
    updatePortsToAvoidCollision(configuration.getServerFactory());

    HostAndPort hostAndPort = new SelfHostAndPortModule().provideSelfHostAndPort(configuration.getServerFactory());
    MetricRegistry metricRegistry = new MetricRegistry();
    configuration.getLoggingFactory().configure(metricRegistry,"scan");

    DataStore dataStore = null;

    try (CuratorFramework curator = configuration.getZooKeeperConfiguration().newCurator()) {
        curator.start();

        DataStoreClientFactory dataStoreFactory = DataStoreClientFactory.forClusterandHttpConfiguration(
                configuration.getCluster(),metricRegistry);
        dataStore = ServicePoolBuilder.create(DataStore.class)
                .withServiceFactory(dataStoreFactory.usingCredentials(configuration.getScanner().get().getScannerApiKey().get()))
                .withHostdiscovery(new ZooKeeperHostdiscovery(curator,dataStoreFactory.getServiceName(),metricRegistry))
                .withCachingPolicy(ServiceCachingPolicyBuilder.getMultiThreadedClientPolicy())
                .withMetricRegistry(metricRegistry)
                .buildProxy(new ExponentialBackoffRetry(5,TimeUnit.MILLISECONDS));

        ScanUploadTest test = new ScanUploadTest(dataStore);
        test.createAndPopulateTestTables();
        test.scanToDirectory(configuration,ddlFilePath,configFile,scanUploadDir,hostAndPort,validatorFactory,metricRegistry);
        test.validateScanResults(scanUploadDir);
    } finally {
        if (dataStore != null) {
            ServicePoolProxies.close(dataStore);
        }
    }
}
项目:emodb    文件:SorStresstest.java   
public static void main(String... args) throws Exception {
    final String DROPWIZARD_PROPERTY_PREFIX = "dw";

    // Load the config.yaml file specified as the first argument.
    ConfigurationFactory<EmoConfiguration> configFactory = new ConfigurationFactory(
            EmoConfiguration.class,DROPWIZARD_PROPERTY_PREFIX);
    EmoConfiguration configuration = configFactory.build(new File(args[0]));
    int numWriterThreads = Integer.parseInt(args[1]);
    int numReaderThreads = Integer.parseInt(args[2]);
    String apiKey = configuration.getAuthorizationConfiguration().getAdminApiKey();

    MetricRegistry metricRegistry = new MetricRegistry();
    new LoggingFactory().configure(metricRegistry,"stress");

    CuratorFramework curator = configuration.getZooKeeperConfiguration().newCurator();
    curator.start();

    DataStoreClientFactory dataStoreFactory = DataStoreClientFactory.forClusterandHttpConfiguration(
            configuration.getCluster(),metricRegistry);
    AuthDataStore authDataStore = ServicePoolBuilder.create(AuthDataStore.class)
            .withServiceFactory(dataStoreFactory)
            .withHostdiscovery(new ZooKeeperHostdiscovery(curator,TimeUnit.MILLISECONDS));
    DataStore dataStore = DataStoreAuthenticator.proxied(authDataStore).usingCredentials(apiKey);

    DatabusClientFactory databusFactory = DatabusClientFactory.forClusterandHttpConfiguration(
            configuration.getCluster(),metricRegistry);
    AuthDatabus authDatabus = ServicePoolBuilder.create(AuthDatabus.class)
            .withServiceFactory(databusFactory)
            .withHostdiscovery(new ZooKeeperHostdiscovery(curator,databusFactory.getServiceName(),TimeUnit.MILLISECONDS));
    Databus databus = DatabusAuthenticator.proxied(authDatabus).usingCredentials(apiKey);

    final SorStresstest stresstest = new SorStresstest(dataStore,databus);

    if (!dataStore.getTableExists(TABLE)) {
        TableOptions options = new TableOptionsBuilder().setPlacement("ugc_global:ugc").build();
        dataStore.createTable(TABLE,options,ImmutableMap.of("table",TABLE),new AuditBuilder().setLocalHost().build());
    }

    databus.subscribe(SUBSCRIPTION,Conditions.alwaysTrue(),Duration.standardDays(7),Duration.standardDays(1));

    ThreadFactory writerFactory = new ThreadFactoryBuilder().setNameFormat("SoR Writer-%d").build();
    for (int i = 0; i < numWriterThreads; i++) {
        writerFactory.newThread(new Runnable() {
            @Override
            public void run() {
                stresstest.writeDeltas();
            }
        }).start();
    }

    ThreadFactory readerFactory = new ThreadFactoryBuilder().setNameFormat("Databus Reader-%d").build();
    for (int i = 0; i < numReaderThreads; i++) {
        readerFactory.newThread(new Runnable() {
            @Override
            public void run() {
                stresstest.readDatabus();
            }
        }).start();
    }

    ThreadFactory reportFactory = new ThreadFactoryBuilder().setNameFormat("Report-%d").build();
    Executors.newScheduledThreadPool(1,TimeUnit.SECONDS);

    ServicePoolProxies.close(dataStore);
    Closeables.close(curator,true);
}
项目:dropwizard-helix    文件:DropWizardApplicationRunner.java   
/**
 * Creates a Jetty server for an application that can be started / stopped in-process
 *
 * @param config           An application configuration instance (with properties set)
 * @param applicationClass The {@link io.dropwizard.Application} implementation class
 * @param <T>              The configuration class
 * @return A Jetty server
 */
@SuppressWarnings("unchecked")
public static <T extends Configuration> DropWizardServer<T> createServer(
    T config,Class<? extends Application<T>> applicationClass) throws Exception {
  // Create application
  final Application<T> application = applicationClass.getConstructor().newInstance();

  // Create bootstrap
  final ServerCommand<T> serverCommand = new ServerCommand<T>(application);
  final Bootstrap<T> bootstrap = new Bootstrap<T>(application);
  bootstrap.addCommand(serverCommand);

  // Write a temporary config file
  File tmpConfigFile = new File(
      System.getProperty("java.io.tmpdir"),config.getClass().getCanonicalName() + "_" + System.currentTimeMillis());
  tmpConfigFile.deleteOnExit();
  bootstrap.getobjectMapper().writeValue(tmpConfigFile,config);

  // Parse configuration
  ConfigurationFactory<T> configurationFactory
      = bootstrap.getConfigurationFactoryFactory()
      .create((Class<T>) config.getClass(),bootstrap.getValidatorFactory().getValidator(),bootstrap.getobjectMapper(),"dw");
  final T builtConfig = configurationFactory.build(
      bootstrap.getConfigurationSourceProvider(),tmpConfigFile.getAbsolutePath());

  // Configure logging
  builtConfig.getLoggingFactory()
      .configure(bootstrap.getMetricRegistry(),bootstrap.getApplication().getName());

  // Environment
  final Environment environment = new Environment(bootstrap.getApplication().getName(),bootstrap.getClassLoader());

  // Initialize environment
  builtConfig.getMetricsFactory().configure(environment.lifecycle(),bootstrap.getMetricRegistry());

  // Server
  final Server server = builtConfig.getServerFactory().build(environment);
  server.addLifeCycleListener(new AbstractLifeCycle.AbstractLifeCycleListener() {
    @Override
    public void lifeCycleStopped(LifeCycle event) {
      builtConfig.getLoggingFactory().stop();
    }
  });

  return new DropWizardServer(builtConfig,bootstrap,application,environment,server,environment.metrics());
}
项目:Pinot    文件:DropWizardApplicationRunner.java   
/**
 * Creates a Jetty server for an application that can be started / stopped in-process
 *
 * @param config
 *  An application configuration instance (with properties set)
 * @param applicationClass
 *  The {@link io.dropwizard.Application} implementation class
 * @param <T>
 *  The configuration class
 * @return
 *  A Jetty server
 */
@SuppressWarnings("unchecked")
public static <T extends Configuration>
DropWizardServer<T> createServer(T config,Class<? extends Application<T>> applicationClass) throws Exception
{
  // Create application
  final Application<T> application = applicationClass.getConstructor().newInstance();

  // Create bootstrap
  final ServerCommand<T> serverCommand = new ServerCommand<T>(application);
  final Bootstrap<T> bootstrap = new Bootstrap<T>(application);
  bootstrap.addCommand(serverCommand);

  // Write a temporary config file
  File tmpConfigFile = new File(
          System.getProperty("java.io.tmpdir"),config);

  // Parse configuration
  ConfigurationFactory<T> configurationFactory
          = bootstrap.getConfigurationFactoryFactory()
                     .create((Class<T>) config.getClass(),"dw");
  final T builtConfig = configurationFactory.build(
          bootstrap.getConfigurationSourceProvider(),tmpConfigFile.getAbsolutePath());

  // Configure logging
  builtConfig.getLoggingFactory()
             .configure(bootstrap.getMetricRegistry(),bootstrap.getMetricRegistry());

  // Server
  final Server server = builtConfig.getServerFactory().build(environment);
  server.addLifeCycleListener(new AbstractLifeCycle.AbstractLifeCycleListener()
  {
    @Override
    public void lifeCycleStopped(LifeCycle event)
    {
      builtConfig.getLoggingFactory().stop();
    }
  });

  return new DropWizardServer(builtConfig,environment.metrics());
}
项目:camunda-bpm-dropwizard    文件:ConfigurationTestRule.java   
@Override
public ConfigurationFactory<T> get() {
  return factory;
}
项目:dropwizard-environment-config    文件:EnvironmentConfigurationFactoryFactory.java   
@Override
public ConfigurationFactory create(final Class klass,final String propertyPrefix) {
    return new EnvironmentConfigurationFactory<>(klass,propertyPrefix,new DefaultEnvironmentProvider());
}

今天关于如何在云服务器上设置/configurationlaravel项目云服务器怎么设置的分享就到这里,希望大家有所收获,若想了解更多关于Commons Configuration之二基本特性和AbstractConfiguration、configuration Joomla下利用configurationphp存储简单数据、io.dropwizard.configuration.ConfigurationException的实例源码、io.dropwizard.configuration.ConfigurationFactory的实例源码等相关知识,可以在本站进行查询。

本文标签: