File: ArgumentParser.swift

package info (click to toggle)
swiftlang 6.0.3-2
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 2,519,992 kB
  • sloc: cpp: 9,107,863; ansic: 2,040,022; asm: 1,135,751; python: 296,500; objc: 82,456; f90: 60,502; lisp: 34,951; pascal: 19,946; sh: 18,133; perl: 7,482; ml: 4,937; javascript: 4,117; makefile: 3,840; awk: 3,535; xml: 914; fortran: 619; cs: 573; ruby: 573
file content (1189 lines) | stat: -rw-r--r-- 44,015 bytes parent folder | download
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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
/*
 This source file is part of the Swift.org open source project

 Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors
 Licensed under Apache License v2.0 with Runtime Library Exception

 See http://swift.org/LICENSE.txt for license information
 See http://swift.org/CONTRIBUTORS.txt for Swift project authors
*/

import TSCBasic
import Foundation
import func TSCLibc.exit

/// Errors which may be encountered when running argument parser.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public enum ArgumentParserError: Swift.Error {

    /// An unknown option is encountered.
    case unknownOption(String, suggestion: String?)

    /// The value of an argument is invalid.
    case invalidValue(argument: String, error: ArgumentConversionError)

    /// Expected a value from the option.
    case expectedValue(option: String)

    /// An unexpected positional argument encountered.
    case unexpectedArgument(String)

    /// Expected these positional arguments but not found.
    case expectedArguments(ArgumentParser, [String])
  
    /// Expected a single argument but got multiple ones.
    case duplicateArgument(String)
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension ArgumentParserError: LocalizedError {
    public var errorDescription: String? {
        return description
    }
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension ArgumentParserError: CustomStringConvertible {
    public var description: String {
        switch self {
        case .unknownOption(let option, let suggestion):
            var desc = "unknown option \(option); use --help to list available options"
            if let suggestion = suggestion {
                desc += "\nDid you mean \(suggestion)?"
            }
            return desc
        case .invalidValue(let argument, let error):
            return "\(error) for argument \(argument); use --help to print usage"
        case .expectedValue(let option):
            return "option \(option) requires a value; provide a value using '\(option) <value>' or '\(option)=<value>'"
        case .unexpectedArgument(let argument):
            return "unexpected argument \(argument); use --help to list available arguments"
        case .expectedArguments(_, let arguments):
            return "expected arguments: \(arguments.joined(separator: ", "))"
        case .duplicateArgument(let option):
            return "expected single value for argument: \(option)"
        }
    }
}

/// Conversion errors that can be returned from `ArgumentKind`'s failable
/// initializer.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public enum ArgumentConversionError: Swift.Error {

    /// The value is unknown.
    case unknown(value: String)

    /// The value could not be converted to the target type.
    case typeMismatch(value: String, expectedType: Any.Type)

    /// Custom reason for conversion failure.
    case custom(String)
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension ArgumentConversionError: LocalizedError {
    public var errorDescription: String? {
        return description
    }
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension ArgumentConversionError: CustomStringConvertible {
    public var description: String {
        switch self {
        case .unknown(let value):
            return "unknown value '\(value)'"
        case .typeMismatch(let value, let expectedType):
            return "'\(value)' is not convertible to \(expectedType)"
        case .custom(let reason):
            return reason
        }
    }
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension ArgumentConversionError: Equatable {
    public static func ==(lhs: ArgumentConversionError, rhs: ArgumentConversionError) -> Bool {
        switch (lhs, rhs) {
        case (.unknown(let lhsValue), .unknown(let rhsValue)):
            return lhsValue == rhsValue
        case (.unknown, _):
            return false
        case (.typeMismatch(let lhsValue, let lhsType), .typeMismatch(let rhsValue, let rhsType)):
            return lhsValue == rhsValue && lhsType == rhsType
        case (.typeMismatch, _):
            return false
        case (.custom(let lhsReason), .custom(let rhsReason)):
            return lhsReason == rhsReason
        case (.custom, _):
            return false
        }
    }
}

/// Different shells for which we can generate shell scripts.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public enum Shell: String, StringEnumArgument {
    case bash
    case zsh

    public static var completion: ShellCompletion = .values([
        (bash.rawValue, "generate completion script for Bourne-again shell"),
        (zsh.rawValue, "generate completion script for Z shell"),
    ])
}

/// Various shell completions modes supplied by ArgumentKind.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public enum ShellCompletion {
    /// Offers no completions at all.
    ///
    /// e.g. for a string identifier.
    case none
    
    /// No specific completions.
    ///
    /// The tool will provide its own completions.
    case unspecified
    
    /// Offers filename completions.
    case filename
    
    /// Custom function for generating completions.
    ///
    /// Must be provided in the script's scope.
    case function(String)
    
    /// Offers completions from a predefined list.
    ///
    /// A description can be provided which is shown in some shells, like zsh.
    case values([(value: String, description: String)])
}

/// A protocol representing the possible types of arguments.
///
/// Conforming to this protocol will qualify the type to act as
/// positional and option arguments in the argument parser.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public protocol ArgumentKind {
    /// Throwable convertion initializer.
    init(argument: String) throws

    /// Type of shell completion to provide for this argument.
    static var completion: ShellCompletion { get }
}

