Spaces:
Running
Running
File size: 2,254 Bytes
d29be41 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 |
<?php
namespace Tests\Feature;
use Illuminate\Foundation\Testing\RefreshDatabase;
use Illuminate\Foundation\Testing\WithFaker;
use Tests\TestCase;
use App\Http\Controllers\TODOListController;
use App\Models\ListItem;
class TODOListControllerTest extends TestCase
{
use RefreshDatabase;
public function test_index(){
$response = $this->get("/");
// print(json_encode($response));
$response->assertStatus($response->status(),200);
}
public function test_saveItem(){
$this->assertDatabaseCount('list_items',0);
$response = $this->call("POST", route("saveItem"),[
"text"=>"task 1"
]);
$this->assertDatabaseCount('list_items',1); // Check if item is added to the database
$this->assertEquals(ListItem::all()->first()->is_complete,0); // to check if the status was is incomplete by default
$this->assertEquals($response->status(),302); // status code 302 means redirect
}
public function test_changeStatus_to_done(){
$this->test_saveItem(); // add 1 item
$response = $this->call("POST", route("changeStatus",1),[
"checked"=>"on"
]);
$this->assertEquals(ListItem::all()->first()->is_complete,1); // to check if the status was changed to completed
$this->assertEquals($response->status(),302); // status code 302 means redirect
}
public function test_changeStatus_to_not_done(){
$this->test_changeStatus_to_done(); // get to the point where the status is done
$response = $this->call("POST", route("changeStatus",1),[
]);
$this->assertEquals(ListItem::all()->first()->is_complete,0); // to check if the status was changed to incomplete
$this->assertEquals($response->status(),302); // status code 302 means redirect
}
public function test_deleteItem(){
$this->test_saveItem(); // create an item
$response = $this->call("POST",route("deleteItem"),[
'id'=>"1",
]);
$this->assertDatabaseCount("list_items",0); // check if the item is deleted
$this->assertEquals($response->status(),302); // status code 302 means redirect
}
}
|