使用std::function 来实现回调函数、委托的功能

std::function 可以用来实现回调函数和委托的功能。下面是一个回调函数的示例:

#include <iostream>
#include <functional>

void printText(const char* text) {
    std::cout << "The text is: " << text << std::endl;
}

void processText(const char* text, const std::function<void(const char*)>& callback) {
    std::cout << "Processing the text..." << std::endl;
    callback(text);
}

int main() {
    // 将回调函数 printText 传递给 processText,当 processText 处理完文本后会调用回调函数
    processText("Hello, world!", printText);
    return 0;
}

在上述示例中,我们定义了回调函数 printText,这个函数接受一个字符型指针参数,并打印出这个字符串。然后,我们定义了函数 processText,该函数接受两个参数:文本和一个 std::function 类型的对象,这个对象将用作回调函数。在函数的实现中,我们打印出一条简单的消息,然后调用传递进来的回调函数,并传递给它文本参数。

在主函数中,我们将回调函数 printText 传递给 processText 函数,当 processText 处理完文本后,会调用这个回调函数并输出文本。您可以根据需要更改回调函数和其它参数,但这个示例演示了如何使用 std::function 实现一个非常基本的回调函数。

同时,std::function 也可以用来实现委托功能。在C#语言中,委托(Delagate)可以看做函数指针的更高级抽象,它允许方法的选择器(Selector)与特定类型安全签名相匹配的方法进行关联,从而实现动态调用、反射、事件等功能。下面是一个使用 std::function 实现委托的简单示例:

#include <iostream>
#include <functional>

class Person {
public:
    typedef std::function<int(int, int)> CalculateFunc;

    Person(const std::string& name) : name_(name) {}

    void setCalculateFunc(CalculateFunc func) {
        calculateFunc_ = func;
    }

    int calculate(int a, int b) {
        return calculateFunc_(a, b);
    }

private:
    std::string name_;
    CalculateFunc calculateFunc_;
};

int add(int a, int b) {
    std::cout << "Add " << a << " and " << b << std::endl;
    return a + b;
}

int subtract(int a, int b) {
    std::cout << "Subtract " << a << " and " << b << std::endl;
    return a - b;
}

int main() {
    Person p("Alen");

    // 使用 add 函数作为委托
    p.setCalculateFunc(add);
    std::cout << "Result: " << p.calculate(3, 4) << std::endl;

    // 使用 subtract 函数作为委托
    p.setCalculateFunc(subtract);
    std::cout << "Result: " << p.calculate(3, 4) << std::endl;

    return 0;
}

在上述示例中,我们定义了一个 Person 类,它具有一个名为 CalculateFunc 的公共类型别名(typedef)。该类型表示一个接收两个整数参数并返回一个整数结果的函数指针或函数对象。然后,我们定义了两个函数 addsubtract,它们都满足 CalculateFunc 的要求。

在主函数中,我们创建了一个 Person 对象,并使用 setCalculateFunc 函数将 add 函数设置为其委托。然后,我们调用 calculate 函数,并输出计算结果。接着,我们又将 subtract 函数设置为其委托,再次调用 calculate 函数,并输出计算结果。

可以看到,通过使用 std::function 来实现委托,我们可以将不同的函数作为可选项传递给一个类的方法,从而实现动态选项。当然,这只是一个简单的示例,实际上委托可以实现更复杂的功能,例如事件、反射等。

猜你喜欢

转载自blog.csdn.net/qq_26093511/article/details/131306220