0

你好,我对 pdo(php) 比较陌生,我创建了一个基本的登录系统,我知道它还不安全,但我只是在试验,我知道在旧的 php 中你可以在 if 语句中回显和错误消息,但确实如此我的脚本似乎不再起作用了,是我做错了什么还是你不能在 pdo 中做到这一点。

if ($row == null){

            header( "location: login.html");
            echo "login failed";

        } else{

            header("location: homepage.php");
        }

我意识到这可能没有足够的代码可用,所以这是脚本的其余部分

session_start();
    //connection String
    $connection = new PDO("sqlsrv:server=server;Database=database", "username", "password"); 

    //Seelcting function
    $smt = $connection->prepare("select user_id, username from account where username = :username and password =:password");

    //setting values to textboxes
    $username = $_POST["txt_username"];
    $password = $_POST["txt_password"];

    //binding values
    $smt->bindValue(':username', $username);
    $smt->bindValue(':password', $password);

    //execution
    $smt->execute();

    //fetching data
    $row = $smt->fetch( PDO::FETCH_ASSOC ) ;  
    echo "$row[user_id]\n\n";
    echo "$row[username]\n\n";
    $_SESSION{"user_id"} = $row["user_id"];
4

1 回答 1

1

发送后

header( "location: login.html");

浏览器将重定向到该新文件 ( login.html) 并忽略(几乎)任何进一步的输出。

稍后显示消息login.html,您必须使用某种机制将消息传输到该页面,例如,通过使用会话变量。

编辑

header命令在实际内容之前向浏览器发送某种数据。如果您使用标头使浏览器重定向,则用户永远无法看到内容。

因此,您需要某种方式将内容带到您要重定向到的下一页。

一种可能性是使用会话变量。

if ($row == null){
  $_SESSION['errormsg'] = "login failed";
  header( "location: login.php");
} else{
  header("location: homepage.php");
}

login.php然后,如果该消息存在,您可以对它做出反应:

if( isset( $_SESSION['errormsg'] ) ) {
  // do the output
  echo $_SESSION['errormsg'];
  // delete the message from the session, so that we show it only once
  unset( $_SESSION['errormsg'] );
}
于 2013-05-30T11:43:52.167 回答