我看到bash
甚至zsh
有几个好答案(即此处(。虽然我没能为fish
找到一个好的。
是否有规范的或干净的方法将字符串或几行前置到现有文件中(就地(?类似于cat "new text" >> test.txt
对append所做的操作。
作为fish有意追求简单性的一部分,它避免了在zsh中发现的语法糖。与fish中的仅zsh代码<<< "to be prepended" < text.txt | sponge text.txt
等效的代码是:
begin; echo "to be prepended"; cat test.txt; end | sponge test.txt
sponge
是moreutils
包中的一个工具;fish版本对它的要求与zsh原版一样高。然而,你可以很容易地用一个函数来替换它;考虑以下内容:
# note that this requires GNU chmod, though it works if you have it installed under a
# different name (f/e, installing "coreutils" on MacOS with nixpkgs, macports, etc),
# it tries to figure that out.
function copy_file_permissions -a srcfile destfile
if command -v coreutils &>/dev/null # works with Nixpkgs-installed coreutils on Mac
coreutils --coreutils-prog=chmod --reference=$srcfile -- $destfile
else if command -v gchmod &>/dev/null # works w/ Homebrew coreutils on Mac
gchmod --reference=$srcfile -- $destfile
else
# hope that just "chmod" is the GNU version, or --reference won't work
chmod --reference=$srcfile -- $destfile
end
end
function mysponge -a destname
set tempfile (mktemp -t $destname.XXXXXX)
if test -e $destname
copy_file_permissions $destname $tempfile
end
cat >$tempfile
mv -- $tempfile $destname
end
function prependString -a stringToPrepend outputName
begin
echo $stringToPrepend
cat -- $outputName
end | mysponge $outputName
end
prependString "First Line" out.txt
prependString "No I'm First" out.txt
对于文件大小为中小型(适合内存(的特定情况,请考虑使用ed
程序,该程序将通过将所有数据加载到内存来避免临时文件。例如,使用以下脚本。这种方法避免了安装额外软件包(moreutils等(的需要
#! /usr/env fish
function prepend
set t $argv[1]
set f $argv[2]
echo '0an$tn.nwqn' | ed $f
end