次のコラム golang チュートリアル では、Golang を DLL ファイルにコンパイルする方法を紹介します。
Golang は dll をコンパイルするときに gcc を必要とするため、最初に MinGW をインストールします。
Windows 64 ビット システムでは、64 ビット バージョンの MinGW をダウンロードする必要があります: https://sourceforge.net/projects/mingw-w64/
ダウンロード後、mingw-w64-install を実行します。 .exe を実行し、MingGW のインストールを完了します。
最初に golang プログラム exportgo.go を作成します:
package main import "C" import "fmt" //export PrintBye func PrintBye() { fmt.Println("From DLL: Bye!") } //export Sum func Sum(a int, b int) int { return a + b; } func main() { // Need a main function to make CGO compile package as C shared library }
それを DLL ファイルにコンパイルします:
go build -buildmode=c-shared -o exportgo.dll exportgo.go
コンパイル後、exportgo.dll と exportgo の 2 つのファイルを取得します。 h.
exportgo.h ファイルの関数定義を参照し、C# ファイル importgo.cs を作成します。
using System; using System.Runtime.InteropServices; namespace HelloWorld { class Hello { [DllImport("exportgo.dll", EntryPoint="PrintBye")] static extern void PrintBye(); [DllImport("exportgo.dll", EntryPoint="Sum")] static extern int Sum(int a, int b); static void Main() { Console.WriteLine("Hello World!"); PrintBye(); Console.WriteLine(Sum(33, 22)); }
CS ファイルをコンパイルして exe ファイルを取得します
csc importgo.cs
exeとdllを同じディレクトリに置き、実行します。
>importgo.exe Hello World! From DLL: Bye! 55
golang の文字列パラメータは、C# では次のように参照できます。
public struct GoString { public string Value { get; set; } public int Length { get; set; } public static implicit operator GoString(string s) { return new GoString() { Value = s, Length = s.Length }; } public static implicit operator string(GoString s) => s.Value; }
// func.go package main import "C" import "fmt" //export Add func Add(a C.int, b C.int) C.int { return a + b } //export Print func Print(s *C.char) { /* 函数参数可以用 string, 但是用*C.char更通用一些。 由于string的数据结构,是可以被其它go程序调用的, 但其它语言(如 python)就不行了 */ print("Hello ", C.GoString(s)) //这里不能用fmt包,会报错,调了很久... } func main() { }
Compile
go build -ldflags " -s -w" -buildmode=c-shared -o func.dll func.go
はまだ少し大きく、880KB です。純粋な C バージョンはわずか 48KB です。すべてが含まれているわけではありません。 go にはすべてが含まれています
package main import ( "fmt" "syscall" ) func main() { dll := syscall.NewLazyDLL("func.dll") add := dll.NewProc("Add") prt := dll.NewProc("Print") r, err, msg := add.Call(32, 44) fmt.Println(r) fmt.Println(err) fmt.Println(msg) name := C.CString("Andy") prt.Call(uintptr(unsafe.Pointer(name))) }
out: 76 0 The operation completed successfully. Hello Andy
from ctypes import CDLL, c_char_p dll = CDLL("func.dll") dll.Add(32, 33) dll.Print(c_char_p(bytes("Andy", "utf8")))
#include <iostream> #include <windows.h> using namespace std; typedef int(*pAdd)(int a, int b); typedef void(*pPrt)(char* s); int main(int argc, char *argv[]) { HMODULE dll= LoadLibraryA("func.dll"); pAdd add = (pAdd)GetProcAddress(dll, "Add"); pPrt prt = (pPrt)GetProcAddress(dll, "Print"); cout << add(321, 33) << endl; prt("Andy"); FreeLibrary(dll); return 0; }
その他の関連技術記事については、こちらをご覧ください。 go 言語チュートリアル 列にアクセスしてください。
以上がDLLファイルにコンパイルされたGolangの詳細説明の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。