1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
|
// Copyright 2021 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
package abi_test
import (
"internal/abi"
"internal/testenv"
"path/filepath"
"strings"
"testing"
)
func TestFuncPC(t *testing.T) {
// Test that FuncPC* can get correct function PC.
pcFromAsm := abi.FuncPCTestFnAddr
// Test FuncPC for locally defined function
pcFromGo := abi.FuncPCTest()
if pcFromGo != pcFromAsm {
t.Errorf("FuncPC returns wrong PC, want %x, got %x", pcFromAsm, pcFromGo)
}
// Test FuncPC for imported function
pcFromGo = abi.FuncPCABI0(abi.FuncPCTestFn)
if pcFromGo != pcFromAsm {
t.Errorf("FuncPC returns wrong PC, want %x, got %x", pcFromAsm, pcFromGo)
}
}
func TestFuncPCCompileError(t *testing.T) {
// Test that FuncPC* on a function of a mismatched ABI is rejected.
testenv.MustHaveGoBuild(t)
// We want to test internal package, which we cannot normally import.
// Run the assembler and compiler manually.
tmpdir := t.TempDir()
asmSrc := filepath.Join("testdata", "x.s")
goSrc := filepath.Join("testdata", "x.go")
symabi := filepath.Join(tmpdir, "symabi")
obj := filepath.Join(tmpdir, "x.o")
// Write an importcfg file for the dependencies of the package.
importcfgfile := filepath.Join(tmpdir, "hello.importcfg")
testenv.WriteImportcfg(t, importcfgfile, nil, "internal/abi")
// parse assembly code for symabi.
cmd := testenv.Command(t, testenv.GoToolPath(t), "tool", "asm", "-p=p", "-gensymabis", "-o", symabi, asmSrc)
out, err := cmd.CombinedOutput()
if err != nil {
t.Fatalf("go tool asm -gensymabis failed: %v\n%s", err, out)
}
// compile go code.
cmd = testenv.Command(t, testenv.GoToolPath(t), "tool", "compile", "-importcfg="+importcfgfile, "-p=p", "-symabis", symabi, "-o", obj, goSrc)
out, err = cmd.CombinedOutput()
if err == nil {
t.Fatalf("go tool compile did not fail")
}
// Expect errors in line 17, 18, 20, no errors on other lines.
want := []string{"x.go:17", "x.go:18", "x.go:20"}
got := strings.Split(string(out), "\n")
if got[len(got)-1] == "" {
got = got[:len(got)-1] // remove last empty line
}
for i, s := range got {
if !strings.Contains(s, want[i]) {
t.Errorf("did not error on line %s", want[i])
}
}
if len(got) != len(want) {
t.Errorf("unexpected number of errors, want %d, got %d", len(want), len(got))
}
if t.Failed() {
t.Logf("output:\n%s", string(out))
}
}
|