欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

常见PHP数据库解决方案分析介绍

程序员文章站 2022-04-15 09:33:49
我们在使用php连接数据库的时候会遇到很多问题,文章这里揭露php应用程序中出现的常见数据库问题 —— 包括数据库模式设计、数据库访问和使用数据库的业务逻辑代码 —— 以及...

我们在使用php连接数据库的时候会遇到很多问题,文章这里揭露php应用程序中出现的常见数据库问题 —— 包括数据库模式设计、数据库访问和使用数据库的业务逻辑代码 —— 以及它们的解决方案。如果只有一种方式使用数据库是正确的。

php数据库问题:直接使用mysql

一个常见问题是较老的 php 代码直接使用 mysql_ 函数来访问数据库。清单 1 展示了如何直接访问数据库。

清单 1. access/get.php

<?php  
function get_user_id( $name )  
{  
$db = mysql_connect( 'localhost', 'root', 'password' );  
mysql_select_db( 'users' );  
$res = mysql_query( "select id from users where login='".$name."'" );  
while( $row = mysql_fetch_array( $res ) ) { $id = $row[0]; }  
return $id;  
}  
var_dump( get_user_id( 'jack' ) );  
?> 

注意使用了 mysql_connect 函数来访问数据库。还要注意查询,其中使用字符串连接来向查询添加 $name 参数。该技术有两个很好的替代方案:pear db 模块和 php data objects (pdo) 类。两者都从特定数据库选择提供抽象。因此,您的代码无需太多调整就可以在 ibm? db2?、mysql、postgresql 或者您想要连接到的任何其他数据库上运行。使用 pear db 模块和 pdo 抽象层的另一个价值在于您可以在 sql 语句中使用 ? 操作符。这样做可使 sql 更加易于维护,且可使您的应用程序免受sql 注入攻击。

清单 2. access/get_good.php

<?php  
require_once("db.php");  
function get_user_id( $name )  
{  
$dsn = 'mysql://root:password@localhost/users';  
$db =& db::connect( $dsn, array() );  
if (pear::iserror($db)) { die($db->getmessage()); }  
$res = $db->query( 'select id from users where login=?',array( $name ) );  
$id = null;  
while( $res->fetchinto( $row ) ) { $id = $row[0]; }  
return $id;  
}  
var_dump( get_user_id( 'jack' ) );  
?> 

注意,所有直接用到 mysql 的地方都消除了,只有 $dsn 中的数据库连接字符串除外。此外,我们通过 ? 操作符在 sql 中使用 $name 变量。然后,查询的数据通过 query() 方法末尾的 array 被发送进来。

php数据库问题 :不使用自动增量功能

与大多数现代数据库一样,mysql 能够在每记录的基础上创建自动增量惟一标识符。除此之外,我们仍然会看到这样的代码,即首先运行一个 select 语句来找到最大的 id,然后将该 id 增 1,并找到一个新记录。清单 3 展示了一个示例坏模式。

清单 3. badid.sql

drop table if exists users;  
create table users (  
id mediumint,  
login text,  
password text  
);  
insert into users values ( 1, 'jack', 'pass' );  
insert into users values ( 2, 'joan', 'pass' );  
insert into users values ( 1, 'jane', 'pass' ); 

这里的 id 字段被简单地指定为整数。所以,尽管它应该是惟一的,我们还是可以添加任何值,如 create 语句后面的几个 insert 语句中所示。清单 4 展示了将用户添加到这种类型的模式的 php 代码。

清单 4. add_user.php

add_user.php 中的代码首先执行一个查询以找到 id 的最大值。然后文件以 id 值加 1 运行一个 insert 语句。该代码在负载很重的服务器上会在竞态条件中失败。另外,它也效率低下。那么替代方案是什么呢?使用 mysql 中的自动增量特性来自动地为每个插入创建惟一的 id。

<?php  
require_once("db.php");  
function add_user( $name, $pass )  
{  
$rows = array();  
$dsn = 'mysql://root:password@localhost/bad_badid';  
$db =& db::connect( $dsn, array() );  
if (pear::iserror($db)) { die($db->getmessage()); }  
$res = $db->query( "select max(id) from users" );  
$id = null;  
while( $res->fetchinto( $row ) ) { $id = $row[0]; }  
$id += 1;  
$sth = $db->prepare( "insert into users values(?,?,?)" );  
$db->execute( $sth, array( $id, $name, $pass ) );  
return $id;  
}  
$id = add_user( 'jerry', 'pass' );  
var_dump( $id );  
?> 

希望通过本文的介绍,能够让你对php数据库解决方案,更加了解。