문자열이 유효한 HTTP URL인지 확인하는 방법


251

거기 있습니다 Uri.IsWellFormedUriStringUri.TryCreate방법은, 그러나 그들은 반환하는 것 true파일 경로 등을 위해

입력 유효성 검사를 위해 문자열이 유효한 HTTP URL인지 확인하려면 어떻게해야합니까?


URL을 확인하기 위해 regex.IsMatch를 전혀 사용하지 마십시오. CPU를 죽일 수 있습니다. stackoverflow.com/questions/31227785/…
inesmar

답변:


451

HTTP URL의 유효성을 검사하려면 다음을 시도하십시오 ( uriName테스트하려는 URI 임).

Uri uriResult;
bool result = Uri.TryCreate(uriName, UriKind.Absolute, out uriResult) 
    && uriResult.Scheme == Uri.UriSchemeHttp;

또는 HTTP 및 HTTPS URL을 모두 유효한 것으로 승인하려면 (J0e3gan의 설명에 따라) :

Uri uriResult;
bool result = Uri.TryCreate(uriName, UriKind.Absolute, out uriResult) 
    && (uriResult.Scheme == Uri.UriSchemeHttp || uriResult.Scheme == Uri.UriSchemeHttps);

6
uriName.Scheme 대신 uriResult.Scheme을 읽어야합니까? TryCreate에 과부하를 사용하여 Uri 대신 String을 첫 번째 매개 변수로 사용합니다.

7
uriResult.Scheme == ... 구체적으로 https에 조건을 더 추가 할 수 있습니다. 그것은 당신이 이것을 위해 필요한 것에 달려 있지만,이 작은 변화는 그것이 나를 위해 완벽하게 작동하는 데 필요한 전부였습니다.
Fiarr

11
@Fiarr의 의견에 따라 명확하게하기 위해 HTTP URL 외에 HTTPS를 설명하는 데 필요한 "소규모 변경"은 다음과 같습니다.bool result = Uri.TryCreate(uriName, UriKind.Absolute, out uriResult) && uriResult.Scheme == Uri.UriSchemeHttp || uriResult.Scheme == Uri.UriSchemeHttps;
J0e3gan

3
이 방법은 abcde 와 같은 URL에 실패 합니다 . 유효한 URL이라고합니다.
Kailash P

7
이 기술은 75 개의 테스트 중 22 개에서 실패한 것으로 보입니다. dotnetfiddle.net/XduN3A
whitneyland

98

이 방법은 http와 https 모두에서 잘 작동합니다. 한 줄만 :)

if (Uri.IsWellFormedUriString("https://www.google.com", UriKind.Absolute))

MSDN : IsWellFormedUriString


