按位或 2 个二进制文件

按位或 2 个二进制文件

不久前,我对一个快要死的硬盘进行了两次救援尝试;我先运行(GNU)ddrescue,然后直接dd手动查找。我想充分利用这两个图像。由于文件中的任何空部分都只是 0,因此按位与应该足以合并两个文件。

是否有一个实用程序允许我创建一个文件,该文件是两个输入文件的或?

(我正在使用 ArchLinux,但如果它不在存储库中,我很乐意从源代码安装)

答案1

我不知道有什么实用程序可以做到这一点,但编写一个程序来做到这一点应该很容易。这是一个 Python 的骨架示例:

#!/usr/bin/env python
f=open("/path/to/image1","rb")
g=open("/path/to/image2","rb")
h=open("/path/to/imageMerge","wb") #Output file
while True:
     data1=f.read(1) #Read a byte
     data2=g.read(1) #Read a byte
     if (data1 and data2): #Check that neither file has ended
          h.write(chr(ord(data1) | ord(data2))) #Or the bytes
     elif (data1): #If image1 is longer, clean up
          h.write(data1) 
          data1=f.read()
          h.write(data1)
          break
     elif (data2): #If image2 is longer, clean up
          h.write(data2)
          data2=g.read()
          h.write(data2)
          break
     else: #No cleanup needed if images are same length
          break
f.close()
g.close() 
h.close()

或者一个运行速度更快的 C 程序(但更有可能存在未被注意到的错误):

#include <stdio.h>
#include <string.h>

#define BS 1024

int main() {
    FILE *f1,*f2,*fout;
    size_t bs1,bs2;
    f1=fopen("image1","r");
    f2=fopen("image2","r");
    fout=fopen("imageMerge","w");
    if(!(f1 && f2 && fout))
        return 1;
    char buffer1[BS];
    char buffer2[BS];
    char bufferout[BS];
    while(1) {
        bs1=fread(buffer1,1,BS,f1); //Read files to buffers, BS bytes at a time
        bs2=fread(buffer2,1,BS,f2);
        size_t x;
        for(x=0;bs1 && bs2;--bs1,--bs2,++x) //If we have data in both, 
            bufferout[x]=buffer1[x] | buffer2[x]; //write OR of the two to output buffer
        memcpy(bufferout+x,buffer1+x,bs1); //If bs1 is longer, copy the rest to the output buffer
        memcpy(bufferout+x,buffer2+x,bs2); //If bs2 is longer, copy the rest to the output buffer
        x+=bs1+bs2;
        fwrite(bufferout,1,x,fout);
        if(x!=BS)
            break;
    }
}

答案2

Python

with open('file1', 'rb') as in1, open('file2', 'rb') as in2, open('outfile', 'wb') as out:
    while True:
        bytes1 = in1.read(1024)
        bytes2 = in2.read(1024)
        if not bytes1 or not bytes2:
            break
        out.write(bytes(b1 | b2 for (b1, b2) in zip(bytes1, bytes2)))

由于一次读取 1024 个字节,这比 Chris 的 Python 解决方案快大约 10 倍。它还使用该with open模式,因为这在关闭文件时更可靠(例如,在出现错误的情况下)。

这似乎对我来说适用于 Python 3.6.3(成功合并 2 个部分 torrent 文件),但尚未经过彻底测试。

if ...: break也许可以删除该模式并改为使用while in1 or in2:

答案3

这不是按位或,但它适用于(整块)零:

dd conv=sparse,notrunc if=foo of=baz
dd conv=sparse,notrunc if=bar of=baz

由于sparse它会跳过在源文件中写入任何零的内容。

所以 baz 看起来会像 bar,加上 bar 中为零但 foo 中不为零的内容。

换句话说,如果 foo 和 bar 中存在不相同的非零数据,则 bar 获胜。

相关内容