我使用laravel 5.3
我这样的迁移:
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateUsersTable extends Migration
{
public function up()
{
Schema::create('users', function (Blueprint $table) {
$table->increments('id');
$table->string('name');
$table->string('api_token')->nullable();
$table->string('email',100)->unique();
$table->string('password')->nullable();
$table->string('avatar',100)->nullable();
$table->string('full_name',100)->nullable();
$table->date('birth_date')->nullable();
$table->smallInteger('gender')->nullable();
$table->timestamps();
$table->softDeletes();
});
}
public function down()
{
DB::statement('SET FOREIGN_KEY_CHECKS = 0');
Schema::dropIfExists('users');
DB::statement('SET FOREIGN_KEY_CHECKS = 1');
}
}
我想添加这样的新字段:
$table->string('mobile_number',20)->nullable();
但我不想在架构上添加它。我想使用alter table
在我的登台服务器和实时服务器上设置了自动迁移
因此,如果我使用alter table,它将自动迁移。因此,如果代码合并到开发或主控
,数据库中的表将自动添加mobile_number字段如果我添加架构,它将不会自动迁移
如何使用alter table添加字段?
答案 0 :(得分:3)
在命令行中,执行artisan命令为您的表添加新迁移:
php artisan make:migration add_mobile_number_to_users_table --table=users
然后,您可以将代码放在新创建的迁移文件中:
public function up()
{
Schema::table('users', function (Blueprint $table) {
$table->string('mobile_number',20)->nullable();
}
}
public function down()
{
Schema::table('users', function (Blueprint $table) {
$table->dropColumn('mobile_number');
}
}