13
이것은 즉 (비 HTTP URI의 true를 돌려줍니다 다른 구조를 같은 file://또는 ldap://이 솔루션은 계획에 대한 점검과 결합되어야한다 -. 예를 들면if (uri.Scheme != Uri.UriSchemeHttp && uri.Scheme != Uri.UriSchemeHttps) ...
SQUIGGLE

이 RFC3986을 준수합니까?
Marcus

3
, 그건 내가 그것을 확인하고 싶은 정확히 무엇 @Squiggle 모든 것을 내가 다운을 만들고 있어요 때문이다. 따라서이 답변은 나에게 가장 좋은 방법입니다.
Beyondo

24
    public static bool CheckURLValid(this string source)
    {
        Uri uriResult;
        return Uri.TryCreate(source, UriKind.Absolute, out uriResult) && uriResult.Scheme == Uri.UriSchemeHttp;
    }

용법:

string url = "htts://adasd.xc.";
if(url.CheckUrlValid())
{
  //valid process
}

업데이트 : (한 줄의 코드) 감사합니다 @GoClimbColorado

public static bool CheckURLValid(this string source) => Uri.TryCreate(source, UriKind.Absolute, out Uri uriResult) && uriResult.Scheme == Uri.UriSchemeHttps;

용법:

string url = "htts://adasd.xc.";
if(url.CheckUrlValid())
{
  //valid process
}

www URL을 처리하지 않는 것 같습니다. IE : www.google.com이 유효하지 않은 것으로 표시됩니다.
Zauber Paracelsus

6
@ZauberParacelsus "www.google.com"이 잘못되었습니다. URL은 "http", "ftp", "file"등으로 시작해야합니다. 문자열은 공백없이 "http://www.google.com"이어야합니다.
Erçin Dedeoğlu

1
오늘, out 매개 변수는 개선 될 수 있습니다Uri.TryCreate(source, UriKind.Absolute, out Uri uriResult) && uriResult.Scheme == Uri.UriSchemeHttps
GoClimbColorado

11

여기에 모든 해답 중 하나를 허용 다른 제도와의 URL (예 : file://, ftp://) 또는로 시작하지 않는 사람이 읽을 수있는 URL을 거부 http://하거나 https://(예 www.google.com) 사용자 입력을 처리 할 때 좋은하지 않은 .

내가하는 방법은 다음과 같습니다.

public static bool ValidHttpURL(string s, out Uri resultURI)
{
    if (!Regex.IsMatch(s, @"^https?:\/\/", RegexOptions.IgnoreCase))
        s = "http://" + s;

    if (Uri.TryCreate(s, UriKind.Absolute, out resultURI))
        return (resultURI.Scheme == Uri.UriSchemeHttp || 
                resultURI.Scheme == Uri.UriSchemeHttps);

    return false;
}

용법:

string[] inputs = new[] {
                          "https://www.google.com",
                          "http://www.google.com",
                          "www.google.com",
                          "google.com",
                          "javascript:alert('Hack me!')"
                        };
foreach (string s in inputs)
{
    Uri uriResult;
    bool result = ValidHttpURL(s, out uriResult);
    Console.WriteLine(result + "\t" + uriResult?.AbsoluteUri);
}

산출:

True    https://www.google.com/
True    http://www.google.com/
True    http://www.google.com/
True    http://google.com/
False

1
이것은 "mooooooooo"와 같은 단일 단어를 통해 가능하지만 Uri.IsWellFormedUriString과 함께 사용될 수 있습니다
Epirocks

@Epirocks 좋은 지적입니다. 문제는 http://mooooooooo사실 유효한 Uri입니다. 따라서 Uri.IsWellFormedUriString"http : //"를 삽입 한 후 확인할 수 없으며 이전에 확인한 경우에는없는 Scheme것이 거부됩니다. 어쩌면 할 수있는 것은 s.Contains('.')대신 확인하는 것입니다.
Ahmed Abdelhameed

moooooo 자체는 프로토콜이 없으므로 URL처럼 보이지 않습니다. 내가 한 일은 정규식 일치 호출을 꺼내고 IsWellFormedUriString을 사용하여 && '했다.
Epirocks

트윗 담아 가기 문제는을 IsWellFormedUriString추가하기 전에 사용 http://하면 같은 것을 거부하고을 google.com추가 한 후 사용하면에 http://대해 true를 반환한다는 것입니다 http://mooooooooo. 그렇기 때문에 문자열에 .대신 포함되어 있는지 확인하는 것이 좋습니다.
Ahmed Abdelhameed

어쨌든 http 또는 https가없는 URL을 수락하고 싶지 않습니다. 그래서 먼저 IsWellFormedUriString을 사용하고 정규 표현식없이 함수를 사용하십시오. bool bResult = (Uri.IsWellFormedUriString (s, UriKind.Absolute) && ValidHttpURL (s, out uriResult)); 감사
Epirocks


3

그것을보십시오 :

bool IsValidURL(string URL)
{
    string Pattern = @"^(?:http(s)?:\/\/)?[\w.-]+(?:\.[\w\.-]+)+[\w\-\._~:/?#[\]@!\$&'\(\)\*\+,;=.]+$";
    Regex Rgx = new Regex(Pattern, RegexOptions.Compiled | RegexOptions.IgnoreCase);
    return Rgx.IsMatch(URL);
}

다음과 같은 URL을 허용합니다.

  • http (s) : //www.example.com
  • http (s) : //stackoverflow.example.com
  • http (s) : //www.example.com/page
  • http (s) : //www.example.com/page? id = 1 & product = 2
  • http (s) : //www.example.com/page#start
  • http://www.example.com:8080
  • http : //s.127.0.0.1
  • 127.0.0.1
  • www.example.com
  • example.com

2

이것은 bool을 반환합니다.

Uri.IsWellFormedUriString(a.GetAttribute("href"), UriKind.Absolute)

2
OP가 구체적으로 언급했다고 생각하지만 파일 경로에 적용되는 Uri.IsWellFormedUriString을 좋아하지 않습니다. 이 문제에 대한 해결책이 있습니까?
Isantipov 2016 년

1
Uri uri = null;
if (!Uri.TryCreate(url, UriKind.Absolute, out uri) || null == uri)
    return false;
else
    return true;

url테스트해야 할 문자열은 다음과 같습니다 .


3
null == URL 확인이 엄청나 다
JSON

0
bool passed = Uri.TryCreate(url, UriKind.Absolute, out Uri uriResult) && (uriResult.Scheme == Uri.UriSchemeHttp || uriResult.Scheme == Uri.UriSchemeHttps)

귀하의 답변은 품질이 낮은 게시물에 올랐습니다. 코드가 자명 한 경우에도 설명을 입력하십시오.
Harsha Biyani
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.