Java之递归遍历目录,修改指定文件的指定内容

 

EditProperties.java

 1 package PropertiesOperation.Edit;
 2 
 3 import java.io.File;
 4 
 5 /**
 6  * 替换指定Porpoerties文件中的指定内容
 7  * 三个参数:
 8  * filePath:存放properties文件的目录
 9  * srcStr:需要替换的字符串
10  * desStr:用于替换的字符串
11  * */
12 public class EditProperties {
13     private static int num = 0; // 计数变量
14     public static void main(String[] args) {
15         String filePath = "C:\\workspace\\work\\ShanDianDaiTools\\src\\main\\" +
16                 "resource\\接口测试\\app启动次数统计接口";
17         String srcStr = "bd.test.com:8888";   //需要替换的字符串
18         String desStr = "10.15.1.200:8580";   //用于替换的字符串
19 
20         editProperties(filePath, srcStr, desStr);
21         System.out.println("总共文件数:" + num);
22     }
23 
24     public static void editProperties(String filePath, String srcStr, String desStr) {
25         File file = new File(filePath);
26 //        处理目录情况
27         if (file.isDirectory()) {
28             File[] subFiles = file.listFiles();
29             for (File subFile : subFiles) {
30 //                子文件如果是目录进行递归
31                 if (subFile.isDirectory()) {
32                     editProperties(subFile.getAbsolutePath(), srcStr, desStr);
33                 } else {
34 //                    子文件如果是文件,通过后缀名进行过滤
35                     if (subFile.getName().endsWith(".properties")) {
36                         System.out.println(subFile.getAbsolutePath());
37                         EditFile.propertiesChange(subFile.getAbsolutePath(), srcStr, desStr);
38                         num++;
39                     } else {
40                         continue;
41                     }
42                 }
43             }
44         } else {
45             // 处理单个文件情况
46             if (file.getName().endsWith(".properties")) {
47                 System.out.println(file.getAbsolutePath());
48                 EditFile.propertiesChange(file.getAbsolutePath(), srcStr, desStr);
49                 num++;
50             }
51         }
52     }
53 }

 

EditFile.java

  1 package PropertiesOperation.Edit;
  2 
  3 import java.io.*;
  4 import java.util.ArrayList;
  5 import java.util.List;
  6 
  7 /**
  8  * 修改文件中的内容* 两种情况:1.修改文件中的指定内容;2.读取文件并修改指定内容,复制到另一个文件中
  9  * 场景举例:替换properties文件中的ip和端口
 10  */
 11 public class EditFile {
 12     /**
 13      * 1.修改文件中的指定内容
 14      * filePath:文件路径
 15      * srcStr:需要替换的字符串
 16      * desStr:替换成的字符串
 17      */
 18     public static void propertiesChange(String filePath, String srcStr, String desStr) {
 19         //字符流
 20         FileReader fr = null;
 21         FileWriter fw = null;
 22         //缓冲流
 23         BufferedReader br = null;
 24         BufferedWriter bw = null;
 25 
 26         List list = new ArrayList<>();
 27         //读取文件内容保证在list中
 28         try {
 29             fr = new FileReader(new File(filePath));
 30             br = new BufferedReader(fr);   //扩容,类似加水管
 31             String line = br.readLine();    //逐行复制
 32             while (line != null) {
 33                 //修改指定内容
 34                 if (line.contains(srcStr)) {
 35                     line = line.replace(srcStr, desStr);
 36                 }
 37                 list.add(line);
 38                 line = br.readLine();
 39             }
 40         } catch (IOException e) {
 41             e.printStackTrace();
 42         } finally {
 43             try {
 44                 //关闭流,顺序与打开相反
 45                 br.close();
 46                 fr.close();
 47             } catch (IOException e) {
 48                 e.printStackTrace();
 49             }
 50         }
 51 
 52         //将list中内容输出到原文件中
 53         try {
 54             fw = new FileWriter(filePath);
 55             bw = new BufferedWriter(fw);
 56             for (Object s : list) {
 57                 bw.write((String) s);
 58                 bw.newLine();  //换行输出
 59             }
 60             System.out.println("文件修改成功!");
 61         } catch (IOException e) {
 62             e.printStackTrace();
 63         } finally {
 64             try {
 65                 //关闭流,顺序与打开相反
 66                 bw.close();
 67                 fw.close();
 68             } catch (IOException e) {
 69                 e.printStackTrace();
 70             }
 71         }
 72     }
 73 
 74     /**
 75      * 2.读取文件并修改指定内容,复制到另一个文件中
 76      * inputPath:修改的源文件
 77      * outputPath:修改后输出的文件路径
 78      * srcStr:需要替换的字符串
 79      * desStr:替换成的字符串
 80      */
 81     public static void propertiesChange(String inputPath, String outputPath, String srcStr, String desStr) {
 82         //字符流
 83         FileReader fr = null;
 84         FileWriter fw = null;
 85         //缓冲流
 86         BufferedReader br = null;
 87         BufferedWriter bw = null;
 88 
 89         try {
 90             fr = new FileReader(new File(inputPath));
 91             br = new BufferedReader(fr);   //扩容,类似加水管
 92             fw = new FileWriter(outputPath);
 93             bw = new BufferedWriter(fw);
 94 
 95             String line = br.readLine();    //逐行复制
 96             while (line != null) {
 97                 if (line.contains(srcStr)) {
 98                     line = line.replace(srcStr, desStr);
 99                 }
100                 bw.write(line);
101                 bw.newLine();  //换行输出
102                 line = br.readLine();
103             }
104             System.out.println("文件修改成功!");
105         } catch (IOException e) {
106             e.printStackTrace();
107         } finally {
108             try {
109                 //关闭流,顺序与打开相反
110                 bw.close();
111                 br.close();
112                 fw.close();
113                 fr.close();
114             } catch (IOException e) {
115                 e.printStackTrace();
116             }
117         }
118     }
119 
120 }

 

