C++ 之 explicit,mutable,volatile 浅析

explicit:放在构造函数前面可以阻止构造函数的隐式类型转换。这样可以避免不必要的错误。

代码用例:

public static explicit operator RMB(float f)
{
	uint yuan = (uint)f;
	uint jiao = (uint)((f - yuan) * 10);
	uint fen = (uint)(((f - yuan) * 100) % 10);
	return new RMB(yuan, jiao, fen);
}

mutable:类的const成员函数本来不可以改变类的成员变量的值,但是一旦某个成员变量被mutable修饰,那么const成员函数可以改变它。

代码用例:

#include <iostream>
using namespace std;
class Foo {
public:
    void set_bar(int val)
    {
        bar = val;
    }
    void set_bar_const(int val) const
    {
        bar = val;
    }
private:
    mutable int bar;
};
 
int main(int argc, char *argv[])
{
    Foo foo;
    foo.set_bar(0);
    foo.set_bar_const(0);
 
    const Foo cfoo(foo);
    // cfoo.set_bar(0); 出错
    cfoo.set_bar_const(0);
 
    return 0;
}

volatile:关键字是一种类型修饰符,用它声明的类型变量表示可以被某些编译器未知的因素更改,比如:操作系统、硬件或者其它线程等。遇到这个关键字声明的变量,编译器对访问该变量的代码就不再进行优化,从而可以提供对特殊地址的稳定访问。

(扩展阅读:http://blog.csdn.net/helonsy/article/details/7164655)

代码用例:

volatile int i=10;


你可能感兴趣的:(volatile,关键字,Explicit,mutable)