Lokang 

PHP and MySQL

assignment

In PHP, variable assignment is straightforward. Variables in PHP are prefixed with a dollar sign ($). Here's a basic overview of how to assign values to variables in PHP:

Basic Variable Assignment

<?php
// Assigning a string value
$name = "John Doe";
// Assigning an integer value
$age = 30;
// Assigning a floating-point value
$height = 5.9;
// Assigning a boolean value
$is_student = true;
// Assigning an array
$colors = array("red", "green", "blue");
// Assigning an associative array
$user = array("name" => "Jane Doe", "age" => 25);
// Assigning a null value
$unknown = null;
?>

Variable Assignment by Reference

You can also assign variables by reference, which means that the new variable references the same value as the original variable. Any changes to one variable will affect the other.

<?php
$original = "Hello";
$reference = &$original;
$original = "Hi";
echo $reference; // Outputs "Hi"
?>

Variable Variables

PHP allows you to use the value of a variable as the name of another variable.

<?php
$a = 'hello';
$$a = 'world';
echo $hello; // Outputs "world"
?>

Constants

If you want to assign a value that cannot be changed, you use constants. Constants are defined using the define() function or the const keyword.

<?php
define("SITE_NAME", "My Website");
const SITE_URL = "https://www.example.com";
echo SITE_NAME; // Outputs "My Website"
echo SITE_URL;  // Outputs "https://www.example.com"
?>

Example with Conditional Assignment

You can assign values conditionally using the ternary operator.

<?php
$score = 85;
$result = ($score >= 60) ? 'Pass' : 'Fail';
echo $result; // Outputs "Pass"
?>

Assigning Values to Arrays

You can add values to arrays using different methods.

<?php
$fruits = array();
$fruits[] = "Apple";
$fruits[] = "Banana";
$fruits[] = "Cherry";
$fruits = array_merge($fruits, array("Date", "Elderberry"));
print_r($fruits); // Outputs the array with all the fruit names
?>