//创建模型文件
php artisan make:model Article
//Laravel会在app目录下生成一个Article.php的模型文件。但是我们为了方便,一般会将模型文件放在Model目录下,
//所以需要在生成文件的时候指定命名空间
php artisan make:model Models/Article
//Laravel会自动生成Models目录和Article.php文件,如果你想在生成模型文件的同时生成迁移文件,可以在后面加上-m
php artisan make:model Models/Article -m
//参数配置
//模型文件采用单数形式命名,而数据表采用复数形式命名。所以一个Article模型默认对应Articles 数据表,如果我们在
//开发中需要指定表的话。
//指定表名
protected $table = 'article2';
//指定主键
protected $primaryKey = 'article_id';
//是否开启时间戳
protected $timestamps = false;
//设置时间戳格式为Unix
protected $dateFormat = 'U';
//过滤字段,只有包含的字段才能被更新
protected $fillable = ['title','content'];
//隐藏字段
protected $hidden = ['password'];
以上信息来自:https://blog.csdn.net/qq_30202073/article/details/84835473
laravel分为三大数据库操作(DB facade[原始查找],查询构造器[Query Builder],Eloquent ORM):
use Illuminate\Support\Facades\DB;
1.DB facade[原始查找]
$results = DB::select('select * from users where id = :id', ['id' => 1]);
DB::insert('insert into users (id, name) values (?, ?)', [1, 'Dayle']);
不返回值:
DB::statement('drop table users');
返回自增id:
$id = DB::table('users')->insertGetId(
['email' => 'john@example.com', 'votes' => 0]
);
$affected = DB::update('update users set votes = 100 where name = ?', ['John']);
网友评论