blob: 56a8a4ed3c9d1e2e03d1d88d036809fe900f8532 [file] [log] [blame]
khenaidoo5fc5cea2021-08-11 17:39:16 -04001// Copyright 2018 The Go Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style
3// license that can be found in the LICENSE file.
4
Joey Armstrongba3d9d12024-01-15 14:22:11 -05005//go:build !purego && !appengine
khenaidoo5fc5cea2021-08-11 17:39:16 -04006// +build !purego,!appengine
7
8package strs
9
10import (
11 "unsafe"
12
13 pref "google.golang.org/protobuf/reflect/protoreflect"
14)
15
16type (
17 stringHeader struct {
18 Data unsafe.Pointer
19 Len int
20 }
21 sliceHeader struct {
22 Data unsafe.Pointer
23 Len int
24 Cap int
25 }
26)
27
28// UnsafeString returns an unsafe string reference of b.
29// The caller must treat the input slice as immutable.
30//
31// WARNING: Use carefully. The returned result must not leak to the end user
32// unless the input slice is provably immutable.
33func UnsafeString(b []byte) (s string) {
34 src := (*sliceHeader)(unsafe.Pointer(&b))
35 dst := (*stringHeader)(unsafe.Pointer(&s))
36 dst.Data = src.Data
37 dst.Len = src.Len
38 return s
39}
40
41// UnsafeBytes returns an unsafe bytes slice reference of s.
42// The caller must treat returned slice as immutable.
43//
44// WARNING: Use carefully. The returned result must not leak to the end user.
45func UnsafeBytes(s string) (b []byte) {
46 src := (*stringHeader)(unsafe.Pointer(&s))
47 dst := (*sliceHeader)(unsafe.Pointer(&b))
48 dst.Data = src.Data
49 dst.Len = src.Len
50 dst.Cap = src.Len
51 return b
52}
53
54// Builder builds a set of strings with shared lifetime.
55// This differs from strings.Builder, which is for building a single string.
56type Builder struct {
57 buf []byte
58}
59
60// AppendFullName is equivalent to protoreflect.FullName.Append,
61// but optimized for large batches where each name has a shared lifetime.
62func (sb *Builder) AppendFullName(prefix pref.FullName, name pref.Name) pref.FullName {
63 n := len(prefix) + len(".") + len(name)
64 if len(prefix) == 0 {
65 n -= len(".")
66 }
67 sb.grow(n)
68 sb.buf = append(sb.buf, prefix...)
69 sb.buf = append(sb.buf, '.')
70 sb.buf = append(sb.buf, name...)
71 return pref.FullName(sb.last(n))
72}
73
74// MakeString is equivalent to string(b), but optimized for large batches
75// with a shared lifetime.
76func (sb *Builder) MakeString(b []byte) string {
77 sb.grow(len(b))
78 sb.buf = append(sb.buf, b...)
79 return sb.last(len(b))
80}
81
82func (sb *Builder) grow(n int) {
83 if cap(sb.buf)-len(sb.buf) >= n {
84 return
85 }
86
87 // Unlike strings.Builder, we do not need to copy over the contents
88 // of the old buffer since our builder provides no API for
89 // retrieving previously created strings.
90 sb.buf = make([]byte, 2*(cap(sb.buf)+n))
91}
92
93func (sb *Builder) last(n int) string {
94 return UnsafeString(sb.buf[len(sb.buf)-n:])
95}