// MARK: - ArgumentKind conformance for common types

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension String: ArgumentKind {
    public init(argument: String) throws {
        self = argument
    }

    public static let completion: ShellCompletion = .none
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension Int: ArgumentKind {
    public init(argument: String) throws {
        guard let int = Int(argument) else {
            throw ArgumentConversionError.typeMismatch(value: argument, expectedType: Int.self)
        }

        self = int
    }

    public static let completion: ShellCompletion = .none
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension Bool: ArgumentKind {
    public init(argument: String) throws {
        guard let bool = Bool(argument) else {
            throw ArgumentConversionError.unknown(value: argument)
        }

        self = bool
    }

    public static var completion: ShellCompletion = .unspecified
}

/// A protocol which implements ArgumentKind for string initializable enums.
///
/// Conforming to this protocol will automatically make an enum with is
/// String initializable conform to ArgumentKind.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public protocol StringEnumArgument: ArgumentKind {
    init?(rawValue: String)
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension StringEnumArgument {
    public init(argument: String) throws {
        guard let value = Self.init(rawValue: argument) else {
            throw ArgumentConversionError.unknown(value: argument)
        }

        self = value
    }
}

/// An argument representing a path (file / directory).
///
/// The path is resolved in the current working directory.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public struct PathArgument: ArgumentKind {
    public let path: AbsolutePath

    public init(argument: String) throws {
        // FIXME: This should check for invalid paths.
        if let cwd = localFileSystem.currentWorkingDirectory {
            path = try AbsolutePath(validating: argument, relativeTo: cwd)
        } else {
            path = try AbsolutePath(validating: argument)
        }
    }

    public static var completion: ShellCompletion = .filename
}

/// An enum representing the strategy to parse argument values.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public enum ArrayParsingStrategy {
    /// Will parse only the next argument and append all values together: `-Xcc -Lfoo -Xcc -Lbar`.
    case oneByOne

    /// Will parse all values up to the next option argument: `--files file1 file2 --verbosity 1`.
    case upToNextOption

    /// Will parse all remaining arguments, usually for executable commands: `swift run exe --option 1`.
    case remaining

    /// Function that parses the current arguments iterator based on the strategy
    /// and returns the parsed values.
    func parse(_ kind: ArgumentKind.Type, with parser: inout ArgumentParserProtocol) throws -> [ArgumentKind] {
        var values: [ArgumentKind] = []

        switch self {
        case .oneByOne:
            guard let nextArgument = parser.next() else  {
                throw ArgumentParserError.expectedValue(option: parser.currentArgument)
            }

            try values.append(kind.init(argument: nextArgument))

        case .upToNextOption:
            /// Iterate over arguments until the end or an optional argument
            while let nextArgument = parser.peek(), isPositional(argument: nextArgument) {
                /// We need to call next to consume the argument. The peek above did not.
                _ = parser.next()
                try values.append(kind.init(argument: nextArgument))
            }

        case .remaining:
            while let nextArgument = parser.next() {
                try values.append(kind.init(argument: nextArgument))
            }
        }
        
        return values
    }
}

/// A protocol representing positional or options argument.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
protocol ArgumentProtocol: Hashable {
    // FIXME: This should be constrained to ArgumentKind but Array can't conform
    // to it: `extension of type 'Array' with constraints cannot have an
    // inheritance clause`.
    //
    /// The argument kind of this argument for eg String, Bool etc.
    associatedtype ArgumentKindTy

    /// Name of the argument which will be parsed by the parser.
    var name: String { get }

    /// Short name of the argument, this is usually used in options arguments
    /// for a short names for e.g: `--help` -> `-h`.
    var shortName: String? { get }

    /// The parsing strategy to adopt when parsing values.
    var strategy: ArrayParsingStrategy { get }

    /// Defines is the argument is optional
    var isOptional: Bool { get }

    /// The usage text associated with this argument. Used to generate complete help string.
    var usage: String? { get }

