Swiftorial Logo
Home
Swift Lessons
Matchups
CodeSnaps
Tutorials
Career
Resources

Using Cookies in PHP

Introduction to Cookies

Cookies are small pieces of data stored on the client-side and are used to track and identify users. They can store user-specific information, such as preferences or login status, and are sent to the server with every HTTP request.

Setting a Cookie

To set a cookie in PHP, use the setcookie() function. This function must be called before any output is sent to the browser, typically at the top of your script.

Example:

<?php
// Set a cookie
setcookie("user", "John Doe", time() + (86400 * 30), "/");
// 86400 = 1 day
?>

Accessing a Cookie

Once a cookie is set, it can be accessed using the $_COOKIE superglobal array in PHP.

Example:

<?php
if(isset($_COOKIE["user"])) {
    echo "User is " . $_COOKIE["user"];
} else {
    echo "User is not set";
}
?>

Modifying a Cookie

To modify a cookie, simply set it again using the setcookie() function with the same name and a new value.

Example:

<?php
// Modify the cookie
setcookie("user", "Jane Doe", time() + (86400 * 30), "/");
?>

Deleting a Cookie

To delete a cookie, set its expiration date to a time in the past using the setcookie() function.

Example:

<?php
// Delete the cookie
setcookie("user", "", time() - 3600, "/");
?>

Cookie Attributes

When setting a cookie, you can specify several attributes: name, value, expire, path, domain, secure, and httponly.

Example:

<?php
// Set a cookie with additional attributes
setcookie("user", "John Doe", time() + (86400 * 30), "/", "example.com", true, true);
?>

Conclusion

Cookies are an essential part of web development and are widely used for session management, personalization, and tracking. Understanding how to set, access, modify, and delete cookies is crucial for any PHP developer.