3

我正在编写应用程序来读取 DICOM 文件,我必须使用其他库来执行此操作。我发现库会打开文件,但完成后不会关闭文件。而且该库不是开源的。我知道在 Linux 中打开文件的限制是 1024,我可以更改这个数字。但我不想这样做。我喜欢关闭库打开的文件。如果我知道它正在打开,如何在 C 中关闭文件。我正在使用从http://cbi.nyu.edu/software/dinifti.php获得的 DICOM2NII 库。这是打开文件的代码,但它没有关闭

bool DICOMImage::OpenFile(const char *path)
{
    bool retValue = true;
    DCM_Objects handle_;
    unsigned long options = DCM_ORDERLITTLEENDIAN | DCM_FORMATCONVERSION | DCM_VRMASK;
    // Try opening as PART10, if it fails it's might be bcause it does not have
    // a preable and the try it that way
    if ( DCM_OpenFile(path, options | DCM_PART10FILE, &handle_) != DCM_NORMAL )
    {
        DCM_CloseObject(&handle_);
        COND_PopCondition(TRUE);
        if ( DCM_OpenFile(path, options, &handle_) != DCM_NORMAL )
        {    
          retValue = false;
        }
        else
          retValue=true;
    }

    return retValue;
}
4

2 回答 2

2

在您的DICOMImage班级中,添加一个成员

DCM_OBJECT *handle_;

并在你的析构函数中关闭文件

DICOMImage::DICOMImage() : handle_(0) { ... }

DICOMImage::~DICOMImage() {
    if (handle_ != 0)
        DCM_CloseObject(&handle_);
}

当然也可以使用这个成员handle_DICOMImage::OpenFile()

于 2013-03-07T08:22:44.287 回答
1

您可以首先测试所有文件描述符,通过fcntl(fd, F_GETFD)对从 0 到getdtablesize(). 当库函数返回时,将再打开一个 fd,您可以使用close(). 您也可以只调用close(fd)以前未打开的所有内容,其中一个会成功(并且您可以在搜索中停止该点)。

很可能您可以对第一个未使用的 fd 进行初始探测,并且库最终将使用该 fd,前提是它不会做任何比打开一个文件更复杂的事情。如果它打开多个文件或使用dup()它可能会在其他地方结束。

拼写出来:

#include <iostream>
#include <vector>
#include <unistd.h>
#include <fcntl.h>

std::vector<bool> getOpenFileMap()
{
    int limit = getdtablesize();
    std::vector<bool> result(limit);

    for (int fd = 0; fd < limit; ++fd)
        result[fd] = fcntl(fd, F_GETFD) != -1;
    return result;
}

void closeOpenedFiles(const std::vector<bool> &existing)
{
    int limit = existing.size();
    for (int fd = 0; fd < limit; ++fd)
        if (!existing[fd])
            close(fd);
}

int getLikelyFd()
{
    int limit = getdtablesize();

    for (int fd = 0; fd < limit; ++fd)
        if (fcntl(fd, F_GETFD) != -1)
            return fd;
}

int main()
{
    std::vector<bool> existing = getOpenFileMap();
    int fd = open("/dev/null", O_RDONLY);
    closeOpenedFiles(existing);
    bool closed = write(fd, "test", 4) == -1;
    std::cout << "complex pass " << std::boolalpha << closed << std::endl;

    int guess = getLikelyFd();
    fd = open("/dev/null", O_RDONLY);
    bool match = fd == guess;
    std::cout << "simple pass " << std::boolalpha << match << std::endl;
}
于 2013-03-07T07:15:08.933 回答