    /// The shell completions to offer as values for this argument.
    var completion: ShellCompletion { get }

    // FIXME: Because `ArgumentKindTy`` can't conform to `ArgumentKind`, this
    // function has to be provided a kind (which will be different from
    // ArgumentKindTy for arrays). Once the generics feature exists we can
    // improve this API.
    //
    /// Parses and returns the argument values from the parser.
    func parse(_ kind: ArgumentKind.Type, with parser: inout ArgumentParserProtocol) throws -> [ArgumentKind]
}

// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
extension ArgumentProtocol {
    // MARK: - Conformance for Hashable

    public func hash(into hasher: inout Hasher) {
        return hasher.combine(name)
    }

    public static func == (_ lhs: Self, _ rhs: Self) -> Bool {
        return lhs.name == rhs.name && lhs.usage == rhs.usage
    }
}

/// Returns true if the given argument does not starts with '-' i.e. it is
/// a positional argument, otherwise it is an options argument.
fileprivate func isPositional(argument: String) -> Bool {
    return !argument.hasPrefix("-")
}

/// A class representing option arguments. These are optional arguments which may
/// or may not be provided in the command line. They are always prefixed by their
/// name. For e.g. --verbosity true.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public final class OptionArgument<Kind>: ArgumentProtocol {
    typealias ArgumentKindTy = Kind

    let name: String

    let shortName: String?

    // Option arguments are always optional.
    var isOptional: Bool { return true }

    let strategy: ArrayParsingStrategy

    let usage: String?

    let completion: ShellCompletion

    init(name: String, shortName: String?, strategy: ArrayParsingStrategy, usage: String?, completion: ShellCompletion) {
        precondition(!isPositional(argument: name))
        self.name = name
        self.shortName = shortName
        self.strategy = strategy
        self.usage = usage
        self.completion = completion
    }

    func parse(_ kind: ArgumentKind.Type, with parser: inout ArgumentParserProtocol) throws -> [ArgumentKind] {
        do {
            return try _parse(kind, with: &parser)
        } catch let conversionError as ArgumentConversionError {
            throw ArgumentParserError.invalidValue(argument: name, error: conversionError)
        }
    }

    func _parse(_ kind: ArgumentKind.Type, with parser: inout ArgumentParserProtocol) throws -> [ArgumentKind] {
        // When we have an associated value, we ignore the strategy and only
        // parse that value.
        if let associatedArgument = parser.associatedArgumentValue {
            return try [kind.init(argument: associatedArgument)]
        }

        // As a special case, Bool options don't consume arguments.
        if kind == Bool.self && strategy == .oneByOne {
            return [true]
        }

        let values = try strategy.parse(kind, with: &parser)
        guard !values.isEmpty else {
            throw ArgumentParserError.expectedValue(option: name)
        }

        return values
    }
}

/// A class representing positional arguments. These arguments must be present
/// and in the same order as they are added in the parser.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public final class PositionalArgument<Kind>: ArgumentProtocol {

    typealias ArgumentKindTy = Kind

    let name: String

    // Postional arguments don't need short names.
    var shortName: String? { return nil }

    let strategy: ArrayParsingStrategy

    let isOptional: Bool

    let usage: String?

    let completion: ShellCompletion

    init(name: String, strategy: ArrayParsingStrategy, optional: Bool, usage: String?, completion: ShellCompletion) {
        precondition(isPositional(argument: name))
        self.name = name
        self.strategy = strategy
        self.isOptional = optional
        self.usage = usage
        self.completion = completion
    }

    func parse(_ kind: ArgumentKind.Type, with parser: inout ArgumentParserProtocol) throws -> [ArgumentKind] {
        do {
            return try _parse(kind, with: &parser)
        } catch let conversionError as ArgumentConversionError {
            throw ArgumentParserError.invalidValue(argument: name, error: conversionError)
        }
    }

    func _parse(_ kind: ArgumentKind.Type, with parser: inout ArgumentParserProtocol) throws -> [ArgumentKind] {
        let value = try kind.init(argument: parser.currentArgument)

        var values = [value]

        switch strategy {
        case .oneByOne:
            // We shouldn't apply the strategy with `.oneByOne` because we
            // already have one, the parsed `parser.currentArgument`.
            break

        case .upToNextOption, .remaining:
            try values.append(contentsOf: strategy.parse(kind, with: &parser))
        }

        return values
    }
}

/// A type-erased argument.
///
/// Note: Only used for argument parsing purpose.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
final class AnyArgument: ArgumentProtocol, CustomStringConvertible {
    typealias ArgumentKindTy = Any

    let name: String

