How Go implements loading of startup parameters

Release: 2023-07-21 13:20:43
forward
1505 people have browsed it

Students who have just learned Go must have thought about the startup process of the Go program. Regarding this issue, you can read Rao Da’s articleHow the Go program runs. Today we narrow down the problem and learn how the Go program loads startup parameters and how to parse the parameters.

C parameter analysis

Children who have studied C language must be familiar with argc and argv.

C programs always start execution from the main function main, and in the main function with parameters, according to convention, the naming of argc and argv will be used as the main function parameters.

Among them, argc (argument count) represents the number of command line parameters, and argv (argument value) is an array of pointers used to store parameters.

#include 

int main(int argc, char *argv[])
{
 printf("argc = %d\n",argc);
 printf("argv[0] = %s, argv[1] = %s, argv[2] = %s \n", argv[0], argv[1], argv[2]);
 return 0;
}
Copy after login

Compile and execute the above C code, and you will get the following output

$ gcc c_main.c -o main
$ ./main foo bar sss ddd
argc = 5
argv[0] = ./main, argv[1] = foo, argv[2] = bar
Copy after login

So how do you get the command line parameters in Go language?

os.Args loading

Like C, the Go program is also executed from the main function (user layer), but in the main function argc and argv are not defined.

We can obtain command line parameters through the os.Args function.

package main

import (
 "fmt"
 "os"
)

func main() {
 for i, v := range os.Args {
  fmt.Printf("arg[%d]: %v\n", i, v)
 }
}
Copy after login

Compile and execute Go function

 $ go build main.go
 $ ./main foo bar sss ddd
arg[0]: ./main
arg[1]: foo
arg[2]: bar
arg[3]: sss
arg[4]: ddd
Copy after login

Like C, the first parameter also represents the executable file.

加载实现

下文我们需要展示一些 Go 汇编代码,为了方便读者理解,先通过两图了解 Go 汇编语言对 CPU 的重新抽象。

X86/AMD64 架构

How Go implements loading of startup parameters

Go 伪寄存器

How Go implements loading of startup parameters

Go汇编为了简化汇编代码的编写,引入了 PC、FP、SP、SB 四个伪寄存器。

四个伪寄存器加上其它的通用寄存器就是 Go 汇编语言对 CPU 的重新抽象。当然,该抽象的结构也适用于其它非 X86 类型的体系结构。

回到正题,命令行参数的解析过程是程序启动中的一部分内容。

以 linux amd64 系统为例,Go 程序的执行入口位于runtime/rt0_linux_amd64.s

TEXT _rt0_amd64_linux(SB),NOSPLIT,$-8
	JMP	_rt0_amd64(SB)
Copy after login

_rt0_amd64函数实现于 runtime/asm_amd64.s

TEXT _rt0_amd64(SB),NOSPLIT,$-8
	MOVQ	0(SP), DI	// argc
	LEAQ	8(SP), SI	// argv
	JMP	runtime·rt0_go(SB)
Copy after login

看到 argc 和 argv 的身影了吗?在这里,它们从栈内存分别被加载到了 DI、SI 寄存器。

rt0_go函数完成了 runtime 的所有初始化工作,但我们这里仅关注 argc 和 argv 的处理过程。

TEXT runtime·rt0_go(SB),NOSPLIT|TOPFRAME,$0
	// copy arguments forward on an even stack
	MOVQ	DI, AX		// argc
	MOVQ	SI, BX		// argv
	SUBQ	$(4*8+7), SP		// 2args 2auto
	ANDQ	$~15, SP
	MOVQ	AX, 16(SP)
	MOVQ	BX, 24(SP)
	...
	MOVL	16(SP), AX		// copy argc
	MOVL	AX, 0(SP)
	MOVQ	24(SP), AX		// copy argv
	MOVQ	AX, 8(SP)
	CALL	runtime·args(SB)
	CALL	runtime·osinit(SB)
	CALL	runtime·schedinit(SB)
	...
Copy after login

经过一系列操作之后,argc 和 argv 又被折腾回了栈内存 0(SP)8(SP) 中。

args 函数位于runtime/runtime1.go

var (
 argc int32
 argv **byte
)

func args(c int32, v **byte) {
 argc = c
 argv = v
 sysargs(c, v)
}
Copy after login

在这里,argc 和 argv 分别被保存至变量runtime.argcruntime.argv

rt0_go函数中调用执行完args函数后,还会执行schedinit

func schedinit() {
  ...
 goargs()
 ...
Copy after login

goargs实现于runtime/runtime1.go

var argslice []string

func goargs() {
 if GOOS == "windows" {
  return
 }
 argslice = make([]string, argc)
 for i := int32(0); i < argc; i++ {
  argslice[i] = gostringnocopy(argv_index(argv, i))
 }
}
Copy after login

该函数的目的是,将指向栈内存的命令行参数字符串指针,封装成 Go 的 string类型,最终保存于runtime.argslice

这里有个知识点,Go 是如何将 C 字符串封装成 Go string 类型的呢?答案就在以下代码。

func gostringnocopy(str *byte) string {
 ss := stringStruct{str: unsafe.Pointer(str), len: findnull(str)}
 s := *(*string)(unsafe.Pointer(&ss))
 return s
}

func argv_index(argv **byte, i int32) *byte {
 return *(**byte)(add(unsafe.Pointer(argv), uintptr(i)*sys.PtrSize))
}

func add(p unsafe.Pointer, x uintptr) unsafe.Pointer {
 return unsafe.Pointer(uintptr(p) + x)
}
Copy after login

此时,Go 已经将 argc 和 argv 的信息保存至runtime.argslice中,那聪明的你一定能猜到os.Args方法就是读取的该slice。

os/proc.go中,是它的实现

var Args []string

func init() {
 if runtime.GOOS == "windows" {
  // Initialized in exec_windows.go.
  return
 }
 Args = runtime_args()
}

func runtime_args() []string // in package runtime
Copy after login

runtime_args方法的实现是位于 runtime/runtime.go中的os_runtime_args函数

//go:linkname os_runtime_args os.runtime_args
func os_runtime_args() []string { return append([]string{}, argslice...) }
Copy after login

在这里实现了runtime.argslice的拷贝。至此,os.Args方法最终成功加载了命令行参数 argv 信息。

Summary

In this article we introduced that Go can be started using the os.Args parser command line parameters, and learned its implementation process.

During the study of the source code of the loading implementation, we found that if we start from one point and trace its implementation principle, the process is not complicated. We hope that children will not be afraid of studying the source code. The

os.Args method stores command line arguments in string slices, which can be extracted by traversing. But in actual development, we generally do not use the os.Args method directly, because Go provides us with a more useful flag package. However, due to space reasons, this part will not be written later.

The above is the detailed content of How Go implements loading of startup parameters. For more information, please follow other related articles on the PHP Chinese website!

Related labels:
go
source:Go语言进阶学习
Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Popular Tutorials
More>
Latest Downloads
More>
Web Effects
Website Source Code
Website Materials
Front End Template
About us Disclaimer Sitemap
php.cn:Public welfare online PHP training,Help PHP learners grow quickly!