RealGigex
RealGigex

Reputation: 346

how to pass php variable through iframe to javascript

I am trying to pass a php variable value, through an iframe over to a javascript variable. All files are on my own server and domain.

This is my html file:

<html>
<head>
    <?php 
        $userOutput = "bob"; 
    ?>
</head>
<body>
    <p id="test123"><?=$userOutput?></p>
</body>
</html>

And in my original page i try to access the information like this:

<iframe id="iframeId" src="http://path/to/file.html"></iframe>
<script>
   window.onload = function() {
      var iframeDoc = document.getElementById('iframeId').contentWindow.document;
      var test = iframeDoc.getElementById('test123').value;
      console.log(test);
   };
</script>

Now, i do manage to reach my content, and i have tried before to just get the value of some input field i put in my "file.html" with success, but i can't seem to reach the php variable value ("test" shows up as undefined)

Upvotes: 0

Views: 1284

Answers (2)

Option
Option

Reputation: 2645

So anything that holds php needs to go into a .php file rather than a .html

as an example:

variableStored.php:

<html>
<head>
    <?php
    $userOutput = "Frrrrrrr";
    ?>
</head>
<body>
    <p id="test123">
        <?php echo $userOutput; ?>
    </p>
</body>
</html>

Take Note: when echo'ing out, its always best to <?php echo 'something';?>

rather than <?='something'?>

Then within lets say iframe.html:

<iframe id="iframeId" src="http://siteurl/variableStored.php"></iframe>
<script>
    window.onload = function() {
        var iframeDoc = document.getElementById('iframeId').contentWindow.document;
        var test = iframeDoc.getElementById('test123').value;
        console.log(test);
    };
</script>

This will then fetch everything from variableStored.php as you want it to.

Upvotes: 1

Nicolas
Nicolas

Reputation: 8670

You could echo your variable in a Javascript variable like

<script>var test = "<?= $variable ?>";</script>

And pass the variable as GET parameter to your iframe.

<script>
        var url = "myIframe.html?var1=" + test; 
        $('#myIframe').attr('src', url"); 
</script>

You can then retreive the info using

<script>
function getParamValue(paramName)
{
    var url = window.location.search.substring(1); //get rid of "?" in querystring
    var qArray = url.split('&'); //get key-value pairs
    for (var i = 0; i < qArray.length; i++) 
    {
        var pArr = qArray[i].split('='); //split key and value
        if (pArr[0] == paramName) 
            return pArr[1]; //return value
    }
}
</script>

I want to give credit to @Ozgur bar for his answer here. How to pass parameters through iframe from parent html?

Upvotes: 0

Related Questions