Come raggruppare in base agli elementi di un array in Swift


90

Diciamo che ho questo codice:

class Stat {
   var statEvents : [StatEvents] = []
}

struct StatEvents {
   var name: String
   var date: String
   var hours: Int
}


var currentStat = Stat()

currentStat.statEvents = [
   StatEvents(name: "lunch", date: "01-01-2015", hours: 1),
   StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
   StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
   StatEvents(name: "lunch", date: "01-01-2015", hours: 1),
   StatEvents(name: "dinner", date: "01-01-2015", hours: 1)
]

var filteredArray1 : [StatEvents] = []
var filteredArray2 : [StatEvents] = []

Potrei chiamare tante volte manualmente la funzione successiva in modo da avere 2 array raggruppati per "stesso nome".

filteredArray1 = currentStat.statEvents.filter({$0.name == "dinner"})
filteredArray2 = currentStat.statEvents.filter({$0.name == "lunch"})

Il problema è che non conoscerò il valore della variabile, in questo caso "cena" e "pranzo", quindi vorrei raggruppare questo array di statEvents automaticamente per nome, così ottengo tanti array quanti sono i diversi nomi.

Come potrei farlo?


Vedi la mia risposta per Swift 4 che utilizza il nuovo Dictionary init(grouping:by:)inizializzatore.
Imanou Petit

Risposte:


196

Swift 4:

Da Swift 4, questa funzionalità è stata aggiunta alla libreria standard . Puoi usarlo in questo modo:

Dictionary(grouping: statEvents, by: { $0.name })
[
  "dinner": [
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1)
  ],
  "lunch": [
    StatEvents(name: "lunch", date: "01-01-2015", hours: 1),
    StatEvents(name: "lunch", date: "01-01-2015", hours: 1)
]

Swift 3:

public extension Sequence {
    func group<U: Hashable>(by key: (Iterator.Element) -> U) -> [U:[Iterator.Element]] {
        var categories: [U: [Iterator.Element]] = [:]
        for element in self {
            let key = key(element)
            if case nil = categories[key]?.append(element) {
                categories[key] = [element]
            }
        }
        return categories
    }
}

Sfortunatamente, la appendfunzione sopra copia l'array sottostante, invece di modificarlo in posizione, il che sarebbe preferibile. Ciò causa un rallentamento piuttosto grande . Puoi aggirare il problema utilizzando un wrapper del tipo di riferimento:

class Box<A> {
  var value: A
  init(_ val: A) {
    self.value = val
  }
}

public extension Sequence {
  func group<U: Hashable>(by key: (Iterator.Element) -> U) -> [U:[Iterator.Element]] {
    var categories: [U: Box<[Iterator.Element]>] = [:]
    for element in self {
      let key = key(element)
      if case nil = categories[key]?.value.append(element) {
        categories[key] = Box([element])
      }
    }
    var result: [U: [Iterator.Element]] = Dictionary(minimumCapacity: categories.count)
    for (key,val) in categories {
      result[key] = val.value
    }
    return result
  }
}

Anche se attraversi il dizionario finale due volte, questa versione è ancora più veloce dell'originale nella maggior parte dei casi.

Swift 2:

public extension SequenceType {

  /// Categorises elements of self into a dictionary, with the keys given by keyFunc

  func categorise<U : Hashable>(@noescape keyFunc: Generator.Element -> U) -> [U:[Generator.Element]] {
    var dict: [U:[Generator.Element]] = [:]
    for el in self {
      let key = keyFunc(el)
      if case nil = dict[key]?.append(el) { dict[key] = [el] }
    }
    return dict
  }
}

Nel tuo caso, potresti avere le "chiavi" restituite dai keyFuncnomi:

currentStat.statEvents.categorise { $0.name }
[  
  dinner: [
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1)
  ], lunch: [
    StatEvents(name: "lunch", date: "01-01-2015", hours: 1),
    StatEvents(name: "lunch", date: "01-01-2015", hours: 1)
  ]
]

Quindi otterrai un dizionario, dove ogni chiave è un nome e ogni valore è un array degli StatEvents con quel nome.

Swift 1

func categorise<S : SequenceType, U : Hashable>(seq: S, @noescape keyFunc: S.Generator.Element -> U) -> [U:[S.Generator.Element]] {
  var dict: [U:[S.Generator.Element]] = [:]
  for el in seq {
    let key = keyFunc(el)
    dict[key] = (dict[key] ?? []) + [el]
  }
  return dict
}

categorise(currentStat.statEvents) { $0.name }

Che dà l'output:

