用于查找/替换文件内文本的批处理命令

时间:2012-02-13 08:00:11

标签: windows batch-file cmd

我有一个模板文件(比如myTemplate.txt),我需要做一些编辑来从这个模板创建我自己的文件(比如myFile.txt)。

因此模板包含

之类的行
env.name=
env.prop= 
product.images.dir=/opt/web-content/product-images

现在我希望将其替换为以下内容;

env.name=abc
env.prop=xyz
product.images.dir=D:/opt/web-content/product-images

所以我正在寻找批处理命令来执行以下操作;

1. Open the template file.
2. Do a kind of find/replace for the string/text
3. Save the updates as a new file

我如何实现这一目标?

1 个答案:

答案 0 :(得分:5)

最简单的方法是将模板修改为如下所示:

env.name=!env.name!
env.prop=!env.prop!
product.images.dir=/opt/web-content/product-images

然后在启用延迟扩展时使用FOR循环读取和写入文件:

@echo off
setlocal enableDelayedExpansion
set "env.name=abc"
set "env.prop=xyz"
(
  for /f "usebackq delims=" %%A in ("template.txt") do echo %%A
) >"myFile.txt"

请注意,对整个循环使用一个重写重定向>要快得多,然后在循环中使用追加重定向>>

以上假设模板中的任何行都不以;开头。如果他们这样做,那么您需要将FOR EOL选项更改为永远不会开始一行的字符。也许是平等的 - for /f "usebackq eol== delims="

此外,上述假设模板不包含您需要保留的任何空白行。如果有,那么你可以修改上面的内容如下(这也消除了任何潜在的EOL问题)

@echo off
setlocal enableDelayedExpansion
set "env.name=abc"
set "env.prop=xyz"
(
  for /f "delims=" %%A in (`findstr /n "^" "template.txt"') do (
    "set ln=%%A"
    echo(!ln:*:=!
  )
) >"myFile.txt"

最后一个潜在的复杂因素 - 如果模板包含!^文字,则可能会遇到问题。你可以逃避模板中的字符,也可以使用一些额外的替换。

<强> template.txt

Exclamation must be escaped^!
Caret ^^ must be escaped if line also contains exclamation^^^!
Caret ^ should not be escaped if line does not contain exclamation point.
Caret !C! and exclamation !X! could also be preserved using additional substitution.

从templateProcessor.bat中提取

setlocal enableDelayedExpansion
...
set "X=^!"
set "C=^"
...