Skip to content

Commit db40d1a

Browse files
cuonglmgopherbot
authored andcommitted
cmd/compile: fix wrong esacpe analysis for rangefunc
CL 584596 "-range<N>" suffix to the name of closure generated for a rangefunc loop body. However, this breaks the condition that escape analysis uses for checking whether a closure contains within function, which is "F.funcN" for outer function "F" and closure "funcN". Fixing this by adding new "-rangeN" to the condition. Fixes #69434 Fixes #69507 Change-Id: I411de8f63b69a6514a9e9504d49d62e00ce4115d Reviewed-on: https://go-review.googlesource.com/c/go/+/614096 Reviewed-by: David Chase <[email protected]> Reviewed-by: Cherry Mui <[email protected]> LUCI-TryBot-Result: Go LUCI <[email protected]> Auto-Submit: Cuong Manh Le <[email protected]>
1 parent 889178d commit db40d1a

File tree

3 files changed

+308
-2
lines changed

3 files changed

+308
-2
lines changed

src/cmd/compile/internal/escape/solve.go

+2-2
Original file line numberDiff line numberDiff line change
@@ -318,9 +318,9 @@ func containsClosure(f, c *ir.Func) bool {
318318
return false
319319
}
320320

321-
// Closures within function Foo are named like "Foo.funcN..."
321+
// Closures within function Foo are named like "Foo.funcN..." or "Foo-rangeN".
322322
// TODO(mdempsky): Better way to recognize this.
323323
fn := f.Sym().Name
324324
cn := c.Sym().Name
325-
return len(cn) > len(fn) && cn[:len(fn)] == fn && cn[len(fn)] == '.'
325+
return len(cn) > len(fn) && cn[:len(fn)] == fn && (cn[len(fn)] == '.' || cn[len(fn)] == '-')
326326
}

test/fixedbugs/issue69434.go

+173
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,173 @@
1+
// run
2+
3+
// Copyright 2024 The Go Authors. All rights reserved.
4+
// Use of this source code is governed by a BSD-style
5+
// license that can be found in the LICENSE file.
6+
7+
package main
8+
9+
import (
10+
"bufio"
11+
"fmt"
12+
"io"
13+
"iter"
14+
"math/rand"
15+
"os"
16+
"strings"
17+
"unicode"
18+
)
19+
20+
// WordReader is the struct that implements io.Reader
21+
type WordReader struct {
22+
scanner *bufio.Scanner
23+
}
24+
25+
// NewWordReader creates a new WordReader from an io.Reader
26+
func NewWordReader(r io.Reader) *WordReader {
27+
scanner := bufio.NewScanner(r)
28+
scanner.Split(bufio.ScanWords)
29+
return &WordReader{
30+
scanner: scanner,
31+
}
32+
}
33+
34+
// Read reads data from the input stream and returns a single lowercase word at a time
35+
func (wr *WordReader) Read(p []byte) (n int, err error) {
36+
if !wr.scanner.Scan() {
37+
if err := wr.scanner.Err(); err != nil {
38+
return 0, err
39+
}
40+
return 0, io.EOF
41+
}
42+
word := wr.scanner.Text()
43+
cleanedWord := removeNonAlphabetic(word)
44+
if len(cleanedWord) == 0 {
45+
return wr.Read(p)
46+
}
47+
n = copy(p, []byte(cleanedWord))
48+
return n, nil
49+
}
50+
51+
// All returns an iterator allowing the caller to iterate over the WordReader using for/range.
52+
func (wr *WordReader) All() iter.Seq[string] {
53+
word := make([]byte, 1024)
54+
return func(yield func(string) bool) {
55+
var err error
56+
var n int
57+
for n, err = wr.Read(word); err == nil; n, err = wr.Read(word) {
58+
if !yield(string(word[:n])) {
59+
return
60+
}
61+
}
62+
if err != io.EOF {
63+
fmt.Fprintf(os.Stderr, "error reading word: %v\n", err)
64+
}
65+
}
66+
}
67+
68+
// removeNonAlphabetic removes non-alphabetic characters from a word using strings.Map
69+
func removeNonAlphabetic(word string) string {
70+
return strings.Map(func(r rune) rune {
71+
if unicode.IsLetter(r) {
72+
return unicode.ToLower(r)
73+
}
74+
return -1
75+
}, word)
76+
}
77+
78+
// ProbabilisticSkipper determines if an item should be retained with probability 1/(1<<n)
79+
type ProbabilisticSkipper struct {
80+
n int
81+
counter uint64
82+
bitmask uint64
83+
}
84+
85+
// NewProbabilisticSkipper initializes the ProbabilisticSkipper
86+
func NewProbabilisticSkipper(n int) *ProbabilisticSkipper {
87+
pr := &ProbabilisticSkipper{n: n}
88+
pr.refreshCounter()
89+
return pr
90+
}
91+
92+
// check panics if pr.n is not the expected value
93+
func (pr *ProbabilisticSkipper) check(n int) {
94+
if pr.n != n {
95+
panic(fmt.Sprintf("check: pr.n != n %d != %d", pr.n, n))
96+
}
97+
}
98+
99+
// refreshCounter refreshes the counter with a new random value
100+
func (pr *ProbabilisticSkipper) refreshCounter() {
101+
if pr.n == 0 {
102+
pr.bitmask = ^uint64(0) // All bits set to 1
103+
} else {
104+
pr.bitmask = rand.Uint64()
105+
for i := 0; i < pr.n-1; i++ {
106+
pr.bitmask &= rand.Uint64()
107+
}
108+
}
109+
pr.counter = 64
110+
}
111+
112+
// ShouldSkip returns true with probability 1/(1<<n)
113+
func (pr *ProbabilisticSkipper) ShouldSkip() bool {
114+
remove := pr.bitmask&1 == 0
115+
pr.bitmask >>= 1
116+
pr.counter--
117+
if pr.counter == 0 {
118+
pr.refreshCounter()
119+
}
120+
return remove
121+
}
122+
123+
// EstimateUniqueWordsIter estimates the number of unique words using a probabilistic counting method
124+
func EstimateUniqueWordsIter(reader io.Reader, memorySize int) int {
125+
wordReader := NewWordReader(reader)
126+
words := make(map[string]struct{}, memorySize)
127+
128+
rounds := 0
129+
roundRemover := NewProbabilisticSkipper(1)
130+
wordSkipper := NewProbabilisticSkipper(rounds)
131+
wordSkipper.check(rounds)
132+
133+
for word := range wordReader.All() {
134+
wordSkipper.check(rounds)
135+
if wordSkipper.ShouldSkip() {
136+
delete(words, word)
137+
} else {
138+
words[word] = struct{}{}
139+
140+
if len(words) >= memorySize {
141+
rounds++
142+
143+
wordSkipper = NewProbabilisticSkipper(rounds)
144+
for w := range words {
145+
if roundRemover.ShouldSkip() {
146+
delete(words, w)
147+
}
148+
}
149+
}
150+
}
151+
wordSkipper.check(rounds)
152+
}
153+
154+
if len(words) == 0 {
155+
return 0
156+
}
157+
158+
invProbability := 1 << rounds
159+
estimatedUniqueWords := len(words) * invProbability
160+
return estimatedUniqueWords
161+
}
162+
163+
func main() {
164+
input := "Hello, world! This is a test. Hello, world, hello!"
165+
expectedUniqueWords := 6 // "hello", "world", "this", "is", "a", "test" (but "hello" and "world" are repeated)
166+
memorySize := 6
167+
168+
reader := strings.NewReader(input)
169+
estimatedUniqueWords := EstimateUniqueWordsIter(reader, memorySize)
170+
if estimatedUniqueWords != expectedUniqueWords {
171+
// ...
172+
}
173+
}

