我编写了一个函数来测试文件夹的可读性/可写性。
对于单元测试,我需要生成不同的案例:
- 包含可读写文件的文件夹
- 具有可读文件的文件夹(不可写)
- 一个不可写且不可读的文件夹。
到目前为止,这是我来到的函数的代码:
void FileUtils::checkPath(std::string path, bool &readable, bool &writable)
{
   namespace bf = boost::filesystem;
   std::string filePath = path + "/test.txt";
   // remove a possibly existing test file
   remove(filePath.c_str());
   // check that the path exists
   if(!bf::is_directory(path))
   {
      readable = writable = false;
      return;
   }
   // try to write in the location
   std::ofstream outfile (filePath.c_str());
   outfile << "I can write!" << std::endl;
   outfile.close();
   if(!outfile.fail() && !outfile.bad())
   {
      writable = true;
   }
   // look for a file to read
   std::ifstream::pos_type size;
   char * memblock;
   for (bf::recursive_directory_iterator it(path); it != bf::recursive_directory_iterator(); ++it)
   {
      if (!is_directory(*it))
      {
         std::string sFilePath = it->path().string();
         std::ifstream file(sFilePath.c_str(), std::ios::in|std::ios::binary|std::ios::ate);
         if (file.is_open())
         {
           size = file.tellg();
           if(size > 0)
           {
              memblock = new char [1];
              file.seekg (0, std::ios::beg);
              file.read (memblock, 1);
              file.close();
              delete[] memblock;
              if(!file.fail() && !file.bad())
              {
                 readable = true;
              }
              break;
           }
         }
         else
         {
            // there is a non readable file in the folder
            // readable = false;
            break;
         }
      }
   }
   // delete the test file
   remove(filePath.c_str());
}
现在进行测试(通过 Google 测试完成):
TEST_F(FileUtilsTest, shouldCheckPath)
{
   // given an existing folder
   namespace fs = boost::filesystem;
   fs::create_directory("/tmp/to_be_deleted");
   bool readable = false, writable = false;
   FileUtils::checkPath("/tmp/to_be_deleted",readable, writable);
   fs::boost::filesystem::remove_all("/tmp/to_be_deleted");
   EXPECT_TRUE(readable && writable);
}
当我走得更远时,我会为其他情况添加更多内容。
现在游戏开放以提出更好的解决方案:-)