Como validar um url no iPhone

90

Em um aplicativo para iPhone que estou desenvolvendo, há uma configuração na qual você pode inserir uma URL, devido à forma e à função, essa URL precisa ser validada online e offline.

Até agora não consegui encontrar nenhum método para validar o url, então a questão é;

Como faço para validar uma entrada de URL no iPhone (Objective-C) online e offline?

Thizzer
fonte
Leia os comentários à sua resposta, a validação não funciona corretamente.
Thizzer de

Respostas:

98

Graças a esta postagem , você pode evitar o uso do RegexKit. Aqui está minha solução (funciona para desenvolvimento de iphone com iOS> 3.0):

- (BOOL) validateUrl: (NSString *) candidate {
    NSString *urlRegEx =
    @"(http|https)://((\\w)*|([0-9]*)|([-|_])*)+([\\.|/]((\\w)*|([0-9]*)|([-|_])*))+";
    NSPredicate *urlTest = [NSPredicate predicateWithFormat:@"SELF MATCHES %@", urlRegEx]; 
    return [urlTest evaluateWithObject:candidate];
}

Se você quiser verificar em Swift minha solução fornecida abaixo:

 func isValidUrl(url: String) -> Bool {
        let urlRegEx = "^(https?://)?(www\\.)?([-a-z0-9]{1,63}\\.)*?[a-z0-9][-a-z0-9]{0,61}[a-z0-9]\\.[a-z]{2,6}(/[-\\w@\\+\\.~#\\?&/=%]*)?$"
        let urlTest = NSPredicate(format:"SELF MATCHES %@", urlRegEx)
        let result = urlTest.evaluate(with: url)
        return result
    }
