Swiftorial Logo
Home
Swift Lessons
Tutorials
Learn More
Career
Resources

Type Casting in PHP

Introduction

Type casting in PHP allows you to change the data type of a variable to another data type. This is particularly useful when you need to perform operations that require a specific data type. PHP provides a straightforward way to cast variables to different types.

Basic Type Casting Syntax

The general syntax for type casting in PHP is to place the desired type in parentheses before the variable. Here is the basic syntax:

(newType) $variable;

Here, newType is the type you want to cast the variable to, and $variable is the variable you want to cast.

Type Casting Examples

Let's look at some examples of type casting in PHP:

1. Casting to Integer

<?php
$var = "3.14";
$intVar = (int) $var;
echo $intVar; // Output: 3
?>
                
Output: 3

2. Casting to Float

<?php
$var = "3.14";
$floatVar = (float) $var;
echo $floatVar; // Output: 3.14
?>
                
Output: 3.14

3. Casting to String

<?php
$var = 123;
$stringVar = (string) $var;
echo $stringVar; // Output: "123"
?>
                
Output: "123"

Common Type Casts in PHP

Here are some of the most common type casts available in PHP:

  • (int) or (integer) — Casts to integer.
  • (bool) or (boolean) — Casts to boolean.
  • (float), (double), or (real) — Casts to float.
  • (string) — Casts to string.
  • (array) — Casts to array.
  • (object) — Casts to object.
  • (unset) — Casts to NULL.

Type Juggling vs Type Casting

PHP is a loosely typed language, which means it automatically converts types as needed. This is known as type juggling. For example:

<?php
$var = "10";
$sum = $var + 5;
echo $sum; // Output: 15
?>
                

In the example above, PHP automatically converts $var from a string to an integer to perform the addition. However, type casting allows you to explicitly convert types, giving you more control over the data type conversions.

Conclusion

Type casting is a powerful feature in PHP that allows you to control the data types of your variables. It can help you avoid errors and ensure that your variables are in the correct format for your operations. Understanding how to use type casting effectively can improve the robustness and reliability of your PHP code.