Come faccio a mescolare un array in Swift?


305

Come faccio a randomizzare o mescolare gli elementi all'interno di un array in Swift? Ad esempio, se il mio array è composto da 52 carte da gioco, voglio farlo mescolare la matrice per mescolare il mazzo.


2
questo non è specifico per nessuna lingua. Basta applicare qualsiasi algoritmo di mescolamento ...
Gabriele Petronella,

8
@Mithrandir Non è vero. In Ruby uno andrebbe per array.shuffle. Non è necessario implementare la tua versione. Immagino che OP stesse cercando qualcosa di simile.
Linus Oleander

1
fai attenzione, però, non usare solo alcun algoritmo shuffle per mescolare un mazzo di carte.
njzk2,

Risposte:


627

Questa risposta spiega come mescolare con un algoritmo veloce e uniforme (Fisher-Yates) in Swift 4.2+ e come aggiungere la stessa funzione nelle varie versioni precedenti di Swift. La denominazione e il comportamento di ciascuna versione di Swift corrispondono ai metodi di ordinamento mutanti e non mutanti per quella versione.

Swift 4.2+

shufflee shuffledsono nativi a partire da Swift 4.2. Esempio di utilizzo:

let x = [1, 2, 3].shuffled()
// x == [2, 3, 1]

let fiveStrings = stride(from: 0, through: 100, by: 5).map(String.init).shuffled()
// fiveStrings == ["20", "45", "70", "30", ...]

var numbers = [1, 2, 3, 4]
numbers.shuffle()
// numbers == [3, 2, 1, 4]

Swift 4.0 e 4.1

Queste estensioni aggiungono un shuffle()metodo a qualsiasi raccolta mutabile (array e buffer mutabili non sicuri) e un shuffled()metodo a qualsiasi sequenza:

extension MutableCollection {
    /// Shuffles the contents of this collection.
    mutating func shuffle() {
        let c = count
        guard c > 1 else { return }

        for (firstUnshuffled, unshuffledCount) in zip(indices, stride(from: c, to: 1, by: -1)) {
            // Change `Int` in the next line to `IndexDistance` in < Swift 4.1
            let d: Int = numericCast(arc4random_uniform(numericCast(unshuffledCount)))
            let i = index(firstUnshuffled, offsetBy: d)
            swapAt(firstUnshuffled, i)
        }
    }
}

extension Sequence {
    /// Returns an array with the contents of this sequence, shuffled.
    func shuffled() -> [Element] {
        var result = Array(self)
        result.shuffle()
        return result
    }
}

Stesso utilizzo degli esempi precedenti di Swift 4.2.


Swift 3

Queste estensioni aggiungono un shuffle()metodo a qualsiasi raccolta mutabile e un shuffled()metodo a qualsiasi sequenza:

extension MutableCollection where Indices.Iterator.Element == Index {
    /// Shuffles the contents of this collection.
    mutating func shuffle() {
        let c = count
        guard c > 1 else { return }

        for (firstUnshuffled , unshuffledCount) in zip(indices, stride(from: c, to: 1, by: -1)) {
            // Change `Int` in the next line to `IndexDistance` in < Swift 3.2
            let d: Int = numericCast(arc4random_uniform(numericCast(unshuffledCount)))
            guard d != 0 else { continue }
            let i = index(firstUnshuffled, offsetBy: d)
            self.swapAt(firstUnshuffled, i)
        }
    }
}

extension Sequence {
    /// Returns an array with the contents of this sequence, shuffled.
    func shuffled() -> [Iterator.Element] {
        var result = Array(self)
        result.shuffle()
        return result
    }
}

Stesso utilizzo degli esempi precedenti di Swift 4.2.


Swift 2

(linguaggio obsoleto: non è possibile utilizzare Swift 2.x per pubblicare su iTunes Connect a partire da luglio 2018)

extension MutableCollectionType where Index == Int {
    /// Shuffle the elements of `self` in-place.
    mutating func shuffleInPlace() {
        // empty and single-element collections don't shuffle
        if count < 2 { return }

        for i in startIndex ..< endIndex - 1 {
            let j = Int(arc4random_uniform(UInt32(count - i))) + i
            guard i != j else { continue }
            swap(&self[i], &self[j])
        }
    }
}