extension StatEvents : Printable {
  var description: String {
    return "\(self.name): \(self.date)"
  }
}
print(categorise(currentStat.statEvents) { $0.name })
[
  dinner: [
    dinner: 01-01-2015,
    dinner: 01-01-2015,
    dinner: 01-01-2015
  ], lunch: [
    lunch: 01-01-2015,
    lunch: 01-01-2015
  ]
]

(Lo swiftstub è qui )


Grazie mille @oisdk! Sai se esiste un modo per accedere all'indice dei valori del dizionario che viene creato? Voglio dire, so come ottenere le chiavi e i valori, ma vorrei ottenere l'indice "0", "1", "2" ... di quei dizionari
Ruben

Quindi, se vuoi, dì i tre valori "cena" nel tuo dizionario, andresti dict[key] , (nel mio primo esempio sarebbe ans["dinner"]). Se volessi gli indici delle tre cose stesse, sarebbe qualcosa di simile enumerate(ans["dinner"]), o, se volessi accedere tramite gli indici, potresti farlo come:, ans["dinner"]?[0]che ti restituirebbe il primo elemento dell'array memorizzato sotto dinner.
oisdk

Al rialzo mi restituisce sempre zero
Ruben

Oh sì, ho capito, ma il problema è che in questo esempio dovrei conoscere il valore "cena", ma nel codice reale non conoscerò questi valori né quanti elementi avranno il dizionario
Ruben

1
Questo è un buon inizio verso una soluzione, ma presenta alcune lacune. L'uso del pattern matching qui (if case ) non è necessario, ma ancora più importante, l'aggiunta a un file memorizzato all'interno di un dizionario dict[key]?.append)causa la copia ogni volta. Vedi rosslebeau.com/2016/…
Alexander

65

Con Swift 5, Dictionaryha un metodo di inizializzazione chiamato init(grouping:by:). init(grouping:by:)ha la seguente dichiarazione:

init<S>(grouping values: S, by keyForValue: (S.Element) throws -> Key) rethrows where Value == [S.Element], S : Sequence

Crea un nuovo dizionario in cui le chiavi sono i raggruppamenti restituiti dalla chiusura data ei valori sono matrici degli elementi che hanno restituito ogni chiave specifica.


Il seguente codice Playground mostra come utilizzare init(grouping:by:)per risolvere il tuo problema:

struct StatEvents: CustomStringConvertible {
    
    let name: String
    let date: String
    let hours: Int
    
    var description: String {
        return "Event: \(name) - \(date) - \(hours)"
    }
    
}

let statEvents = [
    StatEvents(name: "lunch", date: "01-01-2015", hours: 1),
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
    StatEvents(name: "lunch", date: "01-01-2015", hours: 1),
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1)
]

let dictionary = Dictionary(grouping: statEvents, by: { (element: StatEvents) in
    return element.name
})
//let dictionary = Dictionary(grouping: statEvents) { $0.name } // also works  
//let dictionary = Dictionary(grouping: statEvents, by: \.name) // also works

print(dictionary)
/*
prints:
[
    "dinner": [Event: dinner - 01-01-2015 - 1, Event: dinner - 01-01-2015 - 1],
    "lunch": [Event: lunch - 01-01-2015 - 1, Event: lunch - 01-01-2015 - 1]
]
*/

4
Bene, potresti anche includere che può anche essere scritto come let dictionary = Dictionary(grouping: statEvents) { $0.name }- Rivestimento in zucchero sintassi
user1046037

1
Questa dovrebbe essere la risposta a partire da Swift 4, completamente supportata da Apple e, si spera, altamente performante.
Herbal7ea

Presta attenzione anche alla chiave non ottica restituita nel predicato, altrimenti vedrai l'errore: "il tipo di espressione è ambiguo senza più contesto ..."
Asike

1
@ user1046037 Swift 5.2Dictionary(grouping: statEvents, by: \.name)
Leo Dabus

31

Swift 4: puoi usare init (grouping: by :) dal sito per sviluppatori Apple

Esempio :

let students = ["Kofi", "Abena", "Efua", "Kweku", "Akosua"]
let studentsByLetter = Dictionary(grouping: students, by: { $0.first! })
// ["E": ["Efua"], "K": ["Kofi", "Kweku"], "A": ["Abena", "Akosua"]]

Quindi nel tuo caso

   let dictionary = Dictionary(grouping: currentStat.statEvents, by:  { $0.name! })

1
Questa è di gran lunga la risposta migliore, non sapevo che esistesse, grazie;)
RichAppz

Funziona anche con un percorso chiave: let dictionary = Dictionary (grouping: currentStat.statEvents, by: \ .name)
Jim Haungs

