Estou procurando uma maneira de substituir caracteres em um Swift String
.
Exemplo: "Esta é minha string"
Gostaria de substituir "" por "+" para obter "This + is + my + string".
Como posso conseguir isso?
Estou procurando uma maneira de substituir caracteres em um Swift String
.
Exemplo: "Esta é minha string"
Gostaria de substituir "" por "+" para obter "This + is + my + string".
Como posso conseguir isso?
Respostas:
Esta resposta foi atualizada para o Swift 4 e 5 . Se você ainda estiver usando o Swift 1, 2 ou 3, consulte o histórico de revisões.
Você tem algumas opções. Você pode fazer o que @jaumard sugeriu e usarreplacingOccurrences()
let aString = "This is my string"
let newString = aString.replacingOccurrences(of: " ", with: "+", options: .literal, range: nil)
E, como observado por @cprcrack abaixo, os parâmetros options
e range
são opcionais; portanto, se você não deseja especificar opções de comparação de cadeias ou um intervalo para fazer a substituição dentro, precisará apenas do seguinte.
let aString = "This is my string"
let newString = aString.replacingOccurrences(of: " ", with: "+")
Ou, se os dados estiverem em um formato específico como este, onde você está apenas substituindo caracteres de separação, você pode usar components()
para quebrar a cadeia de caracteres e a matriz e, em seguida, usar a join()
função para reuni-los com um separador especificado .
let toArray = aString.components(separatedBy: " ")
let backToString = toArray.joined(separator: "+")
Ou, se você estiver procurando uma solução mais Swifty que não utilize a API do NSString, você pode usá-lo.
let aString = "Some search text"
let replaced = String(aString.map {
$0 == " " ? "+" : $0
})
"x86_64"
e o novo mapeamento é parecido com"Optional([\"x\", \"8\", \"6\", \"_\", \"6\", \"4\"])"
stringByReplacingOccurrencesOfString
no Swift 2, é necessário import Foundation
poder usar esse método.
Você pode usar isto:
let s = "This is my string"
let modified = s.replace(" ", withString:"+")
Se você adicionar esse método de extensão em qualquer lugar do seu código:
extension String
{
func replace(target: String, withString: String) -> String
{
return self.stringByReplacingOccurrencesOfString(target, withString: withString, options: NSStringCompareOptions.LiteralSearch, range: nil)
}
}
Swift 3:
extension String
{
func replace(target: String, withString: String) -> String
{
return self.replacingOccurrences(of: target, with: withString, options: NSString.CompareOptions.literal, range: nil)
}
}
Solução Swift 3, Swift 4, Swift 5
let exampleString = "Example string"
//Solution suggested above in Swift 3.0
let stringToArray = exampleString.components(separatedBy: " ")
let stringFromArray = stringToArray.joined(separator: "+")
//Swiftiest solution
let swiftyString = exampleString.replacingOccurrences(of: " ", with: "+")
Estou usando esta extensão:
extension String {
func replaceCharacters(characters: String, toSeparator: String) -> String {
let characterSet = NSCharacterSet(charactersInString: characters)
let components = self.componentsSeparatedByCharactersInSet(characterSet)
let result = components.joinWithSeparator("")
return result
}
func wipeCharacters(characters: String) -> String {
return self.replaceCharacters(characters, toSeparator: "")
}
}
Uso:
let token = "<34353 43434>"
token.replaceCharacters("< >", toString:"+")
Uma solução Swift 3 ao longo das linhas de Sunkas:
extension String {
mutating func replace(_ originalString:String, with newString:String) {
self = self.replacingOccurrences(of: originalString, with: newString)
}
}
Usar:
var string = "foo!"
string.replace("!", with: "?")
print(string)
Resultado:
foo?
Uma categoria que modifica uma String mutável existente:
extension String
{
mutating func replace(originalString:String, withString newString:String)
{
let replacedString = self.stringByReplacingOccurrencesOfString(originalString, withString: newString, options: nil, range: nil)
self = replacedString
}
}
Usar:
name.replace(" ", withString: "+")
Solução Swift 3 baseada na resposta de Ramis :
extension String {
func withReplacedCharacters(_ characters: String, by separator: String) -> String {
let characterSet = CharacterSet(charactersIn: characters)
return components(separatedBy: characterSet).joined(separator: separator)
}
}
Tentei criar um nome de função apropriado de acordo com a convenção de nomenclatura do Swift 3.
Menos aconteceu comigo, eu só quero mudar (uma palavra ou caractere) no String
Então, eu uso o Dictionary
extension String{
func replace(_ dictionary: [String: String]) -> String{
var result = String()
var i = -1
for (of , with): (String, String)in dictionary{
i += 1
if i<1{
result = self.replacingOccurrences(of: of, with: with)
}else{
result = result.replacingOccurrences(of: of, with: with)
}
}
return result
}
}
uso
let mobile = "+1 (800) 444-9999"
let dictionary = ["+": "00", " ": "", "(": "", ")": "", "-": ""]
let mobileResult = mobile.replace(dictionary)
print(mobileResult) // 001800444999
replace
var str = "This is my string"
str = str.replacingOccurrences(of: " ", with: "+")
print(str)
replacingOccurrences
em String
?
Eu acho que o Regex é a maneira mais flexível e sólida:
var str = "This is my string"
let regex = try! NSRegularExpression(pattern: " ", options: [])
let output = regex.stringByReplacingMatchesInString(
str,
options: [],
range: NSRange(location: 0, length: str.characters.count),
withTemplate: "+"
)
// output: "This+is+my+string"
Extensão rápida:
extension String {
func stringByReplacing(replaceStrings set: [String], with: String) -> String {
var stringObject = self
for string in set {
stringObject = self.stringByReplacingOccurrencesOfString(string, withString: with)
}
return stringObject
}
}
Vá em frente e use-o como let replacedString = yorString.stringByReplacing(replaceStrings: [" ","?","."], with: "+")
A velocidade da função é algo que eu mal posso me orgulhar, mas você pode passar uma matriz de String
uma passagem para fazer mais de uma substituição.
Aqui está o exemplo para o Swift 3:
var stringToReplace = "This my string"
if let range = stringToReplace.range(of: "my") {
stringToReplace?.replaceSubrange(range, with: "your")
}
Xcode 11 • Swift 5.1
O método de mutação de StringProtocol replacingOccurrences
pode ser implementado da seguinte maneira:
extension RangeReplaceableCollection where Self: StringProtocol {
mutating func replaceOccurrences<Target: StringProtocol, Replacement: StringProtocol>(of target: Target, with replacement: Replacement, options: String.CompareOptions = [], range searchRange: Range<String.Index>? = nil) {
self = .init(replacingOccurrences(of: target, with: replacement, options: options, range: searchRange))
}
}
var name = "This is my string"
name.replaceOccurrences(of: " ", with: "+")
print(name) // "This+is+my+string\n"
Se você não quiser usar os NSString
métodos Objective-C , basta usar split
e join
:
var string = "This is my string"
string = join("+", split(string, isSeparator: { $0 == " " }))
split(string, isSeparator: { $0 == " " })
retorna uma matriz de strings ( ["This", "is", "my", "string"]
).
join
junta-se estes elementos com um +
, resultando na saída desejada: "This+is+my+string"
.
você pode testar isso:
deixe newString = test.stringByReplacingOccurrencesOfString ("", withString: "+", opções: nil, intervalo: nil)
Aqui está uma extensão para um método de substituição de ocorrências no local String
, que não faz uma cópia desnecessária e faz tudo no lugar:
extension String {
mutating func replaceOccurrences<Target: StringProtocol, Replacement: StringProtocol>(of target: Target, with replacement: Replacement, options: String.CompareOptions = [], locale: Locale? = nil) {
var range: Range<Index>?
repeat {
range = self.range(of: target, options: options, range: range.map { self.index($0.lowerBound, offsetBy: replacement.count)..<self.endIndex }, locale: locale)
if let range = range {
self.replaceSubrange(range, with: replacement)
}
} while range != nil
}
}
(A assinatura do método também imita a assinatura do built-in String.replacingOccurrences()
método interno)
Pode ser usado da seguinte maneira:
var string = "this is a string"
string.replaceOccurrences(of: " ", with: "_")
print(string) // "this_is_a_string"