1. 程式人生 > >五種方式讓你在java中讀取properties檔案內容不再是難題

五種方式讓你在java中讀取properties檔案內容不再是難題

一、背景

  最近,在專案開發的過程中,遇到需要在properties檔案中定義一些自定義的變數,以供java程式動態的讀取,修改變數,不再需要修改程式碼的問題。就藉此機會把Spring+SpringMVC+Mybatis整合開發的專案中通過java程式讀取properties檔案內容的方式進行了梳理和分析,現和大家共享。

二、專案環境介紹

    Spring 4.2.6.RELEASE

    SpringMvc 4.2.6.RELEASE

    Mybatis 3.2.8

    Maven 3.3.9

    Jdk 1.7

    Idea 15.04

三、五種實現方式

方式1.通過context:property-placeholder載入配置檔案jdbc.properties中的內容

<context:property-placeholder location="classpath:jdbc.properties" ignore-unresolvable="true"/>

  上面的配置和下面配置等價,是對下面配置的簡化

<bean id="propertyConfigurer" class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer"
> <property name="ignoreUnresolvablePlaceholders" value="true"/> <property name="locations"> <list> <value>classpath:jdbc.properties</value> </list> </property> </bean>
<!-- 配置元件掃描,springmvc容器中只掃描Controller註解 -->
<context:component-scan base-package
="com.hafiz.www" use-default-filters="false"> <context:include-filter type="annotation" expression="org.springframework.stereotype.Controller"/> </context:component-scan>

方式2.使用註解的方式注入,主要用在java程式碼中使用註解注入properties檔案中相應的value值

<bean id="prop" class="org.springframework.beans.factory.config.PropertiesFactoryBean">
   <!-- 這裡是PropertiesFactoryBean類,它也有個locations屬性,也是接收一個數組,跟上面一樣 -->
   <property name="locations">
       <array>
          <value>classpath:jdbc.properties</value>
       </array>
   </property>
</bean>

方式3.使用util:properties標籤進行暴露properties檔案中的內容

<util:properties id="propertiesReader" location="classpath:jdbc.properties"/>

注意:使用上面這行配置,需要在spring-dao.xml檔案的頭部宣告以下紅色的部分

<beans xmlns="http://www.springframework.org/schema/beans"
       xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
       xmlns:context="http://www.springframework.org/schema/context"
       xmlns:util="http://www.springframework.org/schema/util"
       xsi:schemaLocation="http://www.springframework.org/schema/beans
        http://www.springframework.org/schema/beans/spring-beans-3.2.xsd
        http://www.springframework.org/schema/context 
        http://www.springframework.org/schema/context/spring-context-3.2.xsd
        http://www.springframework.org/schema/util 
     http://www.springframework.org/schema/util/spring-util.xsd"
>

方式4.通過PropertyPlaceholderConfigurer在載入上下文的時候暴露properties到自定義子類的屬性中以供程式中使用

<bean id="propertyConfigurer" class="com.hafiz.www.util.PropertyConfigurer">
   <property name="ignoreUnresolvablePlaceholders" value="true"/>
   <property name="ignoreResourceNotFound" value="true"/>
   <property name="locations">
       <list>
          <value>classpath:jdbc.properties</value>
       </list>
   </property>
</bean>

自定義類PropertyConfigurer的宣告如下:

package com.hafiz.www.util;

import org.springframework.beans.BeansException;
import org.springframework.beans.factory.config.ConfigurableListableBeanFactory;
import org.springframework.beans.factory.config.PropertyPlaceholderConfigurer;

import java.util.Properties;

/**
 * Desc:properties配置檔案讀取類
 * Created by hafiz.zhang on 2016/9/14.
 */
public class PropertyConfigurer extends PropertyPlaceholderConfigurer {

    private Properties props;       // 存取properties配置檔案key-value結果

    @Override
    protected void processProperties(ConfigurableListableBeanFactory beanFactoryToProcess, Properties props)
                            throws BeansException {
        super.processProperties(beanFactoryToProcess, props);
        this.props = props;
    }

    public String getProperty(String key){
        return this.props.getProperty(key);
    }

    public String getProperty(String key, String defaultValue) {
        return this.props.getProperty(key, defaultValue);
    }

    public Object setProperty(String key, String value) {
        return this.props.setProperty(key, value);
    }
}

使用方式:在需要使用的類中使用@Autowired註解注入即可。

方式5.自定義工具類PropertyUtil,並在該類的static靜態程式碼塊中讀取properties檔案內容儲存在static屬性中以供別的程式使用

package com.hafiz.www.util;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

import java.io.*;
import java.util.Properties;

