散列程序不为同一文件返回相同的值

问题描述 投票:1回答:1

我创建的这个散列函数(扫描新文件,并计算它们的散列)似乎是函数,但是一旦删除文件,例如test.c,然后用完全相同的文件替换它就会返回2个不同的散列值。我的意思是,当程序运行时,第一个计算可能会返回一个1234的哈希值,一旦删除并将相同的文件放在文件夹中,它就会返回2345。

似乎没有顺序,因为1234可能是连续5次的结果。我想知道这段代码中是否有任何明显的原因?

#include <stdio.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <string.h>
#include <errno.h>
#include <sys/inotify.h>
#include <openssl/sha.h>

int main (int argc, char *argv[])
{
        int fd;
        unsigned char c[SHA512_DIGEST_LENGTH];
        int i;
        SHA512_CTX mdContext;
        int bytes;
        unsigned char data[1024];
        const int event_size = sizeof(struct inotify_event);
        const int buf_len = 1024 * (event_size + FILENAME_MAX);
        char *directory = "/home/joe/Documents/";
        char *hashDirectory = "/home/joe/Documents/_Hash/";
        char hashInBuf[100];
        char hashOutBuf[100];
        fd = inotify_init();

        if (fd < 0) {
          perror("inotify_init");
        }
        while (1) {
          char buff[buf_len];
          int no_of_events, count = 0;

          //SEARCH FOR NEW FILES WITHIN DIRECTORY
          no_of_events = read (fd, buff, buf_len);
          while (count < no_of_events) {
            struct inotify_event *event = (struct inotify_event *)&buff[count];
            if (event->len) {
              if ((event->mask & IN_CREATE))
              if(!(event->mask & IN_ISDIR)) {
                printf("\n%s has been created\n", event->name);

                //CONJOIN DIRECTORY AND FILENAME / EXTENSION
                snprintf(hashInBuf, sizeof(hashInBuf), "%s/%s", directory, event->name);
                snprintf(hashOutBuf, sizeof(hashOutBuf), "%s/%s.txt", hashDirectory, event->name);

                FILE *ftest=fopen(hashInBuf, "rb");
                FILE *ftest2=fopen(hashOutBuf, "wt");

                //HASH FUNCTION
                SHA512_Init (&mdContext);
                while ((bytes = fread (data, 1, 1024, ftest)) != 0)
                SHA512_Update (&mdContext, data, bytes);
                SHA512_Final (c,&mdContext);
                for(i = 0; i < SHA512_DIGEST_LENGTH; i++){
                  fprintf(ftest2, "%02x", c[i]);
                  printf("%02x", c[i]);
                }
                fclose (ftest);
                fclose (ftest2);
                fflush (stdout);
              }
            }
            count += event_size + event->len;
          }
        }
        return 0;
}

先感谢您!

c loops hash openssl
1个回答
1
投票

在这一行

if ((event->mask & IN_CREATE))

等待创建文件的事件。然后,您的哈希函数立即开始运行!这可能会导致文件尚未完全写入,因此您只需对文件的一部分进行哈希处理。

您应该使用事件IN_CLOSE_WRITE来确保该文件已经完全写入。

另一种选择是不在此目录中创建文件,而是在临时目录中创建它们,然后将它们移动到目标目录中。相应的事件是IN_MOVED_TO然后。

© www.soinside.com 2019 - 2024. All rights reserved.