- PHP: PDO быстрый старт, работа с MySQL
- Содержание:
- Почему стоит использовать PDO
- Тестовая база данных с таблицей
- Установка PDO
- Проверить доступные драйвера
- Соединение с базой данных
- Подготовленные и прямые запросы
- Прямые запросы
- Подготовленные запросы
- Получение данных. Метод fetch()
- Получение данных. Метод fetchColumn()
- Получение данных. Метод fetchAll()
- PDO и оператор LIKE
- PDO и оператор LIMIT
- PDO и оператор IN
- Добавление записей
- Изменение записей
- Удаление записей
- Использование транзакций
- How to install latest php with postgresql PDO driver using phpenv and run it on apache and nginx
- Installing PDO driver on MySQL Linux server
- 6 Answers 6
- Install PDO
- Compatibility with mysql_
- Connecting to PostgreSQL
- Prerequisites
- 1) PostgreSQL database parameters
- 2) Enable PostgreSQL driver
- PostgreSQL data source name
- Connecting to PostgreSQL
PHP: PDO быстрый старт, работа с MySQL
Содержание:
PDO (PHP Data Objects) — расширение PHP, которое реализует взаимодействие с базами данных при помощи объектов. Профит в том, что отсутствует привязка к конкретной системе управления базами данных. PDO поддерживает СУБД: MySQL, PostgreSQL, SQLite, Oracle, Microsoft SQL Server и другие.
Официальный мануал по PHP PDO здесь . Там же можно найти и сам класс PDO .
Почему стоит использовать PDO
Функции mysql в PHP для работы с БД давно уже устарели, на сегодняшний день желательно использовать mysqli или PDO (PHP Data Objects). Кроме того, mysqli — эта библиотека, которая по большому счёту, не предназначена для использования напрямую в коде. Она может послужить хорошим строительным материалом для создания библиотеки более высокого уровня. При работе с mysqli следует также помнить об обеспечении безопасности вашего приложения, в частности о защите от SQL-инъекций. В случае использования PDO (с его подготовленными запросами), такая защита идёт уже «из коробки», главное правильно применить необходимые методы.
Тестовая база данных с таблицей
Установка PDO
Проверить доступные драйвера
Соединение с базой данных
Соединения устанавливаются автоматически при создании объекта PDO от его базового класса.
При ошибке подключения PHP выдаст ошибку:
В этом примере подключения мы используем конструкцию try. catch . Многие спорят о целесообразности её использования. Лично я использую try. catch , она мне не мешает.
Подготовленные и прямые запросы
В PDO два способа выполнения запросов:
- Прямой — состоит из одного шага;
- Подготовленный — состоит из двух шагов.
Прямые запросы
- query() используется для операторов, которые не вносят изменения, например SELECT . Возвращает объект PDOStatemnt , из которого с помощью методов fetch() или fetchAll извлекаются результаты запроса. Можно его сравнить с mysql resource , который возвращала mysql_query() .
- exec() используется для операторов INSERT, DELETE, UPDATE . Возвращает число обработанных запросом строк.
Прямые запросы используются только в том случае, если в запросе отсутствуют переменные и есть уверенность, что запрос безопасен и правильно экранирован.
Подготовленные запросы
Если же в запрос передаётся хотя бы одна переменная, то этот запрос в обязательном порядке должен выполняться только через подготовленные выражения . Что это значит? Это обычный SQL запрос, в котором вместо переменной ставится специальный маркер — плейсхолдер. PDO поддерживает позиционные плейсхолдеры ( ? ), для которых важен порядок передаваемых переменных, и именованные ( :name ), для которых порядок не важен. Примеры:
Чтобы выполнить такой запрос, сначала его надо подготовить с помощью метода prepare() . Она также возвращает PDO statement , но ещё без данных. Чтобы их получить, надо исполнить этот запрос, предварительно передав в него наши переменные. Передать можно двумя способами: Чаще всего можно просто выполнить метод execute() , передав ему массив с переменными:
Как видно, в случае именованных плейсхолдеров в execute() должен передаваться массив, в котором ключи должны совпадать с именами плейсхолдеров. После этого можно извлечь результаты запроса:
Важно! Подготовленные запросы — основная причина использовать PDO, поскольку это единственный безопасный способ выполнения SQL запросов, в которых участвуют переменные.
Получение данных. Метод fetch()
Мы уже выше познакомились с методом fetch() , который служит для последовательного получения строк из БД. Этот метод является аналогом функции mysq_fetch_array() и ей подобных, но действует по-другому: вместо множества функций здесь используется одна, но ее поведение задается переданным параметром. В подробностях об этих параметрах будет написано в другой заметке, а в качестве краткой рекомендации посоветую применять fetch() в режиме FETCH_LAZY
В этом режиме не тратится лишняя память, и к тому же к колонкам можно обращаться любым из трех способов — через индекс, имя, или свойство (через -> ). Недостатком же данного режима является то, что он не работает с fetchAll()
Получение данных. Метод fetchColumn()
Также у PDO statement есть метод для получения значения единственной колонки. Очень удобно, если мы запрашиваем только одно поле — в этом случае значительно сокращается количество кода:
Получение данных. Метод fetchAll()
PDO и оператор LIKE
Работая с подготовленными запросами, следует понимать, что плейсхолдер может заменять только строку или число. Ни ключевое слово, ни идентификатор, ни часть строки или набор строк через плейсхолдер подставить нельзя. Поэтому для LIKE необходимо сначала подготовить строку поиска целиком, а потом ее подставлять в запрос:
Здесь может вознинуть проблема! Поиск может не работать, потому как из базы у вас приходят данные в неправильной кодировке. Необходимо добавить кодировку в подключение, если она там не указана!
PDO и оператор LIMIT
Важно! Когда PDO работает в режиме эмуляции, все данные, которые были переданы напрямую в execute() , форматируются как строки. То есть, эскейпятся и обрамляются кавычками. Поэтому LIMIT . превращается в LIMIT ’10’, ’10’ и очевидным образом вызывает ошибку синтаксиса и, соответственно, пустой массив данных.
Решение #1 : Отключить режим эмуляции:
Решение #2 : Биндить эти цифры через bindValue() , принудительно выставляя им тип PDO::PARAM_INT :
PDO и оператор IN
При выборке из таблицы необходимо доставать записи, соответствующие всем значениям массива.
Добавление записей
Изменение записей
Удаление записей
Использование транзакций
Важно! Транзакции в PDO работают только с таблицами InnoDB
В данной заметке мы познакомились с основными понятиями PDO, его установкой, подключением к БД и самые простые возможности выборки, изменения и удаления данных. В следующих заметках мы рассмотрим ещё несколько тем, касающихся PDO.
Источник
How to install latest php with postgresql PDO driver using phpenv and run it on apache and nginx
Oct 28, 2019 · 4 min read
In this post I’d like to show how to use phpenv library and set your php environment using it. Rec e ntly we had to set up new development environment for our project and decided to use phpenv lib. We’re using postgresql as the DB and as long as it’s not among the default php drivers I had to add it myself, so I’ll show you how to do it. Also I’ll show basic set ups for apache and nginx. I spent quite some time to set everything properly and want to share result of my research. Hope that will be useful for someone. Sure we will be using the latest stable version of php. At the moment it’s a 7.3.11.
So let’s get started
- First of all we need to install phpenv. Simply following the instruction we clone the git repo:
git clone git://github.com/phpenv/phpenv.git
Add phpenv/bin to $PATH to get access from command line
Add phpenv init to shell
Restart shell so that changes are applied
Next step is to install all the required packages to Ubuntu:
sudo apt-get install -y gcc libxml2-dev libssl1.0-dev libbz2-dev php-curl libcurl3 libcurl3-dev libssl-dev libjpeg-turbo8-dev libpng-dev libedit-dev libreadline-dev libtidy-dev libxslt-dev libzip-dev
sudo apt-get install -y autoconf
Now you we can install php!
It’ll take some time. After php is installed run:
Finally let’s set up php globally
You can check php 7.3.11 installed to your ubuntu instance by running
You should be getting the following response:
2. Now we’re going to add POSTGRESQL driver for PDO
Install postgresql to your ubuntu instance:
sudo apt-get install -y postgresql postgresql-contrib postgresql-server-dev-10
Next we need to download proper PDO driver for the php version of our choice and compile it:
tar -xvzf php-7.3.11.tar.gz
sudo cp modules/pgsql.so
Add pgsql driver to
Check PgSQL module installed to php
Response you’ll get should be something like:
3. It’s time to use a server. We’ll start with apache.
Open /etc/apache2/sites-enabled/000-default.conf and update virtual host so that it looks like:
In order to use php-fpm we need to enable following apache modules:
sudo a2enmod proxy_http
sudo a2enmod proxy_fcgi
sudo systemctl restart apache2
create /var/www/html/index.php file with following code inside:
Now start php fpm:
Open the starting php page in browser it should show phpinfo() output including including apache as a $_SERVER[‘SERVER_SOFTWARE’] and postgresql pdo driver:
Источник
Installing PDO driver on MySQL Linux server
I was suggested, not long ago, to change my code to use PDO in order to parameterize my queries and safely save HTML in the database.
Well, here are the main problems:
I looked at http://php.net/manual/en/ref.pdo-mysql.php, and I don’t really get where I should put that $ ./configure —with-pdo-mysql string.
The site I’m building actually only requires PDO for one page. While I may consider re-writing it, it would take a while and I need the pages to be running soon, so I can’t turn off MySQL completely. If I do install PDO, will I still be able to use mysql_* handlers?
The server in question is running PHP Version 5.4.6-1ubuntu1 and Apache/2.2.22 (Ubuntu). I’m also running a phpMyAdmin database, if it matters.
6 Answers 6
On Ubuntu you should be able to install the necessary PDO parts from apt using sudo apt-get install php5-mysql
There is no limitation between using PDO and mysql_ simultaneously. You will however need to create two connections to your DB, one with mysql_ and one using PDO.
That’s a good question, but I think you just misunderstand what you read.
Install PDO
The ./config —with-pdo-mysql is something you have to put on only if you compile your own PHP code. If you install it with package managers, you just have to use the command line given by Jany Hartikainen: sudo apt-get install php5-mysql and also sudo apt-get install pdo-mysql
Compatibility with mysql_
Apart from the fact mysql_ is really discouraged, they are both independent. If you use PDO mysql_ is not implicated, and if you use mysql_ PDO is not required.
If you turn off PDO without changing any line in your code, you won’t have a problem. But since you started to connect and write queries with PDO, you have to keep it and give up mysql_.
Several years ago the MySQL team published a script to migrate to MySQLi. I don’t know if it can be customised, but it’s official.
Basically the answer from Jani Hartikainen is right! I upvoted his answer. What was missing on my system (based on Ubuntu 15.04) was to enable PDO Extension in my php.ini
restart the webserver (e.g. with «sudo service apache2 restart») -> every fine 🙂
To find where your current active php.ini file is located you can use phpinfo() or some other hints from here: https://www.ostraining.com/blog/coding/phpini-file/
At first install necessary PDO parts by running the command
where * is a version name of php like 5.6, 7.0, 7.1, 7.2
After installation you need to mention these two statements
in your .ini file (uncomment if it is already there) and restart server by command
- PDO stands for PHP Data Object.
- PDO_MYSQL is the driver that will implement the interface between the dataobject(database) and the user input (a layer under the user interface called «code behind») accessing your data object, the MySQL database.
The purpose of using this is to implement an additional layer of security between the user interface and the database. By using this layer, data can be normalized before being inserted into your data structure. (Capitals are Capitals, no leading or trailing spaces, all dates at properly formed.)
But there are a few nuances to this which you might not be aware of.
First of all, up until now, you’ve probably written all your queries in something similar to the URL, and you pass the parameters using the URL itself. Using the PDO, all of this is done under the user interface level. User interface hands off the ball to the PDO which carries it down field and plants it into the database for a 7-point TOUCHDOWN.. he gets seven points, because he got it there and did so much more securely than passing information through the URL.
You can also harden your site to SQL injection by using a data-layer. By using this intermediary layer that is the ONLY ‘player’ who talks to the database itself, I’m sure you can see how this could be much more secure. Interface to datalayer to database, datalayer to database to datalayer to interface.
By implementing best practices while writing your code you will be much happier with the outcome.
Re: MySQL Functions in the url php dot net/manual/en/ref dot pdo-mysql dot php
Re: Object Oriented Design using UML If you really want to learn more about this, this is the best book on the market, Grady Booch was the father of UML http://dl.acm.org/citation.cfm?id=291167&CFID=241218549&CFTOKEN=82813028
Or check with bitmonkey. There’s a group there I’m sure you could learn a lot with.
Источник
Connecting to PostgreSQL
Summary: in this tutorial, you will learn how to connect to a PostgreSQL database server using PHP PDO.
Prerequisites
To make a connection to the PostgreSQL database server using PHP PDO, you need to have:
- A PostgreSQL database server, a database, and an account with a username and password that can access the database.
- PHP PDO PostgreSQL driver enabled in the php.ini file.
1) PostgreSQL database parameters
Suppose you have the following PostgreSQL database parameters:
- A PostgreSQL database server on the localhost .
- The dvdrental sample database.
- The account with the user postgres and password postgres that can access the dvdrental database on the local database server
The following creates a new database configuration file named config.php that stores the PostgreSQL database parameters:
To use these parameters, you include the config.php file in the script that connects to the PostgreSQL using the require construct.
2) Enable PostgreSQL driver
The PDO_PGSQL is a driver that implements the PDO interface. It allows you to access PostgreSQL databases from PHP.
To check if the PDO_PGSQL driver is enabled, you open the php.ini file. Typically, the php.ini file is located under the php directory. For example, if you use XAMPP on Windows, you can find the php.ini file under the C:\xampp\php directory.
in the php.ini file, you can find the following line:
If you see the comma( ; ) placed at the beginning of the line, it means that the line is commented and the database driver is not enabled.
To enable the driver, you need to uncomment the line by removing the comma ( ; ) like this:
After that, you need to restart the web server to apply the change.
PostgreSQL data source name
The data source name or DSN holds database parameters that enable access to a database system. The data source name of the PostgreSQL consists of the following parameters:
- pgsql: is the DNS prefix.
- host: the host of the server where the PostgreSQL runs.
- port: the port to which PostgreSQL listens. The default PostgreSQL’s port is 5432 .
- dbname: the database name that you want to connect to.
- And other parameters.
The following shows a DSN that connects to dvdrental database in the local PostgreSQL Server, port 5432:
Connecting to PostgreSQL
The following illustrates how to connect to the dvdrental database in PostgreSQL database server:
How the script works.
- First, make a new connection to the PostgreSQL database by creating a new instance of the PDO class.
- Second, show a message if the database connection is established successfully; otherwise, show an error message.
The following option instruct PDO to set an error code and throw an exception if an error occurs:
PDO has three exception handling options:
- PDO::ERROR_SILENT – PDO sets an error code for inspecting using the PDO::errorCode() and PDO::errorInfo() methods. The PDO::ERROR_SILENT is the default mode.
- PDO::ERRMODE_WARNING – Besides setting the error code, PDO will issue an E_WARNING message.
- PDO::ERRMODE_EXCEPTION – Besides setting the error code, PDO will raise a PDOException .
Note that PHP automatically closes the database connection when the script ends. If you want to close the database connection explicitly, you can set the PDO instance to null:
Источник