    let shortName: String?

    let strategy: ArrayParsingStrategy

    let isOptional: Bool

    let usage: String?

    let completion: ShellCompletion

    /// The argument kind this holds, used while initializing that argument.
    let kind: ArgumentKind.Type

    /// True if the argument kind is of array type.
    let isArray: Bool

    /// A type-erased wrapper around the argument's `parse` function.
    private let parseClosure: (ArgumentKind.Type, inout ArgumentParserProtocol) throws -> [ArgumentKind]

    init<T: ArgumentProtocol>(_ argument: T) {
        self.kind = T.ArgumentKindTy.self as! ArgumentKind.Type
        self.name = argument.name
        self.shortName = argument.shortName
        self.strategy = argument.strategy
        self.isOptional = argument.isOptional
        self.usage = argument.usage
        self.completion = argument.completion
        self.parseClosure = argument.parse(_:with:)
        isArray = false
    }

    /// Initializer for array arguments.
    init<T: ArgumentProtocol>(_ argument: T) where T.ArgumentKindTy: Sequence {
        self.kind = T.ArgumentKindTy.Element.self as! ArgumentKind.Type
        self.name = argument.name
        self.shortName = argument.shortName
        self.strategy = argument.strategy
        self.isOptional = argument.isOptional
        self.usage = argument.usage
        self.completion = argument.completion
        self.parseClosure = argument.parse(_:with:)
        isArray = true
    }

    var description: String {
        return "Argument(\(name))"
    }

    func parse(_ kind: ArgumentKind.Type, with parser: inout ArgumentParserProtocol) throws -> [ArgumentKind] {
        return try self.parseClosure(kind, &parser)
    }

    func parse(with parser: inout ArgumentParserProtocol) throws -> [ArgumentKind] {
        return try self.parseClosure(self.kind, &parser)
    }
}

// FIXME: We probably don't need this protocol anymore and should convert this to a class.
//
/// Argument parser protocol passed in initializers of ArgumentKind to manipulate
/// parser as needed by the argument.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public protocol ArgumentParserProtocol {
    /// The current argument being parsed.
    var currentArgument: String { get }

    /// The associated value in a `--foo=bar` style argument.
    var associatedArgumentValue: String? { get }

    /// Provides (consumes) and returns the next argument. Returns `nil` if there are not arguments left.
    mutating func next() -> String?

    /// Peek at the next argument without consuming it.
    func peek() -> String?
}