lefakir
fonte
7
Isso só funciona para urls do tipo " webr.ly " não funciona para urls com parâmetros como youtube.com/watch?v=mqgExtdNMBk
uSeFuL
5
((http|https)://)?((\\w)*|([0-9]*)|([-|_])*)+([\\.|/]((\\w)*|([0-9]*)|([-|_])*))+". Deve fazer com que http: // ou https: // seja opcional.
Yeung
não funciona para google.com, www.google.com e também para //www.google.com
Revinder
seguintes urls não estão funcionando no meu caso. money.cnn.com/2015/10/19/technology/apple-app-store/…
DJtiwari
@DJtiwari +1 sim, não está funcionando, você encontrou alguma solução para isso?
Hamza MHIRA
239

Por que não simplesmente confiar Foundation.framework?

Isso faz o trabalho e não requer RegexKit:

NSURL *candidateURL = [NSURL URLWithString:candidate];
// WARNING > "test" is an URL according to RFCs, being just a path
// so you still should check scheme and all other NSURL attributes you need
if (candidateURL && candidateURL.scheme && candidateURL.host) {
  // candidate is a well-formed url with:
  //  - a scheme (like http://)
  //  - a host (like stackoverflow.com)
}

De acordo com a documentação da Apple:

URLWithString: cria e retorna um objeto NSURL inicializado com uma string fornecida.

+ (id)URLWithString:(NSString *)URLString

Parâmetros

URLString: A string com a qual inicializar o objeto NSURL. Deve estar em conformidade com RFC 2396. Este método analisa URLString de acordo com RFCs 1738 e 1808.

Valor de retorno

Um objeto NSURL inicializado com URLString. Se a string estava malformada, retorna nulo.

Vincent Guerci
fonte
1
Eu concordo com alguns dos outros aqui. Esta é uma solução muito melhor do que mexer com expressões regulares. Esta deve ser a resposta marcada corretamente.
Diego Barros
1
@MrThys - Alguma chance de você fornecer exemplos de quais URLs malformados isso não detecta? Seria ótimo saber .. parece uma excelente solução até agora.
Don Vaughn
7
@DonamiteIsTnt O URL http://www.aol.comhttp://www.nytimes.compassa neste teste.
Aaron Brager
1
O código não verificará se há url malformado. Ex: <code> afasd </ code >, o url ainda passará no teste
denil
39
Os documentos estão errados. Escreva alguns testes - NSURLnão retorna nulo quando eu passo uma string de @ "# @ # @ $ ##% $ # $ #" ou @ "tp: / fdfdfsfdsf". Portanto, este método será inútil para verificar URLs HTTP válidos e semelhantes.
Tony Arnold
32

Em vez de escrever suas próprias expressões regulares, conte com as da Apple. Tenho usado uma categoria em NSStringque usa NSDataDetectorpara testar a presença de um link dentro de uma string. Se o intervalo do link encontrado por for NSDataDetectorigual ao comprimento de toda a string, é um URL válido.

- (BOOL)isValidURL {
    NSUInteger length = [self length];
    // Empty strings should return NO
    if (length > 0) {
        NSError *error = nil;
        NSDataDetector *dataDetector = [NSDataDetector dataDetectorWithTypes:NSTextCheckingTypeLink error:&error];
        if (dataDetector && !error) {
            NSRange range = NSMakeRange(0, length);
            NSRange notFoundRange = (NSRange){NSNotFound, 0};
            NSRange linkRange = [dataDetector rangeOfFirstMatchInString:self options:0 range:range];
            if (!NSEqualRanges(notFoundRange, linkRange) && NSEqualRanges(range, linkRange)) {
                return YES;
            }
        }
        else {
            NSLog(@"Could not create link data detector: %@ %@", [error localizedDescription], [error userInfo]);
        }
    }
    return NO;
}
Anthony
fonte
Extremamente inteligente. Engenharia real. {Você sabe, eu tive um problema estranho que se eu enviar a string literalmente "<null>", ele trava! Nunca consegui descobrir.}
Fattie
Ah - estava "<null>" no filho, que a maçã fornece utilmente como um NSNull! : O
Fattie
Eu criei uma essência onde comecei a adicionar casos de teste para este recortado. Preencha gratuitamente para adicionar mais. gist.github.com/b35097bad451c59e23b1.git
Yevhen Dubinin
26

Minha solução com Swift :

func validateUrl (stringURL : NSString) -> Bool {

    var urlRegEx = "((https|http)://)((\\w|-)+)(([.]|[/])((\\w|-)+))+"
    let predicate = NSPredicate(format:"SELF MATCHES %@", argumentArray:[urlRegEx])
    var urlTest = NSPredicate.predicateWithSubstitutionVariables(predicate)

    return predicate.evaluateWithObject(stringURL)
}

Para teste:

var boolean1 = validateUrl("http.s://www.gmail.com")
var boolean2 = validateUrl("https:.//gmailcom")
var boolean3 = validateUrl("https://gmail.me.")
var boolean4 = validateUrl("https://www.gmail.me.com.com.com.com")
var boolean6 = validateUrl("http:/./ww-w.wowone.com")
var boolean7 = validateUrl("http://.www.wowone")
var boolean8 = validateUrl("http://www.wow-one.com")
var boolean9 = validateUrl("http://www.wow_one.com")
var boolean10 = validateUrl("http://.")
var boolean11 = validateUrl("http://")
var boolean12 = validateUrl("http://k")

Resultados:

false
false
false
true
false
false
true
true
false
false
false
Gabriel.Massana
fonte
10

usa isto-

NSString *urlRegEx = @"http(s)?://([\\w-]+\\.)+[\\w-]+(/[\\w- ./?%&amp;=]*)?";
Vaibhav Saran
fonte
1
copiei-o simplesmente para o validador de expressão regular do asp.net;)
Vaibhav Saran
perfeito, o único problema é que não reconhecewww.google.com/+gplusname
MuhammadBassio
5

Resolvi o problema usando RegexKit e construí um regex rápido para validar um URL;

NSString *regexString = @"(http|https)://((\\w)*|([0-9]*)|([-|_])*)+([\\.|/]((\\w)*|([0-9]*)|([-|_])*))+";
NSString *subjectString = brandLink.text;
NSString *matchedString = [subjectString stringByMatching:regexString];

Então eu verifico se matchedString é igual a subjectString e se for o caso, o url é válido :)

Corrija-me se meu regex estiver errado;)

Thizzer
fonte
Posso estar errado, mas acredito que regex não valida urls com strings de consulta ou âncoras nomeadas.
hpique
Você poderia tornar a parte do prefixo opcional substituindo (http | https): // por ((http | https): //) * mas isso permitiria uma grande variedade de urls
Thizzer
4

