Вход на страницу администратора только перенаправляет меня на страницу входа, что я делаю не так? - PullRequest
0 голосов
/ 09 июля 2019

Я пытаюсь разработать платформу для блогов для моего сайта, и у меня есть два пользователя.Я настраиваю обычных пользователей с областью комментариев, и затем администраторы получают доступ к панели инструментов, где они могут редактировать и создавать что угодно.Только администраторы имеют доступ к этой странице.Каждый раз, когда я вхожу в систему как администратор, он перенаправляет меня обратно на страницу входа, как будто я еще не вошел в систему.

Я пробовал бесчисленное множество других предложений с различных веб-сайтов и прочитал все вопросы, которые быличто-то делать с тем, что мне нужно.Может кто-нибудь направить меня туда, где я могу найти достоверную информацию о том, как настроить эту систему, чтобы я мог войти без повторного перенаправления на экран входа в систему?

Это одна из моих страниц, я хочу только администраторавкл.

<?php  include('../config.php'); ?>
    <?php include(ROOT_PATH . '/admin/includes/admin_functions.php'); ?>
    <?php include(ROOT_PATH . '/admin/includes/head_section.php'); ?>

    <title>Admin | Dashboard</title>
    <link href="includes/admin_styling.css" rel="stylesheet" type="text/css">
    </head>
<body>
    <div class="header">
        <div class="logo">
            <a href="<?php echo BASE_URL .'admin/dashboard.php' ?>">
                <h1>Administrative Dashboard</h1>
            </a>
        </div>
        <?php if (isset($_SESSION['user'])): ?>
            <div class="user-info">
                <span><?php echo $_SESSION['user']['username'] ?></span> &nbsp; &nbsp; 
                <a href="<?php echo BASE_URL . '/logout.php'; ?>" class="logout-btn">logout</a>
            </div>
        <?php endif ?>
    </div>
    <div class="container dashboard">
        <div class="transbox">
        <h1>Welcome</h1>
        </div>
        <div class="transbox">
        <div class="stats">
            <a href="users.php" class="first">
                <br>
                <span>Registered Users</span>
            </a>
            <a href="posts.php">
            <br>
                <span>Blog Posts</span>
            </a>
            <a>
                <br> <!--WILL ADD IN SOON-->
                <span>Published Comments</span>
            </a>
        </div>
        </div>
        <br><br><br>
        <div class="buttons">
            <a href="users.php">Add Users</a>
            <a href="posts.php">Add Posts</a>
        </div>
    </div>
</body>
</html>

Вот страница регистрации:

<?php
    // variable declaration
    $username = "";
    $email    = "";
    $errors = array(); 

    // REGISTER USER
    if (isset($_POST['reg_user'])) {
        // receive all input values from the form
        $username = esc($_POST['username']);
        $email = esc($_POST['email']);
        $password_1 = esc($_POST['password_1']);
        $password_2 = esc($_POST['password_2']);

        // form validation: ensure that the form is correctly filled
        if (empty($username)) {  array_push($errors, "Uhmm...We gonna need your username"); }
        if (empty($email)) { array_push($errors, "Oops.. Email is missing"); }
        if (empty($password_1)) { array_push($errors, "uh-oh you forgot the password"); }
        if ($password_1 != $password_2) { array_push($errors, "The two passwords do not match");}

        // Ensure that no user is registered twice. 
        // the email and usernames should be unique
        $user_check_query = "SELECT * FROM users WHERE username='$username' 
                                OR email='$email' LIMIT 1";

        $result = mysqli_query($conn, $user_check_query);
        $user = mysqli_fetch_assoc($result);

        if ($user) { // if user exists
            if ($user['username'] === $username) {
              array_push($errors, "Username already exists");
            }
            if ($user['email'] === $email) {
              array_push($errors, "Email already exists");
            }
        }
        // register user if there are no errors in the form
        if (count($errors) == 0) {
            $password = md5($password_1);//encrypt the password before saving in the database
            $query = "INSERT INTO users (username, email, password, created_at, updated_at) 
                      VALUES('$username', '$email', '$password', now(), now())";
            mysqli_query($conn, $query);

            // get id of created user
            $reg_user_id = mysqli_insert_id($conn); 

            // put logged in user into session array
            $_SESSION['user'] = getUserById($reg_user_id);

            // if user is admin, redirect to admin area
            if ( in_array($_SESSION['user']['role'], ["Admin", "Author"])) {
                $_SESSION['message'] = "You are now logged in";
                // redirect to admin area
                header('location: ' . BASE_URL . 'admin/dashboard.php');
                exit(0);
            } else {
                $_SESSION['message'] = "You are now logged in";
                // redirect to public area
                header('location: index.php');              
                exit(0);
            }
        }
    }

    // LOG USER IN
    if (isset($_POST['login_btn'])) {
        $username = esc($_POST['username']);
        $password = esc($_POST['password']);

        if (empty($username)) { array_push($errors, "Username required"); }
        if (empty($password)) { array_push($errors, "Password required"); }
        if (empty($errors)) {
            $password = md5($password); // encrypt password
            $sql = "SELECT * FROM users WHERE username='$username' and password='$password' LIMIT 1";

            $result = mysqli_query($conn, $sql);
            if (mysqli_num_rows($result) > 0) {
                // get id of created user
                $reg_user_id = mysqli_fetch_assoc($result)['id']; 

                // put logged in user into session array
                $_SESSION['user'] = getUserById($reg_user_id); 

                // if user is admin, redirect to admin area
                if ( in_array($_SESSION['user']['role'], ["Admin", "Author"])) {
                    $_SESSION['message'] = "You are now logged in";
                    // redirect to admin area
                    header('location: ' . BASE_URL . '/admin/dashboard.php');
                    exit(0);
                } else {
                    $_SESSION['message'] = "You are now logged in";
                    // redirect to public area
                    header('location: index.php');              
                    exit(0);
                }
            } else {
                array_push($errors, 'Wrong credentials');
            }
        }
    }
    // escape value from form
    function esc(String $value)
    {   
        // bring the global db connect object into function
        global $conn;

        $val = trim($value); // remove empty space sorrounding string
        $val = mysqli_real_escape_string($conn, $value);

        return $val;
    }
    // Get user info from user id
    function getUserById($id)
    {
        global $conn;
        $sql = "SELECT * FROM users WHERE id=$id LIMIT 1";

        $result = mysqli_query($conn, $sql);
        $user = mysqli_fetch_assoc($result);

        // returns user in an array format: 
        // ['id'=>1 'username' => 'Awa', 'email'=>'a@a.com', 'password'=> 'mypass']
        return $user; 
    }

?>

Так как и где я могу разместить этот код?У меня есть понимание сессий, но ничего, что я пытаюсь, не работает.Все, что я вставил, перенаправляет меня обратно на страницу входа при попытке войти в систему как администратор.

...