Migrations
Laravel ships with migrations for the users and password_resets tables. We need to add a table for tasks and items. Run the following commands in the root of the project.
$ php artisan make:migration create_jobs_table --create=jobs
$ php artisan make:migration create_tasks_table --create=tasks
$ php artisan make:migration create_task_user_table --create=task_user
jobs Table
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateJobsTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('jobs', function (Blueprint $table) {
$table->increments('id');
$table->unsignedInteger('user_id');
$table->string('title');
$table->timestamps();
$table->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('jobs');
}
}
tasks Table
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateTasksTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('tasks', function (Blueprint $table) {
$table->increments('id');
$table->unsignedInteger('job_id');
$table->unsignedInteger('completed_by')->nullable();
$table->string('title');
$table->timestamps();
$table->foreign('job_id')->references('id')->on('jobs')->onDelete('cascade');
$table->foreign('completed_by')->references('id')->on('users')->onDelete('cascade');
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('tasks');
}
}
task_user Table
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateTaskUserTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('task_user', function (Blueprint $table) {
$table->unsignedInteger('task_id');
$table->unsignedInteger('user_id');
$table->timestamps();
$table->primary(['task_id', 'user_id']);
$table->foreign('task_id')->references('id')->on('tasks')->onDelete('cascade');
$table->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('task_user');
}
}