1

我目前正在使用Ragnar,它是一个 CLI Libtorrent 包装器。

我撞到了一堵砖墙。也许这是我正在使用的包装器的实现缺陷,或者我只是误解了 Libtorrent API 文档,但我无法弄清楚如何正确保存/加载当前的会话状态数据。

我现在的目标,我可以最好地说明,是torrent_handles在当前会话中保存所有内容,这样当我下次运行我正在使用的 torrent 客户端时,我可以在启动时自动加载它们并继续下载/播种。

我仍然不确定是否应该通过保存会话状态来做到这一点。根据API 文档的措辞:

传递给 save_state 的标志参数可用于过滤要保存的会话状态的哪些部分。默认情况下,所有状态都被保存(单个种子除外)。

但我看不到与以下相关的标志individual torrents

enum save_state_flags_t
{
        save_settings =     0x001,
        save_dht_settings = 0x002,
        save_dht_state =    0x004,
        save_proxy =        0x008,
        save_i2p_proxy =    0x010,
        save_encryption_settings = 0x020,
        save_as_map =       0x040,
        save_feeds =        0x080
};

此外,包装器目前被硬编码为不接受这些标志:

cli::array<byte>^ Session::SaveState()
{
    libtorrent::entry entry;
    this->_session->save_state(entry);

    return Utils::GetByteArrayFromLibtorrentEntry(entry);
}

这应该很容易解决,但我错过了什么吗?我是否试图通过错误的机制进行保存?

4

1 回答 1

4

libtorrent 不提供保存 torrent 列表的机制。期望是您(客户端)将 .torrent 文件保存在磁盘上(因为它们是不可变的),并在重新启动时重新添加它们。

一个例外是添加磁力链接时,您需要能够将 torrent_handle 转换为实际的 .torrent 文件。这是一个片段:

boost::intrusive_ptr<torrent_info const> ti = h.torrent_file();
create_torrent new_torrent(*ti);
std::vector<char> out;
bencode(std::back_inserter(out), new_torrent.generate());
save_file("mytorrent.torrent", out);

但是,也许更好的选择是将 .torrent 文件(或 info-dict)保存为简历数据的一部分。调用时save_resume_data(),如果您传入save_info_dict标志,恢复数据将包含您重新启动 torrent 所需的所有内容。即.torrent 文件的实际副本将保存在简历文件中。

libtorrent 附带的示例只是将 .torrent 文件保存在一个目录中,并在启动时(并定期)扫描该目录,因此文件系统存储了 torrent 列表。一种更有效的方法是将实际的 .torrent 文件与简历数据一起存储在数据库(例如 sqlite)中。

这是将与 .torrent 文件捆绑在一起的简历数据保存在 sqlite 数据库中的示例。

save_resume.cpp , save_resume.hpp

数据库在加载它们时可以更有效地启动。将恢复数据与 torrent 捆绑在一起还可以为每个加载的 torrent 节省一次磁盘查找)。

于 2014-10-29T05:24:28.337 回答