je viens de convertir ma petite application, mais j'ai trouvé l'erreur suivante:
mon code est:
let dateObj = dateFormatterFrom.date(from: dateStringa)
if dateObj != nil {
cell.detailTextLabel?.text = dateFormatterTo.string(from:(dateObj!))
} else {
let index = thisRecord.pubDate.index(thisRecord.pubDate.startIndex, offsetBy: 5)
cell.detailTextLabel?.text = thisRecord.pubDate.substring(from: index)
}
Suivez l'exemple ci-dessous pour résoudre cet avertissement.
let testStr = “Test Teja”
let finalStr = testStr.substring(to: index) // Swift 3
let finalStr = String(testStr[..<index]) // Swift 4
let finalStr = testStr.substring(from: index) // Swift 3
let finalStr = String(testStr[index...]) // Swift 4
//Swift 3
let finalStr = testStr.substring(from: index(startIndex, offsetBy: 3))
//Swift 4
let reqIndex = testStr.index(testStr.startIndex, offsetBy: 3)
let finalStr = String(testStr[..<reqIndex])
À la place de substring
, utilisez suffix
. Utilisez comme ci-dessous:
cell.detailTextLabel?.text = String(thisRecord.pubDate.suffix(from: index))
Cela signifie que vous devez utiliser le nouvel opérateur de plage partielle comme upperBound:
let str = "Hello World !!!"
if let index = str.range(of: "Hello ")?.upperBound {
let string = String(str[index...]) // "World !!!"
}
Dans ton cas
cell.detailTextLabel?.text = String(thisRecord.pubDate[index...]))
La plupart de mes chaînes ont un contenu en A-Za-z et 0-9. Pas besoin de difficile Manipulation d'index. Cette extension de String est basée sur les fonctions bien connues de LEFT/MID et RIGHT.
extension String {
// LEFT
// Returns the specified number of chars from the left of the string
// let str = "Hello"
// print(str.left(3)) // Hel
func left(_ to: Int) -> String {
return "\(self[..<self.index(startIndex, offsetBy: to)])"
}
// RIGHT
// Returns the specified number of chars from the right of the string
// let str = "Hello"
// print(str.left(3)) // llo
func right(_ from: Int) -> String {
return "\(self[self.index(startIndex, offsetBy: self.length-from)...])"
}
// MID
// Returns the specified number of chars from the startpoint of the string
// let str = "Hello"
// print(str.left(2,amount: 2)) // ll
func mid(_ from: Int, amount: Int) -> String {
let x = "\(self[self.index(startIndex, offsetBy: from)...])"
return x.left(amount)
}
}
Si vous souhaitez obtenir une sous-chaîne avec un décalage spécifique sans limite supérieure, procédez comme suit:
let index = thisRecord.pubDate.index(thisRecord.pubDate.startIndex, offsetBy: 5)
cell.detailTextLabel?.text = String(thisRecord.pubDate[index...]
De cette façon, vous créez un nouvel objet String
à partir de votre String thisRecord.pubDate
existant, en prenant n'importe quoi, de l'index spécifié à l'index final de la String
d'origine.