Laravel에서 JSON 열 간의 동등성을 테스트하려면 JSON 데이터가 데이터베이스에 문자열로 저장되므로 특별한 고려가 필요합니다. JSON이 인코딩되는 방식의 차이로 인해 JSON 열을 비교할 때 예기치 않은 테스트 실패가 발생할 수 있습니다. 이 문서는 Laravel 애플리케이션 테스트에서 JSON 열을 효과적으로 비교하는 방법을 안내합니다.
JSON 데이터가 데이터베이스에 저장될 때 문자열로 저장됩니다. 키 간격이나 순서 등 JSON 인코딩의 사소한 차이로 인해 직접 문자열 비교가 실패할 수 있습니다. 이는 내용이 논리적으로 동일하더라도 $this->assertDatabaseHas()를 사용한 테스트가 실패할 수 있음을 의미합니다.
먼저 JSON 열이 포함된 PriceSchedule 모델을 고려해 보세요.
final class PriceSchedule extends Model { protected $fillable = [ 'user_id', 'price_supplier_id', 'weekday', 'hour', 'is_active' ]; protected $casts = [ 'weekday' => 'array', 'hour' => 'array', ]; }
요일 및 시간 속성이 배열로 변환되므로 애플리케이션에서 쉽게 조작할 수 있습니다.
다음은 PriceSchedule 업데이트에 대한 예시 테스트입니다.
final class PriceExportScheduleTest extends TestCase { public function test_price_export_schedule_update(): void { $user = UserFactory::new()->create(); $this->actingAsFrontendUser($user); $priceSchedule = PriceScheduleFactory::new()->make(); $updatedData = [ 'weekday' => $this->faker->randomElements(DayOfWeek::values(), 3), 'hour' => $priceSchedule->hour, 'is_active' => true, ]; $response = $this->putJson(route('api-v2:price-export.suppliers.schedules.update'), $updatedData); $response->assertNoContent(); $this->assertDatabaseHas(PriceSchedule::class, [ 'user_id' => $user->id, 'is_active' => $updatedData['is_active'], 'weekday' => $updatedData['weekday'], 'hour' => $updatedData['hour'], ]); } }
$this->assertDatabaseHas()를 사용하여 요일, 시간 등 JSON 형식의 값을 비교할 때 JSON 인코딩 차이로 인해 직접 비교가 실패할 수 있습니다. 예:
데이터가 논리적으로 동일하더라도 문자열이 다르기 때문에 테스트가 실패할 수 있습니다.
일관된 비교를 보장하려면 JSON 열을 지정할 때 $this->castAsJson()을 사용하세요.
$this->assertDatabaseHas(PriceSchedule::class, [ 'user_id' => $user->id, 'is_active' => $updatedData['is_active'], 'weekday' => $this->castAsJson($updatedData['weekday']), 'hour' => $this->castAsJson($updatedData['hour']), ]);
이 방법을 사용하면 비교 전에 테스트 데이터와 데이터베이스 데이터가 모두 공통 JSON 형식으로 변환됩니다.
테스트를 실행하면 다음과 같은 결과가 나타납니다.
Price Export Schedule (PriceExportSchedule) ✔ Price export schedule update OK (1 test, 3 assertions)
$this->castAsJson()을 사용하면 JSON 인코딩 문제를 방지하고 테스트의 안정성과 신뢰성을 모두 보장할 수 있습니다.
정확합니다.
위 내용은 Laravel 모델에서 동일한 JSON 열을 테스트하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!