-
Notifications
You must be signed in to change notification settings - Fork 52
/
Copy pathcontrollerserver.go
3098 lines (2691 loc) · 139 KB
/
controllerserver.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
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/**
* Copyright 2019 IBM Corp.
*
* 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 scale
import (
"fmt"
"os"
"path/filepath"
"strconv"
"strings"
"time"
"google.golang.org/protobuf/types/known/timestamppb"
"github.com/IBM/ibm-spectrum-scale-csi/driver/csiplugin/connectors"
"github.com/IBM/ibm-spectrum-scale-csi/driver/csiplugin/settings"
"github.com/IBM/ibm-spectrum-scale-csi/driver/csiplugin/utils"
"github.com/container-storage-interface/spec/lib/go/csi"
"golang.org/x/net/context"
"google.golang.org/grpc/codes"
"google.golang.org/grpc/status"
"k8s.io/klog/v2"
)
const (
no = "no"
yes = "yes"
notFound = "NOT_FOUND"
filesystemTypeRemote = "remote"
filesystemMounted = "mounted"
filesetUnlinkedPath = "--"
ResponseStatusUnknown = "UNKNOWN"
oneGB uint64 = 1024 * 1024 * 1024
smallestVolSize uint64 = oneGB // 1GB
defaultSnapWindow = "30" // default snapWindow for Consistency Group snapshots is 30 minutes
cgPrefixLen = 37
discoverCGFileset = "DISCOVER_CG_FILESET"
discoverCGFilesetDisabled = "DISABLED"
snapshotReferencePath = ".csi" // will be pathToPrimaryFilesystem/.csi
)
type ScaleControllerServer struct {
Driver *ScaleDriver
}
func (cs *ScaleControllerServer) IfSameVolReqInProcess(scVol *scaleVolume) (bool, error) {
capacity, volpresent := cs.Driver.reqmap[scVol.VolName]
if volpresent {
if capacity == int64(scVol.VolSize) {
return true, nil
} else {
return false, status.Error(codes.Internal, fmt.Sprintf("Volume %v present in map but requested size %v does not match with size %v in map", scVol.VolName, scVol.VolSize, capacity))
}
}
return false, nil
}
// createLWVol: Create lightweight volume - return relative path of directory created
func (cs *ScaleControllerServer) createLWVol(ctx context.Context, scVol *scaleVolume) (string, error) {
loggerId := utils.GetLoggerId(ctx)
klog.Infof("[%s] volume: [%v] - ControllerServer:createLWVol", loggerId, scVol.VolName)
var err error
// check if directory exist
dirExists, err := scVol.PrimaryConnector.CheckIfFileDirPresent(ctx, scVol.VolBackendFs, scVol.VolDirBasePath)
if err != nil {
klog.Errorf("[%s] volume:[%v] - unable to check if DirBasePath %v is present in filesystem %v. Error : %v", loggerId, scVol.VolName, scVol.VolDirBasePath, scVol.VolBackendFs, err)
return "", status.Error(codes.Internal, fmt.Sprintf("unable to check if DirBasePath %v is present in filesystem %v. Error : %v", scVol.VolDirBasePath, scVol.VolBackendFs, err))
}
if !dirExists {
klog.Errorf("[%s] volume:[%v] - directory base path %v not present in filesystem %v", loggerId, scVol.VolName, scVol.VolDirBasePath, scVol.VolBackendFs)
return "", status.Error(codes.Internal, fmt.Sprintf("directory base path %v not present in filesystem %v", scVol.VolDirBasePath, scVol.VolBackendFs))
}
// create directory in the filesystem specified in storageClass
dirPath := fmt.Sprintf("%s/%s", scVol.VolDirBasePath, scVol.VolName)
klog.V(4).Infof("[%s] volume: [%v] - creating directory %v", loggerId, scVol.VolName, dirPath)
err = cs.createDirectory(ctx, scVol, scVol.VolName, dirPath)
if err != nil {
klog.Errorf("[%s] volume:[%v] - failed to create directory %v. Error : %v", loggerId, scVol.VolName, dirPath, err)
return "", status.Error(codes.Internal, err.Error())
}
return dirPath, nil
}
//generateVolID: Generate volume ID
//VolID format for all newly created volumes (from 2.5.0 onwards):
// <storageclass_type>;<volume_type>;<cluster_id>;<filesystem_uuid>;<consistency_group>;<fileset_name>;<path>
func (cs *ScaleControllerServer) generateVolID(ctx context.Context, scVol *scaleVolume, uid string, isNewVolumeType, isShallowCopyVolume bool, targetPath string) (string, error) {
loggerId := utils.GetLoggerId(ctx)
klog.Infof("[%s] volume: [%v] - ControllerServer:generateVolId", loggerId, scVol.VolName)
var volID string
var storageClassType string
var volumeType string
filesetName := scVol.VolName
consistencyGroup := ""
path := ""
if !isShallowCopyVolume {
if isNewVolumeType {
primaryConn, isprimaryConnPresent := cs.Driver.connmap["primary"]
if !isprimaryConnPresent {
klog.Errorf("[%s] unable to get connector for primary cluster", loggerId)
return "", status.Error(codes.Internal, "unable to find primary cluster details in custom resource")
}
fsMountPoint, err := primaryConn.GetFilesystemMountDetails(ctx, scVol.LocalFS)
if err != nil {
return "", status.Error(codes.Internal, fmt.Sprintf("unable to get mount info for FS [%v] in cluster", scVol.LocalFS))
}
path = fmt.Sprintf("%s/%s", fsMountPoint.MountPoint, targetPath)
} else {
path = fmt.Sprintf("%s/%s", scVol.PrimarySLnkPath, scVol.VolName)
}
} else {
path = targetPath
}
klog.V(4).Infof("[%s] volume: [%v] - ControllerServer:generateVolId: targetPath: [%v]", loggerId, scVol.VolName, path)
if isNewVolumeType {
storageClassType = STORAGECLASS_ADVANCED
volumeType = FILE_DEPENDENTFILESET_VOLUME
consistencyGroup = scVol.ConsistencyGroup
} else {
storageClassType = STORAGECLASS_CLASSIC
if scVol.IsFilesetBased {
if scVol.FilesetType == independentFileset {
volumeType = FILE_INDEPENDENTFILESET_VOLUME
} else {
volumeType = FILE_DEPENDENTFILESET_VOLUME
}
} else {
volumeType = FILE_DIRECTORYBASED_VOLUME
//filesetName for LW volume is empty
filesetName = ""
}
}
if isShallowCopyVolume {
volumeType = FILE_SHALLOWCOPY_VOLUME
}
volID = fmt.Sprintf("%s;%s;%s;%s;%s;%s;%s", storageClassType, volumeType, scVol.ClusterId, uid, consistencyGroup, filesetName, path)
return volID, nil
}
// getTargetPath: retrun relative volume path from filesystem mount point
func (cs *ScaleControllerServer) getTargetPath(ctx context.Context, fsetLinkPath, fsMountPoint, volumeName string, createDataDir bool, isNewVolumeType bool) (string, error) {
if fsetLinkPath == "" || fsMountPoint == "" {
klog.Errorf("[%s] volume:[%v] - missing details to generate target path fileset junctionpath: [%v], filesystem mount point: [%v]", utils.GetLoggerId(ctx), volumeName, fsetLinkPath, fsMountPoint)
return "", fmt.Errorf("missing details to generate target path fileset junctionpath: [%v], filesystem mount point: [%v]", fsetLinkPath, fsMountPoint)
}
klog.V(4).Infof("[%s] volume: [%v] - ControllerServer:getTargetPath", utils.GetLoggerId(ctx), volumeName)
targetPath := strings.Replace(fsetLinkPath, fsMountPoint, "", 1)
if createDataDir && !isNewVolumeType {
targetPath = fmt.Sprintf("%s/%s-data", targetPath, volumeName)
}
targetPath = strings.Trim(targetPath, "!/")
return targetPath, nil
}
// createDirectory: Create directory if not present
func (cs *ScaleControllerServer) createDirectory(ctx context.Context, scVol *scaleVolume, volName string, targetPath string) error {
klog.Infof("[%s] volume: [%v] - ControllerServer:createDirectory", utils.GetLoggerId(ctx), volName)
dirExists, err := scVol.Connector.CheckIfFileDirPresent(ctx, scVol.VolBackendFs, targetPath)
if err != nil {
klog.Errorf("[%s] volume:[%v] - unable to check if directory path [%v] exists in filesystem [%v]. Error : %v", utils.GetLoggerId(ctx), volName, targetPath, scVol.VolBackendFs, err)
return fmt.Errorf("unable to check if directory path [%v] exists in filesystem [%v]. Error : %v", targetPath, scVol.VolBackendFs, err)
}
if !dirExists {
if scVol.VolPermissions != "" {
err = scVol.Connector.MakeDirectoryV2(ctx, scVol.VolBackendFs, targetPath, scVol.VolUid, scVol.VolGid, scVol.VolPermissions)
if err != nil {
// Directory creation failed, no cleanup will retry in next retry
klog.Errorf("[%s] volume:[%v] - unable to create directory [%v] in filesystem [%v]. Error : %v", utils.GetLoggerId(ctx), volName, targetPath, scVol.VolBackendFs, err)
return fmt.Errorf("unable to create directory [%v] in filesystem [%v]. Error : %v", targetPath, scVol.VolBackendFs, err)
}
} else {
err = scVol.Connector.MakeDirectory(ctx, scVol.VolBackendFs, targetPath, scVol.VolUid, scVol.VolGid)
if err != nil {
// Directory creation failed, no cleanup will retry in next retry
klog.Errorf("[%s] volume:[%v] - unable to create directory [%v] in filesystem [%v]. Error : %v", utils.GetLoggerId(ctx), volName, targetPath, scVol.VolBackendFs, err)
return fmt.Errorf("unable to create directory [%v] in filesystem [%v]. Error : %v", targetPath, scVol.VolBackendFs, err)
}
}
}
return nil
}
// createSoftlink: Create soft link if not present
func (cs *ScaleControllerServer) createSoftlink(ctx context.Context, scVol *scaleVolume, target string) error {
loggerId := utils.GetLoggerId(ctx)
klog.V(4).Infof("[%s] volume: [%v] - ControllerServer:createSoftlink", loggerId, scVol.VolName)
volSlnkPath := fmt.Sprintf("%s/%s", scVol.PrimarySLnkRelPath, scVol.VolName)
symLinkExists, err := scVol.PrimaryConnector.CheckIfFileDirPresent(ctx, scVol.PrimaryFS, volSlnkPath)
if err != nil {
klog.Errorf("[%s] volume:[%v] - unable to check if symlink path [%v] exists in filesystem [%v]. Error: %v", loggerId, scVol.VolName, volSlnkPath, scVol.PrimaryFS, err)
return fmt.Errorf("unable to check if symlink path [%v] exists in filesystem [%v]. Error: %v", volSlnkPath, scVol.PrimaryFS, err)
}
if !symLinkExists {
klog.Infof("[%s] symlink info filesystem [%v] TargetFS [%v] target Path [%v] linkPath [%v]", loggerId, scVol.PrimaryFS, scVol.LocalFS, target, volSlnkPath)
err = scVol.PrimaryConnector.CreateSymLink(ctx, scVol.PrimaryFS, scVol.LocalFS, target, volSlnkPath)
if err != nil {
klog.Errorf("[%s] volume:[%v] - failed to create symlink [%v] in filesystem [%v], for target [%v] in filesystem [%v]. Error [%v]", loggerId, scVol.VolName, volSlnkPath, scVol.PrimaryFS, target, scVol.LocalFS, err)
return fmt.Errorf("failed to create symlink [%v] in filesystem [%v], for target [%v] in filesystem [%v]. Error [%v]", volSlnkPath, scVol.PrimaryFS, target, scVol.LocalFS, err)
}
}
return nil
}
// setQuota: Set quota if not set
func (cs *ScaleControllerServer) setQuota(ctx context.Context, scVol *scaleVolume, volName string) error {
loggerId := utils.GetLoggerId(ctx)
klog.V(4).Infof("[%s] volume: [%v] - ControllerServer:setQuota", loggerId, volName)
quota, err := scVol.Connector.ListFilesetQuota(ctx, scVol.VolBackendFs, volName)
if err != nil {
return fmt.Errorf("unable to list quota for fileset [%v] in filesystem [%v]. Error [%v]", volName, scVol.VolBackendFs, err)
}
filesetQuotaBytes, err := ConvertToBytes(quota)
if err != nil {
if strings.Contains(err.Error(), "invalid number specified") {
// Invalid number specified means quota is not set
filesetQuotaBytes = 0
} else {
return fmt.Errorf("unable to convert quota for fileset [%v] in filesystem [%v]. Error [%v]", volName, scVol.VolBackendFs, err)
}
}
if filesetQuotaBytes != scVol.VolSize {
volsiz := strconv.FormatUint(scVol.VolSize, 10)
err = scVol.Connector.SetFilesetQuota(ctx, scVol.VolBackendFs, volName, volsiz)
if err != nil {
// failed to set quota, no cleanup, next retry might be able to set quota
return fmt.Errorf("unable to set quota [%v] on fileset [%v] of FS [%v]", scVol.VolSize, volName, scVol.VolBackendFs)
}
}
return nil
}
func (cs *ScaleControllerServer) validateCG(ctx context.Context, scVol *scaleVolume) (string, error) {
loggerId := utils.GetLoggerId(ctx)
klog.V(4).Infof("[%s] Validate CG for volume [%v]", loggerId, scVol)
fsetlist, err := scVol.Connector.ListCSIIndependentFilesets(ctx, scVol.VolBackendFs)
if err != nil {
return "", err
}
var flist []string
pvcns := scVol.ConsistencyGroup[cgPrefixLen:]
for _, fset := range fsetlist {
if len(fset.FilesetName) > cgPrefixLen {
if fset.FilesetName[cgPrefixLen:] == pvcns {
flist = append(flist, fset.FilesetName)
}
}
}
klog.Infof("[%s] Filesets with namespace [%s] as suffix: [%v]", loggerId, pvcns, flist)
// no fileset with this namespace found
if len(flist) == 0 {
return scVol.ConsistencyGroup, nil
}
// multiple filesets with this namespace found
if len(flist) > 1 {
return "", status.Error(codes.Internal, fmt.Sprintf("conflicting filesets found %+v", flist))
}
// this is either local CG or Remote CG
return flist[0], nil
}
// createFilesetBasedVol: Create fileset based volume - return relative path of volume created
func (cs *ScaleControllerServer) createFilesetBasedVol(ctx context.Context, scVol *scaleVolume, isNewVolumeType bool, fsType string) (string, error) { //nolint:gocyclo,funlen
loggerId := utils.GetLoggerId(ctx)
klog.Infof("[%s] volume: [%v] - ControllerServer:createFilesetBasedVol", loggerId, scVol.VolName)
opt := make(map[string]interface{})
// fileset can not be created if filesystem is remote.
klog.Infof("[%s] check if volumes filesystem [%v] is remote or local for cluster [%v]", loggerId, scVol.VolBackendFs, scVol.ClusterId)
fsDetails, err := scVol.Connector.GetFilesystemDetails(ctx, scVol.VolBackendFs)
if err != nil {
if strings.Contains(err.Error(), "Invalid value in filesystemName") {
klog.Errorf("[%s] volume:[%v] - filesystem %s in not known to cluster %v. Error: %v", loggerId, scVol.VolName, scVol.VolBackendFs, scVol.ClusterId, err)
return "", status.Error(codes.Internal, fmt.Sprintf("Filesystem %s in not known to cluster %v. Error: %v", scVol.VolBackendFs, scVol.ClusterId, err))
}
klog.Errorf("[%s] volume:[%v] - unable to check type of filesystem [%v]. Error: %v", loggerId, scVol.VolName, scVol.VolBackendFs, err)
return "", status.Error(codes.Internal, fmt.Sprintf("unable to check type of filesystem [%v]. Error: %v", scVol.VolBackendFs, err))
}
if fsDetails.Type == filesystemTypeRemote {
klog.Errorf("[%s] volume:[%v] - filesystem [%v] is not local to cluster [%v]", loggerId, scVol.VolName, scVol.VolBackendFs, scVol.ClusterId)
return "", status.Error(codes.Internal, fmt.Sprintf("filesystem [%v] is not local to cluster [%v]", scVol.VolBackendFs, scVol.ClusterId))
}
// if filesystem is remote, check it is mounted on remote GUI node.
if cs.Driver.primary.PrimaryCid != scVol.ClusterId {
if fsDetails.Mount.Status != filesystemMounted {
klog.Errorf("[%s] volume:[%v] - filesystem [%v] is [%v] on remote GUI of cluster [%v]", loggerId, scVol.VolName, scVol.VolBackendFs, fsDetails.Mount.Status, scVol.ClusterId)
return "", status.Error(codes.Internal, fmt.Sprintf("Filesystem %v in cluster %v is not mounted", scVol.VolBackendFs, scVol.ClusterId))
}
klog.V(4).Infof("[%s] volume:[%v] - mount point of volume filesystem [%v] on owning cluster is %v", loggerId, scVol.VolName, scVol.VolBackendFs, fsDetails.Mount.MountPoint)
}
// check if quota is enabled on volume filesystem
klog.Infof("[%s] check if quota is enabled on filesystem [%v] ", loggerId, scVol.VolBackendFs)
if scVol.VolSize != 0 {
klog.Infof("[%s] quota status on filesystem [%v] is [%t]", loggerId, scVol.VolBackendFs, fsDetails.Quota.FilesetdfEnabled)
if !fsDetails.Quota.FilesetdfEnabled {
return "", status.Error(codes.Internal, fmt.Sprintf("quota not enabled for filesystem %v of cluster %v", scVol.VolBackendFs, scVol.ClusterId))
}
}
if scVol.VolUid != "" {
opt[connectors.UserSpecifiedUid] = scVol.VolUid
}
if scVol.VolGid != "" {
opt[connectors.UserSpecifiedGid] = scVol.VolGid
}
if scVol.InodeLimit != "" {
opt[connectors.UserSpecifiedInodeLimit] = scVol.InodeLimit
} else {
var inodeLimit uint64
if scVol.VolSize > 10*oneGB {
inodeLimit = 200000
} else {
inodeLimit = 100000
}
opt[connectors.UserSpecifiedInodeLimit] = strconv.FormatUint(inodeLimit, 10)
}
if isNewVolumeType {
// For new storageClass first create independent fileset if not present
discoverCGFileset := strings.ToUpper(os.Getenv(discoverCGFileset))
klog.Infof("[%s] discoverCGFileset is : %s", loggerId, discoverCGFileset)
if discoverCGFileset != discoverCGFilesetDisabled && len(scVol.ConsistencyGroup) > cgPrefixLen {
// Check for consistencyGroup
if fsType != filesystemTypeRemote {
newcg, err := cs.validateCG(ctx, scVol)
if err != nil {
klog.Errorf("ValidateCG failed. Error: %v", err)
return "", err
}
scVol.ConsistencyGroup = newcg
}
}
indepFilesetName := scVol.ConsistencyGroup
klog.Infof("[%s] creating independent fileset for new storageClass with fileset name: [%v]", loggerId, indepFilesetName)
opt[connectors.UserSpecifiedFilesetType] = independentFileset
opt[connectors.UserSpecifiedParentFset] = ""
//Set uid and gid as 0 for CG independent fileset
opt[connectors.UserSpecifiedUid] = "0"
opt[connectors.UserSpecifiedGid] = "0"
if scVol.InodeLimit != "" {
opt[connectors.UserSpecifiedInodeLimit] = scVol.InodeLimit
} else {
opt[connectors.UserSpecifiedInodeLimit] = "1M"
// Assumption: On an average a consistency group contains 10 volumes
}
scVol.ParentFileset = ""
createDataDir := false
_, err = cs.createFilesetVol(ctx, scVol, indepFilesetName, fsDetails, opt, createDataDir, true, isNewVolumeType)
if err != nil {
klog.Errorf("[%s] volume:[%v] - failed to create independent fileset [%v] in filesystem [%v]. Error: %v", loggerId, indepFilesetName, indepFilesetName, scVol.VolBackendFs, err)
return "", err
}
klog.Infof("[%s] finished creation of independent fileset for new storageClass with fileset name: [%v]", loggerId, indepFilesetName)
// Now create dependent fileset
klog.Infof("[%s] creating dependent fileset for new storageClass with fileset name: [%v]", loggerId, scVol.VolName)
opt[connectors.UserSpecifiedFilesetType] = dependentFileset
opt[connectors.UserSpecifiedParentFset] = indepFilesetName
delete(opt, connectors.UserSpecifiedUid)
delete(opt, connectors.UserSpecifiedGid)
if scVol.VolUid != "" {
opt[connectors.UserSpecifiedUid] = scVol.VolUid
}
if scVol.VolGid != "" {
opt[connectors.UserSpecifiedGid] = scVol.VolGid
}
if scVol.VolPermissions != "" {
opt[connectors.UserSpecifiedPermissions] = scVol.VolPermissions
}
scVol.ParentFileset = indepFilesetName
createDataDir = true
filesetPath, err := cs.createFilesetVol(ctx, scVol, scVol.VolName, fsDetails, opt, createDataDir, false, isNewVolumeType)
if err != nil {
klog.Errorf("[%s] volume:[%v] - failed to create dependent fileset [%v] in filesystem [%v]. Error: %v", loggerId, scVol.VolName, scVol.VolName, scVol.VolBackendFs, err)
return "", err
}
klog.Infof("[%s] finished creation of dependent fileset for new storageClass with fileset name: [%v]", loggerId, scVol.VolName)
return filesetPath, nil
} else {
// Create volume for classic storageClass
// Check if FileSetType not specified
if scVol.FilesetType != "" {
opt[connectors.UserSpecifiedFilesetType] = scVol.FilesetType
}
if scVol.ParentFileset != "" {
opt[connectors.UserSpecifiedParentFset] = scVol.ParentFileset
}
// Create fileset
klog.Infof("[%s] creating fileset for classic storageClass with fileset name: [%v]", loggerId, scVol.VolName)
createDataDir := true
filesetPath, err := cs.createFilesetVol(ctx, scVol, scVol.VolName, fsDetails, opt, createDataDir, false, isNewVolumeType)
if err != nil {
klog.Errorf("[%s] volume:[%v] - failed to create fileset [%v] in filesystem [%v]. Error: %v", loggerId, scVol.VolName, scVol.VolName, scVol.VolBackendFs, err)
return "", err
}
klog.Infof("[%s] finished creation of fileset for classic storageClass with fileset name: [%v]", loggerId, scVol.VolName)
return filesetPath, nil
}
}
func (cs *ScaleControllerServer) createFilesetVol(ctx context.Context, scVol *scaleVolume, volName string, fsDetails connectors.FileSystem_v2, opt map[string]interface{}, createDataDir bool, isCGIndependentFset bool, isNewVolumeType bool) (string, error) { //nolint:gocyclo,funlen
// Check if fileset exist
filesetInfo, err := scVol.Connector.ListFileset(ctx, scVol.VolBackendFs, volName)
loggerId := utils.GetLoggerId(ctx)
if err != nil {
if strings.Contains(err.Error(), "Invalid value in 'filesetName'") {
// This means fileset is not present, create it
fseterr := scVol.Connector.CreateFileset(ctx, scVol.VolBackendFs, volName, opt)
if fseterr != nil {
// fileset creation failed return without cleanup
klog.Errorf("[%s] volume:[%v] - unable to create fileset [%v] in filesystem [%v]. Error: %v", loggerId, volName, volName, scVol.VolBackendFs, fseterr)
return "", status.Error(codes.Internal, fmt.Sprintf("unable to create fileset [%v] in filesystem [%v]. Error: %v", volName, scVol.VolBackendFs, fseterr))
}
// list fileset and update filesetInfo
filesetInfo, err = scVol.Connector.ListFileset(ctx, scVol.VolBackendFs, volName)
if err != nil {
// fileset got created but listing failed, return without cleanup
klog.Errorf("[%s] volume:[%v] - unable to list newly created fileset [%v] in filesystem [%v]. Error: %v", loggerId, volName, volName, scVol.VolBackendFs, err)
return "", status.Error(codes.Internal, fmt.Sprintf("unable to list newly created fileset [%v] in filesystem [%v]. Error: %v", volName, scVol.VolBackendFs, err))
}
} else {
klog.Errorf("[%s] volume:[%v] - unable to list fileset [%v] in filesystem [%v]. Error: %v", loggerId, volName, volName, scVol.VolBackendFs, err)
return "", status.Error(codes.Internal, fmt.Sprintf("unable to list fileset [%v] in filesystem [%v]. Error: %v", volName, scVol.VolBackendFs, err))
}
} else {
// fileset is present. Confirm if creator is IBM Storage Scale CSI driver and fileset type is correct.
if filesetInfo.Config.Comment != connectors.FilesetComment {
klog.Errorf("[%s] volume:[%v] - the fileset is not created by IBM Storage Scale CSI driver. Cannot use it.", loggerId, volName)
return "", status.Error(codes.Internal, fmt.Sprintf("volume:[%v] - the fileset is not created by IBM Storage Scale CSI driver. Cannot use it.", volName))
}
listFilesetType := ""
if filesetInfo.Config.IsInodeSpaceOwner {
listFilesetType = independentFileset
} else {
listFilesetType = dependentFileset
}
if opt[connectors.UserSpecifiedFilesetType] != listFilesetType {
klog.Errorf("[%s] volume:[%v] - the fileset type is not as expected, got type: [%s], expected type: [%s]", loggerId, volName, listFilesetType, opt[connectors.UserSpecifiedFilesetType])
return "", status.Error(codes.Internal, fmt.Sprintf("volume:[%v] - the fileset type is not as expected, got type: [%s], expected type: [%s]", volName, listFilesetType, opt[connectors.UserSpecifiedFilesetType]))
}
}
// fileset is present/created. Confirm if fileset is linked
if (filesetInfo.Config.Path == "") || (filesetInfo.Config.Path == filesetUnlinkedPath) {
// this means not linked, link it
var junctionPath string
junctionPath = fmt.Sprintf("%s/%s", fsDetails.Mount.MountPoint, volName)
if scVol.ParentFileset != "" {
parentfilesetInfo, err := scVol.Connector.ListFileset(ctx, scVol.VolBackendFs, scVol.ParentFileset)
if err != nil {
klog.Errorf("[%s] volume:[%v] - unable to get details of parent fileset [%v] in filesystem [%v]. Error: %v", loggerId, volName, scVol.ParentFileset, scVol.VolBackendFs, err)
return "", status.Error(codes.Internal, fmt.Sprintf("volume:[%v] - unable to get details of parent fileset [%v] in filesystem [%v]. Error: %v", volName, scVol.ParentFileset, scVol.VolBackendFs, err))
}
if (parentfilesetInfo.Config.Path == "") || (parentfilesetInfo.Config.Path == filesetUnlinkedPath) {
klog.Errorf("[%s] volume:[%v] - parent fileset [%v] is not linked", loggerId, volName, scVol.ParentFileset)
return "", status.Error(codes.Internal, fmt.Sprintf("volume:[%v] - parent fileset [%v] is not linked", volName, scVol.ParentFileset))
}
junctionPath = fmt.Sprintf("%s/%s", parentfilesetInfo.Config.Path, volName)
}
err := scVol.Connector.LinkFileset(ctx, scVol.VolBackendFs, volName, junctionPath)
if err != nil {
klog.Errorf("[%s] volume:[%v] - linking fileset [%v] in filesystem [%v] at path [%v] failed. Error: %v", loggerId, volName, volName, scVol.VolBackendFs, junctionPath, err)
return "", status.Error(codes.Internal, fmt.Sprintf("linking fileset [%v] in filesystem [%v] at path [%v] failed. Error: %v", volName, scVol.VolBackendFs, junctionPath, err))
}
// update fileset details
filesetInfo, err = scVol.Connector.ListFileset(ctx, scVol.VolBackendFs, volName)
if err != nil {
klog.Errorf("[%s] volume:[%v] - unable to list fileset [%v] in filesystem [%v] after linking. Error: %v", loggerId, volName, volName, scVol.VolBackendFs, err)
return "", status.Error(codes.Internal, fmt.Sprintf("unable to list fileset [%v] in filesystem [%v] after linking. Error: %v", volName, scVol.VolBackendFs, err))
}
}
targetBasePath := ""
if !isCGIndependentFset {
if scVol.VolSize != 0 {
err = cs.setQuota(ctx, scVol, volName)
if err != nil {
return "", status.Error(codes.Internal, err.Error())
}
}
targetBasePath, err = cs.getTargetPath(ctx, filesetInfo.Config.Path, fsDetails.Mount.MountPoint, volName, createDataDir, isNewVolumeType)
if err != nil {
return "", status.Error(codes.Internal, err.Error())
}
err = cs.createDirectory(ctx, scVol, volName, targetBasePath)
if err != nil {
return "", status.Error(codes.Internal, err.Error())
}
}
return targetBasePath, nil
}
func (cs *ScaleControllerServer) getVolumeSizeInBytes(req *csi.CreateVolumeRequest) int64 {
capacity := req.GetCapacityRange()
return capacity.GetRequiredBytes()
}
func (cs *ScaleControllerServer) getConnFromClusterID(ctx context.Context, cid string) (connectors.SpectrumScaleConnector, error) {
loggerId := utils.GetLoggerId(ctx)
connector, isConnPresent := cs.Driver.connmap[cid]
if isConnPresent {
return connector, nil
}
klog.Errorf("[%s] unable to get connector for cluster ID %v", loggerId, cid)
return nil, status.Error(codes.Internal, fmt.Sprintf("unable to find cluster [%v] details in custom resource", cid))
}
// checkSCSupportedParams checks if given CreateVolume request parameter keys
// are supported by IBM Storage Scale CSI and returns ("", true) if all parameter
// keys are supported, otherwise returns (<list of invalid keys seperated by
// comma>, false)
func checkSCSupportedParams(params map[string]string) (string, bool) {
var invalidParams []string
for k := range params {
switch k {
case "csi.storage.k8s.io/pv/name", "csi.storage.k8s.io/pvc/name",
"csi.storage.k8s.io/pvc/namespace", "storage.kubernetes.io/csiProvisionerIdentity",
"volBackendFs", "volDirBasePath", "uid", "gid", "permissions",
"clusterId", "filesetType", "parentFileset", "inodeLimit", "nodeClass",
"version", "tier", "compression", "consistencyGroup", "shared":
// These are valid parameters, do nothing here
default:
invalidParams = append(invalidParams, k)
}
}
if len(invalidParams) == 0 {
return "", true
}
return strings.Join(invalidParams[:], ", "), false
}
func (cs *ScaleControllerServer) getPrimaryClusterDetails(ctx context.Context) (connectors.SpectrumScaleConnector, string, string, string, string, string, error) {
loggerId := utils.GetLoggerId(ctx)
klog.Infof("[%s] getPrimaryClusterDetails", loggerId)
symlinkDirAbsolutePath := ""
symlinkDirRelativePath := ""
primaryConn := cs.Driver.connmap["primary"]
primaryFS := cs.Driver.primary.GetPrimaryFs()
primaryFset := cs.Driver.primary.PrimaryFset
// check if primary filesystem exists
fsMountInfo, err := primaryConn.GetFilesystemMountDetails(ctx, primaryFS)
if err != nil {
klog.Errorf("[%s] Failed to get details of primary filesystem %s", loggerId, primaryFS)
return nil, "", "", "", "", "", err
}
primaryFSMount := fsMountInfo.MountPoint
// If primary fset is not specified, then use default
if primaryFset == "" {
primaryFset = defaultPrimaryFileset
}
symlinkDirRelativePath = primaryFset + "/" + symlinkDir
symlinkDirAbsolutePath = fsMountInfo.MountPoint + "/" + symlinkDirRelativePath
klog.Infof("[%s] symlinkDirPath [%s], symlinkDirRelPath [%s]", loggerId, symlinkDirAbsolutePath, symlinkDirRelativePath)
return primaryConn, symlinkDirRelativePath, primaryFS, primaryFSMount, symlinkDirAbsolutePath, cs.Driver.primary.PrimaryCid, err
}
func (cs *ScaleControllerServer) getPrimaryFSMountPoint(ctx context.Context) (string, error) {
loggerId := utils.GetLoggerId(ctx)
klog.Infof("[%s] getPrimaryFSMountPoint", loggerId)
primaryConn := cs.Driver.connmap["primary"]
primaryFS := cs.Driver.primary.GetPrimaryFs()
fsMountInfo, err := primaryConn.GetFilesystemMountDetails(ctx, primaryFS)
if err != nil {
klog.Errorf("[%s] Failed to get details of primary filesystem %s:Error: %v", loggerId, primaryFS, err)
return "", status.Error(codes.NotFound, fmt.Sprintf("Failed to get details of primary filesystem %s. Error: %v", primaryFS, err))
}
return fsMountInfo.MountPoint, nil
}
// CreateVolume - Create Volume
func (cs *ScaleControllerServer) CreateVolume(ctx context.Context, req *csi.CreateVolumeRequest) (*csi.CreateVolumeResponse, error) { //nolint:gocyclo,funlen
loggerId := utils.GetLoggerId(ctx)
klog.Infof("[%s] CreateVolume req: %v", loggerId, req)
if err := cs.Driver.ValidateControllerServiceRequest(ctx, csi.ControllerServiceCapability_RPC_CREATE_DELETE_VOLUME); err != nil {
klog.Errorf("[%s] invalid create volume req: %v", loggerId, req)
return nil, status.Error(codes.Internal, fmt.Sprintf("CreateVolume ValidateControllerServiceRequest failed: %v", err))
}
if req == nil {
return nil, status.Error(codes.InvalidArgument, "Request cannot be empty")
}
volName := req.GetName()
if volName == "" {
return nil, status.Error(codes.InvalidArgument, "Volume Name is a required field")
}
/* Get volume size in bytes */
volSize := cs.getVolumeSizeInBytes(req)
reqCapabilities := req.GetVolumeCapabilities()
if reqCapabilities == nil {
return nil, status.Error(codes.InvalidArgument, "Volume Capabilities is a required field")
}
for _, reqCap := range reqCapabilities {
if reqCap.GetBlock() != nil {
return nil, status.Error(codes.Unimplemented, "Block Volume is not supported")
}
if reqCap.GetMount().GetMountFlags() != nil {
return nil, status.Error(codes.Unimplemented, "mountOptions are not supported")
}
}
invalidParams, allValid := checkSCSupportedParams(req.GetParameters())
if !allValid {
return nil, status.Error(codes.InvalidArgument, "The Parameter(s) not supported in storageClass: "+invalidParams)
}
scaleVol, isNewVolumeType, primaryClusterID, err := cs.setScaleVolume(ctx, req, volName, volSize)
if err != nil {
return nil, err
}
isSnapSource, isVolSource, volSrc, snapIdMembers, srcVolumeIDMembers, err := cs.getVolORSnapMembers(ctx, req, volName)
if err != nil {
return nil, err
}
isShallowCopyVolume := false
for _, reqCap := range reqCapabilities {
if reqCap.GetAccessMode().GetMode() == csi.VolumeCapability_AccessMode_MULTI_NODE_READER_ONLY {
if isSnapSource {
klog.Infof("[%s] Requested pvc is a shallow copy volume", loggerId)
isShallowCopyVolume = true
} else {
return nil, status.Error(codes.Unimplemented, "Volume source with Access Mode ReadOnlyMany is not supported")
}
}
}
if srcVolumeIDMembers.VolType != FILE_SHALLOWCOPY_VOLUME {
err = cs.checkFileSetLink(ctx, scaleVol.PrimaryConnector, scaleVol, scaleVol.PrimaryFS, cs.Driver.primary.PrimaryFset, "primary")
if err != nil {
return nil, err
}
}
volFsInfo, err := checkVolumeFilesystemMountOnPrimary(ctx, scaleVol)
if err != nil {
return nil, err
}
err = cs.setScaleVolumeWithRemoteCluster(ctx, scaleVol, volFsInfo, primaryClusterID)
if err != nil {
return nil, err
}
assembledScaleversion, err := cs.assembledScaleVersion(ctx, scaleVol.Connector)
if err != nil {
return nil, status.Error(codes.Internal, fmt.Sprintf("IBM Storage Scale version check for permissions failed with error %s", err))
}
if isNewVolumeType {
if err := cs.checkCGSupport(assembledScaleversion); err != nil {
return nil, err
}
}
if isVolSource {
err = cs.validateCloneRequest(ctx, scaleVol, &srcVolumeIDMembers, scaleVol, volFsInfo, assembledScaleversion)
if err != nil {
klog.Errorf("[%s] volume:[%v] - Error in source volume validation [%v]", loggerId, volName, err)
return nil, err
}
}
if isSnapSource {
err = cs.validateSnapId(ctx, scaleVol, &snapIdMembers, scaleVol, assembledScaleversion)
if err != nil {
klog.Errorf("[%s] volume:[%v] - Error in source snapshot validation [%v]", loggerId, volName, err)
return nil, err
}
if isShallowCopyVolume {
err = cs.validateShallowCopyVolume(ctx, &snapIdMembers, scaleVol)
if err != nil {
klog.Errorf("[%s] volume:[%v] - Error in validating shallow copy volume", loggerId, volName)
return nil, status.Error(codes.Internal, fmt.Sprintf("CreateVolume ValidateShallowCopyVolume failed: %v", err))
}
}
}
var shallowCopyTargetPath string
if isShallowCopyVolume {
err = cs.createSnapshotDir(ctx, &snapIdMembers, scaleVol, isNewVolumeType)
if err != nil {
return nil, err
}
if isNewVolumeType {
shallowCopyTargetPath = fmt.Sprintf("%s/%s/.snapshots/%s/%s", volFsInfo.Mount.MountPoint, snapIdMembers.ConsistencyGroup, snapIdMembers.SnapName, snapIdMembers.FsetName)
} else {
shallowCopyTargetPath = fmt.Sprintf("%s/%s/.snapshots/%s/%s", volFsInfo.Mount.MountPoint, snapIdMembers.FsetName, snapIdMembers.SnapName, snapIdMembers.Path)
}
volID, volIDErr := cs.generateVolID(ctx, scaleVol, volFsInfo.UUID, isNewVolumeType, isShallowCopyVolume, shallowCopyTargetPath)
if volIDErr != nil {
return nil, volIDErr
}
return &csi.CreateVolumeResponse{
Volume: &csi.Volume{
VolumeId: volID,
CapacityBytes: int64(scaleVol.VolSize),
VolumeContext: req.GetParameters(),
ContentSource: volSrc,
},
}, nil
}
klog.Infof("[%s] volume:[%v] - IBM Storage Scale volume create params : %v\n", loggerId, scaleVol.VolName, scaleVol)
if scaleVol.IsFilesetBased && scaleVol.Compression != "" {
klog.Infof("[%s] createvolume: compression is enabled: changing volume name", loggerId)
scaleVol.VolName = fmt.Sprintf("%s-COMPRESS%scsi", scaleVol.VolName, strings.ToUpper(scaleVol.Compression))
}
if scaleVol.IsFilesetBased && scaleVol.Tier != "" {
err = cs.checkVolTierAndSetFilesystemPolicy(ctx, scaleVol, volFsInfo, primaryClusterID)
if err != nil {
return nil, err
}
}
volReqInProcess, err := cs.IfSameVolReqInProcess(scaleVol)
if err != nil {
return nil, err
}
if volReqInProcess {
klog.Errorf("[%s] volume:[%v] - volume creation already in process ", loggerId, scaleVol.VolName)
return nil, status.Error(codes.Aborted, fmt.Sprintf("volume creation already in process : %v", scaleVol.VolName))
}
volResponse, err := cs.getCopyJobStatus(ctx, req, volSrc, scaleVol, isVolSource, isSnapSource, snapIdMembers)
if err != nil {
return nil, err
} else if volResponse != nil {
return volResponse, nil
}
if scaleVol.VolPermissions != "" {
versionCheck := checkMinScaleVersionValid(assembledScaleversion, "5112")
if !versionCheck {
return nil, status.Error(codes.Internal, "the minimum required IBM Storage Scale version for permissions support with CSI is 5.1.1-2")
}
}
/* Update driver map with new volume. Make sure to defer delete */
cs.Driver.reqmap[scaleVol.VolName] = int64(scaleVol.VolSize)
defer delete(cs.Driver.reqmap, scaleVol.VolName)
var targetPath string
if scaleVol.IsFilesetBased {
targetPath, err = cs.createFilesetBasedVol(ctx, scaleVol, isNewVolumeType, volFsInfo.Type)
} else {
targetPath, err = cs.createLWVol(ctx, scaleVol)
}
if err != nil {
return nil, err
}
if !isNewVolumeType {
// Create symbolic link if not present
err = cs.createSoftlink(ctx, scaleVol, targetPath)
if err != nil {
return nil, status.Error(codes.Internal, err.Error())
}
}
volID, volIDErr := cs.generateVolID(ctx, scaleVol, volFsInfo.UUID, isNewVolumeType, isShallowCopyVolume, targetPath)
if volIDErr != nil {
return nil, volIDErr
}
if isVolSource {
if srcVolumeIDMembers.VolType == FILE_SHALLOWCOPY_VOLUME {
err = cs.copyShallowVolumeContent(ctx, scaleVol, srcVolumeIDMembers, volFsInfo, targetPath, volID)
if err != nil {
klog.Errorf("[%s] CreateVolume [%s]: [%v]", loggerId, volName, err)
return nil, err
}
} else {
err = cs.copyVolumeContent(ctx, scaleVol, srcVolumeIDMembers, volFsInfo, targetPath, volID)
if err != nil {
klog.Errorf("[%s] CreateVolume [%s]: [%v]", loggerId, volName, err)
return nil, err
}
}
}
if isSnapSource {
err = cs.copySnapContent(ctx, scaleVol, snapIdMembers, volFsInfo, targetPath, volID)
if err != nil {
klog.Errorf("[%s] createVolume failed while copying snapshot content [%s]: [%v]", loggerId, volName, err)
return nil, err
}
}
return &csi.CreateVolumeResponse{
Volume: &csi.Volume{
VolumeId: volID,
CapacityBytes: int64(scaleVol.VolSize),
VolumeContext: req.GetParameters(),
ContentSource: volSrc,
},
}, nil
}
func (cs *ScaleControllerServer) setScaleVolume(ctx context.Context, req *csi.CreateVolumeRequest, volName string, volSize int64) (*scaleVolume, bool, string, error) {
scaleVol, err := getScaleVolumeOptions(ctx, req.GetParameters())
if err != nil {
return nil, false, "", err
}
isNewVolumeType := false
if scaleVol.StorageClassType == STORAGECLASS_ADVANCED {
isNewVolumeType = true
}
scaleVol.VolName = volName
if scaleVol.IsFilesetBased && uint64(volSize) < smallestVolSize {
scaleVol.VolSize = smallestVolSize
} else {
scaleVol.VolSize = uint64(volSize)
}
/* Get details for Primary Cluster */
primaryConn, symlinkDirRelativePath, primaryFS, primaryFSMount, symlinkDirAbsolutePath, primaryClusterID, err := cs.getPrimaryClusterDetails(ctx)
if err != nil {
return nil, isNewVolumeType, "", err
}
scaleVol.PrimaryConnector = primaryConn
scaleVol.PrimarySLnkRelPath = symlinkDirRelativePath
scaleVol.PrimaryFS = primaryFS
scaleVol.PrimaryFSMount = primaryFSMount
scaleVol.PrimarySLnkPath = symlinkDirAbsolutePath
return scaleVol, isNewVolumeType, primaryClusterID, nil
}
func (cs *ScaleControllerServer) getVolORSnapMembers(ctx context.Context, req *csi.CreateVolumeRequest, volName string) (bool, bool, *csi.VolumeContentSource, scaleSnapId, scaleVolId, error) {
loggerId := utils.GetLoggerId(ctx)
volSrc := req.GetVolumeContentSource()
isSnapSource := false
isVolSource := false
snapIdMembers := scaleSnapId{}
srcVolumeIDMembers := scaleVolId{}
var err error
if volSrc != nil {
srcVolume := volSrc.GetVolume()
if srcVolume != nil {
srcVolumeID := srcVolume.GetVolumeId()
srcVolumeIDMembers, err = getVolIDMembers(srcVolumeID)
if err != nil {
klog.Errorf("[%s] volume:[%v] - Invalid Volume ID %s [%v]", loggerId, volName, srcVolumeID, err)
return isSnapSource, isVolSource, volSrc, snapIdMembers, srcVolumeIDMembers, status.Error(codes.NotFound, fmt.Sprintf("volume source volume is not found: %v", err))
}
isVolSource = true
} else {
srcSnap := volSrc.GetSnapshot()
if srcSnap != nil {
snapId := srcSnap.GetSnapshotId()
snapIdMembers, err = cs.GetSnapIdMembers(snapId)
if err != nil {
klog.Errorf("[%s] volume:[%v] - Invalid snapshot ID %s [%v]", loggerId, volName, snapId, err)
return isSnapSource, isVolSource, volSrc, snapIdMembers, srcVolumeIDMembers, status.Error(codes.NotFound, fmt.Sprintf("volume source snapshot is not found: %v", err))
}
isSnapSource = true
}
}
}
return isSnapSource, isVolSource, volSrc, snapIdMembers, srcVolumeIDMembers, nil
}
func (cs *ScaleControllerServer) checkFileSetLink(ctx context.Context, connector connectors.SpectrumScaleConnector, scaleVol *scaleVolume, filesystem string, fileset string, primaryOrSource string) error {
loggerId := utils.GetLoggerId(ctx)
// Check if Primary Fileset is linked
//primaryFileset := cs.Driver.primary.PrimaryFset
klog.Infof("[%s] volume:[%v] - check if %s fileset [%v] is linked", loggerId, scaleVol.VolName, primaryOrSource, fileset)
isFilesetLinked, err := connector.IsFilesetLinked(ctx, filesystem, fileset)
if err != nil {
klog.Errorf("[%s] volume:[%v] - unable to get details of %s fileset [%v]. Error : [%v]", loggerId, scaleVol.VolName, primaryOrSource, fileset, err)
return status.Error(codes.Internal, fmt.Sprintf("unable to get details of %s fileset link information for [%v]. Error : [%v]", primaryOrSource, fileset, err))
}
if !isFilesetLinked {
klog.Errorf("[%s] volume:[%s] - [%s] is not linked", loggerId, scaleVol.VolName, fileset)
return status.Error(codes.Internal, fmt.Sprintf("%s fileset [%v] is not linked", primaryOrSource, fileset))
}
return nil
}
func checkVolumeFilesystemMountOnPrimary(ctx context.Context, scaleVol *scaleVolume) (connectors.FileSystem_v2, error) {
loggerId := utils.GetLoggerId(ctx)
klog.V(6).Infof("[%s] volume:[%v] - check if volume filesystem [%v] is mounted on GUI node of Primary cluster", loggerId, scaleVol.VolName, scaleVol.VolBackendFs)
volFsInfo, err := scaleVol.PrimaryConnector.GetFilesystemDetails(ctx, scaleVol.VolBackendFs)
if err != nil {
if strings.Contains(err.Error(), "Invalid value in filesystemName") {
klog.Errorf("[%s] volume:[%v] - filesystem %s in not known to primary cluster. Error: %v", loggerId, scaleVol.VolName, scaleVol.VolBackendFs, err)
return volFsInfo, status.Error(codes.Internal, fmt.Sprintf("filesystem %s in not known to primary cluster. Error: %v", scaleVol.VolBackendFs, err))
}
klog.Errorf("[%s] volume:[%v] - unable to get details for filesystem [%v] in Primary cluster. Error: %v", loggerId, scaleVol.VolName, scaleVol.VolBackendFs, err)
return volFsInfo, status.Error(codes.Internal, fmt.Sprintf("unable to get details for filesystem [%v] in Primary cluster. Error: %v", scaleVol.VolBackendFs, err))
}
if volFsInfo.Mount.Status != filesystemMounted {
klog.Errorf("[%s] volume:[%v] - volume filesystem %s is not mounted on GUI node of Primary cluster", loggerId, scaleVol.VolName, scaleVol.VolBackendFs)
return volFsInfo, status.Error(codes.Internal, fmt.Sprintf("volume filesystem %s is not mounted on GUI node of Primary cluster", scaleVol.VolBackendFs))
}
klog.V(6).Infof("[%s] volume:[%v] - mount point of volume filesystem [%v] is on Primary cluster is %v", loggerId, scaleVol.VolName, scaleVol.VolBackendFs, volFsInfo.Mount.MountPoint)
return volFsInfo, nil
}
func (cs *ScaleControllerServer) setScaleVolumeWithRemoteCluster(ctx context.Context, scaleVol *scaleVolume, volFsInfo connectors.FileSystem_v2, primaryClusterID string) error {
loggerId := utils.GetLoggerId(ctx)
/* scaleVol.VolBackendFs will always be local cluster FS. So we need to find a
remote cluster FS in case local cluster FS is remotely mounted. We will find local FS RemoteDeviceName on local cluster, will use that as VolBackendFs and create fileset on that FS. */
if scaleVol.IsFilesetBased {
remoteDeviceName := volFsInfo.Mount.RemoteDeviceName
scaleVol.LocalFS = scaleVol.VolBackendFs
scaleVol.VolBackendFs = getRemoteFsName(remoteDeviceName)
} else {
scaleVol.LocalFS = scaleVol.VolBackendFs
}
// LocalFs is name of filesystem on K8s cluster
// VolBackendFs is changed to name on remote cluster in case of fileset based provisioning
var remoteClusterID string
var err error
if scaleVol.ClusterId == "" && volFsInfo.Type == filesystemTypeRemote {
klog.Infof("[%s] filesystem %s is remotely mounted, getting cluster ID information of the owning cluster.", loggerId, volFsInfo.Name)
clusterName := strings.Split(volFsInfo.Mount.RemoteDeviceName, ":")[0]
if remoteClusterID, err = cs.getRemoteClusterID(ctx, clusterName); err != nil {
klog.Errorf("[%s] error in getting remote cluster ID for cluster [%s], error [%v]", loggerId, clusterName, err)