extension CollectionType {
    /// Return a copy of `self` with its elements shuffled.
    func shuffle() -> [Generator.Element] {
        var list = Array(self)
        list.shuffleInPlace()
        return list
    }
}

Uso:

[1, 2, 3].shuffle()
// [2, 3, 1]

let fiveStrings = 0.stride(through: 100, by: 5).map(String.init).shuffle()
// ["20", "45", "70", "30", ...]

var numbers = [1, 2, 3, 4]
numbers.shuffleInPlace()
// [3, 2, 1, 4]

Swift 1.2

(linguaggio obsoleto: non è possibile utilizzare Swift 1.x per pubblicare su iTunes Connect a partire da luglio 2018)

shuffle come metodo di matrice mutante

Questa estensione ti consentirà di mescolare Arrayun'istanza mutabile in atto:

extension Array {
    mutating func shuffle() {
        if count < 2 { return }
        for i in 0..<(count - 1) {
            let j = Int(arc4random_uniform(UInt32(count - i))) + i
            swap(&self[i], &self[j])
        }
    }
}
var numbers = [1, 2, 3, 4, 5, 6, 7, 8]
numbers.shuffle()                     // e.g., numbers == [6, 1, 8, 3, 2, 4, 7, 5]

shuffled come metodo di matrice non mutante

Questa estensione ti consentirà di recuperare una copia casuale di Arrayun'istanza:

extension Array {
    func shuffled() -> [T] {
        if count < 2 { return self }
        var list = self
        for i in 0..<(list.count - 1) {
            let j = Int(arc4random_uniform(UInt32(list.count - i))) + i
            swap(&list[i], &list[j])
        }
        return list
    }
}
let numbers = [1, 2, 3, 4, 5, 6, 7, 8]
let mixedup = numbers.shuffled()     // e.g., mixedup == [6, 1, 8, 3, 2, 4, 7, 5]

1
Nel caso in cui si desideri la versione della funzione in Swift 1.2, ha bisogno di un po 'di aggiornamento come countElementsè andato, e la sua sostituzione count, ora restituisce un T.Index.Distancequindi il vincolo deve essere attivo C.Index.Distance == Int. Questa versione dovrebbe funzionare: gist.github.com/airspeedswift/03d07a9dc86fabdc370f
Airspeed Velocity

2
Questi sono i risultati effettivi: Fisher-Yates dovrebbe restituire una permutazione casuale imparziale della fonte, quindi non è necessario che un particolare elemento si sposti. V'è una garanzia che nessun elemento si muove più di una volta, ma a volte il "movimento" è allo stesso indice. Il caso più semplice è pensare: [1, 2].shuffled()dovrebbe tornare [2, 1]ogni volta?
Nate Cook,

1
Ho aggiunto if count > 0nella parte superiore della funzione di matrice mutante, per impedire la ricezione di un "errore fatale: impossibile formare l'intervallo con end <inizio" quando viene passato un array vuoto.
Carl Smith,

3
@Jan: Sì, aggiungi guard i != j else { continue }prima dello scambio. Ho presentato un radar, ma il nuovo comportamento è intenzionale.
Nate Cook,

3
In realtà shuffleInPlacepuò arrestarsi in modo anomalo se gli indici di raccolta non iniziano da zero, ad esempio per una porzione di array. for i in 0..<count - 1 dovrebbe essere for i in startIndex ..< endIndex - 1(e quindi la conversione in Swift 3 diventa quasi banale).
Martin R,

131

Modifica: come notato in altre risposte, Swift 4.2 finalmente aggiunge generazione di numeri casuali alla libreria standard, completa di shuffle di array.

Tuttavia, la GKRandom/ GKRandomDistributionsuite in GameplayKit può ancora essere utile con il nuovo RandomNumberGeneratorprotocollo: se aggiungi estensioni agli RNG GameplayKit per conformarsi al nuovo protocollo di libreria standard, puoi facilmente ottenere:

  • RNG inviati (che possono riprodurre una sequenza "casuale" quando necessario per il test)
  • RNG che sacrificano la robustezza per la velocità
  • RNG che producono distribuzioni non uniformi

... e ancora utilizzare le nuove e simpatiche API casuali "native" in Swift.

Il resto di questa risposta riguarda tali RNG e / o il loro uso nei compilatori Swift precedenti.


Ci sono già alcune buone risposte qui, così come alcune buone illustrazioni del perché scrivere il proprio shuffle può essere soggetto a errori se non stai attento.

