如果在 swift 中按下 NSButton,则创建简单操作

creating simple action if NSButton is pressed in swift

我正在学习中swift。我想知道如何在按下按钮时以编程方式调用函数。我试过了,但是这个函数是在程序启动时直接执行的,而不是在我按下按钮时执行的。你能帮我解决这个问题吗?

这是我试过的,

//
//  ViewController.swift
//  hjkhjkjh
//
//  Created by iznogoud on 14/05/16.
//  Copyright © 2016 iznogoud. All rights reserved.
//

import Cocoa


class ViewController: NSViewController {

    func printSomething() {
       print("Hello")
    }

    override func viewDidLoad() {
       super.viewDidLoad()

       let myButtonRect = CGRect(x: 10, y: 10, width: 100, height: 10)
       let myButton =  NSButton(frame: myButtonRect)
       view.addSubview(myButton)
       myButton.target = self
       myButton.action = Selector(printSomething())


       // Do any additional setup after loading the view.
    }

    override var representedObject: AnyObject? {
       didSet {
          // Update the view, if already loaded.
       }
    }
}

问题在于您添加 selector

的方式
myButton.action = Selector(printSomething())

添加选择器的语法有点古怪,你给它一个带有函数名称的字符串,所以在你的情况下你应该写:

myButton.action = Selector("printSomething")

这应该会在您的控制台中奖励您 Hello

可能是因为语法导致了人们的问题,它在 Swift 2.2 中被更改了,所以现在你写:

myButton.action = #selector(ViewController.printSomething)

相反。这意味着编译器可以帮助您及早捕获这些错误,我认为这是向前迈出的一大步。您可以在 Swift 2.2 here

的发行说明中阅读更多相关信息

所以...这是您的整个示例:

import Cocoa

class ViewController: NSViewController {

    @objc
    func printSomething() {
        print("Hello")
    }

    override func viewDidLoad() {
        super.viewDidLoad()

        // Do any additional setup after loading the view.
        let myButtonRect = CGRect(x: 10, y: 10, width: 100, height: 10)
        let myButton =  NSButton(frame: myButtonRect)
        view.addSubview(myButton)

        myButton.target = self
        myButton.action = #selector(ViewController.printSomething)
    }

    override var representedObject: AnyObject? {
        didSet {
        // Update the view, if already loaded.
        }
    }
}

希望对你有所帮助。