| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 
 | //
// Copyright 2011 The Android Open Source Project
//
// Defines an abstraction for opening a directory on the filesystem and
// iterating through it.
#ifndef DIRECTORYWALKER_H
#define DIRECTORYWALKER_H
#include <dirent.h>
#include <sys/types.h>
#include <sys/param.h>
#include <sys/stat.h>
#include <unistd.h>
#include <utils/String8.h>
#include <stdio.h>
using namespace android;
// Directory Walker
// This is an abstraction for walking through a directory and getting files
// and descriptions.
class DirectoryWalker {
public:
    virtual ~DirectoryWalker() {};
    virtual bool openDir(String8 path) = 0;
    virtual bool openDir(const char* path) = 0;
    // Advance to next directory entry
    virtual struct dirent* nextEntry() = 0;
    // Get the stats for the current entry
    virtual struct stat*   entryStats() = 0;
    // Clean Up
    virtual void closeDir() = 0;
    // This class is able to replicate itself on the heap
    virtual DirectoryWalker* clone() = 0;
    // DATA MEMBERS
    // Current directory entry
    struct dirent mEntry;
    // Stats for that directory entry
    struct stat mStats;
    // Base path
    String8 mBasePath;
};
// System Directory Walker
// This is an implementation of the above abstraction that calls
// real system calls and is fully functional.
// functions are inlined since they're very short and simple
class SystemDirectoryWalker : public DirectoryWalker {
    // Default constructor, copy constructor, and destructor are fine
public:
    virtual bool openDir(String8 path) {
        mBasePath = path;
        dir = NULL;
        dir = opendir(mBasePath.string() );
        if (dir == NULL)
            return false;
        return true;
    };
    virtual bool openDir(const char* path) {
        String8 p(path);
        openDir(p);
        return true;
    };
    // Advance to next directory entry
    virtual struct dirent* nextEntry() {
        struct dirent* entryPtr = readdir(dir);
        if (entryPtr == NULL)
            return NULL;
        mEntry = *entryPtr;
        // Get stats
        String8 fullPath = mBasePath.appendPathCopy(mEntry.d_name);
        stat(fullPath.string(),&mStats);
        return &mEntry;
    };
    // Get the stats for the current entry
    virtual struct stat*   entryStats() {
        return &mStats;
    };
    virtual void closeDir() {
        closedir(dir);
    };
    virtual DirectoryWalker* clone() {
        return new SystemDirectoryWalker(*this);
    };
private:
    DIR* dir;
};
#endif // DIRECTORYWALKER_H
 |