In iOS 9, macOS 10.11 e tvOS 9 (o versioni successive), non devi scrivere il tuo. Esiste un'implementazione efficiente e corretta di Fisher-Yates in GameplayKit (che, nonostante il nome, non è solo per i giochi).

Se vuoi solo un shuffle unico:

let shuffled = GKRandomSource.sharedRandom().arrayByShufflingObjects(in: array)

Se vuoi essere in grado di replicare un shuffle o una serie di shuffle, scegli e semina una fonte casuale specifica; per esempio

let lcg = GKLinearCongruentialRandomSource(seed: mySeedValue)
let shuffled = lcg.arrayByShufflingObjects(in: array)

In iOS 10 / macOS 10.12 / tvOS 10, c'è anche una comoda sintassi per la riproduzione casuale tramite un'estensione attivata NSArray. Certo, è un po 'ingombrante quando si utilizza Swift Array(e perde il suo tipo di elemento al ritorno su Swift):

let shuffled1 = (array as NSArray).shuffled(using: random) // -> [Any]
let shuffled2 = (array as NSArray).shuffled() // use default random source

Ma è abbastanza facile realizzare un wrapper Swift che preservi il tipo:

extension Array {
    func shuffled(using source: GKRandomSource) -> [Element] {
        return (self as NSArray).shuffled(using: source) as! [Element]
    }
    func shuffled() -> [Element] {
        return (self as NSArray).shuffled() as! [Element]
    }
}
let shuffled3 = array.shuffled(using: random)
let shuffled4 = array.shuffled()

6
Mi chiedo quali altre utilità utili si possano trovare in GameplayKit che non ho mai esplorato!
Richard Venable,

6
Ricerca di grafici, ricerca di alberi, sistemi di regole ... molte cose utili sia nella progettazione del gioco che in altro modo.
rickster,

5
In Swift 3 / iOS 10, questo è stato modificato in:let shuffled = lcg.arrayByShufflingObjects(in: array)
Evan Pon,

30

In Swift 2.0 , GameplayKit potrebbe venire in soccorso! (supportato da iOS9 o successivo)

import GameplayKit

func shuffle() {
    array = GKRandomSource.sharedRandom().arrayByShufflingObjectsInArray(array)
}

5
importare GameplayKit solo per ottenere un array mischiato non sembra un'ottima idea
Lope

3
Perché? Fa parte del sistema, non si aggiunge al file binario.
Abizern,

3
Puoi anche impostare l'importazione su semplicementeimport GameplayKit.GKRandomSource
JRG-Developer

26

Ecco qualcosa forse un po 'più breve:

sorted(a) {_, _ in arc4random() % 2 == 0}

1
@moby La sortfunzione ha bisogno di una chiusura per ordinare gli elementi. Questa chiusura accetta due parametri (elem1, elem2) e deve restituire true se il primo valore deve apparire prima del secondo valore e false in caso contrario. Se invece restituiamo un booleano casuale ... allora mescoliamo semplicemente tutto :)
Jean Le Moignan,

2
Qualche matematico qui per confermare o confutare?
Jean Le Moignan,

9
Come sottolineato da pjs in risposta a un'altra risposta molto simile, ciò non genererà una distribuzione uniforme dei risultati. Usa Fisher-Yates Shuffle come mostrato nella risposta di Nate Cook.
Rob,

1
Questo è un trucco intelligente, ma è terrificante in termini di qualità dello shuffle. Per uno, questa chiusura dovrebbe usare arc4random_uniform(), perché è attualmente soggetta al bias del modulo. In secondo luogo, l'output dipende fortemente dall'algoritmo di ordinamento (che non ci è noto senza guardare alla fonte).
Alexander - Ripristina Monica l'

1
Continuando con questo approccio più semplice, questo sembra funzionare abbastanza bene: collection.sorted { _,_ in arc4random_uniform(1) == 0 }
markiv

7

Prendendo l' algoritmo di Nate, volevo vedere come sarebbe stato con Swift 2 e le estensioni del protocollo.

Questo è quello che mi è venuto in mente.

extension MutableCollectionType where Self.Index == Int {
    mutating func shuffleInPlace() {
        let c = self.count
        for i in 0..<(c - 1) {
            let j = Int(arc4random_uniform(UInt32(c - i))) + i
            swap(&self[i], &self[j])
        }
    }
}

