3

我正在开发一个应用程序。必须在整个项目中更改某些路径。路径是固定的,可以编辑文件(它在 ".cshtml" 中)。

所以我想我可以使用批处理文件将所有“ http://localhost.com ”更改为“ http://domain.com ”,例如(我知道相对路径和绝对路径,但在这里我必须这样做: -))

因此,如果您有可以在文件中进行更改的代码,那就太棒了!

为了完成我的问题,这里是文件和目录的路径

MyApp
MyApp/Views
MyApp/Views/Index/page1.cshtml
MyApp/Views/Index/page2.cshtml
MyApp/Views/Another/page7.cshtml
...

感谢帮助我:-)

4

2 回答 2

6

像这样的东西也可能起作用:

#!/bin/bash

s=http://localhost.com
r=http://example.com

cd /path/to/MyApp

grep -rl "$s" * | while read f; do
  sed -i "s|$s|$r|g" "$f"
done

编辑:或者不是,因为你刚刚从切换到了。批处理解决方案可能如下所示:

@echo off

setlocal EnableDelayedExpansion

for /r "C:\path\to\MyApp" %%f in (*.chtml) do (
  (for /f "tokens=*" %%l in (%%f) do (
    set "line=%%l"
    echo !line:
  )) >"%%~ff.new"
  del /q "%%~ff"
  ren "%%~ff.new" "%%~nxf"
)

但是,批量执行此操作确实非常难看(也容易出错),并且最好使用sedfor Windows,或者(更好)在 PowerShell 中执行此操作:

$s = "http://localhost.com"
$r = "http://example.com"

Get-ChildItem "C:\path\to\MyApp" -Recurse -Filter *.chtml | ForEach-Object {
    (Get-Content $_.FullName) |
        ForEach-Object { $_ -replace [regex]::Escape($s), $r } |
        Set-Content $_.FullName
}

请注意,-Filter仅适用于 PowerShell v3。对于早期版本,您必须这样做:

Get-ChildItem "C:\path\to\MyApp" -Recurse | Where-Object {
    -not $_.PSIsContainer -and $_.Extension -eq ".chtml"
} | ForEach-Object {
    (Get-Content $_.FullName) |
        ForEach-Object { $_ -replace [regex]::Escape($s), $r } |
        Set-Content $_.FullName
}
于 2013-06-28T14:34:45.543 回答
2

你可以这样做:

find /MyApp -name "*.cshtml" -type f -exec sed -i 's#http://localhost.com#http://domain.com#g' {} +

解释

  • find /MyApp -name "*.cshtml" -type f查找结构中带有.cshtml扩展名的文件/MyApp
  • sed -i 's/IN/OUT/g'将文件中的文本 IN 替换为 OUT。
  • 因此,sed -i 's#http://localhost.com#http://domain.com#g'替换http://localhost.comhttp://domain.com
  • exec .... {} +在 .找到的文件中执行find....
于 2013-06-28T14:20:13.797 回答