Do anyone have suggestions to detect link from text Currently in react I am just checking the regex for link using below code:
JavaScript
x
12
12
1
urlify(text) {
2
var urlRegex = (new RegExp("([a-zA-Z0-9]+://)?([a-zA-Z0-9_]+:[a-zA-Z0-9_]+@)?([a-zA-Z0-9.-]+\.[A-Za-z]{2,4})(:[0-9]+)?(/.*)?"));
3
return text.replace(urlRegex, function (url) {
4
return '<a href="' + url + '" target="_blank">' + url + '</a>';
5
});}
6
7
render() {
8
let description="this is my [web](http://stackoverflow.com), this is [Google](https://www.google.com/)"
9
return (
10
<p dangerouslySetInnerHTML={{__html: this.urlify(description)}}></p>
11
);}
12
The output for above code displayed as shown here
But I just wanna display text as This is my web
Advertisement
Answer
If you wanted to continue using dangerouslySetInnerHTML
you could use this match/replace to create an anchor…
JavaScript
1
10
10
1
const text = 'this is my [web](https://www.google.com/)'
2
3
const regex = /(.+)[(.+)]((.+))/;
4
5
const anchor = text.replace(regex, (match, a, b, c) => {
6
const text = `${a[0].toUpperCase()}${a.substring(1)}${b}`;
7
return `<a href="${c}">${text}</a>`;
8
});
9
10
console.log(anchor);
…or you could create a bespoke component that maps the array output from the match to some JSX that creates an anchor.
JavaScript
1
23
23
1
function MarkdownAnchor({ markdown }) {
2
3
const regex = /(.+)[(.+)]((.+))/;
4
const match = markdown.match(regex);
5
6
function formatText(str) {
7
return `${str[0].toUpperCase()}${str.substring(1)}`
8
}
9
10
return (
11
<a href={match[3]}>
12
{formatText(`${match[1]}${match[2]}`)}
13
</a>
14
);
15
16
}
17
18
const markdown = 'this is my [web](https://www.google.com/)';
19
20
ReactDOM.render(
21
<MarkdownAnchor markdown={markdown} />,
22
document.getElementById('react')
23
);
JavaScript
1
3
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/17.0.2/umd/react.production.min.js"></script>
2
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/17.0.2/umd/react-dom.production.min.js"></script>
3
<div id="react"></div>