共计 1069 个字符,预计需要花费 3 分钟才能阅读完成。
有时,咱们必须在 JavaScript 字符串中查找 URL。
在本文中,咱们将理解如何在 JavaScript 字符串中查找 URL 并将它们转换为链接。
咱们能够创立本人的函数,应用正则表达式来查找 URL。
例如,咱们能够这样写:
const urlify = (text) => {const urlRegex = /(https?:\/\/[^\s]+)/g;
return text.replace(urlRegex, (url) => {return `<a href="${url}>${url}</a>`;
})
}
const text = 'Find me at http://www.example.com and also at http://stackoverflow.com';
const html = urlify(text);
console.log(html)
咱们创立了承受 text
字符串的 urlify
函数。
在函数中,咱们优化了 urlRegex
变量,该变量具备用于匹配 url 的 regex。
咱们查看 http
或 https
。
而后咱们查找斜杠和文本。
正则表达式开端的 g
标记让咱们能够搜寻字符串中的所有 URL。
而后咱们用 urlRegex
调用 text.replace
并在回调中返回一个带有匹配 url
的字符串。
因而,当咱们用 text
调用 urlify
时,咱们失去:
'Find me at <a href="http://www.example.com>http://www.example.com</a> and also at <a href="http://stackoverflow.com>http://stackoverflow.com</a>'
咱们能够应用更简单的正则表达式使 URL 搜寻更准确。
例如,咱们能够这样写:
const urlify = (text) => {const urlRegex = /(\b(https?|ftp|file):\/\/[-A-Z0-9+&@#\/%?=~_|!:,.;]*[-A-Z0-9+&@#\/%=~_|])/ig;
return text.replace(urlRegex, (url) => {return `<a href="${url}>${url}</a>`;
})
}
const text = 'Find me at http://www.example.com and also at http://stackoverflow.com';
const html = urlify(text);
console.log(html)
咱们搜寻 http
、https
、ftp
和文件 url。
咱们还在模式中蕴含 :
、字母、与号和下划线。
正文完
发表至: javascript
2021-08-27