26

Per Swift 3:

public extension Sequence {
    func categorise<U : Hashable>(_ key: (Iterator.Element) -> U) -> [U:[Iterator.Element]] {
        var dict: [U:[Iterator.Element]] = [:]
        for el in self {
            let key = key(el)
            if case nil = dict[key]?.append(el) { dict[key] = [el] }
        }
        return dict
    }
}

Utilizzo:

currentStat.statEvents.categorise { $0.name }
[  
  dinner: [
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1),
    StatEvents(name: "dinner", date: "01-01-2015", hours: 1)
  ], lunch: [
    StatEvents(name: "lunch", date: "01-01-2015", hours: 1),
    StatEvents(name: "lunch", date: "01-01-2015", hours: 1)
  ]
]

9
Un esempio di utilizzo sarebbe molto apprezzato :) Grazie!
Centurion

Ecco un esempio di utilizzo: yourArray.categorise (currentStat.statEvents) {$ 0.name}. La funzione restituirà Dictionary <String, Array <StatEvents >>
Centurion

6

In Swift 4, questa estensione offre le migliori prestazioni e aiuta a concatenare i tuoi operatori

extension Sequence {
    func group<U: Hashable>(by key: (Iterator.Element) -> U) -> [U:[Iterator.Element]] {
        return Dictionary.init(grouping: self, by: key)
    }
}

Esempio:

struct Asset {
    let coin: String
    let amount: Int
}

let assets = [
    Asset(coin: "BTC", amount: 12),
    Asset(coin: "ETH", amount: 15),
    Asset(coin: "BTC", amount: 30),
]
let grouped = assets.group(by: { $0.coin })

crea:

[
    "ETH": [
        Asset(coin: "ETH", amount: 15)
    ],
    "BTC": [
        Asset(coin: "BTC", amount: 12),
        Asset(coin: "BTC", amount: 30)
    ]
]

puoi scrivere un esempio di utilizzo?
Utku Dalmaz

@duan è possibile ignorare casi come BTC e btc dovrebbero essere considerati uguali ...
Moin Shirazi

1
@MoinShirazi assets.group(by: { $0.coin.uppercased() }), ma è meglio mappare quindi raggruppare
duan

3

Puoi anche raggruppare in KeyPathquesto modo:

public extension Sequence {
    func group<Key>(by keyPath: KeyPath<Element, Key>) -> [Key: [Element]] where Key: Hashable {
        return Dictionary(grouping: self, by: {
            $0[keyPath: keyPath]
        })
    }
}

Utilizzando l'esempio crittografico di @ duan:

struct Asset {
    let coin: String
    let amount: Int
}

let assets = [
    Asset(coin: "BTC", amount: 12),
    Asset(coin: "ETH", amount: 15),
    Asset(coin: "BTC", amount: 30),
]

Quindi l'utilizzo è simile a questo:

let grouped = assets.group(by: \.coin)

Dando lo stesso risultato:

[
    "ETH": [
        Asset(coin: "ETH", amount: 15)
    ],
    "BTC": [
        Asset(coin: "BTC", amount: 12),
        Asset(coin: "BTC", amount: 30)
    ]
]

puoi passare un predicato invece del percorso chiave func grouped<Key: Hashable>(by keyForValue: (Element) -> Key) -> [Key: [Element]] { .init(grouping: self, by: keyForValue) }che ti consentirebbe di chiamare assets.grouped(by: \.coin)oassets.grouped { $0.coin }
Leo Dabus

2

Swift 4

struct Foo {
  let fizz: String
  let buzz: Int
}

let foos: [Foo] = [Foo(fizz: "a", buzz: 1), 
                   Foo(fizz: "b", buzz: 2), 
                   Foo(fizz: "a", buzz: 3),
                  ]