/// Argument parser struct responsible to parse the provided array of arguments
/// and return the parsed result.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public final class ArgumentParser {

    /// A class representing result of the parsed arguments.
    public class Result: CustomStringConvertible {
        /// Internal representation of arguments mapped to their values.
        private var results = [String: Any]()

        /// Result of the parent parent parser, if any.
        private var parentResult: Result?

        /// Reference to the parser this result belongs to.
        private let parser: ArgumentParser

        /// The subparser command chosen.
        fileprivate var subparser: String?

        /// Create a result with a parser and parent result.
        init(parser: ArgumentParser, parent: Result?) {
            self.parser = parser
            self.parentResult = parent
        }

        /// Adds a result.
        ///
        /// - Parameters:
        ///     - values: The associated values of the argument.
        ///     - argument: The argument for which this result is being added.
        /// - Note:
        ///     While it may seem more fragile to use an array as input in the
        ///     case of single-value arguments, this design choice allows major
        ///     simplifications in the parsing code.
        fileprivate func add(_ values: [ArgumentKind], for argument: AnyArgument) throws {
            if argument.isArray {
                var array = results[argument.name] as? [ArgumentKind] ?? []
                array.append(contentsOf: values)
                results[argument.name] = array
            } else {
                // We expect only one value for non-array arguments.
                guard let value = values.spm_only else {
                    assertionFailure()
                    return
                }
              
                guard results[argument.name] == nil else {
                    throw ArgumentParserError.duplicateArgument(argument.name)
                }
              
                results[argument.name] = value
            }
        }

        /// Get an option argument's value from the results.
        ///
        /// Since the options are optional, their result may or may not be present.
        public func get<T>(_ argument: OptionArgument<T>) -> T? {
            return (results[argument.name] as? T) ?? parentResult?.get(argument)
        }

        /// Array variant for option argument's get(_:).
        public func get<T>(_ argument: OptionArgument<[T]>) -> [T]? {
            return (results[argument.name] as? [T]) ?? parentResult?.get(argument)
        }

        /// Get a positional argument's value.
        public func get<T>(_ argument: PositionalArgument<T>) -> T? {
            return results[argument.name] as? T
        }

        /// Array variant for positional argument's get(_:).
        public func get<T>(_ argument: PositionalArgument<[T]>) -> [T]? {
            return results[argument.name] as? [T]
        }

        /// Get an argument's value using its name.
        /// - throws: An ArgumentParserError.invalidValue error if the parsed argument does not match the expected type.
        public func get<T>(_ name: String) throws -> T? {
            guard let value = results[name] else {
                // if we have a parent and this is an option argument, look in the parent result
                if let parentResult = parentResult, name.hasPrefix("-") {
                    return try parentResult.get(name)
                } else {
                    return nil
                }
            }
            guard let typedValue = value as? T else {
                throw ArgumentParserError.invalidValue(argument: name, error: .typeMismatch(value: String(describing: value), expectedType: T.self))
            }
            return typedValue
        }

        /// Returns true if the given arg is present in the results.
        public func exists(arg: String) -> Bool {
            return results[arg] != nil
        }

        /// Get the subparser which was chosen for the given parser.
        public func subparser(_ parser: ArgumentParser) -> String? {
            if parser === self.parser {
                return subparser
            }
            return parentResult?.subparser(parser)
        }

        public var description: String {
            var description = "ArgParseResult(\(results))"
            if let parent = parentResult {
                description += " -> " + parent.description
            }
            return description
        }
    }

    /// The mapping of subparsers to their subcommand.
    private(set) var subparsers: [String: ArgumentParser] = [:]

    /// List of arguments added to this parser.
    private(set) var optionArguments: [AnyArgument] = []
    private(set) var positionalArguments: [AnyArgument] = []

    // If provided, will be substituted instead of arg0 in usage text.
    let commandName: String?

    /// Usage string of this parser.
    let usage: String

    /// Overview text of this parser.
    let overview: String
    
    /// See more text of this parser.
    let seeAlso: String?

    /// If this parser is a subparser.
    private let isSubparser: Bool

    /// Boolean specifying if the parser can accept further positional
    /// arguments (false if it already has a positional argument with
    /// `isOptional` set to `true` or strategy set to `.remaining`).
    private var canAcceptPositionalArguments: Bool = true

    /// Create an argument parser.
    ///
    /// - Parameters:
    ///   - commandName: If provided, this will be substitued in "usage" line of the generated usage text.
    ///   Otherwise, first command line argument will be used.
    ///   - usage: The "usage" line of the generated usage text.
    ///   - overview: The "overview" line of the generated usage text.
    ///   - seeAlso: The "see also" line of generated usage text.
    public init(commandName: String? = nil, usage: String, overview: String, seeAlso: String? = nil) {
        self.isSubparser = false
        self.commandName = commandName
        self.usage = usage
        self.overview = overview
        self.seeAlso = seeAlso
    }

    /// Create a subparser with its help text.
    private init(subparser commandName: String, usage: String, overview: String) {
        self.isSubparser = true
        self.commandName = commandName
        self.usage = usage
        self.overview = overview
        self.seeAlso = nil
    }

    /// Adds an option to the parser.
    public func add<T: ArgumentKind>(
        option: String,
        shortName: String? = nil,
        kind: T.Type = T.self,
        usage: String? = nil,
        completion: ShellCompletion? = nil
    ) -> OptionArgument<T> {
        assert(!optionArguments.contains(where: { $0.name == option }), "Can not define an option twice")

        let argument = OptionArgument<T>(name: option, shortName: shortName, strategy: .oneByOne, usage: usage, completion: completion ?? T.completion)
        optionArguments.append(AnyArgument(argument))
        return argument
    }

    /// Adds an array argument type.
    public func add<T: ArgumentKind>(
        option: String,
        shortName: String? = nil,
        kind: [T].Type = [T].self,
        strategy: ArrayParsingStrategy = .upToNextOption,
        usage: String? = nil,
        completion: ShellCompletion? = nil
    ) -> OptionArgument<[T]> {
        assert(!optionArguments.contains(where: { $0.name == option }), "Can not define an option twice")

        let argument = OptionArgument<[T]>(name: option, shortName: shortName, strategy: strategy, usage: usage, completion: completion ?? T.completion)
        optionArguments.append(AnyArgument(argument))
        return argument
    }

    /// Adds an argument to the parser.
    ///
    /// Note: Only one positional argument is allowed if optional setting is enabled.
    public func add<T: ArgumentKind>(
        positional: String,
        kind: T.Type = T.self,
        optional: Bool = false,
        usage: String? = nil,
        completion: ShellCompletion? = nil
    ) -> PositionalArgument<T> {
        precondition(subparsers.isEmpty, "Positional arguments are not supported with subparsers")
        precondition(canAcceptPositionalArguments, "Can not accept more positional arguments")

        if optional {
            canAcceptPositionalArguments = false
        }

        let argument = PositionalArgument<T>(name: positional, strategy: .oneByOne, optional: optional, usage: usage, completion: completion ?? T.completion)
        positionalArguments.append(AnyArgument(argument))
        return argument
    }

    /// Adds an argument to the parser.
    ///
    /// Note: Only one multiple-value positional argument is allowed.
    public func add<T: ArgumentKind>(
        positional: String,
        kind: [T].Type = [T].self,
        optional: Bool = false,
        strategy: ArrayParsingStrategy = .upToNextOption,
        usage: String? = nil,
        completion: ShellCompletion? = nil
    ) -> PositionalArgument<[T]> {
        precondition(subparsers.isEmpty, "Positional arguments are not supported with subparsers")
        precondition(canAcceptPositionalArguments, "Can not accept more positional arguments")

        if optional || strategy == .remaining {
            canAcceptPositionalArguments = false
        }

        let argument = PositionalArgument<[T]>(name: positional, strategy: strategy, optional: optional, usage: usage, completion: completion ?? T.completion)
        positionalArguments.append(AnyArgument(argument))
        return argument
    }

    /// Add a parser with a subcommand name and its corresponding overview.
    @discardableResult
    public func add(subparser command: String, usage: String = "", overview: String) -> ArgumentParser {
        precondition(positionalArguments.isEmpty, "Subparsers are not supported with positional arguments")
        let parser = ArgumentParser(subparser: command, usage: usage, overview: overview)
        subparsers[command] = parser
        return parser
    }

    // MARK: - Parsing

    /// A wrapper struct to pass to the ArgumentKind initializers.
    struct Parser: ArgumentParserProtocol {
        let currentArgument: String
        private(set) var associatedArgumentValue: String?

        /// The iterator used to iterate arguments.
        fileprivate var argumentsIterator: IndexingIterator<[String]>

        init(associatedArgumentValue: String?, argumentsIterator: IndexingIterator<[String]>, currentArgument: String) {
            self.associatedArgumentValue = associatedArgumentValue
            self.argumentsIterator = argumentsIterator
            self.currentArgument = currentArgument
        }

        mutating func next() -> String? {
            return argumentsIterator.next()
        }

        func peek() -> String? {
            var iteratorCopy = argumentsIterator
            let nextArgument = iteratorCopy.next()
            return nextArgument
        }
    }

    /// Parses the provided array and return the result.
    public func parse(_ arguments: [String] = []) throws -> Result {
        return try parse(arguments, parent: nil)
    }

    private func parse(_ arguments: [String] = [], parent: Result?) throws -> Result {
        let result = Result(parser: self, parent: parent)
        // Create options map to quickly look up the arguments.
        let optionsTuple = optionArguments.flatMap({ option -> [(String, AnyArgument)] in
            var result = [(option.name, option)]
            // Add the short names too, if we have them.
            if let shortName = option.shortName {
                result += [(shortName, option)]
            }
            return result
        })
        let optionsMap = Dictionary(uniqueKeysWithValues: optionsTuple)

        // Create iterators.
        var positionalArgumentIterator = positionalArguments.makeIterator()
        var argumentsIterator = arguments.makeIterator()

        while let argumentString = argumentsIterator.next() {
            let argument: AnyArgument
            let parser: Parser

            // If argument is help then just print usage and exit.
            if argumentString == "-h" || argumentString == "-help" || argumentString == "--help" {
                printUsage(on: stdoutStream)
                exit(0)
            } else if isPositional(argument: argumentString) {
                /// If this parser has subparsers, we allow only one positional argument which is the subparser command.
                if !subparsers.isEmpty {
                    // Make sure this argument has a subparser.
                    guard let subparser = subparsers[argumentString] else {
                        throw ArgumentParserError.expectedArguments(self, Array(subparsers.keys))
                    }
                    // Save which subparser was chosen.
                    result.subparser = argumentString
                    // Parse reset of the arguments with the subparser.
                    return try subparser.parse(Array(argumentsIterator), parent: result)
                }

                // Get the next positional argument we are expecting.
                guard let positionalArgument = positionalArgumentIterator.next() else {
                    throw ArgumentParserError.unexpectedArgument(argumentString)
                }

                argument = positionalArgument
                parser = Parser(
                    associatedArgumentValue: nil,
                    argumentsIterator: argumentsIterator,
                    currentArgument: argumentString)
            } else {
                let (argumentString, value) = argumentString.spm_split(around: "=")
                // Get the corresponding option for the option argument.
                guard let optionArgument = optionsMap[argumentString] else {
                    let suggestion = bestMatch(for: argumentString, from: Array(optionsMap.keys))
                    throw ArgumentParserError.unknownOption(argumentString, suggestion: suggestion)
                }

                argument = optionArgument
                parser = Parser(
                    associatedArgumentValue: value,
                    argumentsIterator: argumentsIterator,
                    currentArgument: argumentString)
            }

            // Update results.
            var parserProtocol = parser as ArgumentParserProtocol
            let values = try argument.parse(with: &parserProtocol)
            try result.add(values, for: argument)
            // Restore the argument iterator state.
            argumentsIterator = (parserProtocol as! Parser).argumentsIterator
        }
        // Report if there are any non-optional positional arguments left which were not present in the arguments.
        let leftOverArguments = Array(positionalArgumentIterator)
        if leftOverArguments.contains(where: { !$0.isOptional }) {
            throw ArgumentParserError.expectedArguments(self, leftOverArguments.map({ $0.name }))
        }
        return result
    }

    /// Prints usage text for this parser on the provided stream.
    public func printUsage(on stream: WritableByteStream) {
        /// Space settings.
        let maxWidthDefault = 24
        let padding = 2

        let maxWidth: Int
        // Determine the max width based on argument length or choose the
        // default width if max width is longer than the default width.
        if let maxArgument = (positionalArguments + optionArguments).map({
            [$0.name, $0.shortName].compactMap({ $0 }).joined(separator: ", ").count
        }).max(), maxArgument < maxWidthDefault {
            maxWidth = maxArgument + padding + 1
        } else {
            maxWidth = maxWidthDefault
        }

        /// Prints an argument on a stream if it has usage.
        func print(formatted argument: String, usage: String, on stream: WritableByteStream) {
            // Start with a new line and add some padding.
            stream.send("\n").send(Format.asRepeating(string: " ", count: padding))
            let count = argument.count
            // If the argument is longer than the max width, print the usage
            // on a new line. Otherwise, print the usage on the same line.
            if count >= maxWidth - padding {
                stream.send(argument).send("\n")
                // Align full width because usage is to be printed on a new line.
                stream.send(Format.asRepeating(string: " ", count: maxWidth + padding))
            } else {
                stream.send(argument)
                // Align to the remaining empty space on the line.
                stream.send(Format.asRepeating(string: " ", count: maxWidth - count))
            }
            stream.send(usage)
        }

        stream.send("OVERVIEW: ").send(overview)

        if !usage.isEmpty {
            stream.send("\n\n")
            // Get the binary name from command line arguments.
            let defaultCommandName = CommandLine.arguments[0].components(separatedBy: "/").last!
            stream.send("USAGE: ").send(commandName ?? defaultCommandName).send(" ").send(usage)
        }

        if optionArguments.count > 0 {
            stream.send("\n\nOPTIONS:")
            for argument in optionArguments.lazy.sorted(by: { $0.name < $1.name }) {
                guard let usage = argument.usage else { continue }
                // Create name with its shortname, if available.
                let name = [argument.name, argument.shortName].compactMap({ $0 }).joined(separator: ", ")
                print(formatted: name, usage: usage, on: stream)
            }

            // Print help option, if this is a top level command.
            if !isSubparser {
                print(formatted: "--help", usage: "Display available options", on: stream)
            }
        }

        if subparsers.keys.count > 0 {
            stream.send("\n\nSUBCOMMANDS:")
            for (command, parser) in subparsers.sorted(by: { $0.key < $1.key }) {
                // Special case for hidden subcommands.
                guard !parser.overview.isEmpty else { continue }
                print(formatted: command, usage: parser.overview, on: stream)
            }
        }

        if positionalArguments.count > 0 {
            stream.send("\n\nPOSITIONAL ARGUMENTS:")
            for argument in positionalArguments {
                guard let usage = argument.usage else { continue }
                print(formatted: argument.name, usage: usage, on: stream)
            }
        }
        
        if let seeAlso = seeAlso {
            stream.send("\n\n")
            stream.send("SEE ALSO: \(seeAlso)")
        }
        
        stream.send("\n")
        stream.flush()
    }
}

