2017-07-19 28 views
0

是否存在一些路線模式以及如何使用SlimPhp編寫結構?SlimPhp微框架上的Api路由模式?

一樣,我做了一個API文件夾與index.php文件來存儲所有我的路線:

$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

要構建的API快你可能想切換到Laravel和使用[資源管理器](https://laravel.com/docs/5.4/controllers#resource-controllers)。相同的路由語法! –

+0

我會閱讀關於laravel。但我試圖找到一些使用苗條的PHP解決方案。像一些控制器包一樣,因爲我想保持使用slim而不是改變框架。 –

回答

2

我正在使用控制器(在本例中命名爲Action),並且仍然在一個文件中具有所有路由。

此外,我使用分組無論我可以因爲它給一個更好的結構(在我看來)。 我嘗試使Action-classes儘可能小,我不需要查看路由文件來獲取我想要更改的類。

下面的例子:

路線 - 文件

$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 
    } 
} 
+0

這與我的想法非常相似,並且認爲我可以將這樣的東西應用到我的項目中。因爲我喜歡使用類。 –

1

我通常有我自己的路由器之前,我涉及修身的路由器來決定使用基於域名之後的路徑上哪條路線:

公共/ index.php文件

chdir(dirname(__DIR__)); 

require_once 'vendor/autoload.php'; 

$app = new Slim\App; 
require 'app/routes/index.php'; 
$app->run(); 

應用程序/路由/指數.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'); 
}