extension MutableCollectionType where Self.Index == Int {
    func shuffle() -> Self {
        var r = self
        let c = self.count
        for i in 0..<(c - 1) {
            let j = Int(arc4random_uniform(UInt32(c - i))) + i
            swap(&r[i], &r[j])
        }
        return r
    }
}

Ora, chiunque MutableCollectionTypepuò usare questi metodi dato che usa IntcomeIndex


6

Nel mio caso, ho avuto dei problemi con lo scambio di oggetti in Array. Poi mi sono grattato la testa e ho cercato di reinventare la ruota.

// swift 3.0 ready
extension Array {

    func shuffled() -> [Element] {
        var results = [Element]()
        var indexes = (0 ..< count).map { $0 }
        while indexes.count > 0 {
            let indexOfIndexes = Int(arc4random_uniform(UInt32(indexes.count)))
            let index = indexes[indexOfIndexes]
            results.append(self[index])
            indexes.remove(at: indexOfIndexes)
        }
        return results
    }

}

5

Questa è una versione dell'implementazione di Nate dello shuffle Fisher-Yates per Swift 4 (Xcode 9).

extension MutableCollection {
    /// Shuffle the elements of `self` in-place.
    mutating func shuffle() {
        for i in indices.dropLast() {
            let diff = distance(from: i, to: endIndex)
            let j = index(i, offsetBy: numericCast(arc4random_uniform(numericCast(diff))))
            swapAt(i, j)
        }
    }
}

extension Collection {
    /// Return a copy of `self` with its elements shuffled
    func shuffled() -> [Element] {
        var list = Array(self)
        list.shuffle()
        return list
    }
}

Le modifiche sono:

  • Il vincolo Indices.Iterator.Element == Indexfa ora parte del Collectionprotocollo e non deve più essere imposto sull'estensione.
  • Lo scambio di elementi deve essere effettuato chiamando swapAt()la raccolta, confrontare SE-0173 AggiungiMutableCollection.swapAt(_:_:) .
  • Elementè un alias per Iterator.Element.

3

Questo è quello che uso:

func newShuffledArray(array:NSArray) -> NSArray {
    var mutableArray = array.mutableCopy() as! NSMutableArray
    var count = mutableArray.count
    if count>1 {
        for var i=count-1;i>0;--i{
            mutableArray.exchangeObjectAtIndex(i, withObjectAtIndex: Int(arc4random_uniform(UInt32(i+1))))
        }
    }
    return mutableArray as NSArray
}

3

Swift 4 Mescola gli elementi di un array in un ciclo for dove i è il rapporto di mixaggio

var cards = [Int]() //Some Array
let i = 4 // is the mixing ratio
func shuffleCards() {
    for _ in 0 ..< cards.count * i {
        let card = cards.remove(at: Int(arc4random_uniform(UInt32(cards.count))))
        cards.insert(card, at: Int(arc4random_uniform(UInt32(cards.count))))
    }
}

O con estensione Int

func shuffleCards() {
    for _ in 0 ..< cards.count * i {
        let card = cards.remove(at: cards.count.arc4random)
        cards.insert(card, at: cards.count.arc4random)
    }
}
extension Int {
    var arc4random: Int {
        if self > 0 {
            print("Arc for random positiv self \(Int(arc4random_uniform(UInt32(self))))")
        return Int(arc4random_uniform(UInt32(self)))
        } else if self < 0 {
            print("Arc for random negotiv self \(-Int(arc4random_uniform(UInt32(abs(self)))))")
            return -Int(arc4random_uniform(UInt32(abs(self))))
        } else {
            print("Arc for random equal 0")
            return 0
        }
    }
}

2

