Report this

What is the reason for this report?

How To Manage DateTime with Carbon in Laravel and PHP

Updated on March 6, 2026
How To Manage DateTime with Carbon in Laravel and PHP

Introduction

Working with date and time in PHP can be complicated. You often have to juggle strtotime, formatting issues, manual calculations, and time zones.

The Carbon package helps make dealing with date and time in PHP and Laravel much easier and more semantic so that your code is more readable and maintainable.

Carbon is a package by Brian Nesbitt that extends PHP’s own DateTime class. Laravel uses Carbon under the hood for Eloquent timestamps and date casting, so learning it will make working with any created_at or updated_at field feel natural.

Carbon provides functionality such as:

  • Dealing with time zones.
  • Getting the current time easily.
  • Converting a datetime into something readable.
  • Parsing an English phrase into datetime ("first day of January 2016").
  • Adding and subtracting dates ("+ 2 weeks", "-6 months").
  • A semantic and chainable way of dealing with dates.

In this article, you will install Carbon where needed and explore the features and functionality that it provides in both raw PHP and Laravel applications.

Key Takeaways

  • Carbon builds on PHP DateTime: Carbon extends the built in DateTime class with a fluent, chainable API, so anything you can do with DateTime can be done through Carbon with clearer code.
  • Laravel integrates Carbon automatically: Eloquent model date attributes are returned as Carbon instances when you use $casts or $dates, which means you can call Carbon methods directly on fields like created_at.
  • Mutability and CarbonImmutable matter: The default Carbon class is mutable, so methods like addDays modify the instance in place, while CarbonImmutable always returns a new instance and keeps the original unchanged.
  • Time zone handling is first class: Carbon makes it straightforward to store datetimes in UTC, convert them to a user’s time zone when needed, and avoid common offset mistakes.
  • Relative and formatted output is simple: Helpers such as diffForHumans() and toDateTimeString() cover common user facing formats without custom parsing logic.

Deploy your Laravel applications from GitHub using DigitalOcean App Platform. Let DigitalOcean focus on scaling your app.

Prerequisites

To follow along with this guide, you need to meet the following prerequisites:

This tutorial was verified with PHP v8.0.5, Composer v2.0.13, MySQL 8.0.24, Laravel v8.40.0, and Carbon v2.31. The core Carbon concepts apply to more recent Laravel and PHP versions as well, including Laravel 10 and 11.

Setting Up the Project

In order to use Carbon, you’ll need to import Carbon from the Carbon namespace. In standalone PHP projects you can install it via Composer:

composer require nesbot/carbon

In Laravel applications, Carbon is already included and wired into Eloquent’s date handling.

Whenever you need to use Carbon directly, you can import it like so:

<?php

use Carbon\Carbon;

After importing, let’s explore what Carbon provides and how Laravel returns Carbon instances for model attributes out of the box.

Getting a Specific Date and Time

Get the current time:

$current = Carbon::now();

Current time can also be retrieved with this instantiation:

$current2 = new Carbon();

Get today’s date:

$today = Carbon::today();

Get yesterday’s date:

$yesterday = Carbon::yesterday();

Get tomorrow’s date:

$tomorrow = Carbon::tomorrow();

Parse a specific string:

$newYear = new Carbon('first day of January 2016');

This returns:

Output
2016-01-01 00:00:00

These helpers provide human-readable requests for frequent date and time needs like today(), yesterday(), and tomorrow().

Creating Dates with More Fine-Grained Control

In addition to the quick ways to define date and times, Carbon also let’s us create date and times from a specific number of arguments.

createFromDate() accepts $year, $month, $day, $tz (time zone):

Carbon::createFromDate($year, $month, $day, $tz);

createFromTime() accepts $hour, $minute, $second, and $tz (time zone):

Carbon::createFromTime($hour, $minute, $second, $tz);

create() accepts $year, $month, $day, $hour, $minute, $second, $tz (time zone):

Carbon::create($year, $month, $day, $hour, $minute, $second, $tz);

These are very helpful when you get some sort of date or time in a format that isn’t normally recognized by Carbon. If you pass in null for any of those attributes, it will default to current.

Manipulating the Date and Time

Grabbing the date and time isn’t the only thing you’ll need to do when working with dates. You’ll often need to manipulate the date or time.

For instance, when creating a trial period for a user, you will want the trial period to expire after a certain amount of time. So let’s say we have a 30-day trial period. We could calculate that time with Carbon’s add and subtract.

For this example, we can use addDays() to determine when the trial expires:

// get the current time
$current = Carbon::now();

// add 30 days to the current time
$trialExpires = $current->addDays(30);

