-
Notifications
You must be signed in to change notification settings - Fork 188
/
Copy pathhandler.go
289 lines (253 loc) · 8.87 KB
/
handler.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
/*
* Copyright (c) 2019-2021. Abstrium SAS <team (at) pydio.com>
* This file is part of Pydio Cells.
*
* Pydio Cells is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Pydio Cells is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with Pydio Cells. If not, see <http://www.gnu.org/licenses/>.
*
* The latest code can be found at <https://pydio.com>.
*/
package grpc
import (
"context"
"fmt"
"net/http"
"os"
"path/filepath"
"time"
minio "github.com/minio/minio/cmd"
_ "github.com/minio/minio/cmd/gateway"
"github.com/pkg/errors"
"github.com/pydio/cells/v4/common"
"github.com/pydio/cells/v4/common/config"
"github.com/pydio/cells/v4/common/log"
"github.com/pydio/cells/v4/common/proto/object"
"github.com/pydio/cells/v4/common/runtime"
json "github.com/pydio/cells/v4/common/utils/jsonx"
"github.com/pydio/cells/v4/data/source/objects"
)
func init() {
runtime.RegisterEnvVariable("CELLS_MINIO_STALE_DATA_EXPIRY", "48h", "Expiration of stale data produced by objects upload parts")
}
// ObjectHandler definition
type ObjectHandler struct {
object.UnimplementedObjectsEndpointServer
object.UnimplementedResourceCleanerEndpointServer
Config *object.MinioConfig
MinioConsolePort int
handlerName string
}
func (o *ObjectHandler) Name() string {
return o.handlerName
}
// StartMinioServer handler
func (o *ObjectHandler) StartMinioServer(ctx context.Context, minioServiceName string) error {
if o.Config.StorageType != object.StorageType_LOCAL && o.Config.StorageType != object.StorageType_GCS {
return nil
}
accessKey := o.Config.ApiKey
secretKey := o.Config.ApiSecret
// Replace secretKey on the fly
if sec := config.GetSecret(secretKey).String(); sec != "" {
secretKey = sec
}
configFolder, e := objects.CreateMinioConfigFile(minioServiceName, accessKey, secretKey)
if e != nil {
return e
}
var gateway, folderName, customEndpoint string
if o.Config.StorageType == object.StorageType_S3 {
gateway = "s3"
customEndpoint = o.Config.EndpointUrl
} else if o.Config.StorageType == object.StorageType_AZURE {
gateway = "azure"
} else if o.Config.StorageType == object.StorageType_GCS {
gateway = "gcs"
var credsUuid string
if o.Config.GatewayConfiguration != nil {
if jsonCred, ok := o.Config.GatewayConfiguration["jsonCredentials"]; ok {
credsUuid = jsonCred
}
}
if credsUuid == "" {
return errors.New("missing google application credentials to start GCS gateway")
}
creds := config.GetSecret(credsUuid).Bytes()
if len(creds) == 0 {
return errors.New("missing google application credentials to start GCS gateway (cannot find inside vault)")
}
var strjs string
if e := json.Unmarshal(creds, &strjs); e == nil && len(strjs) > 0 {
// Consider the internal string value as the json
creds = []byte(strjs)
}
// Create gcs-credentials.json and pass it as env variable
fName := filepath.Join(configFolder, "gcs-credentials.json")
if er := os.WriteFile(fName, creds, 0600); er != nil {
return errors.New("cannot prepare gcs-credentials.json file: " + e.Error())
}
_ = os.Setenv("GOOGLE_APPLICATION_CREDENTIALS", fName)
} else {
folderName = o.Config.LocalFolder
}
port := o.Config.RunningPort
params := []string{"minio"}
if gateway != "" {
params = append(params, "gateway")
params = append(params, gateway)
} else {
params = append(params, "server")
}
if accessKey == "" {
return errors.New("missing accessKey to start minio service")
}
params = append(params, "--quiet")
if o.MinioConsolePort > 0 {
params = append(params, "--console-address", fmt.Sprintf(":%d", o.MinioConsolePort))
} else {
_ = os.Setenv("MINIO_BROWSER", "off")
}
params = append(params, "--config-dir")
params = append(params, configFolder)
if port > 0 {
params = append(params, "--address")
params = append(params, fmt.Sprintf(":%d", port))
}
if folderName != "" {
params = append(params, folderName)
log.Logger(ctx).Info("Starting local objects service " + minioServiceName + " on " + folderName)
go o.MinioStaleDataCleaner(ctx, folderName)
} else if customEndpoint != "" {
params = append(params, customEndpoint)
log.Logger(ctx).Info("Starting gateway objects service " + minioServiceName + " to " + customEndpoint)
} else if gateway == "s3" && customEndpoint == "" {
params = append(params, "https://s3.amazonaws.com", "pydio-ds")
log.Logger(ctx).Info("Starting gateway objects service " + minioServiceName + " to Amazon S3")
}
_ = os.Setenv("MINIO_ROOT_USER", accessKey)
_ = os.Setenv("MINIO_ROOT_PASSWORD", secretKey)
minio.HookRegisterGlobalHandler(func(handler http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
handler.ServeHTTP(w, r)
})
})
minio.HookExtractReqParams(func(req *http.Request, m map[string]string) {
if v := req.Header.Get(common.PydioContextUserKey); v != "" {
m[common.PydioContextUserKey] = v
}
for _, key := range common.XSpecialPydioHeaders {
if v := req.Header.Get("X-Amz-Meta-" + key); v != "" {
m[key] = v
} else if v := req.Header.Get(key); v != "" {
m[key] = v
}
}
})
minio.Main(params)
return nil
}
// GetMinioConfig returns current configuration
func (o *ObjectHandler) GetMinioConfig(_ context.Context, _ *object.GetMinioConfigRequest) (*object.GetMinioConfigResponse, error) {
return &object.GetMinioConfigResponse{
MinioConfig: o.Config,
}, nil
}
// StorageStats returns statistics about storage
func (o *ObjectHandler) StorageStats(_ context.Context, _ *object.StorageStatsRequest) (*object.StorageStatsResponse, error) {
resp := &object.StorageStatsResponse{}
resp.Stats = make(map[string]string)
resp.Stats["StorageType"] = o.Config.StorageType.String()
switch o.Config.StorageType {
case object.StorageType_LOCAL:
folder := o.Config.LocalFolder
if stats, e := minio.ExposedDiskStats(context.Background(), folder, false); e != nil {
return nil, e
} else {
resp.Stats["Total"] = fmt.Sprintf("%d", stats["Total"])
resp.Stats["Free"] = fmt.Sprintf("%d", stats["Free"])
resp.Stats["FSType"] = fmt.Sprintf("%s", stats["FSType"])
}
}
return resp, nil
}
// CleanResourcesBeforeDelete removes the .minio.sys/config folder if it exists
func (o *ObjectHandler) CleanResourcesBeforeDelete(ctx context.Context, request *object.CleanResourcesRequest) (resp *object.CleanResourcesResponse, err error) {
resp = &object.CleanResourcesResponse{
Success: true,
Message: "Nothing to do",
}
if o.Config.StorageType != object.StorageType_LOCAL {
return
}
configFolder := filepath.Join(o.Config.LocalFolder, ".minio.sys", "config")
if _, er := os.Stat(configFolder); er == nil {
if err = os.RemoveAll(configFolder); err == nil {
resp.Message = "Removed minio config folder"
} else {
resp.Success = false
resp.Message = err.Error()
}
}
return
}
// MinioStaleDataCleaner looks up for stala data inside .minio.sys/tmp and .minio.sys/multipart on a regular basis.
// Defaults are 48h for expiry and 12h for interval. Expiry can be overriden with the CELLS_MINIO_STALE_DATA_EXPIRY env
// variable, in which case interval = expiry / 2
func (o *ObjectHandler) MinioStaleDataCleaner(ctx context.Context, rootFolder string) {
folders := []string{"tmp", "multipart"}
interval := time.Hour * 12
expiry := time.Hour * 48
if env := os.Getenv("CELLS_MINIO_STALE_DATA_EXPIRY"); env != "" {
if d, e := time.ParseDuration(env); e == nil {
expiry = d
interval = expiry / 2
log.Logger(ctx).Info("Loaded stale data expiry time from ENV: " + d.String() + ", will run every " + interval.String())
}
}
timer := time.NewTimer(interval)
defer timer.Stop()
clean := func() {
now := time.Now()
for _, f := range folders {
tmpFolder := filepath.Join(rootFolder, ".minio.sys", f)
entries, err := os.ReadDir(tmpFolder)
if err != nil {
if !os.IsNotExist(err) {
log.Logger(ctx).Error("Cannot read folder " + tmpFolder + " for cleaning stale data: " + err.Error())
}
continue
}
for _, e := range entries {
if info, err := e.Info(); err == nil {
if now.Sub(info.ModTime()) > expiry {
stale := filepath.Join(tmpFolder, e.Name())
if er := os.RemoveAll(stale); er == nil {
log.Logger(ctx).Info("Removed stale entry from minio tmp folders " + stale)
}
}
}
}
}
}
log.Logger(ctx).Info("Performing a first clean of minio stale data")
clean()
for {
select {
case <-ctx.Done():
log.Logger(ctx).Info("Stopping minio stale data cleaner routine")
return
case <-timer.C:
clean()
}
}
}