Soluzione Swift 3, seguendo la risposta di @Nate Cook: (funziona se l'indice inizia con 0, vedi commenti sotto)

extension Collection {
    /// Return a copy of `self` with its elements shuffled
    func shuffle() -> [Generator.Element] {
        var list = Array(self)
        list.shuffleInPlace()
        return list
    } }

extension MutableCollection where Index == Int {
    /// Shuffle the elements of `self` in-place.
    mutating func shuffleInPlace() {
        // empty and single-element collections don't shuffle
        if count < 2 { return }
        let countInt = count as! Int

    for i in 0..<countInt - 1 {
        let j = Int(arc4random_uniform(UInt32(countInt - i))) + i
            guard i != j else { continue }
            swap(&self[i], &self[j])
        }
    }
}

1
Ciò può arrestarsi in modo anomalo se gli indici di raccolta iniziano da 0, ad esempio per una porzione di array. Prova a correre var a = [1, 2, 3, 4, 5, 6][3..<6]; a.shuffleInPlace()più volte. - Vedere stackoverflow.com/a/37843901/1187415 per una soluzione corretta.
Martin R,

2

Ecco come è fatto nel modo più semplice. import Gamplaykital VC e utilizzare il codice seguente. Testato in Xcode 8.

 import GameplayKit

 let array: NSArray = ["Jock", "Ellie", "Sue Ellen", "Bobby", "JR", "Pamela"]

 override func viewDidLoad() {
    super.viewDidLoad()

    print(array.shuffled())  
}

Se si desidera ottenere una stringa mescolata da un array, è possibile utilizzare il codice seguente.

func suffleString() {

    let ShuffleArray = array.shuffled()

    suffleString.text = ShuffleArray.first as? String

    print(suffleString.text!)

}

2

Con Swift 3, se desideri mescolare un array sul posto o ottenere un nuovo array mischiato da un array, AnyIteratorpuò aiutarti. L'idea è quella di creare un array di indici dal tuo array, mescolare quegli indici con AnyIteratorun'istanza e una swap(_:_:)funzione e mappare ogni elemento di questa AnyIteratoristanza con l'elemento corrispondente dell'array.


Il seguente codice Playground mostra come funziona:

import Darwin // required for arc4random_uniform

let array = ["Jock", "Ellie", "Sue Ellen", "Bobby", "JR", "Pamela"]
var indexArray = Array(array.indices)
var index = indexArray.endIndex

let indexIterator: AnyIterator<Int> = AnyIterator {
    guard let nextIndex = indexArray.index(index, offsetBy: -1, limitedBy: indexArray.startIndex)
        else { return nil }

    index = nextIndex
    let randomIndex = Int(arc4random_uniform(UInt32(index)))
    if randomIndex != index {
        swap(&indexArray[randomIndex], &indexArray[index])
    }

    return indexArray[index]
}

let newArray = indexIterator.map { array[$0] }
print(newArray) // may print: ["Jock", "Ellie", "Sue Ellen", "JR", "Pamela", "Bobby"]

È possibile riformattare il codice precedente e creare una shuffled()funzione all'interno di Arrayun'estensione per ottenere un nuovo array mischiato da un array:

import Darwin // required for arc4random_uniform

extension Array {

    func shuffled() -> Array<Element> {
        var indexArray = Array<Int>(indices)        
        var index = indexArray.endIndex

        let indexIterator = AnyIterator<Int> {
            guard let nextIndex = indexArray.index(index, offsetBy: -1, limitedBy: indexArray.startIndex)
                else { return nil }

            index = nextIndex                
            let randomIndex = Int(arc4random_uniform(UInt32(index)))
            if randomIndex != index {
                swap(&indexArray[randomIndex], &indexArray[index])
            }

            return indexArray[index]
        }

        return indexIterator.map { self[$0] }
    }

}

Uso:

let array = ["Jock", "Ellie", "Sue Ellen", "Bobby", "JR", "Pamela"]
let newArray = array.shuffled()
print(newArray) // may print: ["Bobby", "Pamela", "Jock", "Ellie", "JR", "Sue Ellen"]
let emptyArray = [String]()
let newEmptyArray = emptyArray.shuffled()
print(newEmptyArray) // prints: []

In alternativa al codice precedente, è possibile creare una shuffle()funzione all'interno di Arrayun'estensione per mescolare un array in posizione:

import Darwin // required for arc4random_uniform

extension Array {

    mutating func shuffle() {
        var indexArray = Array<Int>(indices)
        var index = indexArray.endIndex

        let indexIterator = AnyIterator<Int> {
            guard let nextIndex = indexArray.index(index, offsetBy: -1, limitedBy: indexArray.startIndex)
                else { return nil }

            index = nextIndex                
            let randomIndex = Int(arc4random_uniform(UInt32(index)))
            if randomIndex != index {
                swap(&indexArray[randomIndex], &indexArray[index])
            }

            return indexArray[index]
        }

        self = indexIterator.map { self[$0] }
    }

}

Uso:

var mutatingArray = ["Jock", "Ellie", "Sue Ellen", "Bobby", "JR", "Pamela"]
mutatingArray.shuffle()
print(mutatingArray) // may print ["Sue Ellen", "Pamela", "Jock", "Ellie", "Bobby", "JR"]

1

Puoi anche usare la swapfunzione generica e implementare Fisher-Yates menzionato:

for idx in 0..<arr.count {
  let rnd = Int(arc4random_uniform(UInt32(idx)))
  if rnd != idx {
    swap(&arr[idx], &arr[rnd])
  }
}

o meno prolisso:

for idx in 0..<steps.count {
  swap(&steps[idx], &steps[Int(arc4random_uniform(UInt32(idx)))])
}

2
Ciò soffre, per lo meno, di un grave errore di un errore descritto qui in base al quale un valore viene sempre scambiato dalla sua posizione originale. Questo è risolto con let rnd = Int(arc4random_uniform(UInt32(idx + 1))). Inoltre, in FY, in genere si esegue l'iterazione da arr.count - 1down a 1(o se si esegue iterate da 0a arr.count - 1, si seleziona l'indice come gli spettacoli Nate nella risposta accettata). Vedi la sezione Algoritmo moderno della discussione su Fisher-Yates.
Rob,

