如果我运行命令
cat file | grep pattern
,我会得到很多行输出。如何将所有行连接成一行,有效地将每个 "\n"
替换为 "\" "
(以 "
结尾,后跟空格)?
cat file | grep pattern | xargs sed s/\n/ /g
不适合我。
使用
tr '\n' ' '
将所有换行符转换为空格:
$ grep pattern file | tr '\n' ' '
注意:
grep
读取文件,cat
连接文件。不要cat file | grep
!
编辑:
tr
只能处理单个字符翻译。您可以使用 awk
更改输出记录分隔符,例如:
$ grep pattern file | awk '{print}' ORS='" '
这将会改变:
one
two
three
至:
one" two" three"
在 bash
echo
不带引号时删除回车符、制表符和多个空格
echo $(cat file)
这可能就是你想要的
cat file | grep pattern | paste -sd' '
至于你的编辑,我不确定这意味着什么,也许是这个?
cat file | grep pattern | paste -sd'~' | sed -e 's/~/" "/g'
(假设
~
不会出现在 file
中)
这是一个生成用逗号分隔的输出的示例。您可以将逗号替换为您需要的任何分隔符。
cat <<EOD | xargs | sed 's/ /,/g'
> 1
> 2
> 3
> 4
> 5
> EOD
产生:
1,2,3,4,5
当我们想要 替换换行符
\n
用空格:
xargs < file
xargs
对每行的字符数和所有字符的总数有自己的限制,但我们可以增加它们。可以通过运行以下命令找到详细信息:xargs --show-limits
,当然也可以在手册中找到:man xargs
当我们想要 用另一个恰好一个字符替换一个字符时 :
tr '\n' ' ' < file
当我们想要用多个字符替换一个字符时:
tr '\n' '~' < file | sed s/~/many_characters/g
首先,我们将换行符
\n
替换为波形符 ~
(或选择文本中不存在的另一个唯一字符),然后我们将波形符替换为任何其他字符 (many_characters
),我们这样做每个波形符(标志 g
)。
这是另一种使用
awk
的简单方法:
# cat > file.txt
a
b
c
# cat file.txt | awk '{ printf("%s ", $0) }'
a b c
此外,如果您的文件有列,这提供了一种仅连接某些列的简单方法:
# cat > cols.txt
a b c
d e f
# cat cols.txt | awk '{ printf("%s ", $2) }'
b e
我喜欢
xargs
解决方案,但如果不折叠空间很重要,那么可以这样做:
sed ':b;N;$!bb;s/\n/ /g'
这将替换空格的换行符,而不像
tr '\n' ' '
那样替换最后一个行终止符。
这还允许您使用除空格之外的其他连接字符串,例如逗号等,这是
xargs
无法做到的:
$ seq 1 5 | sed ':b;N;$!bb;s/\n/,/g'
1,2,3,4,5
paste -sd'~'
给出错误。
这是我在 mac 上使用
bash
的效果
cat file | grep pattern | paste -d' ' -s -
来自
man paste
.
-d list Use one or more of the provided characters to replace the newline characters instead of the default tab. The characters
in list are used circularly, i.e., when list is exhausted the first character from list is reused. This continues until
a line from the last input file (in default operation) or the last line in each file (using the -s option) is displayed,
at which time paste begins selecting characters from the beginning of list again.
The following special characters can also be used in list:
\n newline character
\t tab character
\\ backslash character
\0 Empty string (not a null character).
Any other character preceded by a backslash is equivalent to the character itself.
-s Concatenate all of the lines of each separate input file in command line order. The newline character of every line
except the last line in each input file is replaced with the tab character, unless otherwise specified by the -d option.
If ‘-’ is specified for one or more of the input files, the standard input is used; standard input is read one line at a time,
循环,对于每个“-”实例。
可能最好的方法是使用“awk”工具,它将输出生成一行
$ awk ' /pattern/ {print}' ORS=' ' /path/to/file
它将用空格分隔符将所有行合并为一行
在 Red Hat Linux 上我只使用 echo :
echo $(cat /some/file/name)
这仅在一行中提供了文件的所有记录。