我可以在Laravel中自动创建数据库表,如Django的'python manage syncdb'吗?

时间:2013-04-20 18:44:44

标签: php django laravel syncdb

我来自Django(Python)背景,现在我正在开发一个基于Laravel(PHP)的项目。我有一些选择,比如自动生成数据库表吗?

1 个答案:

答案 0 :(得分:8)

是的,使用Schema BuilderMigrations

首先,您需要将迁移表安装到DB:

$ php artisan migrate:install

然后创建迁移

$ php artisan migrate:make create_users_table

这将在application/migrations中创建一个PHP文件。您现在可以对其进行编辑以获得所需的设置,即

<?php 

class Create_Users_Table
{

    public function up()
    {
        Schema::create('users', function($table)
        {
            $table->increments('id');
            $table->string('username');
            $table->string('email');
            $table->string('phone')->nullable();
            $table->text('about');
            $table->timestamps();
        });
    }

    public function down()
    {
        Schema::drop('users');
    }

}

并使用

执行它
$ php artisan migrate

每次更改数据库结构时,都必须创建新的迁移并在之后执行。

假设您希望users有一个新列hometown而不是phone您要创建新的迁移

$ php artistan migrate:make users_table_add_hometown

并编辑新文件以包含

<?php 

class Users_Table_Add_Hometown
{

    public function up()
    {
        Schema::table('users', function($table)
        {
            $table->string('hometown');
            $table->drop_column('phone');
        });
    }

    public function down()
    {
        Schema::table('users', function($table)
        {
            $table->string('phone')->nullable();
            $table->drop_column('hometown');
        });
    }

}

您现在有两个迁移,一个创建表,另一个修改它。

artisan migrate命令非常智能,只能执行系统新增的迁移。因此,如果你的同事在长假后回家并且有一些新的迁移,它将自动只导入他离开后创建的那些。