最近我在处理项目时遇到了一个严重的错误。我花了一整天的时间来弄清楚导致这个错误的原因。事实证明,在我使用的一个库中存在“糟糕的设计”(我应该说?)。
我们假设我们有foo
类:
struct foo {
inline foo(int& i) : i_(i) { }
inline foo& operator=(const foo& that) {
if (this != &that) {
i_ = that.i_;
}
return *this;
}
inline
friend std::ostream& operator<<(std::ostream& os, const foo& f) {
os << f.i_;
return os;
}
private:
foo();
int& i_;
};
以下是foo
的示例用法:
#include <iostream>
#include <utility>
int main(int argc, char** argv) {
int x = 10;
int y = 100;
foo f1(x);
foo f2(y);
std::cout << "before swapping" << std::endl;
std::cout << "x = " << x << std::endl;
std::cout << "y = " << y << std::endl;
std::cout << "f1 = " << f1 << std::endl;
std::cout << "f2 = " << f2 << std::endl;
std::swap(f1, f2);
std::cout << "after swapping" << std::endl;
std::cout << "x = " << x << std::endl;
std::cout << "y = " << y << std::endl;
std::cout << "f1 = " << f1 << std::endl;
std::cout << "f2 = " << f2 << std::endl;
return 0;
}
结果:
before swapping
x = 10
y = 100
f1 = 10
f2 = 100
after swapping
x = 100
y = 100
f1 = 100
f2 = 100
如果有人之前已经发布此问题,我很抱歉,如果是这种情况,请告诉我,我会删除此帖。
如果以前没有人提及/遇到过这个问题,请允许我提出来:
询问是否有人可以提出交换这两个foo
对象的解决方案。
提醒我/其他人std::swap
不是一刀切的解决方案。所以要谨慎使用它!
谢谢!