2

我正在尝试为一个包含 std::set 对象的类编写一个漂亮的打印机,我还为其提供了我自己的漂亮打印机。基本上,这就是我的 C++ 代码的样子:

#include <set>
#include <iostream>
#include <cassert>

class Foo {
public:
  int x;

  bool operator<(const Foo & rhs) const {
    return this->x < rhs.x;
  }
};

class FooContainer {
public:
  std::set<Foo> content;
};

int main(int argc, char **argv) {
  FooContainer c;
  Foo f1 {1};
  Foo f2 {2};
  c.content.insert(f1);
  c.content.insert(f2);

  assert(false); // hand over to gdb
}

我希望能够漂亮地打印“FooContainer”类的对象。所以,我想要看起来像这样的漂亮打印机:

class FooPrinter(object):
    def __init__(self, val):
        self.val = val

    def to_string(self):
        return "X: " + str(self.val['x'])

class FooContainerPrinter(object):
    def __init__(self, val):
        self.val = val

    def to_string(self):
        res = ""
        for foo in self.val['content']:
            res += " " + FooPrinter(foo).to_string()
        return res

但是,尝试这些,GDB 给了我一个错误:

(gdb) p c 
Python Exception <class 'TypeError'> 'gdb.Value' object is not iterable: 
$7 =

看起来 FooContainerPrinter 只能访问 std::set 的内部成员,并且不能迭代它。我真的很想避免自己遍历 std::set 后面的红黑树。有没有一个巧妙的技巧来实现这一目标?

4

2 回答 2

2

没有什么好方法可以完全按照您的意愿去做。主要问题是漂亮打印 API 故意保持简单(可以说有点太简单了),因此它没有提供一种可编程的方式来分离容器——它只提供打印所需的内容,这有时是不太一般。

但是,在这种情况下,一种可行的方法可能是遵从std::set打印机。

也就是说,只需放下FooContainer打印机,然后写一个Foo打印机。AFooContainer将使用默认的 gdb 样式打印,随附的std::set将使用 libstdc++ 打印机显示,单个元素将使用您的Foo打印机显示。

但是,如果您真的想将整个内容打印为一个长字符串,那么恐怕您将不得不挖掘std::set打印机并从中提取一些代码。

于 2017-04-20T16:43:17.793 回答
1

经过一番尝试,我找到了一种非常接近的方法。我基本上使用标准库提供的默认 StdSetPrinter,但我没有将它用于打印,只是用于迭代集合。我的代码现在看起来像这样:

from libstdcxx.v6.printers import StdSetPrinter

class FooPrinter(object):
    def __init__(self, val):
        self.val = val

    def to_string(self):
        return "X: " + str(self.val['x'])

class FooContainerPrinter(object):
    def __init__(self, val):
        self.val = val

    def to_string(self):
        return "My Foo Container"

    def children(self):
        pp = StdSetPrinter("dummy", self.val['content'])
        return pp.children()

现在,默认的漂亮打印魔法仍然添加了一些样板(基本上它输出“My Foo Container = { ... ⟨ 内容的漂亮打印⟩ ...}”),但这对我来说很好。我认为它甚至可以定义自己的 children(),而是在 to_string() 中使用 pp.children(),从而完全控制输出字符串。

它的缺点是 libstdc++ 放置其默认漂亮打印机的路径需要在 PYTHONPATH 中。

于 2017-04-24T14:06:20.467 回答