Estranhamente, não encontrei uma solução muito simples aqui, mas mesmo assim fiz um bom trabalho de manipulação http/ httpslinks.

Lembre-se de que ESTA NÃO É uma solução perfeita, mas funcionou nos casos abaixo. Em resumo, a regex testa se o URL começa com http://ou https://, então verifica se há pelo menos 1 caractere, depois verifica se há um ponto e, em seguida, verifica novamente se há pelo menos 1 caractere. Não são permitidos espaços.

+ (BOOL)validateLink:(NSString *)link
{
    NSString *regex = @"(?i)(http|https)(:\\/\\/)([^ .]+)(\\.)([^ \n]+)";
    NSPredicate *predicate = [NSPredicate predicateWithFormat:@"SELF MATCHES %@", regex];
    return [predicate evaluateWithObject:link];
}

VALID testado em relação a estes URLs:

@"HTTP://FOO.COM",
@"HTTPS://FOO.COM",
@"http://foo.com/blah_blah",
@"http://foo.com/blah_blah/",
@"http://foo.com/blah_blah_(wikipedia)",
@"http://foo.com/blah_blah_(wikipedia)_(again)",
@"http://www.example.com/wpstyle/?p=364",
@"https://www.example.com/foo/?bar=baz&inga=42&quux",
@"http://✪df.ws/123",
@"http://userid:[email protected]:8080",
@"http://userid:[email protected]:8080/",
@"http://[email protected]",
@"http://[email protected]/",
@"http://[email protected]:8080",
@"http://[email protected]:8080/",
@"http://userid:[email protected]",
@"http://userid:[email protected]/",
@"http://142.42.1.1/",
@"http://142.42.1.1:8080/",
@"http://➡.ws/䨹",
@"http://⌘.ws",
@"http://⌘.ws/",
@"http://foo.com/blah_(wikipedia)#cite-",
@"http://foo.com/blah_(wikipedia)_blah#cite-",
@"http://foo.com/unicode_(✪)_in_parens",
@"http://foo.com/(something)?after=parens",
@"http://☺.damowmow.com/",
@"http://code.google.com/events/#&product=browser",
@"http://j.mp",
@"http://foo.bar/?q=Test%20URL-encoded%20stuff",
@"http://مثال.إختبار",
@"http://例子.测试",
@"http://उदाहरण.परीक्षा",
@"http://-.~_!$&'()*+,;=:%40:80%2f::::::@example.com",
@"http://1337.net",
@"http://a.b-c.de",
@"http://223.255.255.254"

INVALID testado em relação a estes URLs:

@"",
@"foo",
@"ftp://foo.com",
@"ftp://foo.com",
@"http://..",
@"http://..",
@"http://../",
@"//",
@"///",
@"http://##/",
@"http://.www.foo.bar./",
@"rdar://1234",
@"http://foo.bar?q=Spaces should be encoded",
@"http:// shouldfail.com",
@":// should fail"

Fonte dos URLs: https://mathiasbynens.be/demo/url-regex

kgaidis
fonte
3

Você pode usar isso se não quiser httpou httpsouwww

NSString *urlRegEx = @"^(http(s)?://)?((www)?\.)?[\w]+\.[\w]+";

exemplo

- (void) testUrl:(NSString *)urlString{
    NSLog(@"%@: %@", ([self isValidUrl:urlString] ? @"VALID" : @"INVALID"), urlString);
}

- (void)doTestUrls{
    [self testUrl:@"google"];
    [self testUrl:@"google.de"];
    [self testUrl:@"www.google.de"];
    [self testUrl:@"http://www.google.de"];
    [self testUrl:@"http://google.de"];
}

Resultado:

INVALID: google
VALID: google.de
VALID: www.google.de
VALID: http://www.google.de
VALID: http://google.de
Hiren
fonte
Isso parece muito interessante. É 100% à prova de balas?
Supertecnoboff
3

A solução de Lefakir tem um problema. Sua regex não pode corresponder a " http://instagram.com/p/4Mz3dTJ-ra/ ". O componente Url combinou caracteres numéricos e literais. Sua regex falha em tais URLs.

Aqui está minha melhora.

