flight

An extensible micro-framework for PHP

Github stars Tracking Chart

Flight 是什么 ?

Flight 是一个快速,简单,可扩展的PHP框架。Flight 使您能够 快速轻松地构建RESTful Web应用程序。

require 'flight/Flight.php';

Flight::route('/',function() {
    echo 'hello world!';
});

Flight::start();

了解详情

要求

Flight 需要 PHP 5.3 或更高。

许可证

Flight 根据 MIT 许可证发布。

安装

1、下载文件。

如果您使用composer,则可以运行以下命令:

 composer require mikecao/flight
 

或者您可以直接下载 并将它们提取到您的Web目录中。

2、配置您的网络服务器。

对于 Apache ,请使用以下命令编辑您的 .htaccess 文件:

RewriteEngine On
RewriteCond%{REQUEST_FILENAME}! -f
RewriteCond%{REQUEST_FILENAME}! -d
RewriteRule ^(.*)$ index.php [QSA,L]

注意:如果您需要在子目录中使用Flight,请在 RewriteEngine On 之后添加 RewriteBase/subdir/line。

>

对于 Nginx ,请将以下内容添加到您的服务器声明中:

server {
    Location/{
        try_files $uri $uri//index.php;
    }
}
 

3、创建您的 index.php 文件。

首先包含框架。

require 'flight/Flight.php';
 

如果您使用的是Composer,请改用自动加载器。

require 'vendor/autoload.php';
 
然后定义一个路由并分配一个函数来处理请求。

     Flight::route('/',function(){
    echo 'hello world!';
});
 
最后,启动框架。

  Flight::start();
 

路由

在Flight中的路由是通过匹配URL模式和回调函数完成的。

  Flight::route('/', function() {
    echo 'hello world!';
});
 
回调可以是任何可调用的对象。所以你可以使用常规功能:

  function hello() {
    echo 'hello world!';
}

Flight::route('/','hello');
 

或者一个类的方法:

  class Greeting {
    public static function hello() {
        echo 'hello world!';
    }
}

Flight::route('/',array('Greeting', 'hello'));
 

或者一个对象方法:

 class Greeting
{
    public function __construct() {
        $this->name = 'John Doe';
    }

    public function hello() {
        echo "Hello, {$this->name}!";
    }
}

$greeting = new Greeting();

Flight::route('/', array($greeting, 'hello'));
 

路由按照它们定义的顺序进行匹配。匹配a的第一条路由 请求将被调用。

方法路由

默认情况下,路由模式与所有请求方法匹配。 您可以通过在URL之前放置标识符来响应特定方法。

  Flight::route('GET /', function(){
    echo 'I received a GET request.';
});

Flight::route('POST /', function(){
    echo 'I received a POST request.';
});
 

您还可以使用 | 分隔符将多个方法映射到单个回调:

    Flight::route('GET|POST /', function(){
    echo 'I received either a GET or a POST request.';
});
 

正则表达式

您可以在路线中使用正则表达式:

 Flight::route('/user/[0-9]+', function(){
    //This will match /user/1234
});
 

命名参数

您可以在路由中指定命名参数,这些参数将传递给您的回调函数。

 Flight::route('/@name/@id', function($name, $id){
    echo "hello, $name ($id)!";
});
 

您还可以使用 :delimiter包含带有命名参数的正则表达式:

 Flight::route('/@name/@id:[0-9]{3}', function($name, $id){
    //This will match /bob/123
    //But will not match /bob/12345
});
 

可选参数

您可以通过在括号中包装段来指定可选的匹配命名参数。

