0

ファイルを入力として受け取り、各行の復号化されたパスワードを出力するプログラムを作成しています。このファイルには、3 行の暗号化されたパスワードが含まれています。パスワードが 4 文字の単語に復号化されることが保証されています。文字の char[] を作成したとします。LOW LEVEL IO を使用してファイルを 1 行ずつ読み取り、結果のパスワードを新しいファイルに入れる際に問題があります。あらゆるアドバイスをお待ちしております。

これまでの私のコードは次のとおりです。

#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <string.h>

#define BUFFER_SIZE 1024

int main(void)
{

   int f = open("pass.txt", O_RDONLY);
   if (f < 0) 
      return 0;
   char buf[1024];
   while (my_fgets(buf, sizeof(buf), f)) 
      printf("%s\n", buf);
   close(f);
   const char *const pass = "$1$6gMKIopE$I.zkP2EvrXHDmApzYoV.B.";
   char *result;
   int ok;
   char guess[] = {'a','a','a','a','\0'};
   char ch1=guess[0], ch2=guess[1], ch3=guess[2], ch4=guess[3];
   do{
      for(ch1; ch1<='z';++ch1)
      {
         for(ch2='a';ch2<='z';++ch2)
         {
            for(ch3='a';ch3<='z';++ch3)
            {
               for(ch4='a';ch4<='z';++ch4)
               {
                  result = crypt(guess, pass);               
               }

            }
         }     
      }
   }while(strcmp(result, pass) != 0);
   puts(guess);
   return 0;
}

int my_fgets(char* buf, int len, int f)
{
   for (int i = 0; i < len; i++,buf++)
   {
      int count = read(f, buf, 1);
      if (!count || (buf[0] == '\n'))
      {
         buf[0] = 0;
         return i;
      }
   }
   return 0;
}

テキストファイル:

$1$6gMKIopE$I.zkP2EvrXHDmApzYoV.B.
$1$pkMKIcvE$WQfqzTNmcQr7fqsNq7K2p0
$1$0lMKIuvE$7mOnlu6RZ/cUFRBidK7PK.
4

1 に答える 1

0

次のコード ブロックに欠陥があるようです。

while (my_fgets(buf, sizeof(buf), f)) 
   printf("%s\n", buf);

それが行うことは、最後の行のみを保持することです。他の行は読み取られて破棄されます。

また、ループch1の各反復で がどのように初期化されるかが明確ではありません。do ... whileあなたはそれを次のように持っています:

for(ch1; ch1<='z';++ch1)
//  ^^^

それは初期化されませんch1。副作用のない表現です。

パスワード復号化のロジックのほとんどを独自の関数に入れ、すべての行を読み取った後に関数を呼び出すことをお勧めします。

void decryptPassword(char* buf)
{
   printf("%s\n", buf);
   const char *const pass = "$1$6gMKIopE$I.zkP2EvrXHDmApzYoV.B.";
   char *result;
   int ok;
   char guess[] = {'a','a','a','a','\0'};
   char ch1=guess[0], ch2=guess[1], ch3=guess[2], ch4=guess[3];
   do{
      for(ch1; ch1<='z';++ch1)
      {
         for(ch2='a';ch2<='z';++ch2)
         {
            for(ch3='a';ch3<='z';++ch3)
            {
               for(ch4='a';ch4<='z';++ch4)
               {
                  result = crypt(guess, pass);               
               }
            }
         }     
      }
   }while(strcmp(result, pass) != 0);
   puts(guess);
}

int main(void)
{
   int f = open("soc.in", O_RDONLY);
   if (f < 0) 
      return 0;
   char buf[1024];
   while (my_fgets(buf, sizeof(buf), f)) 
      decryptPassword(buf);
   close(f);
   return 0;
}
于 2015-06-03T02:57:18.930 に答える