1# The easiest way to create a model instance is using the
2# make:model Artisan command:
3
4php artisan make:model Flight
5
6# If you would like to generate a database migration when you
7# generate the model, you may use the --migration or -m option:
8
9php artisan make:model Flight --migration
10php artisan make:model Flight -m
1// Retrieve flight by name, or create it if it doesn't exist...
2$flight = App\Flight::firstOrCreate(['name' => 'Flight 10']);
3
4// Retrieve flight by name, or create it with the name, delayed, and arrival_time attributes...
5$flight = App\Flight::firstOrCreate(
6 ['name' => 'Flight 10'],
7 ['delayed' => 1, 'arrival_time' => '11:30']
8);
9
10// Retrieve by name, or instantiate...
11$flight = App\Flight::firstOrNew(['name' => 'Flight 10']);
12
13// Retrieve by name, or instantiate with the name, delayed, and arrival_time attributes...
14$flight = App\Flight::firstOrNew(
15 ['name' => 'Flight 10'],
16 ['delayed' => 1, 'arrival_time' => '11:30']
17);
1/** in migrations this changes need to
2 add for table we want to add soft delete (LARAVEL)*/
3
4 /** The migrations. START */
5 public function up()
6 {
7 Schema::table('users', function(Blueprint $table)
8 {
9 $table->softDeletes();
10 });
11 }
12 /** The migrations. END */
13
14 /** after adding softdelete you need to
15 point that column in table related model (LARAVEL)*/
16
17 /** The Model. START */
18 use Illuminate\Database\Eloquent\SoftDeletes;
19 class User extends Model {
20 use SoftDeletes;
21 protected $dates = ['deleted_at'];
22 }
23 /** The Model. END */
1// return first row by id
2$user = App\User::where('id',$id)->first();
3// or return directly a field
4$userId = App\User::where(...)->pluck('id');
1use App\Models\Flight;
2
3$flight = Flight::find(1);
4
5$flight->name = 'Paris to London';
6
7$flight->save();