转载于:https://www.cnblogs.com/gongxr/p/8094508.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/251242.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

学习日志---7

1.复习Linux hadoop hdfs MapReduce基础知识 1&#xff0c;列举linux常用命令 shutdown now reboot mkdir mkdir -p touch filename rm -r filename rm -rf filename vi filename i--->可编辑状态 esc --> : --->wq 保存退出 q! wq! cat grep find ifconfig ping user…

javascript --- 属性描述符

从ES5开始,所有的属性都具备了属性描述符 var myObject {a: 2 };Object.getOwnPropertyDescriptor(myObject, "a"); //{ // value:2, // writable: true, // 可写 // enumerable: true, // 可枚举 // configurble: true // 可配置 //}定义属性…

看了吗网址链接

sklearn实战-乳腺癌细胞数据挖掘&#xff08;博主亲自录制视频&#xff09; https://study.163.com/course/introduction.htm?courseId1005269003&utm_campaigncommission&utm_sourcecp-400000000398149&utm_mediumshare # -*- coding: utf-8 -*- ""&qu…

JMeter 性能测试进阶实战

课程简介 本课程制作的主要目的是为了让大家快速上手 JMeter&#xff0c;期间穿插了大量主流项目中用到的技术&#xff0c;以及结合当今主流微服务技术提供了测试 Dubbo 接口、Java 工程技术具体实施方案&#xff0c;注重实践、注意引导测试思维、拒绝枯燥的知识点罗列、善于用…

javascript --- 混入