/// A class to bind ArgumentParser's arguments to an option structure.
// deprecated 2/2021
@available(*, deprecated, message: "use swift-argument-parser instead")
public final class ArgumentBinder<Options> {
    /// The signature of body closure.
    private typealias BodyClosure = (inout Options, ArgumentParser.Result) throws -> Void

    /// This array holds the closures which should be executed to fill the options structure.
    private var bodies = [BodyClosure]()

    /// Create a binder.
    public init() {
    }

    /// Bind an option argument.
    public func bind<T>(
        option: OptionArgument<T>,
        to body: @escaping (inout Options, T) throws -> Void
    ) {
        addBody {
            guard let result = $1.get(option) else { return }
            try body(&$0, result)
        }
    }

    /// Bind an array option argument.
    public func bindArray<T>(
        option: OptionArgument<[T]>,
        to body: @escaping (inout Options, [T]) throws -> Void
    ) {
        addBody {
            guard let result = $1.get(option) else { return }
            try body(&$0, result)
        }
    }

    /// Bind a positional argument.
    public func bind<T>(
        positional: PositionalArgument<T>,
        to body: @escaping (inout Options, T) throws -> Void
    ) {
        addBody {
            // All the positional argument will always be present.
            guard let result = $1.get(positional) else { return }
            try body(&$0, result)
        }
    }

