forked from mevdschee/php-crud-api
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
Showing
1 changed file
with
66 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,66 @@ | ||
<?php | ||
|
||
// get the HTTP method, path and body of the request | ||
$method = $_SERVER['REQUEST_METHOD']; | ||
$request = explode('/', trim($_SERVER['PATH_INFO'],'/')); | ||
$input = json_decode(file_get_contents('php://input'),true); | ||
if (!$input) $input = array(); | ||
|
||
// connect to the mysql database | ||
$link = mysqli_connect('localhost', 'php-crud-api', 'php-crud-api', 'php-crud-api'); | ||
mysqli_set_charset($link,'utf8'); | ||
|
||
// retrieve the table and key from the path | ||
$table = preg_replace('/[^a-z0-9_]+/i','',array_shift($request)); | ||
$key = array_shift($request)+0; | ||
|
||
// escape the columns and values from the input object | ||
$columns = preg_replace('/[^a-z0-9_]+/i','',array_keys($input)); | ||
$values = array_map(function ($value) use ($link) { | ||
if ($value===null) return null; | ||
return mysqli_real_escape_string($link,(string)$value); | ||
},array_values($input)); | ||
|
||
// build the SET part of the SQL command | ||
$set = ''; | ||
for ($i=0;$i<count($columns);$i++) { | ||
$set.=($i>0?',':'').'`'.$columns[$i].'`='; | ||
$set.=($values[$i]===null?'NULL':'"'.$values[$i].'"'); | ||
} | ||
|
||
// create SQL based on HTTP method | ||
switch ($method) { | ||
case 'GET': | ||
$sql = "select * from `$table`".($key?" WHERE id=$key":''); break; | ||
case 'PUT': | ||
$sql = "update `$table` set $set where id=$key"; break; | ||
case 'POST': | ||
$sql = "insert into `$table` set $set"; break; | ||
case 'DELETE': | ||
$sql = "delete from `$table` where id=$key"; break; | ||
} | ||
|
||
// execute SQL statement | ||
$result = mysqli_query($link,$sql); | ||
|
||
// die if SQL statement failed | ||
if (!$result) { | ||
http_response_code(404); | ||
die(mysqli_error($link)); | ||
} | ||
|
||
// print results, insert id or affected row count | ||
if ($method == 'GET') { | ||
if (!$key) echo '['; | ||
for ($i=0;$i<mysqli_num_rows($result);$i++) { | ||
echo ($i>0?',':'').json_encode(mysqli_fetch_object($result)); | ||
} | ||
if (!$key) echo ']'; | ||
} elseif ($method == 'POST') { | ||
echo mysqli_insert_id($link); | ||
} else { | ||
echo mysqli_affected_rows($link); | ||
} | ||
|
||
// close mysql connection | ||
mysqli_close($link); |