KawaiKx
KawaiKx

Reputation: 9918

Stop watch working fine only first time in Swift

I made a stopwatch in swift. It has three buttons- play, stop, reset. it has a display in the middle where I display the seconds passed.

My code runs fine. But the watch runs very fast after the stop or reset.

I am not able to figure out what is the fuss.

please help!

var time = 0
var timer = NSTimer()
var pause = Bool(false)


@IBOutlet var result: UILabel!

func displayResult() {

    if pause != true
    {
        time++
        result.text = String(time)
    }
}
@IBAction func reset(sender: AnyObject) {

    time = 0

    result.text = String(time)

}


@IBAction func pause(sender: AnyObject) {

    pause = true

}



@IBAction func play(sender: AnyObject) {

    pause = false
    timer = NSTimer.scheduledTimerWithTimeInterval(1, target: self, selector: Selector("displayResult") , userInfo: nil, repeats: true)
}

Upvotes: 1

Views: 120

Answers (1)

aaisataev
aaisataev

Reputation: 1683

Your pause action should be:

@IBAction func pause(sender: AnyObject) {

    timer.invalidate()
    pause = true

}

UPD:

var time = 0
var timer = NSTimer()
var pause = true // 1

func displayResult() {

    if pause != true
    {
        time++
        label.text = String(time)
    }
}
@IBAction func reset(sender: AnyObject) {

    time = 0

    label.text = String(time)
    timer.invalidate() // 2
    pause = true // 3
}


@IBAction func pause(sender: AnyObject) {
    timer.invalidate() // 4
    pause = true

}

@IBAction func play(sender: AnyObject) {

    // 5
    if pause == true {
        timer = NSTimer.scheduledTimerWithTimeInterval(1, target: self, selector: Selector("displayResult") , userInfo: nil, repeats: true)
        pause = false
    }
}

Upvotes: 1

Related Questions