From the Carbon documentation here are some of the other add() and sub() methods available to us.

Consider a date set to January 31, 2012:

$dt = Carbon::create(2012, 1, 31, 0);

echo $dt->toDateTimeString();

This will return:

Output
2012-01-31 00:00:00

Modifying the date with addYears() and subYears() will result in the following:

Command Output
echo $dt->addYear(); 2012-01-31 00:00:00
echo $dt->addYears(5); 2017-01-31 00:00:00
echo $dt->subYear(); 2011-01-31 00:00:00
echo $dt->subYears(5); 2007-01-31 00:00:00

Modifying the date with addMonths() and subMonths() will result in the following:

Command Output
echo $dt->addMonth(); 2012-03-03 00:00:00
echo $dt->addMonths(60); 2017-01-31 00:00:00
echo $dt->subMonth(); 2011-12-31 00:00:00
echo $dt->subMonths(60); 2007-01-31 00:00:00

Take note of how adding one month to “January 31” resulted in “March 3” instead of “February 28”. If you prefer to not have that rollover, you can use addMonthWithoutOverflow() and its related methods to avoid overflowing into the next month when the target month has fewer days.

Modifying the date with addDays() and subDays() will result in the following:

Command Output
echo $dt->addDay(); 2012-02-01 00:00:00
echo $dt->addDays(29); 2012-02-29 00:00:00
echo $dt->subDay(); 2012-01-30 00:00:00
echo $dt->subDays(29); 2012-01-02 00:00:00

Modifying the date with addWeekdays() and subWeekdays() will result in the following:

Command Output
echo $dt->addWeekday(); 2012-02-01 00:00:00
echo $dt->addWeekdays(4); 2012-02-06 00:00:00
echo $dt->subWeekday(); 2012-01-30 00:00:00
echo $dt->subWeekdays(4); 2012-01-25 00:00:00

Modifying the date with addWeeks() and subWeeks() will result in the following:

Command Output
echo $dt->addWeek(); 2012-02-07 00:00:00
echo $dt->addWeeks(3); 2012-02-21 00:00:00
echo $dt->subWeek(); 2012-01-24 00:00:00
echo $dt->subWeeks(3); 2012-01-10 00:00:00

Modifying the date with addHours() and subHours() will result in the following:

Command Output
echo $dt->addHour(); 2012-01-31 01:00:00
echo $dt->addHours(24); 2012-02-01 00:00:00
echo $dt->subHour(); 2012-01-30 23:00:00
echo $dt->subHours(24); 2012-01-30 00:00:00

Modifying the date with addMinutes() and subMinutes() will result in the following:

Command Output
echo $dt->addMinute(); 2012-01-31 00:01:00
echo $dt->addMinutes(61); 2012-01-31 01:01:00
echo $dt->subMinute(); 2012-01-30 23:59:00
echo $dt->subMinutes(61); 2012-01-30 22:59:00

Modifying the date with addSeconds() and subSeconds() will result in the following:

Command Output
echo $dt->addSecond(); 2012-01-31 00:00:01
echo $dt->addSeconds(61); 2012-01-31 00:01:01
echo $dt->subSecond(); 2012-01-30 23:59:59
echo $dt->subSeconds(61); 2012-01-30 23:58:59

Using Carbon’s add and subtract tools can provide you with adjusted date and times.

Using Getters and Setters

Another way to read or manipulate the time is to use Carbon’s getters and setters.

Read values with getters:

$dt = Carbon::now();

var_dump($dt->year);
var_dump($dt->month);
var_dump($dt->day);
var_dump($dt->hour);
var_dump($dt->second);
var_dump($dt->dayOfWeek);
var_dump($dt->dayOfYear);
var_dump($dt->weekOfMonth);
var_dump($dt->daysInMonth);

Change values with setters:

$dt = Carbon::now();

$dt->year   = 2015;
$dt->month  = 04;
$dt->day    = 21;
$dt->hour   = 22;
$dt->minute = 32;
$dt->second = 5;

echo $dt;

We can even chain together some setters.

Here is the previous example using year(), month(), day(), hour(), minute(), and second():

$dt->year(2015)->month(4)->day(21)->hour(22)->minute(32)->second(5)->toDateTimeString();

And here is the same example using setDate() and setTime():

$dt->setDate(2015, 4, 21)->setTime(22, 32, 5)->toDateTimeString();

And here is the same example using setDateTime():

$dt->setDateTime(2015, 4, 21, 22, 32, 5)->toDateTimeString();

All of these approaches will produce the same result: 2015-04-21 22:32:05.