// use foos.lazy.map instead of foos.map to avoid allocating an
// intermediate Array. We assume the Dictionary simply needs the
// mapped values and not an actual Array
let foosByFizz: [String: Foo] = 
    Dictionary(foos.lazy.map({ ($0.fizz, $0)}, 
               uniquingKeysWith: { (lhs: Foo, rhs: Foo) in
                   // Arbitrary business logic to pick a Foo from
                   // two that have duplicate fizz-es
                   return lhs.buzz > rhs.buzz ? lhs : rhs
               })
// We don't need a uniquing closure for buzz because we know our buzzes are unique
let foosByBuzz: [String: Foo] = 
    Dictionary(uniqueKeysWithValues: foos.lazy.map({ ($0.buzz, $0)})

0

Estensione su risposta accettata per consentire il raggruppamento ordinato :

extension Sequence {
    func group<GroupingType: Hashable>(by key: (Iterator.Element) -> GroupingType) -> [[Iterator.Element]] {
        var groups: [GroupingType: [Iterator.Element]] = [:]
        var groupsOrder: [GroupingType] = []
        forEach { element in
            let key = key(element)
            if case nil = groups[key]?.append(element) {
                groups[key] = [element]
                groupsOrder.append(key)
            }
        }
        return groupsOrder.map { groups[$0]! }
    }
}

Quindi funzionerà su qualsiasi tupla :

let a = [(grouping: 10, content: "a"),
         (grouping: 20, content: "b"),
         (grouping: 10, content: "c")]
print(a.group { $0.grouping })

Così come qualsiasi struttura o classe :

struct GroupInt {
    var grouping: Int
    var content: String
}
let b = [GroupInt(grouping: 10, content: "a"),
         GroupInt(grouping: 20, content: "b"),
         GroupInt(grouping: 10, content: "c")]
print(b.group { $0.grouping })

0

Ecco il mio approccio basato su tuple per mantenere l'ordine durante l'utilizzo di Swift 4 KeyPath come comparatore di gruppo:

extension Sequence{

    func group<T:Comparable>(by:KeyPath<Element,T>) -> [(key:T,values:[Element])]{

        return self.reduce([]){(accumulator, element) in

            var accumulator = accumulator
            var result :(key:T,values:[Element]) = accumulator.first(where:{ $0.key == element[keyPath:by]}) ?? (key: element[keyPath:by], values:[])
            result.values.append(element)
            if let index = accumulator.index(where: { $0.key == element[keyPath: by]}){
                accumulator.remove(at: index)
            }
            accumulator.append(result)

            return accumulator
        }
    }
}

Esempio di come usarlo:

struct Company{
    let name : String
    let type : String
}

struct Employee{
    let name : String
    let surname : String
    let company: Company
}

let employees : [Employee] = [...]
let companies : [Company] = [...]

employees.group(by: \Employee.company.type) // or
employees.group(by: \Employee.surname) // or
companies.group(by: \Company.type)

0

Ehi, se hai bisogno di mantenere l'ordine durante il raggruppamento degli elementi invece del dizionario hash, ho usato le tuple e ho mantenuto l'ordine dell'elenco durante il raggruppamento.

extension Sequence
{
   func zmGroup<U : Hashable>(by: (Element) -> U) -> [(U,[Element])]
   {
       var groupCategorized: [(U,[Element])] = []
       for item in self {
           let groupKey = by(item)
           guard let index = groupCategorized.index(where: { $0.0 == groupKey }) else { groupCategorized.append((groupKey, [item])); continue }
           groupCategorized[index].1.append(item)
       }
       return groupCategorized
   }
}

0

Il dizionario Thr (raggruppamento: arr) è così facile!

 func groupArr(arr: [PendingCamera]) {

    let groupDic = Dictionary(grouping: arr) { (pendingCamera) -> DateComponents in
        print("group arr: \(String(describing: pendingCamera.date))")

        let date = Calendar.current.dateComponents([.day, .year, .month], from: (pendingCamera.date)!)

        return date
    }

    var cams = [[PendingCamera]]()

    groupDic.keys.forEach { (key) in
        print(key)
        let values = groupDic[key]
        print(values ?? "")

        cams.append(values ?? [])
    }
    print(" cams are \(cams)")

    self.groupdArr = cams
}

-2

Prendendo una foglia dall'esempio "oisdk" . Estensione della soluzione per raggruppare oggetti in base al nome della classe Demo e collegamento al codice sorgente .

Snippet di codice per il raggruppamento in base al nome della classe:

 func categorise<S : SequenceType>(seq: S) -> [String:[S.Generator.Element]] {
    var dict: [String:[S.Generator.Element]] = [:]
    for el in seq {
        //Assigning Class Name as Key
        let key = String(el).componentsSeparatedByString(".").last!
        //Generating a dictionary based on key-- Class Names
        dict[key] = (dict[key] ?? []) + [el]
    }
    return dict
}
//Grouping the Objects in Array using categorise
let categorised = categorise(currentStat)
print("Grouped Array :: \(categorised)")

//Key from the Array i.e, 0 here is Statt class type
let key_Statt:String = String(currentStat.objectAtIndex(0)).componentsSeparatedByString(".").last!
print("Search Key :: \(key_Statt)")

//Accessing Grouped Object using above class type key
let arr_Statt = categorised[key_Statt]
print("Array Retrieved:: ",arr_Statt)
print("Full Dump of Array::")
dump(arr_Statt)
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.