1、代碼實現給出的屬性文件:http.properties(位於類路徑下)1 #每個路由的最大連接數2 httpclient.max.conn.per.route = 20 3 #最大總連接數4 httpclient.max.conn.total = 4005 #連接超時時間(ms)6 http.....
1、代碼實現
給出的屬性文件:http.properties(位於類路徑下)
1 #每個路由的最大連接數 2 httpclient.max.conn.per.route = 20 3 #最大總連接數 4 httpclient.max.conn.total = 400 5 #連接超時時間(ms) 6 httpclient.max.conn.timeout = 1000 7 #操作超時時間(ms) 8 httpclient.max.socket.timeout = 1000View Code
註意:eclipse預設的屬性編輯器不可以顯示中文,安裝插件(eclipse--propedit_5.3.3)即可。
屬性文件操作工具:FileUtil
1 package com.util; 2 3 import java.io.IOException; 4 import java.io.InputStream; 5 import java.util.Properties; 6 7 import org.apache.commons.lang.math.NumberUtils; 8 9 /** 10 * 文件操作工具類 11 */ 12 public class FileUtil { 13 14 /** 15 * 載入屬性文件*.properties 16 * @param fileName 不是屬性全路徑名稱,而是相對於類路徑的名稱 17 */ 18 public static Properties loadProps(String fileName){ 19 Properties props = null; 20 InputStream is = null; 21 22 try { 23 is = Thread.currentThread().getContextClassLoader().getResourceAsStream(fileName);//獲取類路徑下的fileName文件,並且轉化為輸入流 24 if(is != null){ 25 props = new Properties(); 26 props.load(is); //載入屬性文件 27 } 28 } catch (Exception e) { 29 e.printStackTrace(); 30 }finally{ 31 if(is!=null){ 32 try { 33 is.close(); 34 } catch (IOException e) { 35 e.printStackTrace(); 36 } 37 } 38 } 39 40 return props; 41 } 42 43 /* 44 * 這裡只是列出了從屬性文件中獲取int型數據的方法,獲取其他類型的方法相似 45 */ 46 public static int getInt(Properties props, String key, int defaultValue){ 47 int value = defaultValue; 48 49 if(props.containsKey(key)){ //屬性文件中是否包含給定鍵值 50 value = NumberUtils.toInt(props.getProperty(key), defaultValue);//從屬性文件中取出給定鍵值的value,並且轉換為int型 51 } 52 53 return value; 54 } 55 56 /** 57 * 測試 58 */ 59 public static void main(String[] args) { 60 Properties props = FileUtil.loadProps("http.properties"); 61 System.out.println(FileUtil.getInt(props, "httpclient.max.conn.per.route", 10));//屬性文件中有這個key 62 System.out.println(FileUtil.getInt(props, "httpclient.max.conn.per.route2", 10));//屬性文件中沒有這個key 63 } 64 }View Code
註意:
- 從類路徑下讀取文件的方法Thread.currentThread().getContextClassLoader().getResourceAsStream(fileName);
- getInt()方法:使用了org.apache.commons.lang.math.NumberUtils類的toInt(String str,int defaultValue)方法,觀察源代碼
1 public static int toInt(String str, int defaultValue) { 2 if(str == null) { 3 return defaultValue; 4 } 5 try { 6 return Integer.parseInt(str); 7 } catch (NumberFormatException nfe) { 8 return defaultValue;//toInt("hello", 123) 9 } 10 }
View Code執行流程:當傳入的str為null時,直接返回defaultValue;否則,使用Integer.parseInt(str)將str轉換為int型,如果轉換成功(eg.str="123"),直接返迴轉換後的int型(eg.123),如果轉換不成功(eg.str="hello"),直接返回defaultValue。註意:這個工具類是值得借鑒的。