    /// Bind an array positional argument.
    public func bindArray<T>(
        positional: PositionalArgument<[T]>,
        to body: @escaping (inout Options, [T]) throws -> Void
    ) {
        addBody {
            // All the positional argument will always be present.
            guard let result = $1.get(positional) else { return }
            try body(&$0, result)
        }
    }

    /// Bind two positional arguments.
    public func bindPositional<T, U>(
        _ first: PositionalArgument<T>,
        _ second: PositionalArgument<U>,
        to body: @escaping (inout Options, T, U) throws -> Void
    ) {
        addBody {
            // All the positional arguments will always be present.
            guard let first = $1.get(first) else { return }
            guard let second = $1.get(second) else { return }
            try body(&$0, first, second)
        }
    }

    /// Bind three positional arguments.
    public func bindPositional<T, U, V>(
        _ first: PositionalArgument<T>,
        _ second: PositionalArgument<U>,
        _ third: PositionalArgument<V>,
        to body: @escaping (inout Options, T, U, V) throws -> Void
    ) {
        addBody {
            // All the positional arguments will always be present.
            guard let first = $1.get(first) else { return }
            guard let second = $1.get(second) else { return }
            guard let third = $1.get(third) else { return }
            try body(&$0, first, second, third)
        }
    }

    /// Bind two options.
    public func bind<T, U>(
        _ first: OptionArgument<T>,
        _ second: OptionArgument<U>,
        to body: @escaping (inout Options, T?, U?) throws -> Void
    ) {
        addBody {
            try body(&$0, $1.get(first), $1.get(second))
        }
    }

