首先,callback_t
不是标识符。我在任何地方都看不到它typedef
。其次,您需要某种方式告诉 C++ 回调是您的 swift 函数。为此,我将它作为参数传递给 C++ 函数,类似于我们在 Objective-C 和 Swift 中的做法。否则,您需要将回调存储在某个全局变量中并让 C++ 访问它。
使用第一种将回调作为参数传递的方法:
首先在 C++ 标头 ( Foo.h
) 中我做了(不要删除这些ifdef
东西.. 编译器在导入到 Swift 时使用 C 链接,但是在编译 C++ 端时,它会被破坏,因此使用 C 链接,我们extern "C"
是代码) :
#ifndef Foo_hpp
#define Foo_hpp
#include <stdio.h>
#ifdef __cplusplus
extern "C" {
#endif
typedef void(*callback_t)(const char *);
void callback_web_disconnected(callback_t);
#ifdef __cplusplus
} // extern "C"
#endif
#endif /* Foo_hpp */
然后在实现文件(Foo.cpp
)中我做了:
#include "Foo.h"
#include <thread>
#include <iostream>
#ifdef __cplusplus
extern "C" {
#endif
void callback_web_disconnected(callback_t callback)
{
std::thread t = std::thread([callback] {
std::this_thread::sleep_for(std::chrono::seconds(2));
if (callback)
{
callback("Hello World");
}
});
t.detach();
}
#ifdef __cplusplus
} // extern "C"
#endif
然后在 ViewController.swift 我做了:
import UIKit
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
callback_web_disconnected({
if let ptr = $0 {
let str = String(cString: ptr)
print(str)
}
})
}
}
它工作正常。2 秒后从 C++ 调用 Swift 代码。
使用将回调存储在全局变量中的第二种方法(我鄙视但我们不要进入)..
在Foo.h
我做了:
#ifndef Foo_hpp
#define Foo_hpp
#include <stdio.h>
#ifdef __cplusplus
extern "C" {
#endif
typedef void(*callback_t)(const char *);
callback_t globalCallback; //Declare a global variable..
void callback_web_disconnected();
#ifdef __cplusplus
} // extern "C"
#endif
#endif /* Foo_hpp */
在Foo.cpp
我做了:
#include "Foo.h"
#include <thread>
#include <iostream>
#ifdef __cplusplus
extern "C" {
#endif
void callback_web_disconnected()
{
std::thread t = std::thread([] {
std::this_thread::sleep_for(std::chrono::seconds(2));
if (globalCallback)
{
globalCallback("Hello World");
}
});
t.detach();
}
#ifdef __cplusplus
} // extern "C"
#endif
在ViewController.swift
中,我做了:
import UIKit
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
//Set the globalCallback variable to some block or function we want to be called..
globalCallback = {
if let ptr = $0 {
let str = String(cString: ptr)
print(str)
}
}
//Trigger our test.. I guess your C++ code will be doing this anyway and it'll call the globalCallback.. but for the sake of this example, I've done it here..
callback_web_disconnected()
}
}