条款26:尽可能延后变量定义式的出现时间
在C++中只要你定义了一个类型且带有构造函数和析构函数,那么他就有成本开销。所以变量不应该过早地定义,看下面的case:
std::string encryptyPassword(const std::string& password)
{
using namespace std;
string encrypted;
if(password.length()<MiminumPasswordLength){
throw logic_error("Password is too short");
}
...
return encrypted;
}
很明显,如果throw了,变量encrypted就是一个没有使用的变量。所以有如下做法:
std::string encryptyPassword(const std::string& password)
{
using namespace std;
if(password.length()<MiminumPasswordLength){
throw logic_error("Password is too short");
}
string encrypted;
...
return encrypted;
}
但是这个变量没有初值。我们知道使用default constructor构造一个函数然后赋初值比直接构造赋初值的效率差,假设此函数的处理部分在下面函数中进行:
void encrypt(std::string& s);
最终成为这样:
std::string encryptyPassword(const std::string& password)
{
...
std::string encrypted(password);
encrypt(encrypted);
return encrypted;
}
尽可能延后变量定义式的出现可以增加程序的清晰度并改善程序的效率。