检查 JavaScript 字符串是否为 URL

新手上路,请多包涵

JavaScript 中有没有一种方法可以检查字符串是否为 URL?

正则表达式被排除在外,因为 URL 很可能是这样写的 stackoverflow ;也就是说,它可能没有 .comwwwhttp

原文由 Bruno 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 1k
2 个回答

有答案的相关问题

或者来自 Devshed 的正则表达式:

 function validURL(str) {
  var pattern = new RegExp('^(https?:\\/\\/)?'+ // protocol
    '((([a-z\\d]([a-z\\d-]*[a-z\\d])*)\\.)+[a-z]{2,}|'+ // domain name
    '((\\d{1,3}\\.){3}\\d{1,3}))'+ // OR ip (v4) address
    '(\\:\\d+)?(\\/[-a-z\\d%_.~+]*)*'+ // port and path
    '(\\?[;&a-z\\d%_.~+=-]*)?'+ // query string
    '(\\#[-a-z\\d_]*)?$','i'); // fragment locator
  return !!pattern.test(str);
}

原文由 Tom Gullen 发布,翻译遵循 CC BY-SA 4.0 许可协议

如果你想检查一个字符串是否 是有效的 HTTP URL ,你可以使用 URL 构造函数(它会抛出格式错误的字符串):

 function isValidHttpUrl(string) {
  let url;
  try {
    url = new URL(string);
  } catch (_) {
    return false;
  }
  return url.protocol === "http:" || url.protocol === "https:";
}
console.log("http://example.com: "+isValidHttpUrl("https://example.com"));
console.log("example.com: "+isValidHttpUrl("example.com"));

注意: 根据 RFC 3886 ,URL 必须以方案开头(不限于 http/https),例如:

  • www.example.com 是无效的 URL(缺少方案)
  • javascript:void(0) 是有效的 URL,虽然不是 HTTP URL
  • http://.. 是主机为 .. (是否解析取决于您的 DNS)
  • https://example..com 是有效的URL,同上

原文由 Pavlo 发布,翻译遵循 CC BY-SA 4.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题