显示混入: function mixin(sourceObj, targetObj){for(var key in sourceObj){ // 遍历source中的所有属性if(!(key in targetObj)) { // 找到targetz中没有的属性targetObj[key] sourceObj[key];}}return targetObj; }var Vehicle {engines: 1,iginition: function() {c…

php源码代目录

ext :存放动态和内建模块的目录&#xff0c;在这里可以找到所有的php官方亏站,并且也可以在这里编写扩展&#xff1b; main:包含php的主要宏定义; pear: PHP扩展与应用库; sapi:包含不同服务器抽象层的代码; TSRM&#xff1a;Zend和PHP的"线程安全资源管理器"目录; Z…

bzoj1231 [Usaco2008 Nov]mixup2 混乱的奶牛——状压DP

题目&#xff1a;https://www.lydsy.com/JudgeOnline/problem.php?id1231 小型状压DP&#xff1b; f[i][j] 表示状态为 j &#xff0c;最后一个奶牛是 i 的方案数&#xff1b; 所以下一个只能是和它相差大于 k 而且不在状态中的奶牛。 代码如下&#xff1a; #include<iostr…

JavaScript高级程序设计阅读笔记

2020-11-15 通过初始化指定变量类型 数字-1 对象null和null的比较&#xff08;不理解&#xff09;使用局部变量将属性查找替换为值查找&#xff08;算法复杂度&#xff09;循环的减值迭代&#xff0c;降低了计算终止条件的复杂度switch快多个变量声明逗号隔开使用数组和对象字面…

jquery --- 监听input框失效

使用juery监听Input输入的变化,并且封装起来,如下: // html <input type"text" id‘myinput1’ /> // js function formOnById(id){let dom # id;$(dom).bind(input propertychange,()>{let item $(dom).val;console.log(item);} } formOnById(myinp…

windows任务计划程序 坑

转载于:https://www.cnblogs.com/kaibindirver/p/8109041.html

第三篇:函数之嵌套

1 #函数的嵌套调用&#xff1a;在调用一个函数的时&#xff0c;其内部的代码又调用其他的函数2 # def bar():3 # print(from bar)4 #5 # def foo():6 # print(from foo)7 # bar()8 #9 # foo() 10 11 12 # def max2(x,y): 13 # if x > y: 14 # ret…

vue路由权限(结合服务端koa2)

gitee地址 一、项目初始化 vue create manager-admin // 创建vue项目// 管理员权限安装 cnpm i -S koa2 // 下载koa2依赖 cnpm install --global koa-generator // 下载框架 koa-generator koa2 manager-server // 创建项目 cd manager-server // 进入项目 npm install // 安…

javascript --- 类、class、事件委托的编程风格

类风格: // 父类 function Widget(width, height) {this.width width || 50;this.height height || 50;this.$elem null; } Widget.prototype.render function($where) {if(this.$elem) {this.$elem.css({width: this.width "px",height: this.height "p…

在线获取UUID

http://fir.im/udid转载于:https://www.cnblogs.com/mtjbz/p/8116576.html

堆和堆排序

堆和优先队列 普通队列&#xff1a;FIFO&#xff0c;LILO 优先队列&#xff1a;出队顺序和入队顺序无关&#xff0c;和优先级相关。一个典型应用就是操作系统中。动态选择优先级高的任务执行 堆的实现 最典型的堆就是二叉堆&#xff0c;就像是一颗二叉树。这个堆的特点&#xf…

ES5-1 发展史、ECMA、编程语言、变量、JS值

1. 5大主流浏览器及内核&#xff08;自主研发&#xff09; 浏览器内核IEtridentChromewebkit blinkSafariwebkitFirefoxgeckoOperapresto 2. 浏览器的历史 和 JS诞生 1989-1991 WorldWideWeb&#xff08;后来为了避免与万维网混淆而改名为Nexus&#xff09;是世界上第一个网页…

javascript --- 使用对象关联简化整体设计

在某个场景中,我们有两个控制器对象: 1.用来操作网页中的登录表单; 2.用来与服务器进行通信. 类设计模式 // 把基础的函数定义在名为Controller的类中,然后派生两个子类LoginController和AuthController. // 父类 function Controller() {this.errors []; } Controller.prot…

javascript --- polyfill中几个常用方法

ES6中,新增了许多有用的方法,下面分享几个ES6之前得版本写的polyfill Number.EPSILON: // 机器精度,并判断2个数是否相等 if(!Number.EPSILON){Number.EPSILON math.pow(2, -52); }function numberCloseEnoughToEqual(n1, n2) {return Math.abs(n1 - n2 ) < Number.EPSIL…

[Usaco2010 Nov]Visiting Cows

题目描述 经过了几周的辛苦工作,贝茜终于迎来了一个假期.作为奶牛群中最会社交的牛,她希望去拜访N(1<N<50000)个朋友.这些朋友被标号为1..N.这些奶牛有一个不同寻常的交通系统,里面有N-1条路,每条路连接了一对编号为C1和C2的奶牛(1 < C1 < N; 1 < C2 < N; C1…

ES5-2 语法、规范、错误、运算符、判断分支、注释

1. 错误 MDN错误列表 Uncaught SyntaxError: Unexpected token ) // 语法错误 Uncaught ReferenceError: a is not defined // 引用错误等类型 Uncaught TypeError: Cannot read property toString of null出现一个语法错误&#xff0c;则一行代码都不会执行&#xff08;检查…