Formatting Date and Time

PHP’s toXXXString() methods are available to display dates and times with predefined formatting:

Command Output
echo $dt->toDateString(); 2015-04-21
echo $dt->toFormattedDateString(); Apr 21, 2015
echo $dt->toTimeString(); 22:32:05
echo $dt->toDateTimeString(); 2015-04-21 22:32:05
echo $dt->toDayDateTimeString(); Tue, Apr 21, 2015 10:32 PM

It’s also possible to use PHP’s DateTime format() for custom formatting:

echo $dt->format('l jS \of F Y h:i:s A');
  • l: A full textual representation of the day of the week.
  • jS:
    • Day of the month without leading zeros.
    • English ordinal suffix for the day of the month, 2 characters.
  • F: A full textual representation of a month.
  • Y: A full numeric representation of a year, 4 digits.
  • h:i:s:
    • 12-hour format of an hour with leading zeros.
    • Minutes with leading zeros.
    • Seconds with leading zeros.
  • A: Uppercase Ante meridiem and Post meridiem.

This code will produce the following result:

Output
Tuesday 21st of April 2015 10:32:05 PM

Using Carbon’s formatting tools can display dates and times to fit your needs.

Calculating Relative Time

Carbon also lets us display time relatively with the diff() methods.

For instance, let’s say we have a blog and wanted to show a published time of 3 hours ago. We would be able to do that with these methods.

Finding the Difference

Consider the following example with a time in the future and a time in the past:

$dt      = Carbon::create(2012, 1, 31, 0);
$future  = Carbon::create(2012, 1, 31, 0);
$past    = Carbon::create(2012, 1, 31, 0);

$future  = $future->addHours(6);
$past    = $past->subHours(6);

Here are the results using diffInHours():

Command Output
echo $dt->diffInHours($future); 6
echo $dt->diffInHours($past); 6

Consider the following example with a date in the future and a date in the past:

$dt      = Carbon::create(2012, 1, 31, 0);
$future  = Carbon::create(2012, 1, 31, 0);
$past    = Carbon::create(2012, 1, 31, 0);

$future  = $future->addMonth();
$past    = $past->subMonths(2);

Here are the results using diffInDays():

Command Output
echo $dt->diffInDays($future); 31
echo $dt->diffInDays($past); 61

Displaying the Difference for Humans

Displaying time relatively can sometimes be more useful to readers than a date or timestamp.

For example, instead of displaying the time of a post like 8:12 AM, the time will be displayed as 3 hours ago.

The diffForHumans() method is used for calculating the difference and also converting it to a humanly readable format.

Consider the following example with a date in the future and a date in the past:

$dt      = Carbon::create(2012, 1, 31, 0);
$future  = Carbon::create(2012, 1, 31, 0);
$past    = Carbon::create(2012, 1, 31, 0);

$future  = $future->addMonth();
$past    = $past->subMonth();

Here are the results using diffForHumans():

Command Output
echo $dt->diffForHumans($future); 1 month before
echo $dt->diffForHumans($past); 1 month after

Using Carbon with Eloquent in Laravel

Laravel integrates Carbon directly into Eloquent models so that date attributes are returned as Carbon instances. This means you can call any Carbon method on fields like created_at, updated_at, or your own custom date fields.

By default, Eloquent treats created_at and updated_at as date attributes. For custom columns you can declare them in $casts to have them converted automatically:

class Subscription extends Model
{
    protected $casts = [
        'trial_ends_at' => 'datetime',
    ];
}

With this cast in place, you can work with trial_ends_at as a Carbon instance:

$subscription = Subscription::find(1);

// trial_ends_at is a Carbon instance
if ($subscription->trial_ends_at->isPast()) {
    // handle expired trial
}

// extend the trial by seven days
$subscription->trial_ends_at = $subscription->trial_ends_at->addDays(7);
$subscription->save();

Laravel stores datetimes in the database as strings, but when you retrieve them on your models they are cast to Carbon. You can still customize the default date format for serialization using the $dateFormat property on the model if needed.

Carbon vs PHP DateTime and CarbonImmutable

Under the hood, Carbon extends PHP’s DateTime class and adds a fluent, expressive API. Most projects prefer Carbon because it reduces boilerplate and makes chains of operations easier to read while still remaining compatible with existing DateTime based code.

One important design decision is mutability:

  • The Carbon class is mutable. Methods like addDays() and subMonth() modify the instance in place and return $this.
  • The CarbonImmutable class behaves like PHP’s DateTimeImmutable. Methods that change the date or time return a new instance and leave the original untouched.

For example:

use Carbon\Carbon;
use Carbon\CarbonImmutable;

$mutable = Carbon::create(2024, 1, 1);
$immutable = CarbonImmutable::create(2024, 1, 1);

$mutable->addDay();                 // $mutable is now 2024-01-02
$newImmutable = $immutable->addDay(); // $immutable is still 2024-01-01

In Laravel you can opt into immutable dates globally by changing the configuration in config/app.php with the date key, or locally by using CarbonImmutable in your own code where you want to avoid accidental mutations.

Time zone best practices with Carbon

Working with time zones is a common source of bugs in web applications. Carbon makes it easier to adopt a consistent strategy:

  • Store all datetimes in the database in UTC.
  • Convert to a user’s local time zone only when displaying or interacting with times in the UI.
  • Avoid mixing naive and time zone aware datetimes in the same calculation.

You can create or convert Carbon instances with an explicit time zone:

// create a Carbon instance in UTC
$utc = Carbon::now('UTC');

// convert to a specific user's time zone
$userTime = $utc->copy()->setTimezone('America/New_York');

In Laravel, you can control the default time zone via the timezone option in config/app.php. Carbon respects this configuration when you call helpers like now() or when Eloquent casts a database datetime column.

FAQs

1. What is Carbon in Laravel?

Carbon is a PHP library that extends the built in DateTime class with a fluent API for working with dates and times. Laravel depends on Carbon internally and returns Carbon instances for Eloquent model date attributes, which lets you call methods like addDays(), diffForHumans(), and isPast() directly on your timestamp fields.

2. Is Carbon better than PHP DateTime?

Carbon builds on top of PHP’s DateTime and DateTimeImmutable classes rather than replacing them. It provides a more expressive interface, sensible defaults, and many convenience helpers that reduce boilerplate. For most Laravel and modern PHP applications, using Carbon for application code while letting it interoperate with native DateTime where necessary offers the best of both worlds.

3. How do I get the current time with Carbon?

You can get the current time with Carbon::now(), or by instantiating a new Carbon object with new Carbon(). In Laravel you can also use the global now() helper, which returns a Carbon instance and respects the application’s configured time zone.

4. What is CarbonImmutable?

CarbonImmutable is the immutable variant of the Carbon date and time class. When you call methods like addDays() on a CarbonImmutable instance, you receive a new object and the original instance remains unchanged. This can help avoid bugs that come from accidental in place modifications when the same instance is shared across multiple parts of your code.

5. Does Laravel use Carbon automatically?

Yes. Laravel uses Carbon for Eloquent timestamps and any attributes that you cast as datetime or include in the legacy $dates property. When you access an attribute like created_at on a model, you receive a Carbon instance by default, which means all of Carbon’s methods are available without any extra casting.

Conclusion

In this article, you installed Carbon where needed and explored the features and functionality that it provides in both PHP and Laravel, including Eloquent integration, relative differences, and time zone handling.

If you’d like to learn more about Laravel, check out our Laravel topic page for exercises and programming projects. If you’d like to learn more about PHP, check out our PHP topic page for exercises and programming projects.

To go deeper into Laravel and PHP development environments and containers, you can also review:

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about our products

About the author(s)

Chris Sev
Chris Sev
Author
Sr Developer Advocate
See author profile

Founder of scotch.io. Slapping the keyboard until good things happen.

Anish Singh Walia
Anish Singh Walia
Editor
Sr Technical Writer
See author profile

I help Businesses scale with AI x SEO x (authentic) Content that revives traffic and keeps leads flowing | 3,000,000+ Average monthly readers on Medium | Sr Technical Writer @ DigitalOcean | Ex-Cloud Consultant @ AMEX | Ex-Site Reliability Engineer(DevOps)@Nutanix

Category:

Still looking for an answer?

Was this helpful?


This textbox defaults to using Markdown to format your answer.

You can type !ref in this text area to quickly search our full set of tutorials, documentation & marketplace offerings and insert the link!

Could you explain how to format carbon date in localized language?

I have my app default as ‘it’, but carbon is still giving me the english name of months

Converting a datetime into something readable. Parse an English phrase into datetime ( “first day of January 2016” ). Add and Subtract dates ( “+ 2 weeks” , “-6 months” ). Semantic way of dealing with dates.

Creative CommonsThis work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 4.0 International License.
Join the Tech Talk
Success! Thank you! Please check your email for further details.

Please complete your information!

The developer cloud

Scale up as you grow — whether you're running one virtual machine or ten thousand.

Get started for free

Sign up and get $200 in credit for your first 60 days with DigitalOcean.*

*This promotional offer applies to new accounts only.