-
Notifications
You must be signed in to change notification settings - Fork 937
/
Copy pathlist.go
1021 lines (826 loc) · 26 KB
/
list.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
package main
import (
"errors"
"fmt"
"net"
"regexp"
"sort"
"strconv"
"strings"
"sync"
"github.com/spf13/cobra"
"github.com/canonical/lxd/client"
"github.com/canonical/lxd/lxd/instance/instancetype"
"github.com/canonical/lxd/shared"
"github.com/canonical/lxd/shared/api"
cli "github.com/canonical/lxd/shared/cmd"
"github.com/canonical/lxd/shared/i18n"
"github.com/canonical/lxd/shared/units"
)
type column struct {
Name string
Data columnData
NeedsState bool
NeedsSnapshots bool
}
type columnData func(api.InstanceFull) string
type cmdList struct {
global *cmdGlobal
flagColumns string
flagFast bool
flagFormat string
flagAllProjects bool
shorthandFilters map[string]func(*api.Instance, *api.InstanceState, string) bool
}
func (c *cmdList) command() *cobra.Command {
cmd := &cobra.Command{}
cmd.Use = usage("list", i18n.G("[<remote>:] [<filter>...]"))
cmd.Aliases = []string{"ls"}
cmd.Short = i18n.G("List instances")
cmd.Long = cli.FormatSection(i18n.G("Description"), i18n.G(
`List instances
Default column layout: ns46tS
Fast column layout: nsacPt
A single keyword like "web" which will list any instance with a name starting with "web".
A regular expression on the instance name. (e.g. .*web.*01$).
A key/value pair referring to a configuration item. For those, the
namespace can be abbreviated to the smallest unambiguous identifier.
A key/value pair where the key is a shorthand. Multiple values must be delimited by ','. Available shorthands:
- type={instance type}
- status={instance current lifecycle status}
- architecture={instance architecture}
- location={location name}
- ipv4={ip or CIDR}
- ipv6={ip or CIDR}
Examples:
- "user.blah=abc" will list all instances with the "blah" user property set to "abc".
- "u.blah=abc" will do the same
- "security.privileged=true" will list all privileged instances
- "s.privileged=true" will do the same
- "type=container" will list all container instances
- "type=container status=running" will list all running container instances
A regular expression matching a configuration item or its value. (e.g. volatile.eth0.hwaddr=00:16:3e:.*).
When multiple filters are passed, they are added one on top of the other,
selecting instances which satisfy them all.
== Columns ==
The -c option takes a comma separated list of arguments that control
which instance attributes to output when displaying in table or csv
format.
Column arguments are either pre-defined shorthand chars (see below),
or (extended) config keys.
Commas between consecutive shorthand chars are optional.
Pre-defined column shorthand chars:
4 - IPv4 address
6 - IPv6 address
a - Architecture
b - Storage pool
c - Creation date
d - Description
D - disk usage
e - Project name
l - Last used date
m - Memory usage
M - Memory usage (%)
n - Name
N - Number of Processes
p - PID of the instance's init process
P - Profiles
s - State
S - Number of snapshots
t - Type (container or virtual-machine, ephemeral indicated if applicable)
u - CPU usage (in seconds)
L - Location of the instance (e.g. its cluster member)
f - Base Image Fingerprint (short)
F - Base Image Fingerprint (long)
Custom columns are defined with "[config:|devices:]key[:name][:maxWidth]":
KEY: The (extended) config or devices key to display. If [config:|devices:] is omitted then it defaults to config key.
NAME: Name to display in the column header.
Defaults to the key if not specified or empty.
MAXWIDTH: Max width of the column (longer results are truncated).
Defaults to -1 (unlimited). Use 0 to limit to the column header size.`))
cmd.Example = cli.FormatSection("", i18n.G(
`lxc list -c nFs46,volatile.eth0.hwaddr:MAC,config:image.os,devices:eth0.parent:ETHP
Show instances using the "NAME", "BASE IMAGE", "STATE", "IPV4", "IPV6" and "MAC" columns.
"BASE IMAGE", "MAC" and "IMAGE OS" are custom columns generated from instance configuration keys.
"ETHP" is a custom column generated from a device key.
lxc list -c ns,user.comment:comment
List instances with their running state and user comment.`))
cmd.RunE = c.run
cmd.Flags().StringVarP(&c.flagColumns, "columns", "c", defaultColumns, i18n.G("Columns")+"``")
cmd.Flags().StringVarP(&c.flagFormat, "format", "f", "table", i18n.G("Format (csv|json|table|yaml|compact)")+"``")
cmd.Flags().BoolVar(&c.flagFast, "fast", false, i18n.G("Fast mode (same as --columns=nsacPt)"))
cmd.Flags().BoolVar(&c.flagAllProjects, "all-projects", false, i18n.G("Display instances from all projects"))
cmd.ValidArgsFunction = func(cmd *cobra.Command, args []string, toComplete string) ([]string, cobra.ShellCompDirective) {
if len(args) == 0 {
return c.global.cmpRemotes(toComplete, false)
}
return nil, cobra.ShellCompDirectiveNoFileComp
}
return cmd
}
const defaultColumns = "ns46tSL"
const defaultColumnsAllProjects = "ens46tSL"
const configColumnType = "config"
const deviceColumnType = "devices"
// This seems a little excessive.
func (c *cmdList) dotPrefixMatch(short string, full string) bool {
fullMembs := strings.Split(full, ".")
shortMembs := strings.Split(short, ".")
if len(fullMembs) != len(shortMembs) {
return false
}
for i := range fullMembs {
if !strings.HasPrefix(fullMembs[i], shortMembs[i]) {
return false
}
}
return true
}
func (c *cmdList) shouldShow(filters []string, inst *api.Instance, state *api.InstanceState, initial bool) bool {
c.mapShorthandFilters()
for _, filter := range filters {
if strings.Contains(filter, "=") {
membs := strings.SplitN(filter, "=", 2)
key := membs[0]
var value string
if len(membs) < 2 {
value = ""
} else {
value = membs[1]
}
if initial || c.evaluateShorthandFilter(key, value, inst, state) {
continue
}
found := false
for configKey, configValue := range inst.ExpandedConfig {
if c.dotPrefixMatch(key, configKey) {
// Try to test filter value as a regexp.
regexpValue := value
if !(strings.Contains(value, "^") || strings.Contains(value, "$")) {
regexpValue = "^" + regexpValue + "$"
}
r, err := regexp.Compile(regexpValue)
// If not regexp compatible use original value.
if err != nil {
if value == configValue {
found = true
break
} else {
// The property was found but didn't match.
return false
}
} else if r.MatchString(configValue) {
found = true
break
}
}
}
if inst.ExpandedConfig[key] == value {
continue
}
if !found {
return false
}
} else {
regexpValue := filter
if !(strings.Contains(filter, "^") || strings.Contains(filter, "$")) {
regexpValue = "^" + regexpValue + "$"
}
r, err := regexp.Compile(regexpValue)
if err == nil && r.MatchString(inst.Name) {
continue
}
if !strings.HasPrefix(inst.Name, filter) {
return false
}
}
}
return true
}
func (c *cmdList) evaluateShorthandFilter(key string, value string, inst *api.Instance, state *api.InstanceState) bool {
const shorthandValueDelimiter = ","
shorthandFilterFunction, isShorthandFilter := c.shorthandFilters[strings.ToLower(key)]
if isShorthandFilter {
if strings.Contains(value, shorthandValueDelimiter) {
matched := false
for _, curValue := range strings.Split(value, shorthandValueDelimiter) {
if shorthandFilterFunction(inst, state, curValue) {
matched = true
}
}
return matched
}
return shorthandFilterFunction(inst, state, value)
}
return false
}
func (c *cmdList) listInstances(d lxd.InstanceServer, instances []api.Instance, filters []string, columns []column) error {
threads := 10
if len(instances) < threads {
threads = len(instances)
}
// Shortcut when needing state and snapshot info.
hasSnapshots := false
hasState := false
for _, column := range columns {
if column.NeedsSnapshots {
hasSnapshots = true
}
if column.NeedsState {
hasState = true
}
}
if hasSnapshots && hasState {
cInfo := []api.InstanceFull{}
cInfoLock := sync.Mutex{}
cInfoQueue := make(chan string, threads)
cInfoWg := sync.WaitGroup{}
for i := 0; i < threads; i++ {
cInfoWg.Add(1)
go func() {
for {
cName, more := <-cInfoQueue
if !more {
break
}
state, _, err := d.GetInstanceFull(cName)
if err != nil {
continue
}
cInfoLock.Lock()
cInfo = append(cInfo, *state)
cInfoLock.Unlock()
}
cInfoWg.Done()
}()
}
for _, info := range instances {
cInfoQueue <- info.Name
}
close(cInfoQueue)
cInfoWg.Wait()
return c.showInstances(cInfo, filters, columns)
}
cStates := map[string]*api.InstanceState{}
cStatesLock := sync.Mutex{}
cStatesQueue := make(chan string, threads)
cStatesWg := sync.WaitGroup{}
cSnapshots := map[string][]api.InstanceSnapshot{}
cSnapshotsLock := sync.Mutex{}
cSnapshotsQueue := make(chan string, threads)
cSnapshotsWg := sync.WaitGroup{}
for i := 0; i < threads; i++ {
cStatesWg.Add(1)
go func() {
for {
cName, more := <-cStatesQueue
if !more {
break
}
state, _, err := d.GetInstanceState(cName)
if err != nil {
continue
}
cStatesLock.Lock()
cStates[cName] = state
cStatesLock.Unlock()
}
cStatesWg.Done()
}()
cSnapshotsWg.Add(1)
go func() {
for {
cName, more := <-cSnapshotsQueue
if !more {
break
}
snaps, err := d.GetInstanceSnapshots(cName)
if err != nil {
continue
}
cSnapshotsLock.Lock()
cSnapshots[cName] = snaps
cSnapshotsLock.Unlock()
}
cSnapshotsWg.Done()
}()
}
for _, inst := range instances {
for _, column := range columns {
if column.NeedsState && inst.IsActive() {
cStatesLock.Lock()
_, ok := cStates[inst.Name]
cStatesLock.Unlock()
if ok {
continue
}
cStatesLock.Lock()
cStates[inst.Name] = nil
cStatesLock.Unlock()
cStatesQueue <- inst.Name
}
if column.NeedsSnapshots {
cSnapshotsLock.Lock()
_, ok := cSnapshots[inst.Name]
cSnapshotsLock.Unlock()
if ok {
continue
}
cSnapshotsLock.Lock()
cSnapshots[inst.Name] = nil
cSnapshotsLock.Unlock()
cSnapshotsQueue <- inst.Name
}
}
}
close(cStatesQueue)
close(cSnapshotsQueue)
cStatesWg.Wait()
cSnapshotsWg.Wait()
// Convert to Instance
data := make([]api.InstanceFull, len(instances))
for i := range instances {
data[i].Instance = instances[i]
data[i].State = cStates[instances[i].Name]
data[i].Snapshots = cSnapshots[instances[i].Name]
}
return c.showInstances(data, filters, columns)
}
func (c *cmdList) showInstances(instances []api.InstanceFull, filters []string, columns []column) error {
// Generate the table data
data := [][]string{}
instancesFiltered := []api.InstanceFull{}
for _, inst := range instances {
if !c.shouldShow(filters, &inst.Instance, inst.State, false) {
continue
}
instancesFiltered = append(instancesFiltered, inst)
col := []string{}
for _, column := range columns {
col = append(col, column.Data(inst))
}
data = append(data, col)
}
sort.Sort(cli.SortColumnsNaturally(data))
headers := []string{}
for _, column := range columns {
headers = append(headers, column.Name)
}
return cli.RenderTable(c.flagFormat, headers, data, instancesFiltered)
}
func (c *cmdList) run(cmd *cobra.Command, args []string) error {
conf := c.global.conf
// Quick checks.
exit, err := c.global.CheckArgs(cmd, args, 0, -1)
if exit {
return err
}
if c.global.flagProject != "" && c.flagAllProjects {
return errors.New(i18n.G("Can't specify --project with --all-projects"))
}
// Parse the remote
var remote string
var name string
var filters []string
if len(args) != 0 {
filters = args
if strings.Contains(args[0], ":") && !strings.Contains(args[0], "=") {
var err error
remote, name, err = conf.ParseRemote(args[0])
if err != nil {
return err
}
filters = args[1:]
} else if !strings.Contains(args[0], "=") {
remote = conf.DefaultRemote
name = args[0]
}
}
if name != "" {
filters = append(filters, name)
}
if remote == "" {
remote = conf.DefaultRemote
}
// Connect to LXD
d, err := conf.GetInstanceServer(remote)
if err != nil {
return err
}
// Get the list of columns
columns, needsData, err := c.parseColumns(d.IsClustered())
if err != nil {
return err
}
if needsData && d.HasExtension("container_full") {
// Using the GetInstancesFull shortcut
var instances []api.InstanceFull
serverFilters, clientFilters := getServerSupportedFilters(filters, api.InstanceFull{})
if c.flagAllProjects {
instances, err = d.GetInstancesFullAllProjectsWithFilter(api.InstanceTypeAny, serverFilters)
} else {
instances, err = d.GetInstancesFullWithFilter(api.InstanceTypeAny, serverFilters)
}
if err != nil {
return err
}
return c.showInstances(instances, clientFilters, columns)
}
// Get the list of instances
var instances []api.Instance
serverFilters, clientFilters := getServerSupportedFilters(filters, api.Instance{})
if c.flagAllProjects {
instances, err = d.GetInstancesAllProjectsWithFilter(api.InstanceTypeAny, serverFilters)
} else {
instances, err = d.GetInstancesWithFilter(api.InstanceTypeAny, serverFilters)
}
if err != nil {
return err
}
// Apply filters
instancesFiltered := []api.Instance{}
for _, inst := range instances {
if !c.shouldShow(clientFilters, &inst, nil, true) {
continue
}
instancesFiltered = append(instancesFiltered, inst)
}
// Fetch any remaining data and render the table
return c.listInstances(d, instancesFiltered, clientFilters, columns)
}
func (c *cmdList) parseColumns(clustered bool) ([]column, bool, error) {
columnsShorthandMap := map[rune]column{
'4': {i18n.G("IPV4"), c.ipv4ColumnData, true, false},
'6': {i18n.G("IPV6"), c.ipv6ColumnData, true, false},
'a': {i18n.G("ARCHITECTURE"), c.architectureColumnData, false, false},
'b': {i18n.G("STORAGE POOL"), c.storagePoolColumnData, false, false},
'c': {i18n.G("CREATED AT"), c.createdColumnData, false, false},
'd': {i18n.G("DESCRIPTION"), c.descriptionColumnData, false, false},
'D': {i18n.G("DISK USAGE"), c.diskUsageColumnData, true, false},
'e': {i18n.G("PROJECT"), c.projectColumnData, false, false},
'f': {i18n.G("BASE IMAGE"), c.baseImageColumnData, false, false},
'F': {i18n.G("BASE IMAGE"), c.baseImageFullColumnData, false, false},
'l': {i18n.G("LAST USED AT"), c.lastUsedColumnData, false, false},
'm': {i18n.G("MEMORY USAGE"), c.memoryUsageColumnData, true, false},
'M': {i18n.G("MEMORY USAGE%"), c.memoryUsagePercentColumnData, true, false},
'n': {i18n.G("NAME"), c.nameColumnData, false, false},
'N': {i18n.G("PROCESSES"), c.numberOfProcessesColumnData, true, false},
'p': {i18n.G("PID"), c.pidColumnData, true, false},
'P': {i18n.G("PROFILES"), c.profilesColumnData, false, false},
'S': {i18n.G("SNAPSHOTS"), c.numberSnapshotsColumnData, false, true},
's': {i18n.G("STATE"), c.statusColumnData, false, false},
't': {i18n.G("TYPE"), c.typeColumnData, false, false},
'u': {i18n.G("CPU USAGE"), c.cpuUsageSecondsColumnData, true, false},
}
// Add project column if --all-projects flag specified and
// no one of --fast or --c was passed
if c.flagAllProjects {
if c.flagColumns == defaultColumns {
c.flagColumns = defaultColumnsAllProjects
}
}
if c.flagFast {
if c.flagColumns != defaultColumns && c.flagColumns != defaultColumnsAllProjects {
// --columns was specified too
return nil, false, errors.New(i18n.G("Can't specify --fast with --columns"))
}
if c.flagColumns == defaultColumnsAllProjects {
c.flagColumns = "ensacPt"
} else {
c.flagColumns = "nsacPt"
}
}
if clustered {
columnsShorthandMap['L'] = column{
i18n.G("LOCATION"), c.locationColumnData, false, false}
} else {
if c.flagColumns != defaultColumns && c.flagColumns != defaultColumnsAllProjects {
if strings.ContainsAny(c.flagColumns, "L") {
return nil, false, errors.New(i18n.G("Can't specify column L when not clustered"))
}
}
c.flagColumns = strings.Replace(c.flagColumns, "L", "", -1)
}
columnList := strings.Split(c.flagColumns, ",")
columns := []column{}
needsData := false
for _, columnEntry := range columnList {
if columnEntry == "" {
return nil, false, fmt.Errorf(i18n.G("Empty column entry (redundant, leading or trailing command) in '%s'"), c.flagColumns)
}
// Config keys always contain a period, parse anything without a
// period as a series of shorthand runes.
if !strings.Contains(columnEntry, ".") {
for _, columnRune := range columnEntry {
column, ok := columnsShorthandMap[columnRune]
if !ok {
return nil, false, fmt.Errorf(i18n.G("Unknown column shorthand char '%c' in '%s'"), columnRune, columnEntry)
}
columns = append(columns, column)
if column.NeedsState || column.NeedsSnapshots {
needsData = true
}
}
} else {
cc := strings.Split(columnEntry, ":")
colType := configColumnType
if (cc[0] == configColumnType || cc[0] == deviceColumnType) && len(cc) > 1 {
colType = cc[0]
cc = append(cc[:0], cc[1:]...)
}
if len(cc) > 3 {
return nil, false, fmt.Errorf(i18n.G("Invalid config key column format (too many fields): '%s'"), columnEntry)
}
k := cc[0]
if colType == configColumnType {
_, err := instancetype.ConfigKeyChecker(k, instancetype.Any)
if err != nil {
return nil, false, fmt.Errorf(i18n.G("Invalid config key '%s' in '%s'"), k, columnEntry)
}
}
column := column{Name: k}
if len(cc) > 1 {
if len(cc[1]) == 0 && len(cc) != 3 {
return nil, false, fmt.Errorf(i18n.G("Invalid name in '%s', empty string is only allowed when defining maxWidth"), columnEntry)
}
column.Name = cc[1]
}
maxWidth := -1
if len(cc) > 2 {
temp, err := strconv.ParseInt(cc[2], 10, 32)
if err != nil {
return nil, false, fmt.Errorf(i18n.G("Invalid max width (must be an integer) '%s' in '%s'"), cc[2], columnEntry)
}
if temp < -1 {
return nil, false, fmt.Errorf(i18n.G("Invalid max width (must -1, 0 or a positive integer) '%s' in '%s'"), cc[2], columnEntry)
}
if temp == 0 {
maxWidth = len(column.Name)
} else {
maxWidth = int(temp)
}
}
if colType == configColumnType {
column.Data = func(cInfo api.InstanceFull) string {
v, ok := cInfo.Config[k]
if !ok {
v = cInfo.ExpandedConfig[k]
}
// Truncate the data according to the max width. A negative max width
// indicates there is no effective limit.
if maxWidth > 0 && len(v) > maxWidth {
return v[:maxWidth]
}
return v
}
}
if colType == deviceColumnType {
column.Data = func(cInfo api.InstanceFull) string {
d := strings.SplitN(k, ".", 2)
if len(d) == 1 || len(d) > 2 {
return ""
}
v, ok := cInfo.Devices[d[0]][d[1]]
if !ok {
v = cInfo.ExpandedDevices[d[0]][d[1]]
}
// Truncate the data according to the max width. A negative max width
// indicates there is no effective limit.
if maxWidth > 0 && len(v) > maxWidth {
return v[:maxWidth]
}
return v
}
}
columns = append(columns, column)
if column.NeedsState || column.NeedsSnapshots {
needsData = true
}
}
}
return columns, needsData, nil
}
func (c *cmdList) getBaseImage(cInfo api.InstanceFull, long bool) string {
v, ok := cInfo.Config["volatile.base_image"]
if !ok {
return ""
}
if !long && len(v) >= 12 {
v = v[:12]
}
return v
}
func (c *cmdList) baseImageColumnData(cInfo api.InstanceFull) string {
return c.getBaseImage(cInfo, false)
}
func (c *cmdList) baseImageFullColumnData(cInfo api.InstanceFull) string {
return c.getBaseImage(cInfo, true)
}
func (c *cmdList) nameColumnData(cInfo api.InstanceFull) string {
return cInfo.Name
}
func (c *cmdList) descriptionColumnData(cInfo api.InstanceFull) string {
return cInfo.Description
}
func (c *cmdList) statusColumnData(cInfo api.InstanceFull) string {
return strings.ToUpper(cInfo.Status)
}
func (c *cmdList) ipv4ColumnData(cInfo api.InstanceFull) string {
if cInfo.IsActive() && cInfo.State != nil && cInfo.State.Network != nil {
ipv4s := []string{}
for netName, net := range cInfo.State.Network {
if net.Type == "loopback" {
continue
}
for _, addr := range net.Addresses {
if shared.ValueInSlice(addr.Scope, []string{"link", "local"}) {
continue
}
if addr.Family == "inet" {
ipv4s = append(ipv4s, addr.Address+" ("+netName+")")
}
}
}
sort.Sort(sort.Reverse(sort.StringSlice(ipv4s)))
return strings.Join(ipv4s, "\n")
}
return ""
}
func (c *cmdList) ipv6ColumnData(cInfo api.InstanceFull) string {
if cInfo.IsActive() && cInfo.State != nil && cInfo.State.Network != nil {
ipv6s := []string{}
for netName, net := range cInfo.State.Network {
if net.Type == "loopback" {
continue
}
for _, addr := range net.Addresses {
if shared.ValueInSlice(addr.Scope, []string{"link", "local"}) {
continue
}
if addr.Family == "inet6" {
ipv6s = append(ipv6s, addr.Address+" ("+netName+")")
}
}
}
sort.Sort(sort.Reverse(sort.StringSlice(ipv6s)))
return strings.Join(ipv6s, "\n")
}
return ""
}
func (c *cmdList) projectColumnData(cInfo api.InstanceFull) string {
return cInfo.Project
}
func (c *cmdList) memoryUsageColumnData(cInfo api.InstanceFull) string {
if cInfo.IsActive() && cInfo.State != nil && cInfo.State.Memory.Usage > 0 {
return units.GetByteSizeStringIEC(cInfo.State.Memory.Usage, 2)
}
return ""
}
func (c *cmdList) memoryUsagePercentColumnData(cInfo api.InstanceFull) string {
if cInfo.IsActive() && cInfo.State != nil && cInfo.State.Memory.Usage > 0 {
if cInfo.ExpandedConfig["limits.memory"] != "" {
memorylimit := cInfo.ExpandedConfig["limits.memory"]
if strings.Contains(memorylimit, "%") {
return ""
}
val, err := units.ParseByteSizeString(cInfo.ExpandedConfig["limits.memory"])
if err == nil && val > 0 {
return fmt.Sprintf("%.1f%%", (float64(cInfo.State.Memory.Usage)/float64(val))*float64(100))
}
}
}
return ""
}
func (c *cmdList) cpuUsageSecondsColumnData(cInfo api.InstanceFull) string {
if cInfo.IsActive() && cInfo.State != nil && cInfo.State.CPU.Usage > 0 {
return fmt.Sprint(cInfo.State.CPU.Usage/1000000000, "s")
}
return ""
}
func (c *cmdList) diskUsageColumnData(cInfo api.InstanceFull) string {
rootDisk, _, _ := instancetype.GetRootDiskDevice(cInfo.ExpandedDevices)
if cInfo.State != nil && cInfo.State.Disk != nil && cInfo.State.Disk[rootDisk].Usage > 0 {
return units.GetByteSizeStringIEC(cInfo.State.Disk[rootDisk].Usage, 2)
}
return ""
}
func (c *cmdList) typeColumnData(cInfo api.InstanceFull) string {
instType := "CONTAINER"
if cInfo.Type == string(api.InstanceTypeVM) {
instType = "VIRTUAL-MACHINE"
}
if cInfo.Ephemeral {
return instType + " (" + i18n.G("EPHEMERAL") + ")"
}
return instType
}
func (c *cmdList) numberSnapshotsColumnData(cInfo api.InstanceFull) string {
if cInfo.Snapshots != nil {
return fmt.Sprint(len(cInfo.Snapshots))
}
return "0"
}
func (c *cmdList) pidColumnData(cInfo api.InstanceFull) string {
if cInfo.IsActive() && cInfo.State != nil {
return fmt.Sprint(cInfo.State.Pid)
}
return ""
}
func (c *cmdList) architectureColumnData(cInfo api.InstanceFull) string {
return cInfo.Architecture
}
func (c *cmdList) storagePoolColumnData(cInfo api.InstanceFull) string {
for _, v := range cInfo.ExpandedDevices {
if v["type"] == "disk" && v["path"] == "/" {
return v["pool"]
}
}
return ""
}
func (c *cmdList) profilesColumnData(cInfo api.InstanceFull) string {
return strings.Join(cInfo.Profiles, "\n")
}
func (c *cmdList) createdColumnData(cInfo api.InstanceFull) string {
layout := "2006/01/02 15:04 UTC"
if shared.TimeIsSet(cInfo.CreatedAt) {
return cInfo.CreatedAt.UTC().Format(layout)
}
return ""
}
func (c *cmdList) lastUsedColumnData(cInfo api.InstanceFull) string {
layout := "2006/01/02 15:04 UTC"
if !cInfo.LastUsedAt.IsZero() && shared.TimeIsSet(cInfo.LastUsedAt) {
return cInfo.LastUsedAt.UTC().Format(layout)
}
return ""
}
func (c *cmdList) numberOfProcessesColumnData(cInfo api.InstanceFull) string {
if cInfo.IsActive() && cInfo.State != nil {
return fmt.Sprint(cInfo.State.Processes)
}
return ""
}
func (c *cmdList) locationColumnData(cInfo api.InstanceFull) string {
return cInfo.Location
}
func (c *cmdList) matchByType(cInfo *api.Instance, cState *api.InstanceState, query string) bool {
return strings.EqualFold(cInfo.Type, query)
}
func (c *cmdList) matchByStatus(cInfo *api.Instance, cState *api.InstanceState, query string) bool {
return strings.EqualFold(cInfo.Status, query)
}
func (c *cmdList) matchByArchitecture(cInfo *api.Instance, cState *api.InstanceState, query string) bool {
return strings.EqualFold(cInfo.Architecture, query)
}
func (c *cmdList) matchByLocation(cInfo *api.Instance, cState *api.InstanceState, query string) bool {
return strings.EqualFold(cInfo.Location, query)
}
func (c *cmdList) matchByNet(cState *api.InstanceState, query string, family string) bool {
// Skip if no state.
if cState == nil {
return false
}
// Skip if no network data.
if cState.Network == nil {
return false
}
// Consider the filter as a CIDR.
_, subnet, _ := net.ParseCIDR(query)
// Go through interfaces.
for _, network := range cState.Network {
for _, addr := range network.Addresses {
if family == "ipv6" && addr.Family != "inet6" {
continue
}
if family == "ipv4" && addr.Family != "inet" {
continue
}
if addr.Address == query {
return true
}
if subnet != nil {
ipAddr := net.ParseIP(addr.Address)
if ipAddr != nil && subnet.Contains(ipAddr) {
return true
}
}
}
}