How to insert data in one to one relationship in database?
After we created a one-to-one relationship between the users table and the profiles table, and added the hasOne() method to the User model, and the belongsTo() method to the Profile model, it’s time to find out how the data is saved in the database when we use this relationship. And what are the methods used for that?
These methods are divided into three main ways:
The best method to use depends on the specific needs of your application. If you only need to save the profile associated with the user, then the first method is the simplest option. If you need to get, update, or delete the profile, then the second method is a better option. If you need to get, update, or delete the user, then the third method is a better option.
1. Without using method profile.#
use App\Models\Profile;
use App\Models\User;
---
Route::get('/one-to-one', method () {
$user = User::create(['username' => 'John Doe']);
Profile::create([
'user_id' => $user->id,
'firstname' => 'John',
'lastname' => 'Doe',
'birthday' => '08-11-1991'
]);
return response()->json([
'username' => $user->username,
'firstname' => $user->profile->firstname,
'lastname' => $user->profile->lastname,
]);
});
{
"username": "John Doe",
"firstname": "John",
"lastname": "Doe"
}
领英推荐
2. By using method profile.#
Route::get('/one-to-one', method () {
$user = User::create(['username' => 'Tom Cruz']);
$user->profile()->create([
'firstname' => 'Tom',
'lastname' => 'Cruz',
'birthday' => '01-02-2000'
]);
return response()->json([
'username' => $user->username,
'firstname' => $user->profile->firstname,
'lastname' => $user->profile->lastname,
]);
});
{
"username": "Tom Cruz",
"firstname": "Tom",
"lastname": "Cruz"
}
3. By using the inverse method user.#
Route::get('/one-to-one', method () {
$user = User::create(['username' => 'Adam Smith']);
$profile = new Profile([
'firstname' => 'Adam',
'lastname' => 'Smith',
'birthday' => '01-01-1999'
]);
$profile->user()->associate($user)->save();
return response()->json([
'username' => $profile->user->username,
'firstname' => $profile->firstname,
'lastname' => $profile->lastname,
]);
});
{
"username": "Adam Smith",
"firstname": "Adam",
"lastname": "Smith"
}