Соединение с базой данных с драйверами SQLSRV в ООП без PDO

Я пытаюсь создать систему входа в систему ООП для своего веб-сайта, и у меня возникают реальные проблемы с подключением к базе данных MS SQL, поэтому я действительно столкнулся с первым препятствием!

Я использую драйверы SQLSRV и установка PDO не вариант. Я получаю следующую ошибку, которая, как я понимаю, означает, что соединение не устанавливается и переменная db_connection имеет значение null:

Фатальная ошибка Вызов функции-члена set_charset () для необъекта в C: \ xxxx \ auth.php в строке 79

class Auth
{

/**
*  @var string - database connection
*/
private $db_connection = null;

/**
* @var array - collection of error messages
*/
public $errors = array();

/**
* @var array - collection of success / neutral messages
*/
public $messages = array();public function __construct()
{
// create/read session, absolutely necessary
session_start();

// check the possible login actions:
// if user tried to log out (happen when user clicks logout button)
if (isset($_GET["logout"])) {
$this->doLogout();
}
// login via post data (if user just submitted a login form)
elseif (isset($_POST["auth"])) {
$this->doauthWithPostData();
}
}// AUTHENTICATE
private function doauthWithPostData()
{

$serverName = "%server%";
$User = "%user%";
$Pass = "%pwd%";
$DB = "%dbname%";$connectionInfo = array( "Database"=>$DB, "UID"=>$User, "PWD"=>$Pass);// check login form contents
if (empty($_POST['usr'])) {
$this->errors[] = "Username field was empty.";
} elseif (empty($_POST['usr_pwd'])) {
$this->errors[] = "Password field was empty.";
} elseif (!empty($_POST['usr']) && !empty($_POST['usr_pwd'])) {

// create a database connection, using the constants from db.php (loaded in index.php)
$this->db_connection = sqlsrv_connect( $serverName, $connectionInfo);
//$this->db_connection = new mssql_connect(constant(DB_HOST), constant(DB_USER), constant(DB_PASS));

// change character set to utf8 and check it
if (!$this->db_connection->set_charset("utf8")) {
$this->errors[] = $this->db_connection->error;
}

// if no connection errors (= working database connection)
if (!$this->db_connection->connect_errno) {

// escape the POST stuff
$user_name = $this->db_connection->ms_escape_string($_POST['user_name']);

// database query, get all the info of the selected organisation
$qry = "SELECT USR, PASSWORD
FROM USERS
WHERE USR = '" . $_POST['usr'] . "';";
$result_of_auth_check = $this->db_connection->query($qry);

// if this org exists
if ($result_of_auth_check->num_rows == 1) {

// get result row (as an object)
$result_row = $result_of_auth_check->fetch_object();

// password_verify() function to check if the provided password fits
// the hash of that user's password
if (password_verify($_POST['usr_pwd'], $result_row->user_password_hash)) {

// write user data into PHP SESSION
$_SESSION['user_auth_status'] = $_POST['usr'];

} else {
$this->errors[] = "Wrong password. Try again.";
}
} else {
$this->errors[] = "This user does not exist.";
}
} else {
$this->errors[] = "There was a problem connecting to the database.";
}
}
}

Я попытался установить соединение точно так же, как и вне ООП, и оно работает просто отлично. Я не вижу, что происходит не так! Спасибо за любую помощь, очень признателен!

0

Решение

sqlsrv не имеет функции с именем set_charset, Вместо этого эту опцию можно установить в массиве параметров подключения, например:

$connectionInfo = array(
"Database"     => $DB,
"UID"          => $User,
"PWD"          => $Pass,
"CharacterSet" => "UTF-8");

И проверка изменений на:

...
if (!$this->db_connection) {
// You can modify here however you like
$this->errors[] = print_r(sqlsrv_errors(), true);
}

Вы также должны удалить вторую проверку, потому что мы делаем это с кодом выше:

// if no connection errors (= working database connection)
if (!$this->db_connection->connect_errno) {

...

Кажется, больше ошибок в вашем коде, как sqlsrv не имеет функции, как ms_escape_string также. Вы должны проверить официальная документация Больше.

0

Другие решения

Используйте sqlsrv_errors (), чтобы получить более четкое представление о проблеме. Я предполагаю, что у вас не установлен собственный клиент SQL.

0

По вопросам рекламы [email protected]