Skip to content

Create a really simple mock server with PHP

   

I needed a local mock server, so I made a simple one in PHP.
Register a user at signup.php, show a list of users at list.php, and remove all users at deleate.php.

# Server Start
$ php -S localhost:8000
# Regist User
$ curl http://localhost:8000/signup.php -X POST -H "Content-Type: application/json" -d '{"name":"onojun", "age":24}'
# User List
$ curl http://localhost:8000/list.php
# Delete All User
$ curl http://localhost:8000/deleate.php
[]
view raw db.json hosted with ❤ by GitHub
<?php
// curl http://localhost:8000/deleate.php
header("Access-Control-Allow-Origin: *");
// parse request
file_put_contents("db.json" , json_encode(array()));
$response = array(
"is_success" => true
);
echo json_encode($response);
view raw deleate.php hosted with ❤ by GitHub
<?php
// curl http://localhost:8000/list.php
header("Access-Control-Allow-Origin: *");
// connect to db()
$db_url = "db.json";
$all_users = file_get_contents($db_url);
$all_users = (array)json_decode($all_users, true);
echo json_encode($all_users);
view raw list.php hosted with ❤ by GitHub
<?php
// curl http://localhost:8000/signup.php -X POST -H "Content-Type: application/json" -d '{"name":"onojun", "age":24}'
header("Access-Control-Allow-Origin: *");
// parse request
$json_string = file_get_contents('php://input');
$obj = json_decode($json_string);
$name = $obj->name;
$age = $obj->age;
if ($name == null) {
$response = array(
"is_success" => false,
"reason" => "name is null"
);
echo json_encode($response);
return;
} elseif ($age == null) {
$response = array(
"is_success" => false,
"reason" => "age is null"
);
echo json_encode($response);
return;
}
// connect to db()
$db_url = "db.json";
$all_users = file_get_contents($db_url);
$all_users = (array)json_decode($all_users, true);
// add user
$id = count($all_users);
$user = array(
"id" => $id,
"name" => $name,
"age" => $age
);
array_push($all_users, $user);
file_put_contents("db.json" , json_encode($all_users));
$response = array(
"is_success" => true
);
echo json_encode($response);
view raw signup.php hosted with ❤ by GitHub