technoAndroid
technoAndroid

Reputation: 31

How to split `NSmutableArray` array array to chunks swift 3?

NSMutableArray *sample; 

I have an NSmutableArray, and I want to split it into chunks. I have tried checking the internet didn't find the solution for it. I got the link to split integer array.

Upvotes: 0

Views: 366

Answers (2)

brianLikeApple
brianLikeApple

Reputation: 4371

How about this which is more Swifty?

let integerArray = [1,2,3,4,5,6,7,8,9,10]
let stringArray = ["a", "b", "c", "d", "e", "f"]
let anyObjectArray: [Any] = ["a", 1, "b", 2, "c", 3]

extension Array {
    func chunks(_ chunkSize: Int) -> [[Element]] {
        return stride(from: 0, to: self.count, by: chunkSize).map {
            Array(self[$0..<Swift.min($0 + chunkSize, self.count)])
        }
    }
}

integerArray.chunks(2) //[[1, 2], [3, 4], [5, 6], [7, 8], [9, 10]]
stringArray.chunks(3) //[["a", "b", "c"], ["d", "e", "f"]]
anyObjectArray.chunks(2) //[["a", 1], ["b", 2], ["c", 3]]

To Convert NSMutableArray to Swift Array:

let nsarray  = NSMutableArray(array: [1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
if let swiftArray = nsarray as NSArray as? [Int] {
    swiftArray.chunks(2) //[[1, 2], [3, 4], [5, 6], [7, 8], [9, 10]]
}

If you wanna insist to use NSArray, then:

let nsarray  = NSMutableArray(array: [1, 2, 3, 4, 5, 6, 7, 8, 9, 10])

extension NSArray {
    func chunks(_ chunkSize: Int) -> [[Element]] {
        return stride(from: 0, to: self.count, by: chunkSize).map {
            self.subarray(with: NSRange(location: $0, length: Swift.min(chunkSize, self.count - $0)))
        }
    }
}

nsarray.chunks(3) //[[1, 2, 3], [4, 5, 6], [7, 8, 9], [10]]

Upvotes: 2

XmasRights
XmasRights

Reputation: 1509

You can use the subarray method.

let array  = NSArray(array: [1, 2, 3, 4, 5, 6, 7, 8, 9, 10])

let left  = array.subarray(with: NSMakeRange(0, 5))
let right = array.subarray(with: NSMakeRange(5, 5))

Upvotes: 1

Related Questions