是否有使用Go获取Windows系统空闲时间的示例或方法? 我一直在查看Golang网站上的文档,但我想我缺少如何访问(和使用)API来获取系统信息(包括空闲时间)的方法。
Go的网站进行了硬编码,以显示Linux上标准库软件包的文档。您将需要获取godoc并自己运行它:
go get golang.org/x/tools/cmd/godoc godoc --http=:6060
然后http://127.0.0.1:6060/在网络浏览器中打开。
http://127.0.0.1:6060/
值得注意的是package syscall,它提供用于访问DLL中的功能的工具,包括UTF-16帮助程序和回调生成函数。
syscall
对Go树进行快速递归搜索会发现它没有GetLastInputInfo()特定的API ,因此,除非我缺少某些内容,否则您应该能够直接从DLL中调用该函数:
GetLastInputInfo()
user32 := syscall.MustLoadDLL("user32.dll") // or NewLazyDLL() to defer loading getLastInputInfo := user32.MustFindProc("GetLastInputInfo") // or NewProc() if you used NewLazyDLL() // or you can handle the errors in the above if you want to provide some alternative r1, _, err := getLastInputInfo.Call(uintptr(arg)) // err will always be non-nil; you need to check r1 (the return value) if r1 == 0 { // in this case panic("error getting last input info: " + err.Error()) }
您的案例涉及一个结构。据我所知,您可以重新创建平面结构(保持字段顺序相同),但是 必须 将int原始字段中的任何字段都转换为int32,否则在64位Windows上会中断。有关适当的类型等效项,请查阅MSDN上的Windows数据类型页。就您而言,这将是
int
int32
var lastInputInfo struct { cbSize uint32 dwTime uint32 }
由于此cbSize字段(如Windows API中的许多结构)都有一个字段,要求您使用结构的大小对其进行初始化,因此我们也必须这样做:
cbSize
lastInputInfo.cbSize = uint32(unsafe.Sizeof(lastInputInfo))
现在我们只需要将指向该lastInputInfo变量的指针传递给函数:
lastInputInfo
r1, _, err := getLastInputInfo.Call( uintptr(unsafe.Pointer(&lastInputInfo)))
并且只记得导入syscall和unsafe。
unsafe
所有的参数传递给DLL/LazyDLL.Call()的uintptr,因为是r1回报。_Windows永远不会使用该返回值(这与所使用的ABI有关)。
DLL/LazyDLL.Call()
uintptr
r1
_
由于我遍历了您在Go中使用Windows API所需了解的大部分知识,因此您无法从阅读syscall文档中了解到这些信息,因此我也要说(这与上面的问题无关),如果一个函数同时具有ANSI和Unicode版本,则应W在程序包中使用Unicode版本(后缀)和UTF-16转换函数,以syscall获得最佳效果。
W
我认为,这就是您(或任何人)在Go程序中使用Windows API所需的全部信息。