web-dev-qa-db-ja.com

dirかどうかを確認しています。 readdirによって返されるエントリは、ディレクトリ、リンク、またはファイルです。 dent-> d_typeはタイプを表示していません

Linuxシェルで実行され、引数(ディレクトリ)を受け入れ、ディレクトリ内のすべてのファイルとそのタイプを表示するプログラムを作成しています。

出力は次のようになります。

 << ./Program testDirectory

 Dir directory1
 lnk linkprogram.c
 reg file.txt

引数が指定されていない場合は、現在のディレクトリが使用されます。これが私のコードです:

#include <stdio.h>
#include <dirent.h>
#include <sys/stat.h>

int main(int argc, char *argv[])
{
  struct stat info;
  DIR *dirp;
  struct dirent* dent;

  //If no args
  if (argc == 1)
  {

    argv[1] = ".";
    dirp = opendir(argv[1]); // specify directory here: "." is the "current directory"
    do
    {
      dent = readdir(dirp);
      if (dent)
      {
        printf("%c ", dent->d_type);
        printf("%s \n", dent->d_name);

        /* if (!stat(dent->d_name, &info))
         {
         //printf("%u bytes\n", (unsigned int)info.st_size);

         }*/
      }
    } while (dent);
    closedir(dirp);

  }

  //If specified directory 
  if (argc > 1)
  {
    dirp = opendir(argv[1]); // specify directory here: "." is the "current directory"
    do
    {
      dent = readdir(dirp);
      if (dent)
      {
        printf("%c ", dent->d_type);
        printf("%s \n", dent->d_name);
        /*  if (!stat(dent->d_name, &info))
         {
         printf("%u bytes\n", (unsigned int)info.st_size);
         }*/
      }
    } while (dent);
    closedir(dirp);

  }
  return 0;
}

何らかの理由で dent->d_typeはファイルの種類を表示していません。私は本当に何をすべきかわからない、何か提案はありますか?

8
Barney Chambers

Return構造体のd_typeは、型の番号を示します。 ASCII(たとえば、dirの場合は4、ファイルの場合は8)として解釈されると、使用される値は印刷できないため、直接印刷することはできません。

次のような数字として印刷することができます。

printf("%d ", dent->d_type)

または、それらをDT_DIRのような定数と比較し、char型のように、そこから意味のある出力を作成します。

if(dent->type == DT_DIR) type = 'd'
4
user8046

印刷d_type次のような整数として:

printf("%d ", dent->d_type);

意味のある値が表示されます。

2
alk