How can I convert an Int array into a String? array in Swift How can I convert an Int array into a String? array in Swift ios ios

How can I convert an Int array into a String? array in Swift


Airspeed Velocity gave you the answer:

var arr: [Int] = [1,2,3,4,5]var stringArray = arr.map { String($0) }

Or if you want your stringArray to be of type [String?]

var stringArray = arr.map  { Optional(String($0)) }

This form of the map statement is a method on the Array type. It performs the closure you provide on every element in the array, and assembles the results of all those calls into a new array. It maps one array into a result array.The closure you pass in should return an object of the type of the objects in your output array.

We could write it in longer form:

var stringArray = arr.map {  (number: Int) -> String in  return String(number)}

EDIT:

If you just need to install your int values into custom table view cells, you probably should leave the array as ints and just install the values into your cells in your cellForRowAtIndexPath method.

func tableView(tableView: UITableView,   cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {  let cell = tableView.dequeueReusableCellWithIdentifier("cell",     forIndexPath: indexPath) as! MyCustomCellType  cell.textLabel?.text = "\(arr[indexPath.row])"  return cell}

Edit #2:

If all you want to to is print the array, you'd be better off leaving it as an array of Int objects, and simply printing them:

arr.forEach { print($0) }


Update: Swift 5

You can do it using following code:

var arr: [Int] = [1,2,3,4,5]let stringArray = arr.map(String.init)

output:

["1", "2", "3", "4", "5"]


You should use

 cell.textLabel?.text = "\(arr[indexPath.row])"

in order to present the value in the label as a String.