2012-02-15 46 views
6

我有這個代碼可以打開一個目錄並檢查列表是否不是普通文件(意味着它是一個文件夾),它也會打開它。我如何區分使用C++的文件和文件夾。 這裏是我的代碼,如果這能幫助:區分C++中的文件夾和文件

#include <sys/stat.h> 
#include <cstdlib> 
#include <iostream> 
#include <dirent.h> 
using namespace std; 

int main(int argc, char** argv) { 

// Pointer to a directory 
DIR *pdir = NULL; 
pdir = opendir("."); 

struct dirent *pent = NULL; 

if(pdir == NULL){ 
    cout<<" pdir wasn't initialized properly!"; 
    exit(8); 
} 

while (pent = readdir(pdir)){ // While there is still something to read 
    if(pent == NULL){ 
    cout<<" pdir wasn't initialized properly!"; 
    exit(8); 
} 

    cout<< pent->d_name << endl; 
} 

return 0; 

}

+0

使用'stat'(或'lstat')不同, 'S_ISDIR'。 – 2012-02-15 20:54:31

回答

7

一種方法是:

switch (pent->d_type) { 
    case DT_REG: 
     // Regular file 
     break; 
    case DT_DIR: 
     // Directory 
     break; 
    default: 
     // Unhandled by this example 
} 

你可以看到在GNU C Library Manualstruct dirent文檔。

1

爲了完整起見,另一種方法是:

struct stat pent_stat; 
    if (stat(pent->d_name, &pent_stat)) { 
     perror(argv[0]); 
     exit(8); 
    } 
    const char *type = "special"; 
    if (pent_stat.st_mode & _S_IFREG) 
     type = "regular"; 
    if (pent_stat.st_mode & _S_IFDIR) 
     type = "a directory"; 
    cout << pent->d_name << " is " << type << endl; 

你必須與原目錄補丁文件名,如果它從.

相關問題