0

我正在尝试使用 C 学习 gnu gdbm 编程,但由于 gdbm 教程、书籍等的缺乏而无法继续,所以我唯一需要遵循的是 w3 上可用的几个简单的 gdbm c api 代码。我在两个单独的 .c 文件的帮助下编写并编译了以下代码,但它无法从数据库“testdb”中获取数据,所以请告诉我哪里出错了。首先它存储一个字符串,然后在第二部分中获取数据。输出是;未找到密钥。

#include <stdio.h>
#include <gdbm.h>
#include <stdlib.h>
#include <string.h>

int
main(void)
{
  GDBM_FILE dbf;
  datum key = { "testkey", 7 };     /* key, length */
  datum value = { "testvalue", 9 }; /* value, length */

  printf ("Storing key-value pair... \n");

  dbf = gdbm_open("testdb", 0, GDBM_NEWDB,0666, 0);
  gdbm_store (dbf, key, value, GDBM_INSERT);
  printf ("key: %s size: %d\n", key.dptr, key.dsize);
  gdbm_close (dbf);
  printf ("done.\n\n");

   dbf = gdbm_open("testdb", 0, GDBM_READER, 0666, 0);
   if (!dbf)
   {
      fprintf (stderr, "File %s either doesn't exist or is not a gdbm file.\n", "testdb");
      exit (1);
   }

   key.dsize = strlen("testkey") + 1;

   value = gdbm_fetch(dbf, key);

   if (value.dsize > 0) {
      printf ("%s\n", value.dptr);
      free (value.dptr);
   } 
    else {
      printf ("Key %s not found.\n", key.dptr);
   }
   gdbm_close (dbf);

   return 0;
}
4

1 回答 1

2

包括尾随 '\0' 的长度。

  datum key = { "testkey", 8 };     /* key, length */
  datum value = { "testvalue", 10 }; /* value, length */

- 编辑:

关于您评论的链接:http ://www-rohan.sdsu.edu/doc/gdbm/example.html

仔细阅读第一个要点:“我假设编写密钥和数据的过程包括终止空字符。......”

所以; 要么

datum key = { "testkey", 8 }; /* Include \0 in length */
datum value = { "testvalue", 10 };

和:

key.dsize = strlen("testkey") + 1; /* +1 for the trailing \0 */

或者

datum key = { "testkey", 7 }; /* Skip \0 in length */
datum value = { "testvalue", 9 };

和:

key.dsize = strlen("testkey"); /* Do not +1 */

第一个版本通常是首选,因为不以 null 结尾的 c 字符串可能很难使用。

希望能帮助到你。


-- 编辑 2(对不起,继续思考新事物):

另请注意,如果您说 ie:

datum value = { "testvalue", 5 }; /* value, length */

存储的值将是“testv”。

于 2012-09-12T18:12:36.833 回答