TDD Laravel - laravel和spatie / laravel-activitylog中的特征测试得到JSON编码错误

问题描述 投票:4回答:2

我在laravel中为我的模型编写了一些测试,当我使用spatie/laravel-activitylog启用Activity Log时,我遇到了一些麻烦。

所以,我创建一个用户,使用Factory,我在系统中进行身份验证,当我尝试注销时,我收到此错误:

1)Tests \ Feature \ Usuario \ CriarUsuarioTest :: testAcessaPaginaDeRegistro Illuminate \ Database \ Eloquent \ JsonEncodingException:无法将模型[Spatie \ Activitylog \ Models \ Activity]的属性[properties]编码为JSON:不支持Type。

我的测试TestCase.php

protected function setUp()
{
    parent::setUp();
    $this->user = create('App\Models\Usuario');
    $this->singIn($this->user)
         ->disableExceptionHandling();

}

...
...
...

protected function singIn($user)
{
    $this->actingAs($user);
    return $this;
}

protected function singOut()
{
    // routeLogout() goes to '/logout' route.
    $this->post(routeLogout()); // <- Here, where the error occurs
    return $this;
}

我的App/Models/Usuario.php模型:

namespace App\Models;

use Illuminate\Notifications\Notifiable;
use Illuminate\Database\Eloquent\SoftDeletes;
use Illuminate\Foundation\Auth\User as Authenticatable;
use Webpatser\Uuid\Uuid;
use Spatie\Activitylog\Traits\LogsActivity;

class Usuario extends Authenticatable
{
    use LogsActivity, Notifiable, SoftDeletes;
    protected $table = 'usuario';
    protected $fillable = [/*...*/] ; // I remove this to post here on SO
    protected static $logFillable = true;
    public $timestamps = true;
    protected $dates = [
        'created_at',
        'updated_at',
        'deleted_at'
    ];
    protected static function boot() 
    {
        // Handle the \LogsActivity boot method
        parent::boot();
        static::saving(function ($usuario){
            $usuario->uuid = Uuid::generate()->string;
        });
    }
    public function getRouteKeyName()
    {
        return 'uuid';
    }
}

我的config/activitylog.php文件:

return [
    'enabled' => env('ACTIVITY_LOGGER_ENABLED', true),
    'delete_records_older_than_days' => 365,
    'default_log_name' => 'default',
    'default_auth_driver' => null,
    'subject_returns_soft_deleted_models' => false,
    'activity_model' => \Spatie\Activitylog\Models\Activity::class,
];

我的phpunit.xml文件:

<?xml version="1.0" encoding="UTF-8"?>
    <phpunit backupGlobals="false" 
             backupStaticAttributes="false" 
             bootstrap="vendor/autoload.php" 
             colors="true" 
             convertErrorsToExceptions="true" 
             convertNoticesToExceptions="true" 
             convertWarningsToExceptions="true" 
             processIsolation="false" 
             stopOnFailure="false">
                 <testsuites>
                      <testsuite name="Feature">
                           <directory suffix="Test.php">./tests/Feature</directory>
                      </testsuite>
                      <testsuite name="Unit">
                           <directory suffix="Test.php">./tests/Unit</directory>
                      </testsuite>
                 </testsuites>
                 <filter>
                    <whitelist processUncoveredFilesFromWhitelist="true">
                        <directory suffix=".php">./app</directory>
                    </whitelist>
                 </filter>
                 <php>
                    <env name="APP_ENV" value="testing"/>
                    <env name="CACHE_DRIVER" value="array"/>
                    <env name="SESSION_DRIVER" value="array"/>
                    <env name="QUEUE_DRIVER" value="sync"/>
                    <env name="API_DEBUG" value="true"/>
                    <env name="memory_limit" value="512M"/>
                    <env name="APP_DATABASE" value="test"/>
                 </php>
    </phpunit>

我的create_activity_log_migration文件:

use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;

class CreateActivityLogTable extends Migration
{
    /**
     * Run the migrations.
     */
    public function up()
    {
        Schema::create('activity_log', function (Blueprint $table) {
            $table->increments('id');
            $table->string('log_name')->nullable();
            $table->string('description');
            $table->integer('subject_id')->nullable();
            $table->string('subject_type')->nullable();
            $table->integer('causer_id')->nullable();
            $table->string('causer_type')->nullable();
            $table->text('properties')->nullable();
            $table->timestamps();

            $table->index('log_name');
        });
    }

    /**
     * Reverse the migrations.
     */
    public function down()
    {
        Schema::drop('activity_log');
    }
}

我注意到当我禁用模型的活动日志时,它的工作正常。而且,当我通过修补程序或浏览器使用系统时,日志也可以正常工作。

php json laravel tdd activitylog
2个回答
1
投票

我无法重现错误,但我确实有一些注意事项:

  • 你说当你发布到注销路线时会触发错误,但这不应该触发活动记录器,对吗?我的意思是,那里没有触发createdupdateddeleted事件。
  • 相反,当您使用工厂创建用户时,确实会触发created事件。这反过来会触发活动日志。
  • 当记录器尝试创建新的Activity时,您将获得Illuminate\Database\Eloquent\JsonEncodingException: Unable to encode attribute [properties] for model [Spatie\Activitylog\Models\Activity] to JSON: Type is not supported.异常。这几乎肯定是在Illuminate\Database\Eloquent\Concerns\HasAttributes@castAttributeAsJson方法中抛出的,它在属性值上做了一个简单的json_encode
  • JSON_ERROR_UNSUPPORTED_TYPE - A value of an unsupported type was given to json_encode(), such as a resource.
  • The value being encoded. Can be any type except a resource.
  • 那么,资源是否有可能被记录的properties?在创建用户之后尝试dd($user->attributeValuesToBeLogged('created'))

0
投票

我找到了答案(但我不知道这是否是解决这个问题的最佳方法);

只需将$this->createApplication();放入SetUp方法,在TestCase.php文件中,错误消失。

谢谢你们,伙计们。

© www.soinside.com 2019 - 2024. All rights reserved.