如何在golang的cgo中使用std :: vector或其他容器?

问题描述 投票:3回答:2

我想将大量对象malloc到内存中(大约1亿个对象),因为golang的gc不够有效,所以我需要使用c / c ++来malloc内存并使用std :: vector来保存对象。这是我的代码,我想在cgo中使用std容器:

package main

import (
    "fmt"
)

/*
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <vector>


using namespace std;

void dosome(){
    vector<int> ivec;   // empty vector
    for (vector<int>::size_type ix = 0; ix != 10; ++ix)
        ivec[ix] = ix; // disaster: ivec has no elements
}

*/
// #cgo LDFLAGS: -lstdc++
import "C"

//import "fmt"
func main() {

    C.dosome()

    var input string
    fmt.Scanln(&input)
}

并在下面有错误消息:

go run stddemo.go 
# command-line-arguments
./stddemo.go:13:10: fatal error: 'vector' file not found
#include <vector>
     ^
1 error generated.

我如何设置包含路径还是有其他想法?

go cgo
2个回答
5
投票

虽然您可以将C ++与CGo一起使用,但您无法在.go文件中嵌入该代码,因为它最终是使用C编译器构建的。

相反,将dosome函数放在与.cpp文件相同的目录中的单独.go文件中,并声明您的函数使用C链接。例如:

extern "C" {
    void dosome() {
        vector<int> ivec;
        ...
    }
}

如果你在.go文件的CGo注释中包含函数的原型,那么你可以从Go调用它。

由于您现在有多个文件,因此不能再使用go run foo.go速记(因为它只编译单个文件)。相反,你需要使用go run packagego build package,你的代码位于$GOPATH/src/package


4
投票

呃,我认为你的结论有点太快了。 GC成本由两件事驱动:程序产生的垃圾越多,GC就越需要运行。第二:扫描的指针越多,单个GC需要的时间越长。

也就是说:只要你将1亿件物品放入切片中并将它们放在那里:GC就不必运行太多,因为没有垃圾。第二:如果你的东西不包含指针,GC时间,如果它仍然发生,将没关系。

所以,我的问题是:你的东西有指针吗?

© www.soinside.com 2019 - 2024. All rights reserved.