Mesmo que o matchesInString()
método String
seja o primeiro argumento, ele trabalha internamente com NSString
, e o parâmetro range deve ser fornecido usando o parâmetroNSString
comprimento e não o comprimento da string Swift. Caso contrário, falhará em "grupos de grafemas estendidos", como "sinalizadores".
A partir do Swift 4 (Xcode 9), a biblioteca padrão do Swift fornece funções para converter entre Range<String.Index>
e NSRange
.
func matches(for regex: String, in text: String) -> [String] {
do {
let regex = try NSRegularExpression(pattern: regex)
let results = regex.matches(in: text,
range: NSRange(text.startIndex..., in: text))
return results.map {
String(text[Range($0.range, in: text)!])
}
} catch let error {
print("invalid regex: \(error.localizedDescription)")
return []
}
}
Exemplo:
let string = "🇩🇪€4€9"
let matched = matches(for: "[0-9]", in: string)
print(matched)
// ["4", "9"]
Nota: O desembrulhamento forçado Range($0.range, in: text)!
é seguro porque NSRange
refere-se a uma substring da sequência especificada text
. No entanto, se você quiser evitá-lo, use
return results.flatMap {
Range($0.range, in: text).map { String(text[$0]) }
}
em vez de.
(Resposta mais antiga para Swift 3 e versões anteriores :)
Portanto, você deve converter a sequência Swift fornecida em um NSString
e extrair os intervalos. O resultado será convertido para uma matriz de sequências Swift automaticamente.
(O código do Swift 1.2 pode ser encontrado no histórico de edições.)
Swift 2 (Xcode 7.3.1):
func matchesForRegexInText(regex: String, text: String) -> [String] {
do {
let regex = try NSRegularExpression(pattern: regex, options: [])
let nsString = text as NSString
let results = regex.matchesInString(text,
options: [], range: NSMakeRange(0, nsString.length))
return results.map { nsString.substringWithRange($0.range)}
} catch let error as NSError {
print("invalid regex: \(error.localizedDescription)")
return []
}
}
Exemplo:
let string = "🇩🇪€4€9"
let matches = matchesForRegexInText("[0-9]", text: string)
print(matches)
// ["4", "9"]
Swift 3 (Xcode 8)
func matches(for regex: String, in text: String) -> [String] {
do {
let regex = try NSRegularExpression(pattern: regex)
let nsString = text as NSString
let results = regex.matches(in: text, range: NSRange(location: 0, length: nsString.length))
return results.map { nsString.substring(with: $0.range)}
} catch let error {
print("invalid regex: \(error.localizedDescription)")
return []
}
}
Exemplo:
let string = "🇩🇪€4€9"
let matched = matches(for: "[0-9]", in: string)
print(matched)
// ["4", "9"]