有没有办法为任何指针类型定义转换运算符?

时间:2014-07-09 17:11:31

标签: c++ pointers operator-keyword

我有这堂课:

class fileUnstructuredView {
private:
    void* view;
public:
    operator void*() {
        return view;
    }
};

它可以做到这一点:

void* melon = vldf::fileUnstructuredView();

但它不能这样做:

int* bambi = vldf::fileUnstructuredView();
//or
int* bambi = (int*)vldf::fileUnstructuredView();

相反,我必须做

int* bambi = (int*)(void*)vldf::fileUnstructuredView();

或为int *。

创建另一个显式类型转换运算符

关键是,我想轻松地将类转换为各种指针类型,包括所有基本类型和一些pod结构类型。有没有办法做到这一点,而无需为所有这些创建转换运算符?与我所能想到的最接近的是ZeroMemory方法,它的参数似乎没有任何类型。

2 个答案:

答案 0 :(得分:5)

是的,您可以拥有转换功能模板。

template <class T>
operator T*() {
    return static_cast<T*>(view);
}

答案 1 :(得分:2)

使用模板允许转换为所有类型,然后使用enable_if仅允许其用于POD和基本类型。

class fileUnstructuredView {
private:
    void* view;
public:
    template<class T, 
        class enabled=typename std::enable_if<std::is_pod<T>::value>::type
        >
    operator T*() { //implicit conversions, so I left the:
        return view; //pointer conversion warning
    }

    template<class T>
    T* explicit_cast() { //explicit cast, so we:
        return static_cast<T*>(view); //prevent the pointer conversion warning
    }
};

http://coliru.stacked-crooked.com/a/774925a1fb3e49f5