1

lavori!!. organismi è l'array da mescolare.

extension Array
{
    /** Randomizes the order of an array's elements. */
    mutating func shuffle()
    {
        for _ in 0..<10
        {
            sort { (_,_) in arc4random() < arc4random() }
        }
    }
}

var organisms = [
    "ant",  "bacteria", "cougar",
    "dog",  "elephant", "firefly",
    "goat", "hedgehog", "iguana"]

print("Original: \(organisms)")

organisms.shuffle()

print("Shuffled: \(organisms)")


0

Ecco come mescolare un array con un seme in Swift 3.0.

extension MutableCollection where Indices.Iterator.Element == Index {
    mutating func shuffle() {
        let c = count
        guard c > 1 else { return }


        for (firstUnshuffled , unshuffledCount) in zip(indices, stride(from: c, to: 1, by: -1)) {
            srand48(seedNumber)
            let number:Int = numericCast(unshuffledCount)
            let r = floor(drand48() * Double(number))

            let d: IndexDistance = numericCast(Int(r))
            guard d != 0 else { continue }
            let i = index(firstUnshuffled, offsetBy: d)
            swap(&self[firstUnshuffled], &self[i])
        }
    }
}

0
let shuffl = GKRandomSource.sharedRandom().arrayByShufflingObjects(in: arrayObject)

0

Questo è quello che uso:

import GameplayKit

extension Collection {
    func shuffled() -> [Iterator.Element] {
        let shuffledArray = (self as? NSArray)?.shuffled()
        let outputArray = shuffledArray as? [Iterator.Element]
        return outputArray ?? []
    }
    mutating func shuffle() {
        if let selfShuffled = self.shuffled() as? Self {
            self = selfShuffled
        }
    }
}

// Usage example:

var numbers = [1,2,3,4,5]
numbers.shuffle()

print(numbers) // output example: [2, 3, 5, 4, 1]

print([10, "hi", 9.0].shuffled()) // output example: [hi, 10, 9]

0

Esempio semplice:

extension Array {
    mutating func shuffled() {
        for _ in self {
            // generate random indexes that will be swapped
            var (a, b) = (Int(arc4random_uniform(UInt32(self.count - 1))), Int(arc4random_uniform(UInt32(self.count - 1))))
            if a == b { // if the same indexes are generated swap the first and last
                a = 0
                b = self.count - 1
            }
            swap(&self[a], &self[b])
        }
    }
}

var array = [1,2,3,4,5,6,7,8,9,10]
array.shuffled()
print(array) // [9, 8, 3, 5, 7, 6, 4, 2, 1, 10]

0

Estensione della matrice di lavoro (mutante e non mutante)

Swift 4.1 / Xcode 9

La risposta migliore è deprecata, quindi ho deciso di creare la mia estensione per mescolare un array nella versione più recente di Swift, Swift 4.1 (Xcode 9):