"(http|https)://((\\w)*|([0-9]*)|([-|_])*)+([\\.|/]((\\w)*|([0-9]*)|([-|_])*)+)+(/)?(\\?.*)?"
governamental
fonte
2

Eu descobri que a maneira mais fácil de fazer isso é:

- (BOOL)validateUrl: (NSURL *)candidate
{
    NSURLRequest *req = [NSURLRequest requestWithURL:candidate];
    return [NSURLConnection canHandleRequest:req];
}
julianwyz
fonte
Estou usando há algum tempo e parece funcionar bem. Também parece funcionar bem com os novos TLDs ( namecheap.com/domains/new-tlds/explore.aspx ).
julianwyz
Isso não tem sentido. Se o seu URL for uma string inválida, ele travará ao criar um NSURL, de modo que poderia ser verificado em vez deste. E mesmo assim usa API antiga.
Legoless
@Legoless poderia apenas tentar ... contornar isso?
COBB de
1

A resposta aprovada está incorreta. Tenho uma URL com um "-" e a validação falha.

Leander
fonte
1

Resposta de Tweeked Vaibhav para apoiar links G +:

NSString *urlRegEx = @"http(s)?://([\\w-]+\\.)+[\\w-]+(/[\\w-\\+ ./?%&amp;=]*)?";

MuhammadBassio
fonte
1

Alguns URLs sem / no final não são detectados como os corretos nas soluções acima. Portanto, isso pode ser útil.

  extension String {
    func isValidURL() -> Bool{
        let length:Int = self.characters.count
        var err:NSError?
        var dataDetector:NSDataDetector? = NSDataDetector()
        do{
            dataDetector = try NSDataDetector(types: NSTextCheckingType.Link.rawValue)
        }catch{
            err = error as NSError
        }
        if dataDetector != nil{
            let range = NSMakeRange(0, length)
            let notFoundRange = NSRange(location: NSNotFound, length: 0)
            let linkRange = dataDetector?.rangeOfFirstMatchInString(self, options: NSMatchingOptions.init(rawValue: 0), range: range)
            if !NSEqualRanges(notFoundRange, linkRange!) && NSEqualRanges(range, linkRange!){
                return true
            }
        }else{
            print("Could not create link data detector: \(err?.localizedDescription): \(err?.userInfo)")
        }

        return false
    }
}
Pratik Mistry
fonte
1

Validação de URL em Swift

Detalhes

Xcode 8.2.1, Swift 3

Código

enum URLSchemes: String

import Foundation

enum URLSchemes: String {
    case http = "http://", https = "https://", ftp = "ftp://", unknown = "unknown://"

    static func detectScheme(urlString: String) -> URLSchemes {

        if URLSchemes.isSchemeCorrect(urlString: urlString, scheme: .http) {
            return .http
        }
        if URLSchemes.isSchemeCorrect(urlString: urlString, scheme: .https) {
            return .https
        }
        if URLSchemes.isSchemeCorrect(urlString: urlString, scheme: .ftp) {
            return .ftp
        }
        return .unknown
    }

    static func getAllSchemes(separetedBy separator: String) -> String {
        return "\(URLSchemes.http.rawValue)\(separator)\(URLSchemes.https.rawValue)\(separator)\(URLSchemes.ftp.rawValue)"
    }

    private static func isSchemeCorrect(urlString: String, scheme: URLSchemes) -> Bool {
        if urlString.replacingOccurrences(of: scheme.rawValue, with: "") == urlString {
            return false
        }
        return true
    }
}

string de extensão

import Foundation

extension String {

