1

我正在尝试学习 glib/gtk。我写了一些代码来打印目录中的文件,如果它们是普通文件,则分配“f”,如果它们是目录,则分配“d”。问题在于如果。它总是获取错误值并将“f”附加到文件名。

#include <glib.h>
#include <glib/gstdio.h>
#include <glib/gprintf.h>

int main()
{
    GDir* home = NULL;
    GError* error = NULL;
    gchar* file = "a";

    home = g_dir_open("/home/stamp", 0, &error);
    while (file != NULL) 
    {
        file = g_dir_read_name(home);
        if (g_file_test(file, G_FILE_TEST_IS_DIR))
        {
            g_printf("%s: d\n", file);
        } else {
            g_printf("%s: f\n", file);
        }
    }
}
4

1 回答 1

3

g_dir_read_name只返回目录/文件名。您需要构建完整路径才能使用g_file_test. 你可以使用g_build_filename它。

int main()
{
    GDir* home = NULL;
    GError* error = NULL;
    gchar* file = "a";

    home = g_dir_open("/home/stamp", 0, &error);
    while (file != NULL) 
    {
        file = g_dir_read_name(home);

        gchar* fileWithFullPath;
        fileWithFullPath = g_build_filename("/home/stamp", file, (gchar*)NULL);
        if (g_file_test(fileWithFullPath, G_FILE_TEST_IS_DIR))
        {
            g_printf("%s: d\n", file);
        }
        else
        {
            g_printf("%s: f\n", file);
        }
        g_free(fileWithFullPath);
    }
    g_dir_close( home );
}
于 2010-11-13T21:59:04.413 回答