laravel入门-01
程序员文章站
2023-12-01 22:06:22
创建laravel应用 laravel new app_name 使用 PHP 内置 web server 驱动我们的网站 cd xxx/public php -S localhost:port 查看所有可用的 Artisan 命令 php artisan list 激活某些功能 eg:auth系统 ......
创建laravel应用
laravel new app_name
使用 php 内置 web server 驱动我们的网站
cd xxx/public
php -s localhost:port
查看所有可用的 artisan 命令
php artisan list
激活某些功能 eg:auth系统
php artisan make:auth
访问auth功能
http://localhost:port/login
连接数据库
在env文件进行修改参数
数据库迁移(migration)
在应用根目录(后退一步 cd ../)
php artisan migrate
重新创建虚拟服务器,进行注册
使用 artisan 工具新建 model 类及其附属的 migration 和 seeder(数据填充)类
php artisan make:model model_name
使用 artisan 生成 migration
php artisan make:migration create_articles_table
修改他的 up 函数
public function up() { schema::create('articles', function (blueprint $table) { $table->increments('id'); $table->string('title'); $table->text('body')->nullable(); $table->integer('user_id'); $table->timestamps(); }); }
这几行代码描述的是 article 对应的数据库中那张表的结构。laravel model 默认的表名是这个英文单词的复数形式
创建数据表
php artisan migrate
seeder 是我们接触到的一个新概念,字面意思为播种机。seeder 解决的是我们在开发 web 应用的时候,需要手动向数据库中填入假数据的繁琐低效问题。
php artisan make:seeder articleseeder
/database/seeds 里多了一个文件 articleseeder.php,修改此文件中的 run 函数为:
public function run() { db::table('articles')->delete(); for ($i=0; $i < 10; $i++) { \app\article::create([ 'title' => 'title '.$i, 'body' => 'body '.$i, 'user_id' => 1, ]); } }
上面代码中的 \app\article
为命名空间绝对引用。如果你对命名空间还不熟悉,可以读一下 《php 命名空间 解惑》,很容易理解的。
接下来我们把 articleseeder 注册到系统内。修改 learnlaravel5/database/seeds/databaseseeder.php
中的 run 函数为:
public function run() { $this->call(articleseeder::class); }
由于 database 目录没有像 app 目录那样被 composer 注册为 psr-4 自动加载,采用的是 psr-0 classmap 方式,所以我们还需要运行以下命令把 articleseeder.php 加入自动加载系统,避免找不到类的错误:
composer dump-autoload
php artisan db:seed
刷新一下数据库中的 articles 表,会发现已经被插入了 10 行假数据
上一篇: 简单谈谈MySQL的半同步复制
下一篇: Python中的一些陷阱与技巧小结