extension Array {

// Non-mutating shuffle
    var shuffled : Array {
        let totalCount : Int = self.count
        var shuffledArray : Array = []
        var count : Int = totalCount
        var tempArray : Array = self
        for _ in 0..<totalCount {
            let randomIndex : Int = Int(arc4random_uniform(UInt32(count)))
            let randomElement : Element = tempArray.remove(at: randomIndex)
            shuffledArray.append(randomElement)
            count -= 1
        }
        return shuffledArray
    }

// Mutating shuffle
    mutating func shuffle() {
        let totalCount : Int = self.count
        var shuffledArray : Array = []
        var count : Int = totalCount
        var tempArray : Array = self
        for _ in 0..<totalCount {
            let randomIndex : Int = Int(arc4random_uniform(UInt32(count)))
            let randomElement : Element = tempArray.remove(at: randomIndex)
            shuffledArray.append(randomElement)
            count -= 1
        }
        self = shuffledArray
    }
}

Chiama Shuffle non mutante [Array] -> [Array]:

let array = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20]

print(array.shuffled)

Questo viene stampato arrayin ordine casuale.


Chiama Mutating Shuffle [Array] = [Array]:

var array = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20]

array.shuffle() 
// The array has now been mutated and contains all of its initial 
// values, but in a randomized shuffled order

print(array) 

Questo stampa arraynel suo ordine attuale, che è già stato mischiato casualmente.


Spero che questo funzioni per tutti, se avete domande, suggerimenti o commenti, non esitate a chiedere!


0

In SWIFT 4

func createShuffledSequenceOfNumbers(max:UInt)->[UInt] {

    var array:[UInt]! = []
    var myArray:[UInt]! = []
    for i in 1...max {
        myArray.append(i)
    }
    for i in 1...max {
        array.append(i)
    }
    var tempArray:[Int]! = []
    for index in 0...(myArray.count - 1) {

        var isNotFinded:Bool = true
        while(isNotFinded){

            let randomNumber = arc4random_uniform(UInt32(myArray.count))
            let randomIndex = Int(randomNumber)

            if(!tempArray.contains(randomIndex)){
                tempArray.append(randomIndex)

                array[randomIndex] = myArray[index]
                isNotFinded = false
            }
        }
    }

    return array
}

0

Se vuoi usare la semplice funzione Swift For loop usa questo ->

var arrayItems = ["A1", "B2", "C3", "D4", "E5", "F6", "G7", "H8", "X9", "Y10", "Z11"]
var shuffledArray = [String]()

for i in 0..<arrayItems.count
{
    let randomObject = Int(arc4random_uniform(UInt32(items.count)))

    shuffledArray.append(items[randomObject])

    items.remove(at: randomObject)
}

print(shuffledArray)

Swift Array suffle utilizzando l'estensione ->

extension Array {
    // Order Randomize
    mutating func shuffle() {
        for _ in 0..<count {
            sort { (_,_) in arc4random() < arc4random() }
        }
    }
}

0

A partire da swift 4.2 ci sono due utili funzioni:

// shuffles the array in place
myArray.shuffle()

e

// generates a new array with shuffled elements of the old array
let newArray = myArray.shuffled()

-2

Ecco del codice che viene eseguito nel parco giochi. Non dovrai importare Darwin in un vero progetto Xcode.

import darwin

var a = [1,2,3,4,5,6,7]

func shuffle<ItemType>(item1: ItemType, item2: ItemType) -> Bool {
    return drand48() > 0.5
}

sort(a, shuffle)

println(a)

7
Ciò fornisce una distribuzione non uniforme dei risultati. Sarà anche O (n log n), dove un riordino Fisher-Yates darebbe risultati distribuiti uniformemente nel tempo O (n).
pjs,

Inoltre drand48()dà la stessa ogni volta pseudo numeri casuali, a meno che non si imposta un seme con il similesrand48(Int(arc4random()))
Kametrixom

-3

Si ferma su "swap (& self [i], & self [j])" quando aggiorno la versione xCode alla 7.4 beta.
errore irreversibile: lo scambio di una posizione con se stesso non è supportato

Ho trovato il motivo per cui i = j (la funzione di swap sarà esplosa)

Quindi aggiungo una condizione come di seguito

if (i != j){
    swap(&list[i], &list[j])
}

YA! Va bene per me.


Questo sembra essere un commento sulla risposta di Chris , non una risposta alla domanda originale.
Mogsdad,
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.