    /// Bind three options.
    public func bind<T, U, V>(
        _ first: OptionArgument<T>,
        _ second: OptionArgument<U>,
        _ third: OptionArgument<V>,
        to body: @escaping (inout Options, T?, U?, V?) throws -> Void
    ) {
        addBody {
            try body(&$0, $1.get(first), $1.get(second), $1.get(third))
        }
    }

    /// Bind two array options.
    public func bindArray<T, U>(
        _ first: OptionArgument<[T]>,
        _ second: OptionArgument<[U]>,
        to body: @escaping (inout Options, [T], [U]) throws -> Void
    ) {
        addBody {
            try body(&$0, $1.get(first) ?? [], $1.get(second) ?? [])
        }
    }

    /// Add three array option and call the final closure with their values.
    public func bindArray<T, U, V>(
        _ first: OptionArgument<[T]>,
        _ second: OptionArgument<[U]>,
        _ third: OptionArgument<[V]>,
        to body: @escaping (inout Options, [T], [U], [V]) throws -> Void
     ) {
        addBody {
            try body(&$0, $1.get(first) ?? [], $1.get(second) ?? [], $1.get(third) ?? [])
        }
    }

    /// Bind a subparser.
    public func bind(
        parser: ArgumentParser,
        to body: @escaping (inout Options, String) throws -> Void
    ) {
        addBody {
            guard let result = $1.subparser(parser) else { return }
            try body(&$0, result)
        }
    }

    /// Appends a closure to bodies array.
    private func addBody(_ body: @escaping BodyClosure) {
        bodies.append(body)
    }

    /// Fill the result into the options structure,
    /// throwing if one of the user-provided binder function throws.
    public func fill(parseResult result: ArgumentParser.Result, into options: inout Options) throws {
        try bodies.forEach { try $0(&options, result) }
    }

    /// Fill the result into the options structure.
    @available(*, deprecated, renamed: "fill(parseResult:into:)")
    public func fill(_ result: ArgumentParser.Result, into options: inout Options) {
        try! fill(parseResult: result, into: &options)
    }

}