Download .zip |
Info | Example | View files (43) | Download .zip | Reputation | Support forum | Blog | Links |
Last Updated | Ratings | Unique User Downloads | Download Rankings | |||||
2020-03-28 (20 hours ago) | Not yet rated by the users | Total: 177 This week: 11 | All time: 8,503 This week: 27 |
Version | License | PHP version | Categories | |||
pdoone 1.0.1 | GNU Lesser Genera... | 5 | PHP 5, Databases |
Description | Author | |
This package can access to database with PDO and run common queries. |
|
PdoOne. It's a simple wrapper for PHP's PDO library.
This library is as fast as possible. Most of the operations are simple string/array managements.
Turn this
$stmt->bind_param("s", $_POST['name']);
$stmt->execute();
$result = $stmt->get_result();
if($result->num_rows === 0) exit('No rows');
while($row = $result->fetch_assoc()) {
$ids[] = $row['id'];
$names[] = $row['name'];
$ages[] = $row['age'];
}
var_export($ages);
$stmt->close();
into this
$products=$dao
->select("*")
->from("myTable")
->where("name = ?",[$_POST['name']])
->toList();
>
Add to composer.json the next requirement, then update composer.
{
"require": {
"eftec/PdoOne": "^1.6"
}
}
or install it via cli using
> composer require eftec/PdoOne
Just download the file lib/PdoOne.php and save it in a folder.
$dao=new PdoOne("mysql","127.0.0.1","root","abc.123","sakila","");
$dao->connect();
where * "mysql" is the mysql database. It also allows sqlsrv (for sql server) * 127.0.0.1 is the server where is the database. * root is the user * abc.123 is the password of the user root. * sakila is the database used. * "" (optional) it could be a log file, such as c:\temp\log.txt
$sql="CREATE TABLE `product` (
`idproduct` INT NOT NULL AUTO_INCREMENT,
`name` VARCHAR(45) NULL,
PRIMARY KEY (`idproduct`));";
$dao->runRawQuery($sql);
$sql="insert into `product`(name) values(?)";
$stmt=$dao->prepare($sql);
$productName="Cocacola";
$stmt->bind_param("s",$productName); // s stand for string. Also i =integer, d = double and b=blob
$dao->runQuery($stmt);
> note: you could also insert using a procedural chain [insert($table,$schema,[$values])](#insert--table--schema---values--)
$dao->runRawQuery('insert into `product` (name) values(?)'
,array('s','cocacola'));
It returns a mysqli_statement.
$sql="select * from `product` order by name";
$stmt=$dao->prepare($sql);
$dao->runQuery($stmt);
$rows = $stmt->get_result();
while ($row = $rows->fetch_assoc()) {
var_dump($row);
}
> This statement must be processed manually.
It returns an associative array.
$sql="select * from `product` order by name";
$stmt=$dao->prepare($sql);
$dao->runQuery($stmt);
$rows = $stmt->get_result();
$allRows=$rows->fetch_all(PDO::FETCH_ASSOC);
var_dump($allRows);
try {
$sql="insert into `product`(name) values(?)";
$dao->startTransaction();
$stmt=$dao->prepare($sql);
$productName="Fanta";
$stmt->bind_param("s",$productName);
$dao->runQuery($stmt);
$dao->commit(); // transaction ok
} catch (Exception $e) {
$dao->rollback(false); // error, transaction cancelled.
}
It starts a transaction
It commits a transaction. * If $throw is true then it throws an exception if the transaction fails to commit. Otherwise, it does not.
It rollbacks a transaction. * If $throw is true then it throws an exception if the transaction fails to rollback. If false, then it ignores if the rollback fail or if the transaction is not open.
If true (default), then it throws an error if happens an error. If false, then the execution continues
It is true if the database is connected otherwise,it's false.
Returns true if the table exists (current database/schema)
Returns the stastictic (as an array) of a column of a table.
$stats=$dao->statValue('actor','actor_id');
| min | max | avg | sum | count | |-----|-----|----------|-------|-------| | 1 | 205 | 103.0000 | 21115 | 205 |
Returns all columns of a table
$result=$dao->columnTable('actor');
| colname | coltype | colsize | colpres | colscale | iskey | isidentity | |-------------|-----------|---------|---------|----------|-------|------------| | actor_id | smallint | | 5 | 0 | 1 | 1 | | first_name | varchar | 45 | | | 0 | 0 | | last_name | varchar | 45 | | | 0 | 0 | | last_update | timestamp | | | | 0 | 0 |
Returns all foreign keys of a table (source table)
Creates a table using a definition and primary key.
$result=$dao->foreignKeyTable('actor');
| collocal | tablerem | colrem | |-------------|----------|-------------| | customer_id | customer | customer_id | | rental_id | rental | rental_id | | staff_id | staff | staff_id |
You could also build a procedural query.
Example:
$results = $dao->select("*")->from("producttype")
->where('name=?', ['s', 'Cocacola'])
->where('idproducttype=?', ['i', 1])
->toList();
Generates a select command.
$results = $dao->select("col1,col2"); //...
> Generates the query: select col1,col2 ....
$results = $dao->select("select * from table"); //->...
> Generates the query: select * from table ....
Generates a query that returns a count of values. It is a macro of the method select()
$result = $dao->count('from table where condition=1')->firstScalar(); // select count(*) from table where c..
$result = $dao->count('from table','col1')->firstScalar(); // select count(col1) from table
Generates a query that returns the minimum value of a column. If $arg is empty then it uses $sql for the name of the column It is a macro of the method select()
$result = $dao->min('from table where condition=1','col')->firstScalar(); // select min(col) from table where c..
$result = $dao->min('from table','col1')->firstScalar(); // select min(col1) from table
$result = $dao->min('','col1')->from('table')->firstScalar(); // select min(col1) from table
$result = $dao->min('col1')->from('table')->firstScalar(); // select min(col1) from table
Generates a query that returns the maximum value of a column. If $arg is empty then it uses $sql for the name of the column It is a macro of the method select()
$result = $dao->max('from table where condition=1','col')->firstScalar(); // select max(col) from table where c..
$result = $dao->max('from table','col1')->firstScalar(); // select max(col1) from table
Generates a query that returns the sum value of a column. If $arg is empty then it uses $sql for the name of the column It is a macro of the method select()
$result = $dao->sum('from table where condition=1','col')->firstScalar(); // select sum(col) from table where c..
$result = $dao->sum('from table','col1')->firstScalar(); // select sum(col1) from table
Generates a query that returns the average value of a column. If $arg is empty then it uses $sql for the name of the column It is a macro of the method select()
$result = $dao->avg('from table where condition=1','col')->firstScalar(); // select avg(col) from table where c..
$result = $dao->avg('from table','col1')->firstScalar(); // select avg(col1) from table
Generates a select command.
$results = $dao->select("col1,col2")->distinct(); //...
> Generates the query: select distinct col1,col2 ....
>Note: ->distinct('unique') returns select unique ..
Generates a from command.
$results = $dao->select("*")->from('table'); //...
> Generates the query: select from table*
$tables could be a single table or a sql construction. For examp, the next command is valid:
$results = $dao->select("*")->from('table t1 inner join t2 on t1.c1=t2.c2'); //...
Generates a where command.
$results = $dao->select("*")
->from('table')
->where('p1=1'); //...
> Generates the query: select from table* where p1=1
> Note: ArrayParameters is an array as follow: type,value. > Where type is i=integer, d=double, s=string or b=blob. In case of doubt, use "s" > Example of arrayParameters: > ['i',1 ,'s','hello' ,'d',20.3 ,'s','world']
$results = $dao->select("*")
->from('table')
->where('p1=?',['i',1]); //...
> Generates the query: select from tablewhere p1=?(1)*
$results = $dao->select("*")
->from('table')
->where('p1=? and p2=?',['i',1,'s','hello']); //...
> Generates the query: select from tablewhere p1=?(1) and p2=?('hello')*
> Note. where could be nested.
$results = $dao->select("*")
->from('table')
->where('p1=?',['i',1])
->where('p2=?',['s','hello']); //...
> Generates the query: select from tablewhere p1=?(1) and p2=?('hello')*
You could also use:
$results = $dao->select("*")->from("table")
->where(['p1'=>'Coca-Cola','p2'=>1])
->toList();
> Generates the query: select from tablewhere p1=?(Coca-Cola) and p2=?(1)*
You could also use an associative array as argument and named parameters in the query
$results = $dao->select("*")->from("table")
->where('condition=:p1 and condition2=:p2',['p1'=>'Coca-Cola','p2'=>1])
->toList();
> Generates the query: select from tablewhere condition=?(Coca-Cola) and condition2=?(1)*
Generates a order command.
$results = $dao->select("*")
->from('table')
->order('p1 desc'); //...
> Generates the query: select from tableorder by p1 desc*
Generates a group command.
$results = $dao->select("*")
->from('table')
->group('p1'); //...
> Generates the query: select from tablegroup by p1*
Generates a group command.
$results = $dao->select("*")
->from('table')
->group('p1')
->having('p1>?',array('i',1)); //...
> Generates the query: select * from table group by p1 having p1>?(1)
> Note: Having could be nested having()->having() > Note: Having could be without parameters having('col>10')
Run the query generate.
>Note if returnArray is true then it returns an associative array. > if returnArray is false then it returns a mysqli_result >Note: It resets the current parameters (such as current select, from, where,etc.)
It's a macro of runGen. It returns an associative array or null.
$results = $dao->select("*")
->from('table')
->toList();
It returns a metacode of each columns of the query.
$results = $dao->select("*")
->from('table')
->toMeta();
result:
array(3) {
[0]=>
array(7) {
["native_type"]=>
string(4) "LONG"
["pdo_type"]=>
int(2)
["flags"]=>
array(2) {
[0]=>
string(8) "not_null"
[1]=>
string(11) "primary_key"
}
["table"]=>
string(11) "producttype"
["name"]=>
string(13) "idproducttype"
["len"]=>
int(11)
["precision"]=>
int(0)
}
[1]=>
array(7) {
["native_type"]=>
string(10) "VAR_STRING"
["pdo_type"]=>
int(2)
["flags"]=>
array(0) {
}
["table"]=>
string(11) "producttype"
["name"]=>
string(4) "name"
["len"]=>
int(135)
["precision"]=>
int(0)
}
}
It's a macro of runGen. It returns an indexed array from the first column
$results = $dao->select("*")
->from('table')
->toListSimple(); // ['1','2','3','4']
It returns an associative array where the first value is the key and the second is the value. If the second value does not exist then it uses the index as value (first value).
$results = $dao->select("cod,name")
->from('table')
->toListKeyValue(); // ['cod1'=>'name1','cod2'=>'name2']
It's a macro of runGen. It returns a mysqli_result or null.
$results = $dao->select("*")
->from('table')
->toResult(); //
It returns the first scalar (one value) of a query. If $colName is null then it uses the first column.
$count=$this->pdoOne->count('from product_category')->firstScalar();
It's a macro of runGen. It returns the first row if any, if not then it returns false, as an associative array.
$results = $dao->select("*")
->from('table')
->first();
It's a macro of runGen. It returns the last row (if any, if not, it returns false) as an associative array.
$results = $dao->select("*")
->from('table')
->last();
> Sometimes is more efficient to run order() and first() because last() reads all values.
It returns the sql command.
$sql = $dao->select("*")
->from('table')
->sqlGen();
echo $sql; // returns select * from table
$results=$dao->toList(); // executes the query
> Note: it doesn't reset the query.
There are four ways to execute each command.
Let's say that we want to add an integer in the column col1 with the value 20
__Schema and values using a list of values__: Where the first value is the column, the second is the type of value (i=integer,d=double,s=string,b=blob) and second array contains the values.
$dao->insert("table"
,['col1','i']
,[20]);
__Schema and values in the same list__: Where the first value is the column, the second is the type of value (i=integer,d=double,s=string,b=blob) and the third is the value.
$dao->insert("table"
,['col1','i',20]);
__Schema and values using two associative arrays__:
$dao->insert("table"
,['col1'=>'i']
,['col1'=>20]);
__Schema and values using a single associative array__: The type is calculated automatically.
$dao->insert("table"
,['col1'=>20]);
Generates a insert command.
$dao->insert("producttype"
,['idproducttype','i','name','s','type','i']
,[1,'cocacola',1]);
Using nested chain (single array)
$dao->from("producttype")
->set(['idproducttype','i',0 ,'name','s','Pepsi' ,'type','i',1])
->insert();
Using nested chain multiple set
$dao->from("producttype")
->set("idproducttype=?",['i',101])
->set('name=?',['s','Pepsi'])
->set('type=?',['i',1])
->insert();
or (the type is defined, in the possible, automatically by MySql)
$dao->from("producttype")
->set("idproducttype=?",['i',101])
->set('name=?','Pepsi')
->set('type=?',1)
->insert();
$dao->insertObject('table',['Id'=>1,'Name'=>'CocaCola']);
Using nested chain declarative set
$dao->from("producttype")
->set('(idproducttype,name,type) values (?,?,?)',['i',100,'s','Pepsi','i',1])
->insert();
> Generates the query: insert into productype(idproducttype,name,type) values(?,?,?) ....
Generates a insert command.
$dao->update("producttype"
,['name','s','type','i'] //set
,[6,'Captain-Crunch',2] //set
,['idproducttype','i'] // where
,[6]); // where
$dao->update("producttype"
,['name'=>'Captain-Crunch','type'=>2] // set
,['idproducttype'=>6]); // where
$dao->from("producttype")
->set("name=?",['s','Captain-Crunch']) //set
->set("type=?",['i',6]) //set
->where('idproducttype=?',['i',6]) // where
->update(); // update
or
$dao->from("producttype")
->set("name=?",'Captain-Crunch') //set
->set("type=?",6) //set
->where('idproducttype=?',['i',6]) // where
->update(); // update
> Generates the query: update producttype set name
=?,type
=? where idproducttype
=? ....
Generates a delete command.
$dao->delete("producttype"
,['idproducttype','i'] // where
,[7]); // where
$dao->delete("producttype"
,['idproducttype'=>7]); // where
> Generates the query: delete from producttype where idproducttype
=? ....
You could also delete via a DQL builder chain.
$dao->from("producttype")
->where('idproducttype=?',['i',7]) // where
->delete();
$dao->from("producttype")
->where(['idproducttype'=>7]) // where
->delete();
> Generates the query: delete from producttype where idproducttype
=? ....
It is possible to optionally cache the result of the queries. The duration of the query is also defined in the query. If the result of the query is not cached, then it is calculated normally (executing the query in the database. For identify a query as unique, the system generates an unique id (uid) based in sha256 created with the query, parameters, methods and the type of operation.
The library does not do any cache operation directly, instead it allows to cache the results using an external library.
(1) We need to define a class that implements \eftec\IPdoOneCache
class CacheService implements \eftec\IPdoOneCache {
public $cacheData=[];
public $cacheCounter=0; // for debug
public function getCache($uid,$family='') {
if(isset($this->cacheData[$uid])) {
$this->cacheCounter++;
echo "using cache\n";
return $this->cacheData[$uid];
}
return false;
}
public function setCache($uid,$family='',$data=null,$ttl=null) {
$this->cacheData[$uid]=$data;
}
public function invalidateCache($uid = '', $family = '') {
unset($this->cacheData[$uid]);
}
}
$cache=new CacheService();
(2) Sets the cache service
$pdoOne=new PdoOne("mysql","127.0.0.1","travis","","travisdb");
$cache=new CacheService();
$$pdoOne->setCacheService($cache);
(3) Use the cache as as follow, we must add the method useCache() in any part of the query.
$pdoOne->select('select * from table')
->useCache()->toList(); // cache that never expires
$pdoOne->select('select * from table')
->useCache(1000)->toList(); // cache that lasts 1000ms.
class CacheService implements \eftec\IPdoOneCache {
public function getCache($uid,$family='') {
return apcu_fetch($uid);
}
public function setCache($uid,$family='',$data=null,$ttl=null) {
apcu_store($uid,$data,$ttl);
}
public function invalidateCache($uid = '', $family = '') {
// invalidate cache
apcu_delete($uid);
}
}
$cache=new CacheService();
Sequence is an alternative to AUTO_NUMERIC field. It uses a table to generate an unique ID. The sequence used is based on Twitter's Snowflake and it is generated based on time (with microseconds), Node Id and a sequence. This generates a LONG (int 64) value that it's unique
$dao->nodeId=1; // optional
$dao->tableSequence='snowflake'; // optional
$dao->createSequence(); // it creates a table called snowflake and a function called next_snowflake()
$dao->getSequence() // string(19) "3639032938181434317"
$dao->getSequence(true) // returns a sequence by flipping some values.
$dao->getSequencePHP() // string(19) "3639032938181434317"
$dao->getSequencePHP(true) // string(19) "1739032938181434311"
| Library | Insert | findPk | hydrate | with | time | |-------------------------|--------|--------|---------|------|--------| | PDO | 671 | 60 | 278 | 887 | 3,74 | | PdoOne | 774 | 63 | 292 | 903 | 4,73 | | LessQL | 1413 | 133 | 539 | 825 | 5,984 | | YiiM | 2260 | 127 | 446 | 1516 | 8,415 | | YiiMWithCache | 1925 | 122 | 421 | 1547 | 7,854 | | Yii2M | 4344 | 208 | 632 | 1165 | 11,968 | | Yii2MArrayHydrate | 4114 | 213 | 531 | 1073 | 11,22 | | Yii2MScalarHydrate | 4150 | 198 | 421 | 516 | 9,537 | | Propel20 | 2507 | 123 | 1373 | 1960 | 11,781 | | Propel20WithCache | 1519 | 68 | 1045 | 1454 | 8,228 | | Propel20FormatOnDemand | 1501 | 72 | 994 | 1423 | 8,228 | | DoctrineM | 2119 | 250 | 1592 | 1258 | 18,139 | | DoctrineMWithCache | 2084 | 243 | 1634 | 1155 | 17,952 | | DoctrineMArrayHydrate | 2137 | 240 | 1230 | 877 | 16,83 | | DoctrineMScalarHydrate | 2084 | 392 | 1542 | 939 | 18,887 | | DoctrineMWithoutProxies | 2119 | 252 | 1432 | 1960 | 19,822 | | Eloquent | 3691 | 228 | 708 | 1413 | 12,155 |
PdoOne adds a bit of ovehead over PDO, however it is simple a wrapper to pdo.
table
.field
=? Files |
File | Role | Description | ||
---|---|---|---|---|
examples (22 files, 3 directories) | ||||
lib (3 files) | ||||
tests (2 files) | ||||
.travis.yml | Data | Auxiliary data | ||
autoload.php | Aux. | Auxiliary script | ||
composer.json | Data | Auxiliary data | ||
LICENSE | Lic. | License text | ||
phpunit.xml | Data | Auxiliary data | ||
README.md | Doc. | Documentation |
Files | / | examples |
File | Role | Description | ||
---|---|---|---|---|
benchmark (6 files) | ||||
mysql (1 file) | ||||
sqlsrv (3 files) | ||||
Collection.php | Class | Class source | ||
dBug.php | Class | Class source | ||
logdaoone.txt | Doc. | Documentation | ||
medium_code.php | Example | Example script | ||
medium_code_v2.php | Example | Example script | ||
MessageItem.php | Class | Class source | ||
MessageList.php | Class | Class source | ||
testautomap.php | Example | Example script | ||
testbuilder.php | Example | Example script | ||
testcatch.php | Example | Example script | ||
testdberror.php | Example | Example script | ||
testdberrorMessage.php | Example | Example script | ||
testdbwithdate.php | Example | Example script | ||
testgenerator.php | Example | Example script | ||
testinsert.php | Example | Example script | ||
testselect.php | Example | Example script | ||
testselectcache.php | Class | Class source | ||
testselectsimple.php | Example | Example script | ||
testsequence.php | Example | Example script | ||
testsequence2.php | Example | Example script | ||
testtable.php | Example | Example script | ||
tmp.php | Example | Example script |
Files | / | examples | / | benchmark |
File | Role | Description |
---|---|---|
AbstractTestSuite.php | Class | Class source |
PdoOneTestRunner.php | Example | Example script |
PdoOneTestSuite.php | Class | Class source |
PdoTestRunner.php | Example | Example script |
PDOTestSuite.php | Class | Class source |
sfTimer.php | Class | Class source |
Files | / | examples | / | sqlsrv |
File | Role | Description |
---|---|---|
testdb.php | Example | Example script |
testinsert.php | Example | Example script |
testselect.php | Example | Example script |
Files | / | lib |
File | Role | Description |
---|---|---|
IPdoOneCache.php | Class | Class source |
PdoOne.php | Class | Class source |
PdoOneEncryption.php | Class | Class source |
Files | / | tests |
File | Role | Description |
---|---|---|
bootstrap.php | Aux. | Auxiliary script |
PdoOneTest.php | Class | Class source |
Version Control | Unique User Downloads | Download Rankings | |||||||||||||||
100% |
|
|
Applications that use this package |
If you know an application of this package, send a message to the author to add a link here.