系统相关
首页 > 系统相关> > linux – 将dd数据从输出通过netcat分离到解析输出

linux – 将dd数据从输出通过netcat分离到解析输出

作者:互联网

我正在使用以下命令通过netcat复制dd输出

$dd if=/dev/zero bs=1024K count=1 | nc <IP_ADDR> <PORT> -q 0
1+0 enregistrements lus
1+0 enregistrements écrits
1048576 bytes (1,0 MB, 1,0 MiB) copied, 0,0590934 s, 17,7 MB/s

但是当我尝试解析输出时没有任何反应

$dd if=/dev/zero bs=1024K count=1 | nc <IP_ADDR> <PORT> -q 0 | grep copied
1+0 enregistrements lus
1+0 enregistrements écrits
1048576 bytes (1,0 MB, 1,0 MiB) copied, 0,058937 s, 17,8 MB/s

它应该只打印最后一行,为什么输出没有发送到grep?
我尝试了很少的重定向,但我无法按照我的意愿重定向.

我希望通过netcat发送数据,但是将输出消息(stderr和stdin)发送到stdout或文件后再解析它.

解决方法:

dd if=/dev/zero bs=1024K count=1 | nc <IP_ADDR> <PORT> -q 0 | grep copied

dd状态输出无法进入grep. grep正在读取nc的输出,而不是dd.如果dd在其stdout上写了那个输出,它会转到nc,而不是grep.

值得庆幸的是,dd不会将该状态消息写入其stdout(否则它将被发送到< IP_ADDR>我们不想要),但它会将其写入分离的流:stderr(因为它是诊断消息,不是它的正常输出).

要让dd的stderr连接到一个转到grep的管道(和nc的stdout stderr不变),你可以这样做:

{ {
  dd if=/dev/zero bs=1M count=1 2>&3 3>&- |
    nc -q 0  <IP_ADDR> <PORT> 3>&-
} 3>&1 >&4 4>&- | grep copied 4>&-; } 4>&1

假设shell的stdin / stdout / stderr转到I,O,E(如果从终端运行,则所有将在读写模式下打开tty设备),在上面我们将:

cmd \ fd | stdin stdout stderr  3       4
---------+------------------------------------
      dd | I     pipe1  pipe2   closed  closed
      nc | pipe1 O      E       closed  closed
    grep | pipe2 O      E       closed  closed

或者让dd的stderr和nc的stdout stderr转到grep(但是dd的stdout仍然转到nc):

{ 
  dd if=/dev/zero bs=1M count=1 |
    nc -q 0  <IP_ADDR> <PORT>
} 2>&1 | grep copied

我们的每个命令的fd赋值表变为:

cmd \ fd | stdin stdout stderr
---------+--------------------
      dd | I     pipe1  pipe2
      nc | pipe1 pipe2  pipe2
    grep | pipe2 O      E

另一种方法:

{ 
  dd if=/dev/zero bs=1M count=1 2>&1 >&3 3>&- |
    grep copied >&2 3>&-
} 3>&1 | nc -q 0  <IP_ADDR> <PORT>

cmd \ fd | stdin stdout stderr  3
---------+-----------------------
      dd | I     pipe1  pipe2
      nc | pipe1 O      E
    grep | pipe2 E      E

但请注意,该输出不是很相关. 1MiB数据可能适合管道缓冲区,nc的内部读缓冲区和套接字发送缓冲区,因此您无法真正计算网络吞吐量.在通过网络发送第一个数据包之前,可能会返回dd(在TCP连接启用后不久,nc开始读取其stdin).再看看iperf.

如果没有iperf,你可以更好地测量发送吞吐量,如果你做了类似的事情:

{
  dd bs=1M count=50 2> /dev/null # buffers filled and the TCP connection 
                                 # established and into a steady state
  dd bs=1M count=100 2>&1 >&3 3>&- | grep copied >&2 3>&-
} < /dev/zero 3>&1 | nc -q 0  <IP_ADDR> <PORT>

标签:netcat,linux,shell,dd,io-redirection
来源: https://codeday.me/bug/20190816/1668398.html