【Effective C++11】5. 实现

发布时间:2024年01月23日

Item26 尽量延后变量定义式的出现时间

定义变量(自定义变量)未使用,会承担构造成本和析构成本,考虑以下场景:

  • 如果有异常出现,encrypted 没有被使用,但是会付出构造和析构的成本;
  • 通过默认构造函数对象然后对他进行复制比直接构造指定初值效率差(条款4);
  • 情况3,不仅避免了构造(和析构)无意义对象,还避免了无意义的默认构造;
void encrypt(std::string& s) { //加密部分 }
int MinimumPasswordLength = 8;
std::string encryptPasssword(const std::string& password) {
    // std::string encrypted; // 情况 1
    if (password.length() < MinimumPasswordLength) {
        throw logic_error("Password is too short");
    }
    // std::string encrypted; // 情况2
    // encrypted = password;
    std::string encrypted(password); // 情况3
    encrypt(encrypted); 
    return encrypted;
}

考虑在循环内的场景:

  • 做法A:1个构造函数+1个析构函数+n个赋值函数
    • 当n很大,赋值成本小于构造析构成本,
    • 变量拥有更大的作用域
  • 做法B:n个构造函数+n个析构函数
    • 如果不是上述的条件,应该优先用B
class Widgt {};
void f() {
    // 做法A
    Widgt w;
    for (int i = 0; i < n; i++) {
        w = "取决于i的值";
    }
    // 做法B
    for (int i = 0; i < n; i++) {
        Widgt w("取决于i的值");
    }
}

文章来源:https://blog.csdn.net/GouDanAndOcean/article/details/135793293
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。