forked from hipages/php-fpm_exporter
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathphpfpm.go
310 lines (256 loc) · 8.6 KB
/
phpfpm.go
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
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
// Copyright © 2018 Enrico Stahn <[email protected]>
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
// Package phpfpm provides convenient access to PHP-FPM pool data
package phpfpm
import (
"encoding/json"
"fmt"
"io/ioutil"
"net/url"
"regexp"
"strconv"
"strings"
"sync"
"time"
fcgiclient "github.com/tomasen/fcgi_client"
)
// PoolProcessRequestIdle defines a process that is idle.
const PoolProcessRequestIdle string = "Idle"
// PoolProcessRequestRunning defines a process that is running.
const PoolProcessRequestRunning string = "Running"
// PoolProcessRequestFinishing defines a process that is about to finish.
const PoolProcessRequestFinishing string = "Finishing"
// PoolProcessRequestReadingHeaders defines a process that is reading headers.
const PoolProcessRequestReadingHeaders string = "Reading headers"
// PoolProcessRequestInfo defines a process that is getting request information. Was changed in PHP 7.4 to PoolProcessRequestInfo74
const PoolProcessRequestInfo string = "Getting request informations"
const PoolProcessRequestInfo74 string = "Getting request information"
// PoolProcessRequestEnding defines a process that is about to end.
const PoolProcessRequestEnding string = "Ending"
var log logger
type logger interface {
Info(ar ...interface{})
Infof(string, ...interface{})
Debug(ar ...interface{})
Debugf(string, ...interface{})
Error(ar ...interface{})
Errorf(string, ...interface{})
}
// PoolManager manages all configured Pools
type PoolManager struct {
Pools []Pool `json:"pools"`
}
// Pool describes a single PHP-FPM pool that can be reached via a Socket or TCP address
type Pool struct {
// The address of the pool, e.g. tcp://127.0.0.1:9000 or unix:///tmp/php-fpm.sock
Address string `json:"-"`
ScrapeError error `json:"-"`
ScrapeFailures int64 `json:"-"`
Name string `json:"pool"`
ProcessManager string `json:"process manager"`
StartTime timestamp `json:"start time"`
StartSince int64 `json:"start since"`
AcceptedConnections int64 `json:"accepted conn"`
ListenQueue int64 `json:"listen queue"`
MaxListenQueue int64 `json:"max listen queue"`
ListenQueueLength int64 `json:"listen queue len"`
IdleProcesses int64 `json:"idle processes"`
ActiveProcesses int64 `json:"active processes"`
TotalProcesses int64 `json:"total processes"`
MaxActiveProcesses int64 `json:"max active processes"`
MaxChildrenReached int64 `json:"max children reached"`
SlowRequests int64 `json:"slow requests"`
Processes []PoolProcess `json:"processes"`
}
type requestDuration int64
// PoolProcess describes a single PHP-FPM process. A pool can have multiple processes.
type PoolProcess struct {
PID int64 `json:"pid"`
State string `json:"state"`
StartTime int64 `json:"start time"`
StartSince int64 `json:"start since"`
Requests int64 `json:"requests"`
RequestDuration requestDuration `json:"request duration"`
RequestMethod string `json:"request method"`
RequestURI string `json:"request uri"`
ContentLength int64 `json:"content length"`
User string `json:"user"`
Script string `json:"script"`
LastRequestCPU float64 `json:"last request cpu"`
LastRequestMemory int64 `json:"last request memory"`
}
// PoolProcessStateCounter holds the calculated metrics for pool processes.
type PoolProcessStateCounter struct {
Running int64
Idle int64
Finishing int64
ReadingHeaders int64
Info int64
Ending int64
}
// Add will add a pool to the pool manager based on the given URI.
func (pm *PoolManager) Add(uri string) Pool {
p := Pool{Address: uri}
pm.Pools = append(pm.Pools, p)
return p
}
// Update will run the pool.Update() method concurrently on all Pools.
func (pm *PoolManager) Update() (err error) {
wg := &sync.WaitGroup{}
started := time.Now()
for idx := range pm.Pools {
wg.Add(1)
go func(p *Pool) {
defer wg.Done()
if err := p.Update(); err != nil {
log.Error(err)
}
}(&pm.Pools[idx])
}
wg.Wait()
ended := time.Now()
log.Debugf("Updated %v pool(s) in %v", len(pm.Pools), ended.Sub(started))
return nil
}
// Update will connect to PHP-FPM and retrieve the latest data for the pool.
func (p *Pool) Update() (err error) {
p.ScrapeError = nil
scheme, address, path, err := parseURL(p.Address)
if err != nil {
return p.error(err)
}
fcgi, err := fcgiclient.DialTimeout(scheme, address, time.Duration(3)*time.Second)
if err != nil {
return p.error(err)
}
defer fcgi.Close()
env := map[string]string{
"SCRIPT_FILENAME": path,
"SCRIPT_NAME": path,
"SERVER_SOFTWARE": "go / php-fpm_exporter",
"REMOTE_ADDR": "127.0.0.1",
"QUERY_STRING": "json&full",
}
resp, err := fcgi.Get(env)
if err != nil {
return p.error(err)
}
defer resp.Body.Close()
content, err := ioutil.ReadAll(resp.Body)
if err != nil {
return p.error(err)
}
content = JSONResponseFixer(content)
log.Debugf("Pool[%v]: %v", p.Address, string(content))
if err = json.Unmarshal(content, &p); err != nil {
log.Errorf("Pool[%v]: %v", p.Address, string(content))
return p.error(err)
}
return nil
}
func (p *Pool) error(err error) error {
p.ScrapeError = err
p.ScrapeFailures++
log.Error(err)
return err
}
// JSONResponseFixer resolves encoding issues with PHP-FPMs JSON response
func JSONResponseFixer(content []byte) []byte {
c := string(content)
re := regexp.MustCompile(`(,"request uri":)"(.*?)"(,"content length":)`)
matches := re.FindAllStringSubmatch(c, -1)
for _, match := range matches {
requestURI, _ := json.Marshal(match[2])
sold := match[0]
snew := match[1] + string(requestURI) + match[3]
c = strings.ReplaceAll(c, sold, snew)
}
return []byte(c)
}
// CountProcessState return the calculated metrics based on the reported processes.
func CountProcessState(processes []PoolProcess) (active int64, idle int64, total int64) {
for idx := range processes {
switch processes[idx].State {
case PoolProcessRequestRunning:
active++
case PoolProcessRequestIdle:
idle++
case PoolProcessRequestEnding:
case PoolProcessRequestFinishing:
case PoolProcessRequestInfo:
case PoolProcessRequestInfo74:
case PoolProcessRequestReadingHeaders:
active++
default:
log.Errorf("Unknown process state '%v'", processes[idx].State)
}
}
return active, idle, active + idle
}
// parseURL creates elements to be passed into fcgiclient.DialTimeout
func parseURL(rawurl string) (scheme string, address string, path string, err error) {
uri, err := url.Parse(rawurl)
if err != nil {
return uri.Scheme, uri.Host, uri.Path, err
}
scheme = uri.Scheme
switch uri.Scheme {
case "unix":
result := strings.Split(uri.Path, ";")
address = result[0]
if len(result) > 1 {
path = result[1]
}
default:
address = uri.Host
path = uri.Path
}
return
}
type timestamp time.Time
// MarshalJSON customise JSON for timestamp
func (t *timestamp) MarshalJSON() ([]byte, error) {
ts := time.Time(*t).Unix()
stamp := fmt.Sprint(ts)
return []byte(stamp), nil
}
// UnmarshalJSON customise JSON for timestamp
func (t *timestamp) UnmarshalJSON(b []byte) error {
ts, err := strconv.Atoi(string(b))
if err != nil {
return err
}
*t = timestamp(time.Unix(int64(ts), 0))
return nil
}
// This is because of bug in php-fpm that can return 'request duration' which can't
// fit to int64. For details check links:
// https://bugs.php.net/bug.php?id=62382
// https://serverfault.com/questions/624977/huge-request-duration-value-for-a-particular-php-script
func (rd *requestDuration) MarshalJSON() ([]byte, error) {
stamp := fmt.Sprint(rd)
return []byte(stamp), nil
}
func (rd *requestDuration) UnmarshalJSON(b []byte) error {
rdc, err := strconv.Atoi(string(b))
if err != nil {
*rd = 0
} else {
*rd = requestDuration(rdc)
}
return nil
}
// SetLogger configures the used logger
func SetLogger(logger logger) {
log = logger
}