Swift 4では、NSAttributedStringKey
という静的プロパティがありますforegroundColor
。foregroundColor
次の宣言があります:
static let foregroundColor: NSAttributedStringKey
この属性の値はUIColor
オブジェクトです。この属性を使用して、レンダリング中のテキストの色を指定します。この属性を指定しない場合、テキストは黒でレンダリングされます。
次のPlaygroundコードは、NSAttributedString
インスタンスのテキストの色を設定する方法を示していますforegroundColor
。
import UIKit
let string = "Some text"
let attributes = [NSAttributedStringKey.foregroundColor : UIColor.red]
let attributedString = NSAttributedString(string: string, attributes: attributes)
番組以下のコード可能UIViewController
依存する実装NSAttributedString
のテキストとテキストの色を更新するためにUILabel
からUISlider
。
import UIKit
enum Status: Int {
case veryBad = 0, bad, okay, good, veryGood
var display: (text: String, color: UIColor) {
switch self {
case .veryBad: return ("Very bad", .red)
case .bad: return ("Bad", .orange)
case .okay: return ("Okay", .yellow)
case .good: return ("Good", .green)
case .veryGood: return ("Very good", .blue)
}
}
static let minimumValue = Status.veryBad.rawValue
static let maximumValue = Status.veryGood.rawValue
}
final class ViewController: UIViewController {
@IBOutlet weak var label: UILabel!
@IBOutlet weak var slider: UISlider!
var currentStatus: Status = Status.veryBad {
didSet {
// currentStatus is our model. Observe its changes to update our display
updateDisplay()
}
}
override func viewDidLoad() {
super.viewDidLoad()
// Prepare slider
slider.minimumValue = Float(Status.minimumValue)
slider.maximumValue = Float(Status.maximumValue)
// Set display
updateDisplay()
}
func updateDisplay() {
let attributes = [NSAttributedStringKey.foregroundColor : currentStatus.display.color]
let attributedString = NSAttributedString(string: currentStatus.display.text, attributes: attributes)
label.attributedText = attributedString
slider.value = Float(currentStatus.rawValue)
}
@IBAction func updateCurrentStatus(_ sender: UISlider) {
let value = Int(sender.value.rounded())
guard let status = Status(rawValue: value) else { fatalError("Could not get Status object from value") }
currentStatus = status
}
}
注しかし、あなたが本当に使用する必要がないことNSAttributedString
、例えば、単純に頼ることができるUILabel
のtext
とtextColor
性質。したがって、updateDisplay()
実装を次のコードに置き換えることができます。
func updateDisplay() {
label.text = currentStatus.display.text
label.textColor = currentStatus.display.color
slider.value = Float(currentStatus.rawValue)
}