Reputation: 1306
I am trying to get a function name from a string in javascript.
Let's say I have this string:
function multiply($number) {
return ($number * 2);
}
I am using the following regex in javascript:
/([a-zA-Z_{1}][a-zA-Z0-9_]+)\(/g
However, what is selected is multiply(
. This is wrong. What I want is the word multiply
without the the (
, though the regex should keep in mind that the function name must be attached an (
.
I can't get this done. How can I make the proper regex for this? I know that this is not something I really should do and that it is quite error sensitive, but I still wanna try to make this work.
Upvotes: 3
Views: 6563
Reputation: 31692
You can use:
var name = functionString.match(/function(.*?)\(/)[1].trim();
Get anything between function
and the first (
(using a non-gredy quantifier *?
), then get the value of the group [1]
. And finally, trim
to remove surrounding spaces.
Example:
var functionString = "function dollar$$$AreAllowedToo () { }";
var name = functionString.match(/function(.*?)\(/)[1].trim();
console.log(name);
Notes:
function
and (
, or a new line too. But this really depends on how you intend to use this regex.take for examlpe:
function /*this is a tricky comment*/ functionName // another one
(param1, param2) {
}
Upvotes: 3
Reputation: 68393
Just replace last \)
with (?=\()
`function multiply($number) {
return ($number * 2);
}`.match(/([a-zA-Z_{1}][a-zA-Z0-9_]+)(?=\()/g) // ["multiply"]
Upvotes: 4