我尝试使用Dart包装C库。我从dart调用C函数并通过C中的Dart_NativeArguments结构传递参数:
void _sayHello(Dart_NativeArguments arguments) {
string from;
Dart_Handle seed_object = HandleError(Dart_GetNativeArgument(arguments, 0));
if (Dart_IsString(seed_object)) {
const char* seed;
HandleError(Dart_StringToCString(seed_object, &seed));
from = seed;
}
num = (int)Dart_GetNativeArgument(arguments, 1);
Dart_SetReturnValue(arguments, HandleError(Dart_NewStringFromCString(sayHello(from, num).c_str())));
}
在Dart中,我调用函数并传入必要的参数
String sayHello(String from) native "sayHello";
main() {
print(sayHello("Dart"));
}
我想知道如何传递指针(对于我制作的结构)而不仅仅是字符串和整数作为参数。 Dart中有函数将Dart_Handles转换为字符串和整数但不是指针。 Dart_Handle的内部结构是什么,我将如何将其转换回指针?例如:
飞镖码:
String sayHello(info from) native "sayHello";
class info
{
String message;
int num;
}
main() {
info tester = new info();
tester.message = "Dart";
tester.num = 2;
print(sayHello(tester));
}
C代码:
void sayHello(Dart_NativeArguments arguments) {
/*What do I do here to get back a pointe to the struct/class I passed
in as an argument in Dart?*/
}
答案 0 :(得分:1)
您的Dart_NativeArguments
将只包含一个项目,该项目将是实例 - 您使用info
创建的类new info()
的实例。您可以测试它是否是bool Dart_IsInstance(Dart_Handle object)
的实例。所以你拥有的是信息实例的句柄。这允许您使用Dart_GetField
和Dart_SetField
访问其实例字段(消息和数字)以获取和设置它们。
Dart_Handle instance = Dart_GetNativeArgument(arguments, 0);
Dart_Handle message_handle = Dart_GetField(retobj, NewString("message"));
char* message;
Dart_StringToCString(message_handle, &message);
Dart_Handle number_handle = Dart_GetField(retobj, NewString("num"));
int64_t number;
Dart_IntegerToInt64(number_handle, &number);
// message contains the string, number contains the number
// use them, copy them etc
我知道这只是一个例子,但重新定义sayHello
以获取2个参数(字符串和int)而不是传递对象实例可能更容易。无法一步访问类的字段,您需要单独访问它们。考虑这两个版本的Dart代码,一个传递一个对象实例,一个传递值。第二个版本在Dart和C端更简单(没有GetField步骤)。但是,第一个版本更强大,因为您可以使用SetField更新字段,而第二个版本则无法在第二个版本中更新。
class Info {
String message;
int num;
Info(this.message, this.num);
}
version1() {
sayHelloV1(new Info('Dart', 2));
}
version2() {
sayHelloV2('Dart', 2);
}
如果您的C API要求您传入struct
,则必须通过将使用Dart_IntegerToInt64
等提取的值复制到C代码中来创建它,然后将指针传递给您C结构到API。
如果您的API 非常准确地将数据打包/填充到结构中,您可以使用Dart typed_data
将Dart类型打包到ByteData
和传递底层字节数组。