[Solved] Calling javascript function in my PHP code


You need quotes around the texts and properly set window.onload:

<?php 
function GET($key) {
    return isset($_GET[$key]) ? $_GET[$key] : null;
}

$alert = GET('message');
echo "<script>window.onload = function () { ";
if ($alert == "success") echo "success();";
else if ($alert == "removed") echo "remove();";
echo " };</script>";
?>

If those two are all you need, you can also do this:

$alert = GET('message');
if ($alert == "success" || $alert == "remove") {
    echo "<script>window.onload = $alert;</script>";
}

Edit:
To clarify an issue from the comments: to set window.onload to a function, one cannot use

window.onload = myFunc();  // WRONG!

(This will call the function, then set window.onload to the result)

The correct way is:

window.onload = myFunc;
// OR
window.onload = function () {
  myFunc();
};

15

solved Calling javascript function in my PHP code