원래 질문의 목적은 다양한 클래스에서 일관되게 작동하는 일반 이벤트 처리 메커니즘을 만드는 것이었습니다. 정적 메서드에 의존하고 클래스 인스턴스 포인터를 전달하는 대신 std::function 및 std::bind를 사용하여 보다 현대적인 C 접근 방식을 사용할 수 있습니다.
이벤트 핸들러 클래스는 이제 std::function 객체를 인수로 받아들입니다. 함수 객체는 일반 함수 포인터처럼 전달될 수 있는 호출 가능한 엔터티를 나타냅니다. 이벤트 핸들러 메소드 addHandler는 std::function
class EventHandler { public: void addHandler(std::function<void(int)> callback) { cout << "Handler added..." << endl; // Let's pretend an event just occured callback(1); } };
특정 클래스 메서드를 이벤트 핸들러에 바인딩하려면 std ::바인드가 사용됩니다. std::bind는 this 포인터와 이벤트가 트리거될 때 호출될 함수를 지정합니다.
class MyClass { public: MyClass(); // Note: No longer marked `static`, and only takes the actual argument void Callback(int x); private: int private_x; }; MyClass::MyClass() { using namespace std::placeholders; // for `_1` private_x = 5; handler->addHandler(std::bind(&MyClass::Callback, this, _1)); } void MyClass::Callback(int x) { // No longer needs an explicit `instance` argument, // as `this` is set up properly cout << x + private_x << endl; }
콜백이 독립형인 경우 클래스 컨텍스트가 없는 함수에는 std::bind가 필요하지 않습니다.
void freeStandingCallback(int x) { // ... } int main() { // ... handler->addHandler(freeStandingCallback); }
익명 콜백의 경우 람다 함수는 다음과 같습니다. 이벤트 핸들러와 함께 사용됩니다.
handler->addHandler([](int x) { std::cout << "x is " << x << '\n'; });
이런 방식으로 std::function 및 std::bind를 사용하면 다양한 클래스와 함수에 적용할 수 있는 콜백에 대한 유연하고 일반적인 솔루션이 제공됩니다.
위 내용은 클래스 멤버와 `std::function`을 사용하여 일반 C 콜백을 구현하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!