在Laravel Eloquent中,将空记录插入表中

时间:2014-11-11 11:07:51

标签: php laravel laravel-4 eloquent

我有一个扩展Eloquent的班级Word。我手动添加了两个记录,并且使用Word::all()方法可以很好地获取它们。但是,当我尝试创建新对象并保存它时,Eloquent会将空值插入表中。

所以,这是模型

class Word extends Eloquent {
    protected $table = 'words';
    public $timestamps = false;

    public $word;
    public $senseRank = 1;
    public $partOfSpeech = "other";
    public $language;
    public $prefix;
    public $postfix;
    public $transcription;
    public $isPublic = true;
}

这是数据库迁移脚本

     Schema::create('words', function($table) {
         $table->increments('id');
         $table->string('word', 50);
         $table->tinyInteger('senseRank');
         $table->string('partOfSpeech', 10);
         $table->string('language', 5);
         $table->string('prefix', 20)->nullable();
         $table->string('postfix', 20)->nullable();
         $table->string('transcription', 70)->nullable();
         $table->boolean('isPublic');
     });

以下是我试图运行的代码

Route::get('create', function()
{
    $n = new Word;
    $n->word         = "hello";
    $n->language     = "en";
    $n->senseRank    = 1;
    $n->partOfSpeech = "other";
    $n->save();
});

我得到的是一个新记录,其中包含正确的新ID,但所有其他字段都是空字符串或零。怎么可能呢?

2 个答案:

答案 0 :(得分:1)

您需要从模型中移除所有属性,因为现在Eloquent无法正常工作,您的课程应该如下所示:

class Word extends Eloquent {
    protected $table = 'words';
    public $timestamps = false;
}

如果您需要某些字段的默认值,您可以添加它们,例如在使用default创建表格时,例如:

$table->tinyInteger('senseRank')->default(1);

答案 1 :(得分:1)

注释/删除您正在设置的类字段:

// public $word;
// public $senseRank = 1;
// public $partOfSpeech = "other";
// public $language;

Laravel使用神奇的__get()__set()方法在内部存储字段。如果定义了字段,则不起作用。

您可以使用模型事件设置默认值,将此方法添加到模型中:

public static function boot() {
    parent::boot();
    static::creating(function($object) {
        $object->senseRank = 1;
        $object->partOfSpeech = "other";
    });
}