test/fixedbugs/issue69507.go

+133
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,133 @@
1+
// run
2+
3+
// Copyright 2024 The Go Authors. All rights reserved.
4+
// Use of this source code is governed by a BSD-style
5+
// license that can be found in the LICENSE file.
6+
7+
package main
8+
9+
func main() {
10+
err := run()
11+
if err != nil {
12+
panic(err)
13+
}
14+
}
15+
16+
func run() error {
17+
methods := "AB"
18+
19+
type node struct {
20+
tag string
21+
choices []string
22+
}
23+
all := []node{
24+
{"000", permutations(methods)},
25+
}
26+
27+
next := 1
28+
for len(all) > 0 {
29+
cur := all[0]
30+
k := copy(all, all[1:])
31+
all = all[:k]
32+
33+
if len(cur.choices) == 1 {
34+
continue
35+
}
36+
37+
var bestM map[byte][]string
38+
bMax := len(cur.choices) + 1
39+
bMin := -1
40+
for sel := range selections(methods) {
41+
m := make(map[byte][]string)
42+
for _, order := range cur.choices {
43+
x := findFirstMatch(order, sel)
44+
m[x] = append(m[x], order)
45+
}
46+
47+
min := len(cur.choices) + 1
48+
max := -1
49+
for _, v := range m {
50+
if len(v) < min {
51+
min = len(v)
52+
}
53+
if len(v) > max {
54+
max = len(v)
55+
}
56+
}
57+
if max < bMax || (max == bMax && min > bMin) {
58+
bestM = m
59+
bMin = min
60+
bMax = max
61+
}
62+
}
63+
64+
if bMax == len(cur.choices) {
65+
continue
66+
}
67+
68+
cc := Keys(bestM)
69+
for c := range cc {
70+
choices := bestM[c]
71+
next++
72+
73+
switch c {
74+
case 'A':
75+
case 'B':
76+
default:
77+
panic("unexpected selector type " + string(c))
78+
}
79+
all = append(all, node{"", choices})
80+
}
81+
}
82+
return nil
83+
}
84+
85+
func permutations(s string) []string {
86+
if len(s) <= 1 {
87+
return []string{s}
88+
}
89+
90+
var result []string
91+
for i, char := range s {
92+
rest := s[:i] + s[i+1:]
93+
for _, perm := range permutations(rest) {
94+
result = append(result, string(char)+perm)
95+
}
96+
}
97+
return result
98+
}
99+
100+
type Seq[V any] func(yield func(V) bool)
101+
102+
func selections(s string) Seq[string] {
103+
return func(yield func(string) bool) {
104+
for bits := 1; bits < 1<<len(s); bits++ {
105+
var choice string
106+
for j, char := range s {
107+
if bits&(1<<j) != 0 {
108+
choice += string(char)
109+
}
110+
}
111+
if !yield(choice) {
112+
break
113+
}
114+
}
115+
}
116+
}
117+
118+
func findFirstMatch(order, sel string) byte {
119+
for _, c := range order {
120+
return byte(c)
121+
}
122+
return 0
123+
}
124+
125+
func Keys[Map ~map[K]V, K comparable, V any](m Map) Seq[K] {
126+
return func(yield func(K) bool) {
127+
for k := range m {
128+
if !yield(k) {
129+
return
130+
}
131+
}
132+
}
133+
}

0 commit comments

Comments
 (0)