    var isUrl: Bool {

        // for http://regexr.com checking
        // (?:(?:https?|ftp):\/\/)(?:xn--)?(?:\S+(?::\S*)?@)?(?:(?!10(?:\.\d{1,3}){3})(?!127(?:\.\d{1,3}){3})(?!169\.254(?:\.\d{1,3}){2})(?!192\.168(?:\.\d{1,3}){2})(?!172\.(?:1[6-9]|2\d|3[0-1])(?:\.\d{1,3}){2})(?:[1-9]\d?|1\d\d|2[01]\d|22[0-3])(?:\.(?:1?\d{1,2}|2[0-4]\d|25[0-5])){2}(?:\.(?:[1-9]\d?|1\d\d|2[0-4]\d|25[0-4]))|(?:(?:[a-z\u00a1-\uffff0-9]+-?)*[a-z\u00a1-\uffff0-9]+)(?:\.(?:[a-z\u00a1-\uffff0-9]+-?)*[a-z\u00a1-\uffff0-9]+)*(?:\.(?:[#-z\u00a1-\uffff]{2,})))(?::\d{2,5})?(?:\/[^\s]*)?

        let schemes = URLSchemes.getAllSchemes(separetedBy: "|").replacingOccurrences(of: "://", with: "")
        let regex = "(?:(?:\(schemes)):\\/\\/)(?:xn--)?(?:\\S+(?::\\S*)?@)?(?:(?!10(?:\\.\\d{1,3}){3})(?!127(?:\\.\\d{1,3}){3})(?!169\\.254(?:\\.\\d{1,3}){2})(?!192\\.168(?:\\.\\d{1,3}){2})(?!172\\.(?:1[6-9]|2\\d|3[0-1])(?:\\.\\d{1,3}){2})(?:[1-9]\\d?|1\\d\\d|2[01]\\d|22[0-3])(?:\\.(?:1?\\d{1,2}|2[0-4]\\d|25[0-5])){2}(?:\\.(?:[1-9]\\d?|1\\d\\d|2[0-4]\\d|25[0-4]))|(?:(?:[a-z\\u00a1-\\uffff0-9]+-?)*[a-z\\u00a1-\\uffff0-9]+)(?:\\.(?:[a-z\\u00a1-\\uffff0-9]+-?)*[a-z\\u00a1-\\uffff0-9]+)*(?:\\.(?:[#-z\\u00a1-\\uffff]{2,})))(?::\\d{2,5})?(?:\\/[^\\s]*)?"


        let regularExpression = try! NSRegularExpression(pattern: regex, options: [])
        let range = NSRange(location: 0, length: self.characters.count)
        let matches = regularExpression.matches(in: self, options: [], range: range)
        for match in matches {
            if range.location == match.range.location && range.length == match.range.length {
                return true
            }
        }
        return false
    }

    var toURL: URL? {

        let urlChecker: (String)->(URL?) = { url_string in
            if url_string.isUrl, let url = URL(string: url_string) {
                return url
            }
            return nil
        }

        if !contains(".") {
            return nil
        }

        if let url = urlChecker(self) {
            return url
        }

        let scheme = URLSchemes.detectScheme(urlString: self)
        if scheme == .unknown {
            let newEncodedString = URLSchemes.http.rawValue + self
            if let url = urlChecker(newEncodedString) {
                return url
            }
        }

        return nil
    }
}

Uso

 func tests() {

    chekUrl(urlString:"http://example.com")
    chekUrl(urlString:"https://example.com")
    chekUrl(urlString:"http://example.com/dir/file.php?var=moo")
    chekUrl(urlString:"http://xn--h1aehhjhg.xn--d1acj3b")
    chekUrl(urlString:"http://www.example.com/wpstyle/?p=364")
    chekUrl(urlString:"http://-.~_!$&'()*+,;=:%40:80%2f::::::@example.com")
    chekUrl(urlString:"http://example.com")
    chekUrl(urlString:"http://xn--d1acpjx3f.xn--p1ai")
    chekUrl(urlString:"http://xn--74h.damowmow.com/")
    chekUrl(urlString:"ftp://example.com:129/myfiles")
    chekUrl(urlString:"ftp://user:[email protected]:21/file/dir")
    chekUrl(urlString:"ftp://ftp.example.com:2828/asdah%20asdah.gif")
    chekUrl(urlString:"http://142.42.1.1:8080/")
    chekUrl(urlString:"http://142.42.1.1/")
    chekUrl(urlString:"http://userid:[email protected]:8080")
    chekUrl(urlString:"http://[email protected]")
    chekUrl(urlString:"http://[email protected]:8080")
    chekUrl(urlString:"http://foo.com/blah_(wikipedia)#cite-1")
    chekUrl(urlString:"http://foo.com/(something)?after=parens")

    print("\n----------------------------------------------\n")

    chekUrl(urlString:".")
    chekUrl(urlString:" ")
    chekUrl(urlString:"")
    chekUrl(urlString:"-/:;()₽&@.,?!'{}[];'<>+_)(*#^%$")
    chekUrl(urlString:"localhost")
    chekUrl(urlString:"yandex.")
    chekUrl(urlString:"коряга")
    chekUrl(urlString:"http:///a")
    chekUrl(urlString:"ftps://foo.bar/")
    chekUrl(urlString:"rdar://1234")
    chekUrl(urlString:"h://test")
    chekUrl(urlString:":// should fail")
    chekUrl(urlString:"http://-error-.invalid/")
    chekUrl(urlString:"http://.www.example.com/")
}

