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
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
| #!/usr/bin/php
<?php
include (__DIR__ .'/JS-amqp-include.php');
class RpcClient {
private $co;// Connection
private $ch;// Channel
private $cb;// Callback
private $id;// Correlation ID
private $re;// Reply
public function __construct() {
// Connect to AMQP server
$this->co = new AMQPConnection(array('host' => HOST, 'port' => PORT, 'vhost' => VHOST, 'login' => USER, 'password' => PASS));
$this->co->pconnect();
// Create channel
$this->ch = new AMQPChannel($this->co);
// Define Exchange
$this->ex = new AMQPExchange($this->ch);
$this->ex->setName(X_DIR);
/*
RPC queue
Do not bind
Do not set AMQP_EXCLUSIVE, if re-using queue for multiple request
*/
$this->cb = new AMQPQueue($this->ch);
$hostname = gethostname();
$pid = getmypid();
// It is optional to set the callback queue name
$this->cb->setName("$hostname.$pid");
$this->cb->declareQueue();
}
public function reply($re, $q) {
if ($re->getCorrelationId() == $this->id) {
$this->re = $re->getBody();
return false;
}
}
public function request($msg) {
$this->re = null;
$this->id = uniqid();// Correlation ID
$call_msg = "REQ_ID:$this->id:CH_ID:{$this->ch->getChannelId()}:$msg";
$this->ex->publish($call_msg, K_RPC, AMQP_NOPARAM, array(
'correlation_id' => $this->id,
'reply_to' => $this->cb->getName()
));
// Basic Consume
$this->cb->consume(array($this, 'reply'), AMQP_AUTOACK);
while (!$this->re) {
$this->ch->wait();
}
return $this->re;
}
}
function k_pad($i) {
$pad = '';
for ($j = 0; $j < $i*1024; $j++) {
$pad .= '@';
}
return $pad;
}
// Command Line Options
$cycle = 10;
$msg = '';
$pad = '';
$prn = false;
function usage() {
echo "Usage: php ".__FILE__ ."\n";
echo "-k(num) Add padding size in k\n";
echo "-m(msg) Message\n";
echo "-n(num) Number of request (Default 10)\n";
echo "-p Print reply\n";
echo "-h Print this message\n";
echo "No space between option siwtch and parameter.\n";
}
$ops = getopt("k:ⓜ️:n::ph");
foreach (array_keys($ops) as $op)switch ($op) {
case 'k':
$pad = k_pad($ops['k']);
break;
case 'm':
$msg = $ops['m'];
break;
case 'n':
$cycle = $ops['n'];
break;
case 'p':
$prn = true;
break;
case 'h':
usage();
exit(1);
}
// RPC Loop
$rpc = new RpcClient();
$mypid = getmypid();
$reply = '';
$time_start = microtime(true);
for ($i = 0; $i < $cycle; $i++) {
$r = $rpc->request("CLIENT_PID:$mypid:REQ:$i:$msg:$pad");
if ($prn) {
$reply .= "$r\n";
}
}
$time_end = microtime(true);
$time = $time_end-$time_start;
$rate = $cycle/$time;
// Output
if ($prn) {
echo $reply;
}
echo "Time:$time:Rate:$rate\n";
?>
|