Difference between revisions of "Code Snippet: Random Strings"

From Coder Merlin
(Created page with "== Select a Random String from an Array == <syntaxhighlight lang="swift"> // Select a random string from an array and print the result let verbs = ["walk", "jump", "run", "swi...")
 
Line 12: Line 12:
if let verb = verbs.randomElement() {// Note: randomElement() returns an optional string
if let verb = verbs.randomElement() {// Note: randomElement() returns an optional string
     print(verb)
     print(verb)
}
</syntaxhighlight>
<syntaxhighlight lang="swift">
// Select multiple random strings from two arrays and print the results
let geographicFeatures = ["river", "lake", "ocean", "mountain", "desert"]
let verbAndPrepositions = ["walk to", "jump over", "run to", "dance around"]
for _ in 0 ..< Int.random(in: 3...5) {
    let verb = verbAndPrepositions.randomElement()!
    let geographicFeature = geographicFeatures.randomElement()!
    print("\(verb) the \(geographicFeature)")
}
}
</syntaxhighlight>
</syntaxhighlight>

Revision as of 00:26, 4 December 2018

Within these castle walls be forged Mavens of Computer Science ...
— Merlin, The Coder

Select a Random String from an Array[edit]

// Select a random string from an array and print the result
let verbs = ["walk", "jump", "run", "swim", "dance"]                                                                                                                                                                                                                                                                                                                
let verb = verbs[Int.random(in:0..<verbs.count)]                                                                                                                                                                                                                                                                                                                    
print(verb)
// Select a random string from an array and print the result (with syntactic sugar)
let verbs = ["walk", "jump", "run", "swim", "dance"]
if let verb = verbs.randomElement() {// Note: randomElement() returns an optional string
    print(verb)
}
// Select multiple random strings from two arrays and print the results 
let geographicFeatures = ["river", "lake", "ocean", "mountain", "desert"]
let verbAndPrepositions = ["walk to", "jump over", "run to", "dance around"]

for _ in 0 ..< Int.random(in: 3...5) {
    let verb = verbAndPrepositions.randomElement()!
    let geographicFeature = geographicFeatures.randomElement()!
    print("\(verb) the \(geographicFeature)")
}

Shuffle an Array[edit]

let verbs = ["walk", "jump", "run", "swim", "dance"]
let shuffledVerbs = verbs.shuffled()
for verb in shuffledVerbs {
    print(verb)
}