Reputation: 475
if function "Savedata" is called, I add new button into [UIbutton] and I add new element into array [[Double]]. I want, for every button on index [i] to display data in array [[Double]] on index [i]. How shall I do the loop?
@IBAction func Savedata(_ sender: Any) {
subjectsznamky.insert(arrayx, at: 0) //subjectsznamky is the [[Double]] array
var button : UIButton
button = UIButton(type: .system) as UIButton
button.frame = CGRect(x:5, y: 20, width: 100.0, height: 30)
button.setTitle(ourname, for: .normal)
self.view.addSubview(button)
buttons.append(button)
for i in buttons.indices {
buttons[i].frame.origin.y += 30
buttons[i].addTarget // here I need to create the function, that every button on index [i] displays data in subjectsznamky on index[i]
}
Thank you.
Upvotes: 2
Views: 9871
Reputation: 11918
This is likely not an ideal way to manage your views or display data in your application. You should consider a UITableView
instead.
That being said...
Maybe you can try something like this, keeping track of your buttons and values in a dictionary instead of a separate array. You'd still need an array specifically for your buttons though if you're trying to preserve order.
var hashes = [UIButton : [Double]]()
var buttons = [UIButton]()
@IBAction func saveData(_ sender: Any) {
var button = UIButton(type: .system)
button.frame = CGRect(x:5, y: 20, width: 100.0, height: 30)
button.setTitle(ourname, for: .normal)
self.view.addSubview(button)
buttons.append(button)
hashes[button] = arrayx
for button in buttons {
button.frame.origin.y += 30
button.addTarget(self, action: #selector(MyClass.disaplayData(_:)), for: .touchUpInside)
}
}
func displayData(_sender: UIButton) {
if let doubleArray = hashes[sender] {
print(doubleArray)
}
}
Upvotes: 4