blob: a0f301c3e79d1138ca943671b7edc20fd6cc4098 [file] [log] [blame]
nnoble097ef9b2014-12-01 17:06:10 -08001# Copyright 2014, Google Inc.
2# All rights reserved.
3#
4# Redistribution and use in source and binary forms, with or without
5# modification, are permitted provided that the following conditions are
6# met:
7#
8# * Redistributions of source code must retain the above copyright
9# notice, this list of conditions and the following disclaimer.
10# * Redistributions in binary form must reproduce the above
11# copyright notice, this list of conditions and the following disclaimer
12# in the documentation and/or other materials provided with the
13# distribution.
14# * Neither the name of Google Inc. nor the names of its
15# contributors may be used to endorse or promote products derived from
16# this software without specific prior written permission.
17#
18# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
19# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
20# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
21# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
22# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
23# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
24# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
25# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
26# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
27# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
28# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
29
30#!/usr/bin/env ruby
31#
32# Sample gRPC Ruby server that implements the Math::Calc service and helps
33# validate GRPC::RpcServer as GRPC implementation using proto2 serialization.
34#
35# Usage: $ path/to/math_server.rb
36
37this_dir = File.expand_path(File.dirname(__FILE__))
38lib_dir = File.join(File.dirname(this_dir), 'lib')
39$LOAD_PATH.unshift(lib_dir) unless $LOAD_PATH.include?(lib_dir)
40$LOAD_PATH.unshift(this_dir) unless $LOAD_PATH.include?(this_dir)
41
42require 'forwardable'
43require 'grpc'
temiola0f0a6bc2015-01-07 18:43:40 -080044require 'math_services'
nnoble0c475f02014-12-05 15:37:39 -080045require 'optparse'
nnoble097ef9b2014-12-01 17:06:10 -080046
47# Holds state for a fibonacci series
48class Fibber
49
50 def initialize(limit)
51 raise "bad limit: got #{limit}, want limit > 0" if limit < 1
52 @limit = limit
53 end
54
55 def generator
56 return enum_for(:generator) unless block_given?
57 idx, current, previous = 0, 1, 1
58 until idx == @limit
59 if idx == 0 || idx == 1
60 yield Math::Num.new(:num => 1)
61 idx += 1
62 next
63 end
64 tmp = current
65 current = previous + current
66 previous = tmp
67 yield Math::Num.new(:num => current)
68 idx += 1
69 end
70 end
71end
72
73# A EnumeratorQueue wraps a Queue to yield the items added to it.
74class EnumeratorQueue
75 extend Forwardable
76 def_delegators :@q, :push
77
78 def initialize(sentinel)
79 @q = Queue.new
80 @sentinel = sentinel
81 end
82
83 def each_item
84 return enum_for(:each_item) unless block_given?
85 loop do
86 r = @q.pop
87 break if r.equal?(@sentinel)
88 raise r if r.is_a?Exception
89 yield r
90 end
91 end
92
93end
94
95# The Math::Math:: module occurs because the service has the same name as its
96# package. That practice should be avoided by defining real services.
97class Calculator < Math::Math::Service
98
99 def div(div_args, call)
100 if div_args.divisor == 0
101 # To send non-OK status handlers raise a StatusError with the code and
102 # and detail they want sent as a Status.
103 raise GRPC::StatusError.new(GRPC::Status::INVALID_ARGUMENT,
104 'divisor cannot be 0')
105 end
106
107 Math::DivReply.new(:quotient => div_args.dividend/div_args.divisor,
108 :remainder => div_args.dividend % div_args.divisor)
109 end
110
111 def sum(call)
112 # the requests are accesible as the Enumerator call#each_request
113 nums = call.each_remote_read.collect { |x| x.num }
114 sum = nums.inject { |sum,x| sum + x }
115 Math::Num.new(:num => sum)
116 end
117
118 def fib(fib_args, call)
119 if fib_args.limit < 1
120 raise StatusError.new(Status::INVALID_ARGUMENT, 'limit must be >= 0')
121 end
122
123 # return an Enumerator of Nums
124 Fibber.new(fib_args.limit).generator()
125 # just return the generator, GRPC::GenericServer sends each actual response
126 end
127
128 def div_many(requests)
129 # requests is an lazy Enumerator of the requests sent by the client.
130 q = EnumeratorQueue.new(self)
131 t = Thread.new do
132 begin
133 requests.each do |req|
134 logger.info("read #{req.inspect}")
135 resp = Math::DivReply.new(:quotient => req.dividend/req.divisor,
136 :remainder => req.dividend % req.divisor)
137 q.push(resp)
138 Thread::pass # let the internal Bidi threads run
139 end
140 logger.info('finished reads')
141 q.push(self)
142 rescue StandardError => e
143 q.push(e) # share the exception with the enumerator
144 raise e
145 end
146 end
147 t.priority = -2 # hint that the div_many thread should not be favoured
148 q.each_item
149 end
150
151end
152
nnoble0c475f02014-12-05 15:37:39 -0800153def load_test_certs
154 this_dir = File.expand_path(File.dirname(__FILE__))
155 data_dir = File.join(File.dirname(this_dir), 'spec/testdata')
156 files = ['ca.pem', 'server1.key', 'server1.pem']
157 files.map { |f| File.open(File.join(data_dir, f)).read }
158end
159
160def test_server_creds
161 certs = load_test_certs
162 server_creds = GRPC::Core::ServerCredentials.new(nil, certs[1], certs[2])
163end
164
nnoble097ef9b2014-12-01 17:06:10 -0800165def main
nnoble0c475f02014-12-05 15:37:39 -0800166 options = {
167 'host' => 'localhost:7071',
168 'secure' => false
169 }
170 OptionParser.new do |opts|
temiola0f0a6bc2015-01-07 18:43:40 -0800171 opts.banner = 'Usage: [--host <hostname>:<port>] [--secure|-s]'
172 opts.on('--host HOST', '<hostname>:<port>') do |v|
nnoble0c475f02014-12-05 15:37:39 -0800173 options['host'] = v
174 end
175 opts.on('-s', '--secure', 'access using test creds') do |v|
176 options['secure'] = true
177 end
178 end.parse!
179
180 if options['secure']
181 s = GRPC::RpcServer.new(creds: test_server_creds)
182 s.add_http2_port(options['host'], true)
183 logger.info("... running securely on #{options['host']}")
184 else
185 s = GRPC::RpcServer.new
186 s.add_http2_port(options['host'])
187 logger.info("... running insecurely on #{options['host']}")
nnoble097ef9b2014-12-01 17:06:10 -0800188 end
189
nnoble097ef9b2014-12-01 17:06:10 -0800190 s.handle(Calculator)
191 s.run
192end
193
194main