是否存在某种路线模式以及如何使用SlimPhp编写结构?
就像,我创建了一个带有index.php的api文件夹来存储我的所有路由:
$app->get('/api/shirt/{id}', function (Request $request, Response $response) {
//CODE
});
$app->get('/api/some-other-endpoint/{id}', function (Request $request, Response $response)
//CODE
});
但过了一段时间,我意识到我的索引文件会变得很大。
那么,我该如何管理我的终端路线?使用类,控制器,动作?
我在哪里可以找到有关这些特定概念的文档?
答案 0 :(得分:2)
我正在使用控制器(在此示例中名为Action),并且仍在一个文件中包含所有路由。
此外,我尽可能使用分组,因为它提供了更好的结构(在我看来)。 我尝试使Action-classes尽可能小,我不需要查看routes-file来获取我想要更改的类。
这是一个例子:
路线 - 文件:
$app->get('/user/{name}', [ShowUserAction::class, 'showUser'])->setName('user');
$app->get('/login', [LoginUserAction::class, 'showLogin'])->setName('login');
$app->group('/api', function () {
$this->get('/images', [ImagesApi::class, 'getImages'])->setName('api.images');
$this->get('/tags', [ImagesApi::class, 'getTags'])->setName('api.tags');
$this->get('/notifications', [UserNotificationsApiAction::class, 'getNotifications'])->setName('api.notifications');
$this->get('/bubbleCount', [BubbleCountApiAction::class, 'getBubbleCount'])->setName('api.bubbleCount');
});
$app->group('/review', function() use ($currentUser) {
$this->get('', [ReviewAction::class, 'showReviewOverview'])->setName('review.overview')->setName('review')
$this->get('/{type}', [ReviewAction::class, 'showReviewWithType'])->setName('review.type')
$this->get('/{type}/{id}', [ReviewAction::class, 'showReview'])->setName('review.type.id')
});
动作级:
class LoginUserAction
{
public function __construct() { } // with parameters
public function showLogin(Request $request, Response $response)
{
if ($this->currentUser->isLoggedIn()) {
return $response->withRedirect($this->router->pathFor('index'));
}
return $this->view->render($response, 'user/login.twig');
}
public function doLogin(Request $request, Response $response)
{
// check user name password and then login
}
}
答案 1 :(得分:1)
在我涉及Slim的路由器之前,我通常拥有自己的路由器,以根据域之后的路径确定使用哪条路由:
公共/ index.php的
chdir(dirname(__DIR__));
require_once 'vendor/autoload.php';
$app = new Slim\App;
require 'app/routes/index.php';
$app->run();
应用程序/路由/ index.php的
$_url = parse_url($_SERVER['REQUEST_URI']);
$_routes = explode('/',$_url['path']);
$_baseRoute = $_routes[1];
switch ($_baseRoute) {
case 'api':
$_routeFile = 'app/api/' . $_routes[2] . '.php';
break;
default:
$_routeFile = 'app/routes/' . $_baseRoute . '.php';
break;
}
if (file_exists($_routeFile)) {
require $_routeFile;
}
else {
die('Invalid API request');
}