在C ++中实现静态成员函数

时间:2015-08-24 14:52:36

标签: c++ static-methods

我想知道静态成员函数是否实质上意味着它在编译时在内存中获取一个地址,并且在整个程序期间永远不会更改它。

因此,它让我们有机会在没有任何恐惧的情况下通过指针传递它,因为我们始终确信我们将永远在同一个地方找到它。

2 个答案:

答案 0 :(得分:2)

所有函数在编译时都有分配给它们的静态地址(对于动态加载的库,它有点不同)。成员函数(静态或非静态)是标准函数,它的地址在编译时是已知的。其他链接器如何工作?

答案 1 :(得分:1)

静态成员函数只是一个有趣名称的常规自由函数。指向函数的指针与指向静态成员函数的指针兼容。

非静态成员函数是一个接收和额外隐式隐藏this参数作为第一个参数的函数。 但是,指向非静态成员函数的指针与指向函数的指针兼容。

要使用指向成员函数的指针调用非静态成员函数,您需要提供一个实例...而且语法也很奇怪:(x.*member_ptr)(...)如果x是对象引用,或(x->*member_ptr)(...)如果x是指针。

指向非静态成员函数的指针和指向函数的指针是不兼容的类型,并且没有可移植的方法来转换另一个。 如果您知道该实例,并且希望有一个可调用对象来调用其非成员函数之一,则可以使用(使用C ++ 11)std::function包装lambda。

#include <functional>
#include <string.h>
#include <iostream>

struct Foo {
    int x;
    Foo(int x) : x(x) {}
    void bar() { std::cout << x << std::endl; }
    static void baz() { std::cout << "Here\n"; }
};

int main(int argc, const char *argv[]) {

    void (Foo::*f)() = &Foo::bar; // Non-static function member pointer
    void (*g)() = &Foo::baz;      // Static member function = function

    Foo x(42);
    (x.*f)(); // Prints 42
    g();      // Prints "Here"

    // Portable way to call a non-static member function just using ff()
    std::function<void()> ff = [&x](){ x.bar(); };
    ff(); // Prints 42 too

    // Hack zone... just to show that on many compilers
    // even a pointer to non-static member function is just
    // a pointer to a function that accepts however `this`
    // as an extra first parameter.
    void (*hack)(void *);
    memcpy(&hack, &f, sizeof(hack));
    hack(&x); // Prints 42 too on g++/clang++ (NOT PORTABLE!!)

    return 0;
}