Swift 4 How to remove %EF%BB%BF from URL created from URLComponent()?

2.8k Views Asked by At

I attempt to create URL from components

var com =  URLComponents()
com.scheme = "http"
com.host = "192.168.1.99"
com.port = 77
com.path = "/api/dosomething/55"

print("SHOW ME URl =  \(com.url!))")

What I got is something like this

http://192.168.1.99:77/%EF%BB%BFapi/dosomething/55

Always got %EF%BB%BF, in which case the url becomes invalid

I want to remove %EF%BB%BFfrom the URL

How can I do that?

3

There are 3 best solutions below

1
On BEST ANSWER

That's a URL-encoding of a UTF-8 BOM, it may be caused by processing of the URLs with some text editors. Trim white spaces from your path string:

var com =  URLComponents()
com.scheme = "http"
com.host = "192.168.1.99"
com.port = 77
let path = //The path
let trimmedPath = path.trimmingCharacters(in: .whitespaces)
com.path = trimmedPath

print("SHOW ME URl =  \(com.url!)")

In utf-8, the 'ZERO WIDTH NO-BREAK SPACE' is encoded as 0xEF 0xBB 0xBF

0
On

Direct answer to your question

You can replace this pattern with nothing :

let theURL = "http://192.168.1.99:77/%EF%BB%BFapi/dosomething/55"
let partToRemove = "%EF%BB%BF"
let clearURL = theURL.replacingOccurrences(of: partToRemove, with: "")
print(clearURL)
0
On

In complement to ielyamani's answer, as .whitespaces does not seem to contain the BOM character, I suggest this :

extension String
{
    var withoutBom: String
    {
        let bom = "\u{FEFF}"
        if self.starts(with: bom)
        {
            return String(dropFirst(bom.count))
        }
        return self
    }
}

and then using something like :

path.withoutBom