/**
 * Desc:properties檔案獲取工具類
 * Created by hafiz.zhang on 2016/9/15.
 */
public class PropertyUtil {
    private static final Logger logger = LoggerFactory.getLogger(PropertyUtil.class);
    private static Properties props;
    static{
        loadProps();
    }

    synchronized static private void loadProps(){
        logger.info("開始載入properties檔案內容.......");
        props = new Properties();
        InputStream in = null;
        try {
       <!--第一種,通過類載入器進行獲取properties檔案流--> in
= PropertyUtil.class.getClassLoader().getResourceAsStream("jdbc.properties");
       <!--第二種,通過類進行獲取properties檔案流-->
//in = PropertyUtil.class.getResourceAsStream("/jdbc.properties"); props.load(in); } catch (FileNotFoundException e) { logger.error("jdbc.properties檔案未找到"); } catch (IOException e) { logger.error("出現IOException"); } finally { try { if(null != in) { in.close(); } } catch (IOException e) { logger.error("jdbc.properties檔案流關閉出現異常"); } } logger.info("載入properties檔案內容完成..........."); logger.info("properties檔案內容:" + props); } public static String getProperty(String key){ if(null == props) { loadProps(); } return props.getProperty(key); } public static String getProperty(String key, String defaultValue) { if(null == props) { loadProps(); } return props.getProperty(key, defaultValue); } }

說明:這樣的話,在該類被載入的時候,它就會自動讀取指定位置的配置檔案內容並儲存到靜態屬性中,高效且方便,一次載入,可多次使用。

四、注意事項及建議

  以上五種方式,前三種方式比較死板,而且如果你想在帶有@Controller註解的Bean中使用,你需要在SpringMVC的配置檔案spring-mvc.xml中進行宣告,如果你想在帶有@Service、@Respository等非@Controller註解的Bean中進行使用,你需要在Spring的配置檔案中spring.xml中進行宣告。原因請參見另一篇部落格:

  我個人比較建議第四種和第五種配置方式,第五種為最好,它連工具類物件都不需要注入,直接呼叫靜態方法進行獲取,而且只一次載入,效率也高。而且前三種方式都不是很靈活,需要修改@Value的鍵值。

五、測試驗證是否可用

1.首先我們建立PropertiesService

package com.hafiz.www.service;

/**
 * Desc:java程式獲取properties檔案內容的service
 * Created by hafiz.zhang on 2016/9/16.
 */
public interface PropertiesService {

    /**
     * 第一種實現方式獲取properties檔案中指定key的value
     *
     * @return
     */
    String getProperyByFirstWay();

    /**
     * 第二種實現方式獲取properties檔案中指定key的value
     *
     * @return
     */
    String getProperyBySecondWay();

    /**
     * 第三種實現方式獲取properties檔案中指定key的value
     *
     * @return
     */
    String getProperyByThirdWay();

    /**
     * 第四種實現方式獲取properties檔案中指定key的value
     *
     * @param key
     *
     * @return
     */
    String getProperyByFourthWay(String key);

    /**
     * 第四種實現方式獲取properties檔案中指定key的value
     *
     * @param key
     *
     * @param defaultValue
     *
     * @return
     */
    String getProperyByFourthWay(String key, String defaultValue);

    /**
     * 第五種實現方式獲取properties檔案中指定key的value
     *
     * @param key
     *
     * @return
     */
    String getProperyByFifthWay(String key);

    /**
     * 第五種實現方式獲取properties檔案中指定key的value
     *
     * @param key
     *
     * @param defaultValue
     *
     * @return
     */
    String getProperyByFifthWay(String key, String defaultValue);
}

2.建立實現類PropertiesServiceImpl

package com.hafiz.www.service.impl;

import com.hafiz.www.service.PropertiesService;
import com.hafiz.www.util.PropertyConfigurer;
import com.hafiz.www.util.PropertyUtil;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Service;

/**
 * Desc:java程式獲取properties檔案內容的service的實現類
 * Created by hafiz.zhang on 2016/9/16.
 */
@Service
public class PropertiesServiceImpl implements PropertiesService {

    @Value("${test}")
    private String testDataByFirst;

    @Value("#{prop.test}")
    private String testDataBySecond;

    @Value("#{propertiesReader[test]}")
    private String testDataByThird;

    @Autowired
    private PropertyConfigurer pc;

    @Override
    public String getProperyByFirstWay() {
        return testDataByFirst;
    }

    @Override
    public String getProperyBySecondWay() {
        return testDataBySecond;
    }

    @Override
    public String getProperyByThirdWay() {
        return testDataByThird;
    }

    @Override
    public String getProperyByFourthWay(String key) {
        return pc.getProperty(key);
    }

    @Override
    public String getProperyByFourthWay(String key, String defaultValue) {
        return pc.getProperty(key, defaultValue);
    }

    @Override
    public String getProperyByFifthWay(String key) {
        return PropertyUtil.getPropery(key);
    }

    @Override
    public String getProperyByFifthWay(String key, String defaultValue) {
        return PropertyUtil.getProperty(key, defaultValue);
    }
}

3.控制器類PropertyController

package com.hafiz.www.controller;

import com.hafiz.www.service.PropertiesService;
import com.hafiz.www.util.PropertyUtil;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.ResponseBody;

/**
 * Desc:properties測試控制器
 * Created by hafiz.zhang on 2016/9/16.
 */
@Controller
@RequestMapping("/prop")
public class PropertyController {
    @Autowired
    private PropertiesService ps;

    @RequestMapping(value = "/way/first", method = RequestMethod.GET)
    @ResponseBody
    public String getPropertyByFirstWay(){
        return ps.getProperyByFirstWay();
    }

    @RequestMapping(value = "/way/second", method = RequestMethod.GET)
    @ResponseBody
    public String getPropertyBySecondWay(){
        return ps.getProperyBySecondWay();
    }

    @RequestMapping(value = "/way/third", method = RequestMethod.GET)
    @ResponseBody
    public String getPropertyByThirdWay(){
        return ps.getProperyByThirdWay();
    }

    @RequestMapping(value = "/way/fourth/{key}", method = RequestMethod.GET)
    @ResponseBody
    public String getPropertyByFourthWay(@PathVariable("key") String key){
        return ps.getProperyByFourthWay(key, "defaultValue");
    }

    @RequestMapping(value = "/way/fifth/{key}", method = RequestMethod.GET)
    @ResponseBody
    public String getPropertyByFifthWay(@PathVariable("key") String key){
        return PropertyUtil.getProperty(key, "defaultValue");
    }
}

4.jdbc.properties檔案

jdbc.driver=com.mysql.jdbc.Driver
jdbc.url=jdbc:mysql://192.168.1.196:3306/dev?useUnicode=true&characterEncoding=UTF-8
jdbc.username=root
jdbc.password=123456
jdbc.maxActive=200
jdbc.minIdle=5
jdbc.initialSize=1
jdbc.maxWait=60000
jdbc.timeBetweenEvictionRunsMillis=60000
jdbc.minEvictableIdleTimeMillis=300000
jdbc.validationQuery=select 1 from t_user
jdbc.testWhileIdle=true
jdbc.testOnReturn=false
jdbc.poolPreparedStatements=true
jdbc.maxPoolPreparedStatementPerConnectionSize=20
jdbc.filters=stat
#test data
test=com.hafiz.www

5.專案結果圖

  

6.專案GitHub地址

7.測試結果

  第一種方式

  

  第二種方式

  

  第三種方式

  

  第四種方式

  

  第五種方式

  

六、總結

  通過本次的梳理和測試,我們理解了Spring和SpringMVC的父子容器關係以及context:component-scan標籤包掃描時最容易忽略的use-default-filters屬性的作用以及原理。能夠更好地定位和快速解決再遇到的問題。總之,棒棒噠~~~

相關推薦

方式java讀取properties檔案內容不再難題

一、背景   最近,在專案開發的過程中,遇到需要在properties檔案中定義一些自定義的變數,以供java程式動態的讀取,修改變數,不再需要修改程式碼的問題。就藉此機會把Spring+SpringMVC+Mybatis整合開發的專案中通過java程式讀取properties檔案內容的方式進行了梳理和分析

java讀取properties檔案內容

package com.tgb.SpringActivemq.utils; import java.io.FileNotFoundException; import java.io.IOException; import java.io.InputStream; impo

方式java讀取properties文件內容不再難題

toolbar ota oca vat include tor 代碼塊 location interface 一、背景   最近,在項目開發的過程中,遇到需要在properties文件中定義一些自定義的變量,以供java程序動態的讀取,修改變量,不再需要修改代碼的問題。就借

使用java程式碼讀取properties檔案內容工具類

使用java程式碼讀取properties檔案內容,一般工作中框架使用配置讀取properties,這裡只是工具類 程式碼如下: package demo.util; import java.io.IOException; import java.io.InputSt

Java讀取配置檔案方式

 一、使用org.apache.commons.configuration 需要使用的jar包:commons-collections-3.2.1.jar、commons-configuratio

Java專案讀取properties檔案,以及六獲取路徑的方法

Java讀取properties檔案的方法比較多,網上最多的文章是"Java讀取properties檔案的六種方法",但在Java應用中,最常用還是通過java.lang.Class類的getResourceAsStream(String name) 方法來實現,但我見到眾多讀取properties檔案的

力量如虎添翼

工作中的力量就像是電池電力一樣——電壓越高,影響越大。現如今,有半數的專業人士聲稱對自己的工作不滿意,但有意跳槽的卻只佔30%。其餘70%則希望增強自身力量,也就是升高自己的“電壓”,力求在公司內部找到更好的機會。如果你也是其中一個,那我要恭喜你了。   你可以從11條

java讀取properties文件

idea 背景 inter jdbc between ssi .get ret 理解 五種方式讓你在java中讀取properties文件 一、背景   最近,在項目開發的過程中,遇到需要在properties文件中定義一些自定義的變量,以供java程序動態的讀取,修改

3方式怎樣顯示手機wifi密碼,不再愁密碼忘記了

二維 電腦 設置 恢復 密碼忘記 wifi密碼 輸入密碼 密碼查看 不支持 有很多小夥伴在日常使用手機的過程當中,會出現忘記WiFi密碼的問題,比如說家裏來了客人想要連接家裏的WiFi,比如自己的手機取消保存了WiFi的密碼,要重新接入的時候提示要輸入密碼,之後一頭霧水。

java讀取Property檔案屬性工具類

java中讀取Property配置檔案屬性工具類: import java.util.Locale; import java.util.MissingResourceException; import java.util.ResourceBundle; /** * 讀取Property配置檔

java讀取配置檔案的一些方法 getResourceAsStream 和 直接 FileInputStream 以及 配置System.getProperty("user.dir")所得的工作目錄

配置檔案位於 /src/ 下的情況已經由上述博主列出,需要的可以移步檢視,即以下幾個情況 1.路徑:src/aa.xml 2.位於src下同一個包下 3.位於src下不同包 不過本博主的專案是web專案,而配置檔案放在src檔案下容易因為快取導致更新不及時,

Spring配置 在xml和java程式碼讀取properties檔案

在spring引入屬性檔案 <bean id="propertyConfigurer"class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer">

Java讀取XML檔案,生成XML格式的字串並解析這個字串

由於最近要用的是XML格式的字串,而不用寫到檔案中,所以對原始程式碼進行了修改如下: 要讀的xml檔案 <?xml version="1.0" encoding="GB2312"?> <學生花名冊> <學生 性別 = "男">

java web讀取properties檔案時的路徑問題

在web開發時,難免會有一些固定的引數,我們一般把這些固定的引數存在properties檔案中,然後用的時候要讀出來。但經常出現一些錯誤,找不到相應的路徑,所以,今天特地講一些如何正確獲得路徑。 首先,我們要將properties檔案部署在$app/WEB-INF/cla

java讀取配置檔案的方法

一、使用org.apache.commons.configuration 需要使用的是jar包:commons-collections-3.2.1.jar、commons-configuration-1.10.jar、commons-lang-2.6.jar和commons

Java讀取xml檔案---SAX解析

SAX方式解析xml步驟 1、通過SAXParserFactory的靜態newInstance()方法獲取SAXParserFactory例項factory 2、通過SAXParserFactory例項的newSAXParser()方法返回SAXPa

Javaproperties檔案讀取

專案中難免會用到一些業務相關的變數,有時可能需要根據專案的不同而去修改它的值,所以為了方便性以及可變性,這些需要寫到一個配置檔案中, 常用的有寫在xml中,當然也有寫成properties檔案中的,本篇就是介紹如何讀取properties中的值的。 這個properties

Java讀取配置檔案properties、xml)

1. 利用java.util提供的工具類Properties       - 首先我這邊有個file.properties檔案       - 然後去讀取這個檔案

Java讀取檔案的工具類

超大檔案容易導致記憶體耗盡和重複讀取,怎麼辦?1、傳統的在記憶體中讀取這種方法帶來的問題是檔案的所有行都被存放在記憶體中,當檔案足夠大時很快就會導致程式丟擲OutOfMemoryError 異常。2、檔案流使用java.util.Scanner類掃描檔案的內容,一行一行連續地

Java讀取配置檔案內容,並將其賦值給靜態變數的方法

應用場景 專案開發中某個功能需要抽取成方法寫成一個工具類,提供給別人使用。寫過工具類的人都知道,工具類中的方法一般都是靜態方法,可以直接使用類名點方法名呼叫, 使用很方便,比如判斷某個物件是否為空的方式Objects.equals().由於我寫的這個工具類中需要讀取配置檔案中的內容,但是常規方法注入成員變數時