Skip to content

Commit bf0c885

Browse files
authored
examples/features/dualstack: Demonstrate Dual Stack functionality (#8098) (#8115)
1 parent 05bdd66 commit bf0c885

File tree

4 files changed

+306
-0
lines changed

4 files changed

+306
-0
lines changed

examples/examples_test.sh

+4
Original file line numberDiff line numberDiff line change
@@ -58,6 +58,7 @@ EXAMPLES=(
5858
"features/compression"
5959
"features/customloadbalancer"
6060
"features/deadline"
61+
"features/dualstack"
6162
"features/encryption/TLS"
6263
"features/error_details"
6364
"features/error_handling"
@@ -90,6 +91,7 @@ declare -A CLIENT_ARGS=(
9091
declare -A SERVER_WAIT_COMMAND=(
9192
["features/unix_abstract"]="lsof -U | grep $UNIX_ADDR"
9293
["default"]="lsof -i :$SERVER_PORT | grep $SERVER_PORT"
94+
["features/dualstack"]="lsof -i :50053 | grep 50053"
9395
)
9496

9597
wait_for_server () {
@@ -116,6 +118,7 @@ declare -A EXPECTED_SERVER_OUTPUT=(
116118
["features/compression"]="UnaryEcho called with message \"compress\""
117119
["features/customloadbalancer"]="serving on localhost:50051"
118120
["features/deadline"]=""
121+
["features/dualstack"]="serving on \[::\]:50051"
119122
["features/encryption/TLS"]=""
120123
["features/error_details"]=""
121124
["features/error_handling"]=""
@@ -142,6 +145,7 @@ declare -A EXPECTED_CLIENT_OUTPUT=(
142145
["features/compression"]="UnaryEcho call returned \"compress\", <nil>"
143146
["features/customloadbalancer"]="Successful multiple iterations of 1:2 ratio"
144147
["features/deadline"]="wanted = DeadlineExceeded, got = DeadlineExceeded"
148+
["features/dualstack"]="Successful multiple iterations of 1:1:1 ratio"
145149
["features/encryption/TLS"]="UnaryEcho: hello world"
146150
["features/error_details"]="Greeting: Hello world"
147151
["features/error_handling"]="Received error"

examples/features/dualstack/README.md

+29
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
# Dualstack
2+
3+
The dualstack example uses a custom name resolver that provides both IPv4 and
4+
IPv6 localhost endpoints for each of 3 server instances. The client will first
5+
use the default name resolver and load balancers which will only connect to the
6+
first server. It will then use the custom name resolver with round robin to
7+
connect to each of the servers in turn. The 3 instances of the server will bind
8+
respectively to: both IPv4 and IPv6, IPv4 only, and IPv6 only.
9+
10+
Three servers are serving on the following loopback addresses:
11+
12+
1. `[::]:50052`: Listening on both IPv4 and IPv6 loopback addresses.
13+
1. `127.0.0.1:50050`: Listening only on the IPv4 loopback address.
14+
1. `[::1]:50051`: Listening only on the IPv6 loopback address.
15+
16+
The server response will include its serving port and address type (IPv4, IPv6
17+
or both). So the server on "127.0.0.1:50050" will reply to the RPC with the
18+
following message: `Greeting:Hello request:1 from server<50052> type: IPv4
19+
only)`.
20+
21+
## Try it
22+
23+
```sh
24+
go run server/main.go
25+
```
26+
27+
```sh
28+
go run client/main.go
29+
```
+189
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,189 @@
1+
/*
2+
*
3+
* Copyright 2025 gRPC authors.
4+
*
5+
* Licensed under the Apache License, Version 2.0 (the "License");
6+
* you may not use this file except in compliance with the License.
7+
* You may obtain a copy of the License at
8+
*
9+
* http://www.apache.org/licenses/LICENSE-2.0
10+
*
11+
* Unless required by applicable law or agreed to in writing, software
12+
* distributed under the License is distributed on an "AS IS" BASIS,
13+
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14+
* See the License for the specific language governing permissions and
15+
* limitations under the License.
16+
*
17+
*/
18+
19+
// Binary client is a client for the dualstack example.
20+
package main
21+
22+
import (
23+
"context"
24+
"fmt"
25+
"log"
26+
"slices"
27+
"strings"
28+
"time"
29+
30+
"google.golang.org/grpc"
31+
"google.golang.org/grpc/credentials/insecure"
32+
hwpb "google.golang.org/grpc/examples/helloworld/helloworld"
33+
"google.golang.org/grpc/peer"
34+
"google.golang.org/grpc/resolver"
35+
)
36+
37+
const (
38+
port1 = 50051
39+
port2 = 50052
40+
port3 = 50053
41+
)
42+
43+
func init() {
44+
resolver.Register(&exampleResolver{})
45+
}
46+
47+
// exampleResolver implements both, a fake `resolver.Resolver` and
48+
// `resolver.Builder`. This resolver sends a hard-coded list of 3 endpoints each
49+
// with 2 addresses (one IPv4 and one IPv6) to the channel.
50+
type exampleResolver struct{}
51+
52+
func (*exampleResolver) Close() {}
53+
54+
func (*exampleResolver) ResolveNow(resolver.ResolveNowOptions) {}
55+
56+
func (*exampleResolver) Build(_ resolver.Target, cc resolver.ClientConn, _ resolver.BuildOptions) (resolver.Resolver, error) {
57+
go func() {
58+
err := cc.UpdateState(resolver.State{
59+
Endpoints: []resolver.Endpoint{
60+
{Addresses: []resolver.Address{
61+
{Addr: fmt.Sprintf("[::1]:%d", port1)},
62+
{Addr: fmt.Sprintf("127.0.0.1:%d", port1)},
63+
}},
64+
{Addresses: []resolver.Address{
65+
{Addr: fmt.Sprintf("[::1]:%d", port2)},
66+
{Addr: fmt.Sprintf("127.0.0.1:%d", port2)},
67+
}},
68+
{Addresses: []resolver.Address{
69+
{Addr: fmt.Sprintf("[::1]:%d", port3)},
70+
{Addr: fmt.Sprintf("127.0.0.1:%d", port3)},
71+
}},
72+
},
73+
})
74+
if err != nil {
75+
log.Fatal("Failed to update resolver state", err)
76+
}
77+
}()
78+
79+
return &exampleResolver{}, nil
80+
}
81+
82+
func (*exampleResolver) Scheme() string {
83+
return "example"
84+
}
85+
86+
func main() {
87+
// First send 5 requests using the default DNS and pickfirst load balancer.
88+
log.Print("**** Use default DNS resolver ****")
89+
target := fmt.Sprintf("localhost:%d", port1)
90+
cc, err := grpc.NewClient(target, grpc.WithTransportCredentials(insecure.NewCredentials()))
91+
if err != nil {
92+
log.Fatalf("Failed to create client: %v", err)
93+
}
94+
defer cc.Close()
95+
ctx, cancel := context.WithTimeout(context.Background(), time.Second*10)
96+
defer cancel()
97+
client := hwpb.NewGreeterClient(cc)
98+
99+
for i := 0; i < 5; i++ {
100+
resp, err := client.SayHello(ctx, &hwpb.HelloRequest{
101+
Name: fmt.Sprintf("request:%d", i),
102+
})
103+
if err != nil {
104+
log.Panicf("RPC failed: %v", err)
105+
}
106+
log.Print("Greeting:", resp.GetMessage())
107+
}
108+
cc.Close()
109+
110+
log.Print("**** Change to use example name resolver ****")
111+
dOpts := []grpc.DialOption{
112+
grpc.WithTransportCredentials(insecure.NewCredentials()),
113+
grpc.WithDefaultServiceConfig(`{"loadBalancingConfig": [{"round_robin":{}}]}`),
114+
}
115+
cc, err = grpc.NewClient("example:///ignored", dOpts...)
116+
if err != nil {
117+
log.Fatalf("Failed to create client: %v", err)
118+
}
119+
client = hwpb.NewGreeterClient(cc)
120+
121+
// Send 10 requests using the example nameresolver and round robin load
122+
// balancer. These requests are evenly distributed among the 3 servers
123+
// rather than favoring the server listening on both addresses because the
124+
// resolver groups the 3 servers as 3 endpoints each with 2 addresses.
125+
if err := waitForDistribution(ctx, client); err != nil {
126+
log.Panic(err)
127+
}
128+
log.Print("Successful multiple iterations of 1:1:1 ratio")
129+
}
130+
131+
// waitForDistribution makes RPC's on the greeter client until 3 RPC's follow
132+
// the same 1:1:1 address ratio for the peer. Returns an error if fails to do so
133+
// before context timeout.
134+
func waitForDistribution(ctx context.Context, client hwpb.GreeterClient) error {
135+
wantPeers := []string{
136+
// Server 1 is listening on both IPv4 and IPv6 loopback addresses.
137+
// Since the IPv6 address comes first in the resolver list, it will be
138+
// given higher priority.
139+
fmt.Sprintf("[::1]:%d", port1),
140+
// Server 2 is listening only on the IPv4 loopback address.
141+
fmt.Sprintf("127.0.0.1:%d", port2),
142+
// Server 3 is listening only on the IPv6 loopback address.
143+
fmt.Sprintf("[::1]:%d", port3),
144+
}
145+
const iterationsToVerify = 3
146+
const backendCount = 3
147+
requestCounter := 0
148+
149+
for ctx.Err() == nil {
150+
result := make(map[string]int)
151+
badRatioSeen := false
152+
for i := 1; i <= iterationsToVerify && !badRatioSeen; i++ {
153+
for j := 0; j < backendCount; j++ {
154+
var peer peer.Peer
155+
resp, err := client.SayHello(ctx, &hwpb.HelloRequest{
156+
Name: fmt.Sprintf("request:%d", requestCounter),
157+
}, grpc.Peer(&peer))
158+
requestCounter++
159+
if err != nil {
160+
return fmt.Errorf("RPC failed: %v", err)
161+
}
162+
log.Print("Greeting:", resp.GetMessage())
163+
164+
peerAddr := peer.Addr.String()
165+
if !slices.Contains(wantPeers, peerAddr) {
166+
return fmt.Errorf("peer address was not one of %q, got: %v", strings.Join(wantPeers, ", "), peerAddr)
167+
}
168+
result[peerAddr]++
169+
time.Sleep(time.Millisecond)
170+
}
171+
172+
// Verify the results of this iteration.
173+
for _, count := range result {
174+
if count == i {
175+
continue
176+
}
177+
badRatioSeen = true
178+
break
179+
}
180+
if !badRatioSeen {
181+
log.Print("Got iteration with 1:1:1 distribution between addresses.")
182+
}
183+
}
184+
if !badRatioSeen {
185+
return nil
186+
}
187+
}
188+
return fmt.Errorf("timeout waiting for 1:1:1 distribution between addresses %v", wantPeers)
189+
}
+84
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,84 @@
1+
/*
2+
*
3+
* Copyright 2025 gRPC authors.
4+
*
5+
* Licensed under the Apache License, Version 2.0 (the "License");
6+
* you may not use this file except in compliance with the License.
7+
* You may obtain a copy of the License at
8+
*
9+
* http://www.apache.org/licenses/LICENSE-2.0
10+
*
11+
* Unless required by applicable law or agreed to in writing, software
12+
* distributed under the License is distributed on an "AS IS" BASIS,
13+
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14+
* See the License for the specific language governing permissions and
15+
* limitations under the License.
16+
*
17+
*/
18+
19+
// Binary server is a server for the dualstack example.
20+
package main
21+
22+
import (
23+
"context"
24+
"fmt"
25+
"log"
26+
"net"
27+
"sync"
28+
29+
"google.golang.org/grpc"
30+
hwpb "google.golang.org/grpc/examples/helloworld/helloworld"
31+
)
32+
33+
type greeterServer struct {
34+
hwpb.UnimplementedGreeterServer
35+
addressType string
36+
address string
37+
port uint32
38+
}
39+
40+
func (s *greeterServer) SayHello(_ context.Context, req *hwpb.HelloRequest) (*hwpb.HelloReply, error) {
41+
return &hwpb.HelloReply{
42+
Message: fmt.Sprintf("Hello %s from server<%d> type: %s)", req.GetName(), s.port, s.addressType),
43+
}, nil
44+
}
45+
46+
func main() {
47+
servers := []*greeterServer{
48+
{
49+
addressType: "both IPv4 and IPv6",
50+
address: "[::]",
51+
port: 50051,
52+
},
53+
{
54+
addressType: "IPv4 only",
55+
address: "127.0.0.1",
56+
port: 50052,
57+
},
58+
{
59+
addressType: "IPv6 only",
60+
address: "[::1]",
61+
port: 50053,
62+
},
63+
}
64+
65+
var wg sync.WaitGroup
66+
for _, server := range servers {
67+
bindAddr := fmt.Sprintf("%s:%d", server.address, server.port)
68+
lis, err := net.Listen("tcp", bindAddr)
69+
if err != nil {
70+
log.Fatalf("failed to listen: %v", err)
71+
}
72+
s := grpc.NewServer()
73+
hwpb.RegisterGreeterServer(s, server)
74+
wg.Add(1)
75+
go func() {
76+
defer wg.Done()
77+
if err := s.Serve(lis); err != nil {
78+
log.Panicf("failed to serve: %v", err)
79+
}
80+
}()
81+
log.Printf("serving on %s\n", bindAddr)
82+
}
83+
wg.Wait()
84+
}

0 commit comments

Comments
 (0)