Flight::route('/blog(/@year(/@month(/@day)))', function($year, $month, $day){ //This will match the following URLS: ///blog/2012/12/10 ///blog/2012/12 ///blog/2012 ///blog });

任何不匹配的可选参数都将作为NULL传递。

通配符

匹配仅在各个URL段上进行。 如果要匹配多个段,可以使用*通配符。

 Flight::route('/blog/*', function(){
    //This will match /blog/2000/02/01
});
 

要将所有请求路由到单个回调,您可以执行以下操作:

 Flight::route('*', function(){
    //Do something
});
 

传递

您可以通过从回调函数返回true来将执行传递到下一个匹配的路由。

 Flight::route('/user/@name', function($name){
    //Check some condition
    if ($name != "Bob") {
        //Continue to next route
        return true;
    }
});

Flight::route('/user/*', function(){
    //This will get called
});
 

Main metrics

Overview
Name With Ownerflightphp/core
Primary LanguagePHP
Program languagePHP (Language Count: 3)
Platform
License:MIT License
所有者活动
Created At2011-03-31 07:48:42
Pushed At2025-03-15 05:24:32
Last Commit At2025-03-14 23:22:55
Release Count58
Last Release Namev3.15.2 (Posted on )
First Release Namev1.0 (Posted on )
用户参与
Stargazers Count2.7k
Watchers Count167
Fork Count409
Commits Count689
Has Issues Enabled
Issues Count433
Issue Open Count2
Pull Requests Count133
Pull Requests Open Count1
Pull Requests Close Count60
项目设置
Has Wiki Enabled
Is Archived
Is Fork
Is Locked
Is Mirror
Is Private

What is Flight?

Flight is a fast, simple, extensible framework for PHP. Flight enables you to
quickly and easily build RESTful web applications.

require 'flight/Flight.php';

Flight::route('/', function(){
    echo 'hello world!';
});

Flight::start();

Learn more

Requirements

Flight requires PHP 5.3 or greater.

License

Flight is released under the MIT license.

Installation

1. Download the files.

If you're using Composer, you can run the following command:

composer require mikecao/flight

OR you can download them directly
and extract them to your web directory.

2. Configure your webserver.

For Apache, edit your .htaccess file with the following:

RewriteEngine On
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule ^(.*)$ index.php [QSA,L]

Note: If you need to use flight in a subdirectory add the line RewriteBase /subdir/ just after RewriteEngine On.

For Nginx, add the following to your server declaration:

server {
    location / {
        try_files $uri $uri/ /index.php;
    }
}

3. Create your index.php file.

First include the framework.

require 'flight/Flight.php';

If you're using Composer, run the autoloader instead.

require 'vendor/autoload.php';

Then define a route and assign a function to handle the request.

Flight::route('/', function(){
    echo 'hello world!';
});

Finally, start the framework.

Flight::start();

Routing

Routing in Flight is done by matching a URL pattern with a callback function.

Flight::route('/', function(){
    echo 'hello world!';
});

The callback can be any object that is callable. So you can use a regular function:

function hello(){
    echo 'hello world!';
}

Flight::route('/', 'hello');

Or a class method:

class Greeting {
    public static function hello() {
        echo 'hello world!';
    }
}

Flight::route('/', array('Greeting', 'hello'));

Or an object method:

class Greeting
{
    public function __construct() {
        $this->name = 'John Doe';
    }

    public function hello() {
        echo "Hello, {$this->name}!";
    }
}

$greeting = new Greeting();

Flight::route('/', array($greeting, 'hello')); 

Routes are matched in the order they are defined. The first route to match a
request will be invoked.

Method Routing

By default, route patterns are matched against all request methods. You can respond
to specific methods by placing an identifier before the URL.

Flight::route('GET /', function(){
    echo 'I received a GET request.';
});

Flight::route('POST /', function(){
    echo 'I received a POST request.';
});

You can also map multiple methods to a single callback by using a , delimiter:

Flight::route('GET, POST /', function(){
    echo 'I received either a GET or a POST request.';
});

Regular Expressions

You can use regular expressions in your routes:

Flight::route('/user/[0-9]+', function(){
    // This will match /user/1234
});

Named Parameters

You can specify named parameters in your routes which will be passed along to
your callback function.

Flight::route('/@name/@id', function($name, $id){
    echo "hello, $name ($id)!";
});

You can also include regular expressions with your named parameters by using
the : delimiter:

Flight::route('/@name/@id:[0-9]{3}', function($name, $id){
    // This will match /bob/123
    // But will not match /bob/12345
});

Optional Parameters

You can specify named parameters that are optional for matching by wrapping
segments in parentheses.

Flight::route('/blog(/@year(/@month(/@day)))', function($year, $month, $day){
    // This will match the following URLS:
    // /blog/2012/12/10
    // /blog/2012/12
    // /blog/2012
    // /blog
});

Any optional parameters that are not matched will be passed in as NULL.

Wildcards

Matching is only done on individual URL segments. If you want to match multiple
segments you can use the * wildcard.

Flight::route('/blog/*', function(){
    // This will match /blog/2000/02/01
});

To route all requests to a single callback, you can do:

Flight::route('*', function(){
    // Do something
});

Passing

You can pass execution on to the next matching route by returning true from
your callback function.

Flight::route('/user/@name', function($name){
    // Check some condition
    if ($name != "Bob") {
        // Continue to next route
        return true;
    }
});

Flight::route('/user/*', function(){
    // This will get called
});

Route Info

If you want to inspect the matching route information, you can request for the route
object to be passed to your callback by passing in true as the third parameter in
the route method. The route object will always be the last parameter passed to your
callback function.

Flight::route('/', function($route){
    // Array of HTTP methods matched against
    $route->methods;

    // Array of named parameters
    $route->params;

    // Matching regular expression
    $route->regex;

    // Contains the contents of any '*' used in the URL pattern
    $route->splat;
}, true);

Extending

Flight is designed to be an extensible framework. The framework comes with a set
of default methods and components, but it allows you to map your own methods,
register your own classes, or even override existing classes and methods.

Mapping Methods

To map your own custom method, you use the map function:

// Map your method
Flight::map('hello', function($name){
    echo "hello $name!";
});

// Call your custom method
Flight::hello('Bob');

Registering Classes

To register your own class, you use the register function:

// Register your class
Flight::register('user', 'User');

// Get an instance of your class
$user = Flight::user();

The register method also allows you to pass along parameters to your class
constructor. So when you load your custom class, it will come pre-initialized.
You can define the constructor parameters by passing in an additional array.
Here's an example of loading a database connection:

// Register class with constructor parameters
Flight::register('db', 'PDO', array('mysql:host=localhost;dbname=test','user','pass'));

// Get an instance of your class
// This will create an object with the defined parameters
//
//     new PDO('mysql:host=localhost;dbname=test','user','pass');
//
$db = Flight::db();

If you pass in an additional callback parameter, it will be executed immediately
after class construction. This allows you to perform any set up procedures for your
new object. The callback function takes one parameter, an instance of the new object.

// The callback will be passed the object that was constructed
Flight::register('db', 'PDO', array('mysql:host=localhost;dbname=test','user','pass'), function($db){
    $db->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);
});

By default, every time you load your class you will get a shared instance.
To get a new instance of a class, simply pass in false as a parameter:

// Shared instance of the class
$shared = Flight::db();

// New instance of the class
$new = Flight::db(false);

Keep in mind that mapped methods have precedence over registered classes. If you
declare both using the same name, only the mapped method will be invoked.

Overriding

Flight allows you to override its default functionality to suit your own needs,
without having to modify any code.

For example, when Flight cannot match a URL to a route, it invokes the notFound
method which sends a generic HTTP 404 response. You can override this behavior
by using the map method:

Flight::map('notFound', function(){
    // Display custom 404 page
    include 'errors/404.html';
});

Flight also allows you to replace core components of the framework.
For example you can replace the default Router class with your own custom class:

// Register your custom class
Flight::register('router', 'MyRouter');

// When Flight loads the Router instance, it will load your class
$myrouter = Flight::router();

Framework methods like map and register however cannot be overridden. You will
get an error if you try to do so.

Filtering

Flight allows you to filter methods before and after they are called. There are no
predefined hooks you need to memorize. You can filter any of the default framework
methods as well as any custom methods that you've mapped.

A filter function looks like this:

function(&$params, &$output) {
    // Filter code
}

Using the passed in variables you can manipulate the input parameters and/or the output.

You can have a filter run before a method by doing:

Flight::before('start', function(&$params, &$output){
    // Do something
});

You can have a filter run after a method by doing:

Flight::after('start', function(&$params, &$output){
    // Do something
});

You can add as many filters as you want to any method. They will be called in the
order that they are declared.

Here's an example of the filtering process:

// Map a custom method
Flight::map('hello', function($name){
    return "Hello, $name!";
});

// Add a before filter
Flight::before('hello', function(&$params, &$output){
    // Manipulate the parameter
    $params[0] = 'Fred';
});

// Add an after filter
Flight::after('hello', function(&$params, &$output){
    // Manipulate the output
    $output .= " Have a nice day!";
});

// Invoke the custom method
echo Flight::hello('Bob');

This should display:

Hello Fred! Have a nice day!

If you have defined multiple filters, you can break the chain by returning false
in any of your filter functions:

Flight::before('start', function(&$params, &$output){
    echo 'one';
});

Flight::before('start', function(&$params, &$output){
    echo 'two';

    // This will end the chain
    return false;
});

// This will not get called
Flight::before('start', function(&$params, &$output){
    echo 'three';
});

Note, core methods such as map and register cannot be filtered because they
are called directly and not invoked dynamically.

Variables

Flight allows you to save variables so that they can be used anywhere in your application.

// Save your variable
Flight::set('id', 123);

// Elsewhere in your application
$id = Flight::get('id');

To see if a variable has been set you can do:

if (Flight::has('id')) {
     // Do something
}

You can clear a variable by doing:

// Clears the id variable
Flight::clear('id');

// Clears all variables
Flight::clear();

Flight also uses variables for configuration purposes.

Flight::set('flight.log_errors', true);

Views

Flight provides some basic templating functionality by default. To display a view
template call the render method with the name of the template file and optional
template data:

Flight::render('hello.php', array('name' => 'Bob'));

The template data you pass in is automatically injected into the template and can
be reference like a local variable. Template files are simply PHP files. If the
content of the hello.php template file is:

Hello, '<?php echo $name; ?>'!

The output would be:

Hello, Bob!

You can also manually set view variables by using the set method:

Flight::view()->set('name', 'Bob');

The variable name is now available across all your views. So you can simply do:

Flight::render('hello');

Note that when specifying the name of the template in the render method, you can
leave out the .php extension.

By default Flight will look for a views directory for template files. You can
set an alternate path for your templates by setting the following config:

Flight::set('flight.views.path', '/path/to/views');

Layouts

It is common for websites to have a single layout template file with interchanging
content. To render content to be used in a layout, you can pass in an optional
parameter to the render method.

Flight::render('header', array('heading' => 'Hello'), 'header_content');
Flight::render('body', array('body' => 'World'), 'body_content');

Your view will then have saved variables called header_content and body_content.
You can then render your layout by doing:

Flight::render('layout', array('title' => 'Home Page'));

If the template files looks like this:

header.php:

<h1><?php echo $heading; ?></h1>

body.php:

<div><?php echo $body; ?></div>

layout.php:

<html>
<head>
<title><?php echo $title; ?></title>
</head>
<body>
<?php echo $header_content; ?>
<?php echo $body_content; ?>
</body>
</html>

The output would be:

<html>
<head>
<title>Home Page</title>
</head>
<body>
<h1>Hello</h1>
<div>World</div>
</body>
</html>

Custom Views

Flight allows you to swap out the default view engine simply by registering your
own view class. Here's how you would use the Smarty
template engine for your views:

// Load Smarty library
require './Smarty/libs/Smarty.class.php';

// Register Smarty as the view class
// Also pass a callback function to configure Smarty on load
Flight::register('view', 'Smarty', array(), function($smarty){
    $smarty->template_dir = './templates/';
    $smarty->compile_dir = './templates_c/';
    $smarty->config_dir = './config/';
    $smarty->cache_dir = './cache/';
});

// Assign template data
Flight::view()->assign('name', 'Bob');

// Display the template
Flight::view()->display('hello.tpl');

For completeness, you should also override Flight's default render method:

Flight::map('render', function($template, $data){
    Flight::view()->assign($data);
    Flight::view()->display($template);
});

Error Handling

Errors and Exceptions

All errors and exceptions are caught by Flight and passed to the error method.
The default behavior is to send a generic HTTP 500 Internal Server Error
response with some error information.

You can override this behavior for your own needs:

Flight::map('error', function(Exception $ex){
    // Handle error
    echo $ex->getTraceAsString();
});

By default errors are not logged to the web server. You can enable this by
changing the config:

Flight::set('flight.log_errors', true);

Not Found

When a URL can't be found, Flight calls the notFound method. The default
behavior is to send an HTTP 404 Not Found response with a simple message.

You can override this behavior for your own needs:

Flight::map('notFound', function(){
    // Handle not found
});

Redirects

You can redirect the current request by using the redirect method and passing
in a new URL:

Flight::redirect('/new/location');

By default Flight sends a HTTP 303 status code. You can optionally set a
custom code:

Flight::redirect('/new/location', 401);

Requests

Flight encapsulates the HTTP request into a single object, which can be
accessed by doing:

$request = Flight::request();

The request object provides the following properties:

url - The URL being requested
base - The parent subdirectory of the URL
method - The request method (GET, POST, PUT, DELETE)
referrer - The referrer URL
ip - IP address of the client
ajax - Whether the request is an AJAX request
scheme - The server protocol (http, https)
user_agent - Browser information
type - The content type
length - The content length
query - Query string parameters
data - Post data or JSON data
cookies - Cookie data
files - Uploaded files
secure - Whether the connection is secure
accept - HTTP accept parameters
proxy_ip - Proxy IP address of the client
host - The request host name

You can access the query, data, cookies, and files properties
as arrays or objects.

So, to get a query string parameter, you can do:

$id = Flight::request()->query['id'];

Or you can do:

$id = Flight::request()->query->id;

RAW Request Body

To get the raw HTTP request body, for example when dealing with PUT requests, you can do:

$body = Flight::request()->getBody();

JSON Input

If you send a request with the type application/json and the data {"id": 123} it will be available
from the data property:

$id = Flight::request()->data->id;

HTTP Caching

Flight provides built-in support for HTTP level caching. If the caching condition
is met, Flight will return an HTTP 304 Not Modified response. The next time the
client requests the same resource, they will be prompted to use their locally
cached version.

Last-Modified

You can use the lastModified method and pass in a UNIX timestamp to set the date
and time a page was last modified. The client will continue to use their cache until
the last modified value is changed.

Flight::route('/news', function(){
    Flight::lastModified(1234567890);
    echo 'This content will be cached.';
});

ETag

ETag caching is similar to Last-Modified, except you can specify any id you
want for the resource:

Flight::route('/news', function(){
    Flight::etag('my-unique-id');
    echo 'This content will be cached.';
});

Keep in mind that calling either lastModified or etag will both set and check the
cache value. If the cache value is the same between requests, Flight will immediately
send an HTTP 304 response and stop processing.

Stopping

You can stop the framework at any point by calling the halt method:

Flight::halt();

You can also specify an optional HTTP status code and message:

Flight::halt(200, 'Be right back...');

Calling halt will discard any response content up to that point. If you want to stop
the framework and output the current response, use the stop method:

Flight::stop();

JSON

Flight provides support for sending JSON and JSONP responses. To send a JSON response you
pass some data to be JSON encoded:

Flight::json(array('id' => 123));

For JSONP requests you, can optionally pass in the query parameter name you are
using to define your callback function:

Flight::jsonp(array('id' => 123), 'q');

So, when making a GET request using ?q=my_func, you should receive the output:

my_func({"id":123});

If you don't pass in a query parameter name it will default to jsonp.

Configuration

You can customize certain behaviors of Flight by setting configuration values
through the set method.

Flight::set('flight.log_errors', true);

The following is a list of all the available configuration settings:

flight.base_url - Override the base url of the request. (default: null)
flight.case_sensitive - Case sensitive matching for URLs. (default: false)
flight.handle_errors - Allow Flight to handle all errors internally. (default: true)
flight.log_errors - Log errors to the web server's error log file. (default: false)
flight.views.path - Directory containing view template files. (default: ./views)
flight.views.extension - View template file extension. (default: .php)

Framework Methods

Flight is designed to be easy to use and understand. The following is the complete
set of methods for the framework. It consists of core methods, which are regular
static methods, and extensible methods, which are mapped methods that can be filtered
or overridden.

Core Methods

Flight::map($name, $callback) // Creates a custom framework method.
Flight::register($name, $class, [$params], [$callback]) // Registers a class to a framework method.
Flight::before($name, $callback) // Adds a filter before a framework method.
Flight::after($name, $callback) // Adds a filter after a framework method.
Flight::path($path) // Adds a path for autoloading classes.
Flight::get($key) // Gets a variable.
Flight::set($key, $value) // Sets a variable.
Flight::has($key) // Checks if a variable is set.
Flight::clear([$key]) // Clears a variable.
Flight::init() // Initializes the framework to its default settings.
Flight::app() // Gets the application object instance

Extensible Methods

Flight::start() // Starts the framework.
Flight::stop() // Stops the framework and sends a response.
Flight::halt([$code], [$message]) // Stop the framework with an optional status code and message.
Flight::route($pattern, $callback) // Maps a URL pattern to a callback.
Flight::redirect($url, [$code]) // Redirects to another URL.
Flight::render($file, [$data], [$key]) // Renders a template file.
Flight::error($exception) // Sends an HTTP 500 response.
Flight::notFound() // Sends an HTTP 404 response.
Flight::etag($id, [$type]) // Performs ETag HTTP caching.
Flight::lastModified($time) // Performs last modified HTTP caching.
Flight::json($data, [$code], [$encode], [$charset], [$option]) // Sends a JSON response.
Flight::jsonp($data, [$param], [$code], [$encode], [$charset], [$option]) // Sends a JSONP response.

Any custom methods added with map and register can also be filtered.

Framework Instance

Instead of running Flight as a global static class, you can optionally run it
as an object instance.

require 'flight/autoload.php';

use flight\Engine;

$app = new Engine();

$app->route('/', function(){
    echo 'hello world!';
});

$app->start();

So instead of calling the static method, you would call the instance method with
the same name on the Engine object.