func chekUrl(urlString: String) {
    var result = ""
    if urlString.isUrl {
        result += "url: "
    } else {
        result += "not url: "
    }
    result += "\"\(urlString)\""
    print(result)
}

Resultado

insira a descrição da imagem aqui

Vasily Bodnarchuk
fonte
1

Objetivo C

- (BOOL)validateUrlString:(NSString*)urlString
{
    if (!urlString)
    {
        return NO;
    }

    NSDataDetector *linkDetector = [NSDataDetector dataDetectorWithTypes:NSTextCheckingTypeLink error:nil];

    NSRange urlStringRange = NSMakeRange(0, [urlString length]);
    NSMatchingOptions matchingOptions = 0;

    if (1 != [linkDetector numberOfMatchesInString:urlString options:matchingOptions range:urlStringRange])
    {
        return NO;
    }

    NSTextCheckingResult *checkingResult = [linkDetector firstMatchInString:urlString options:matchingOptions range:urlStringRange];

    return checkingResult.resultType == NSTextCheckingTypeLink && NSEqualRanges(checkingResult.range, urlStringRange);
}

Espero que isto ajude!

Dharmesh Mansata
fonte
0

sua intenção era verificar se o que o usuário inseriu é um URL? Pode ser tão simples quanto uma expressão regular, por exemplo, verificar se a string contém www.(esta é a maneira que o yahoo messenger verifica se o status do usuário é um link ou não)
Espero que ajude

phunehehe
fonte
0

Egoisticamente, eu sugeriria usar uma KSURLFormatterinstância para validar a entrada e convertê-la em algo que NSURLpossa manipular.

Mike Abdullah
fonte
Existe um sabor iOS disso?
capikaw
Deve funcionar bem no iOS. Caso contrário, conserte e envie uma solicitação de pull ou registre um problema
Mike Abdullah
0

Eu criei uma classe herdada de UITextField que pode lidar com todos os tipos de validação usando string regex. Nesse caso, você só precisa fornecer a eles todas as strings de regex em sequência e a mensagem que deseja mostrar quando a validação falhar. Você pode checar meu blog para mais informações, vai te ajudar muito

http://dhawaldawar.wordpress.com/2014/06/11/uitextfield-validation-ios/

Dhawal Dawar
fonte
0

Estendendo a resposta de @Anthony para rápida, escrevi uma categoria na Stringqual retorna um opcional NSURL. O valor de retorno é nilse o Stringnão puder ser validado para ser um URL.

import Foundation

// A private global detector variable which can be reused.
private let detector = try! NSDataDetector(types: NSTextCheckingType.Link.rawValue)

extension String {
  func URL() -> NSURL? {
    let textRange = NSMakeRange(0, self.characters.count)
    guard let URLResult = detector.firstMatchInString(self, options: [], range: textRange) else {
      return nil
    }

    // This checks that the whole string is the detected URL. In case
    // you don't have such a requirement, you can remove this code
    // and return the URL from URLResult.
    guard NSEqualRanges(URLResult.range, textRange) else {
      return nil
    }

    return NSURL(string: self)
  }
}
Ayush Goel
fonte
0
func checkValidUrl(_ strUrl: String) -> Bool {
    let urlRegEx: String = "(http|https)://((\\w)*|([0-9]*)|([-|_])*)+([\\.|/]((\\w)*|([0-9]*)|([-|_])*))+"
    let urlTest = NSPredicate(format: "SELF MATCHES %@", urlRegEx)
    return urlTest.evaluate(with: strUrl)
}
Urvish Modi
fonte