我正在尝试通过使用看起来像组合模式的东西来构建一个可以具有任意数量的子进度条的进度条类。
假设我有这门课pbar
:
class pbar
{
public:
pbar(const int w) { width = w; } // already sets the
~pbar() {}
void setwidth(const int w) { width = w; } // set the width to w
void show() const;
void sync();
void add(const pbar bar)
{
// add's a subbar
subbars.pushback(bar);
}
private:
std::vector<pbar> subbars; // the sub-process progressbars
int width; // onscreen width of the pbar
};
如您所见,它pbar
有两个成员:宽度和子进度条(它们本身就是pbars
)。我一直在尝试实现一个sync
函数,它改变了 in 的所有宽度pbars
以subbars
匹配pbar
它被调用的宽度:
void pbar::sync()
{
for ( pbar bar : subbars )
{
bar.setwidth(width); // first set the width of the subbar
bar.sync(); // secondly make it sync up it's subbars
}
}
但这似乎不起作用。我试过使用这个测试程序:
int main()
{
pbar a(1);
pbar b(2);
pbar c(3);
pbar d(4);
c.add(d);
b.add(c);
a.add(b);
a.show();
std::cout << "syncing" << std::endl;
a.sync();
a.show();
}
show
函数定义为:
void pbar::show() const
{
std::cout << w << std::endl;
for ( pbar bar : subbars )
{
bar.show();
}
}
预期的输出将是:
1
1
1
1
但它是:
1
2
3
4
奇怪的是,该show()
函数确实正确地迭代到所有子栏,但看起来sync()
没有(事实上,使用cout
我已经确认 in 实际上确实这样做了,但它似乎没有效果)。
我的代码有什么问题?这不是c++0x
for 循环类型的使用,因为我尝试过使用较旧的迭代器循环。我找不到我犯的错误。我认为这与我pbar
在使用setwidth
in时更改了错误的 s 的事实有关sync
。
免责声明:这实际上是一个更大项目的一部分,并且该类比此处显示的要复杂得多,但是我已经设法使用上面的代码重现了不需要的行为(顺便说一下,它不是复制粘贴的,可能包含错字)