how to pass value from one php page to another using session

后端 未结 2 1594
隐瞒了意图╮
隐瞒了意图╮ 2020-11-30 08:04

I can pass values form one page to another but I need to pass value like this,

Page 1:

Page4.php

Page3.php

I need to pass the value in a t

相关标签:
2条回答
  • 2020-11-30 08:51

    Solution using just POST - no $_SESSION

    page1.php

    <form action="page2.php" method="post">
        <textarea name="textarea1" id="textarea1"></textarea><br />
        <input type="submit" value="submit" />
    </form>
    

    page2.php

    <?php
        // this page outputs the contents of the textarea if posted
        $textarea1 = ""; // set var to avoid errors
        if(isset($_POST['textarea1'])){
            $textarea1 = $_POST['textarea1']
        }
    ?>
    <textarea><?php echo $textarea1;?></textarea>
    

    Solution using $_SESSION and POST

    page1.php

    <?php
    
        session_start(); // needs to be before anything else on page to use $_SESSION
        $textarea1 = "";
        if(isset($_POST['textarea1'])){
            $_SESSION['textarea1'] = $_POST['textarea1'];
        }
    
    ?>
    
    
    <form action="page1.php" method="post">
        <textarea name="textarea1" id="textarea1"></textarea><br />
        <input type="submit" value="submit" />
    </form>
    <br /><br />
    <a href="page2.php">Go to page2</a>
    

    page2.php

    <?php
        session_start(); // needs to be before anything else on page to use $_SESSION
        // this page outputs the textarea1 from the session IF it exists
        $textarea1 = ""; // set var to avoid errors
        if(isset($_SESSION['textarea1'])){
            $textarea1 = $_SESSION['textarea1']
        }
    ?>
    <textarea><?php echo $textarea1;?></textarea>
    

    WARNING!!! - This contains no validation!!!

    0 讨论(0)
  • 2020-11-30 09:04

    Use something like this:

    page1.php

    <?php
    session_start();
    $_SESSION['myValue']=3; // You can set the value however you like.
    ?>
    

    Any other PHP page:

    <?php
    session_start();
    echo $_SESSION['myValue'];
    ?>
    

    A few notes to keep in mind though: You need to call session_start() BEFORE any output, HTML, echos - even whitespace.

    You can keep changing the value in the session - but it will only be able to be used after the first page - meaning if you set it in page 1, you will not be able to use it until you get to another page or refresh the page.

    The setting of the variable itself can be done in one of a number of ways:

    $_SESSION['myValue']=1;
    $_SESSION['myValue']=$var;
    $_SESSION['myValue']=$_GET['YourFormElement'];
    

    And if you want to check if the variable is set before getting a potential error, use something like this:

    if(!empty($_SESSION['myValue'])
    {
        echo $_SESSION['myValue'];
    }
    else
    {
        echo "Session not set yet.";
    }
    
    0 讨论(0)
提交回复
热议问题