How do I convert a string into an executable line of code in Javascript?

eval() This will convert string to javascript code.

eval("console.log('Alive! Woo!')");

eval and new Function let you parse and execute JavaScript code from strings.

In general, avoid executing code from strings. And never execute code from strings where the strings are untrusted input (for instance, if you take input from user A, never use these to evaluate it in a session with user B).

I see answers here pointing you at eval. eval grants access to your local variables and such to the code, making it really powerful and really dangerous if you use it with untrusted input.

Where possible, avoid eval. You can easily avoid it in your case:

For instance:

console.log("I am");
var x = "console.log('Alive!')";
new Function(x)();

That code creates a function whose body is the text from x, then immediately executes the function.