我想开始学习 Ext JS 。似乎是一个有趣而强大的框架。
我可以想象要替换一些非常古老的 PHP / MySQL Web应用程序,我想从一个带有工作MySQL连接的Ext JS示例开始。我想到了REST,但这只是我的想法,而不是必须的。很高兴听到其他解决方案。
所以我的下一个想法就是在PHP中找到一个简单的 REST API 。似乎它不必非常复杂。只需读取数据库记录,更新,创建并有时删除数据。很少用户。 Intranet环境,因此有限的不同浏览器。安全要求有限。对我来说似乎应该已经存在并且工作相当稳定。
这就是我陷入困境的地方。
我的Ext JS示例在这里: http://examples.sencha.com/extjs/6.2.0/examples/classic/restful/restful.html
我找到的两个最好的简单REST API是:
1)https://www.leaseweb.com/labs/2015/10/creating-a-simple-rest-api-in-php/
2)https://github.com/mevdschee/php-crud-api
但是1)仅用于从DB中读取,2)没有正常工作,我可以写但是阅读不起作用。输出与1)不同。
我真的很想专注于Javascript和UI而不是完全理解REST / SOAP / CRUD等等。我只需要将数据写入DB从那里读取数据。它必须如此复杂吗?有人能给我一个简单轻巧的解决方案吗?
此外,我想知道为什么
答案 0 :(得分:2)
我发现第一个链接中提到的REST API几乎足以用于Ext JS示例。它只需要进行一些小改动,一切正常。 有关详细信息,请参阅here。
error_reporting(E_ERROR | E_PARSE);
// 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);
// connect to the mysql database
$link = mysqli_connect('localhost', 'user', 'password', 'table');
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;
}
// excecute SQL statement
$result = mysqli_query($link,$sql);
// die if SQL statement failed
if (!$result) {
http_response_code(404);
die(mysqli_error());
}
// 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 '{ "success":true, "data":[ { "id":'.mysqli_insert_id($link).' }]}';
} else {
echo mysqli_affected_rows($link);
}
// close mysql connection
mysqli_close($link);
答案 1 :(得分:1)