search
HomeBackend DevelopmentPHP TutorialReferences in PHP, '&' explained

  1. $a =& $b
  2. ?>
Copy code

This means $a and $b point to the same variable. Note: $a and $b are exactly the same here. It’s not that $a points to $b or vice versa, but that $a and $b point to the same place. The same syntax can be used in functions, which return references, and in the new operator (PHP 4.0.4 and later):

  1. $bar =& new fooclass();
  2. $foo =& find_var ($bar);
  3. ?>
Copy code

Note: No & operator is used Causes a copy of the object to be generated. If you use $this in a class, it will apply to the current instance of that class. Assignment without & will copy the instance (e.g. object) and $this will be applied to the copy, which is not always the desired result. Due to performance and memory consumption issues, usually you only want to work on one instance.

Although you can use the @ operator to turn off any error messages in the constructor, such as @new, this has no effect when using the &new statement. This is a limitation of the Zend engine and will cause a parsing error.

The second thing that references do is pass variables by reference. This is accomplished by creating a local variable within the function and that variable references the same content in the calling scope. For example:

  1. function foo (&$var)

  2. {
  3. $var++;
  4. }
  5. $a=5;

  6. foo ($ a);
  7. ?>
Copying the code

will make $a become 6. This is because in function foo the variable $var points to the same thing that $a points to. See Passing by Reference for a more detailed explanation. The third thing that references do is reference returns.

What a quote is not As mentioned before, references are not pointers. This means that the following construct will not produce the effect you expect:

  1. function foo (&$var)
  2. {
  3. $var =& $GLOBALS[ "baz "];
  4. }
  5. foo($bar);
  6. ?>
Copy the code

This will cause the $var variable in the foo function to be bound to $bar when the function is called, but then re-bound to $GLOBALS[ "baz "]. It is not possible to bind $bar to another variable within the function call scope through the reference mechanism, because there is no variable $bar in function foo (it is represented as $var, but $var only has the variable content and no call symbol table name-to-value binding).

Pass by reference You can pass a variable by reference to a function so that the function can modify the value of its argument. The syntax is as follows:

  1. function foo (&$var)

  2. {
  3. $var++;
  4. }
  5. $a=5;

  6. foo ($ a);
  7. // $a is 6 here
  8. ?>
Copy code

Note that there are no reference symbols in the function call - only in the function definition. The function definition alone is enough for parameters to be passed correctly by reference.

The following can be passed by reference: Variables, such as foo($a)

New statement, such as foo(new foobar())

Reference returned from function, for example:

  1. function &bar()
  2. {
  3. $a = 5;
  4. return $a;
  5. }
  6. foo(bar());
  7. ?>
Copy code

See reference return for detailed explanation.

Any other expression cannot be passed by reference and the result is undefined. For example, the following example of passing by reference is invalid:

  1. function bar() // Note the missing &

  2. {
  3. $a = 5;
  4. return $a;
  5. }
  6. foo(bar());< ;/p>
  7. foo($a = 5) // Expression, not a variable

  8. foo(5) // Constant, not a variable
  9. ?>
Copy code

These conditions are available in PHP 4.0.4 and later versions.

Quote return Reference return is used when you want to use a function to find which variable the reference should be bound to. When returning a reference, use this syntax:

  1. function &find_var ($param)

  2. {
  3. return $found_var;
  4. }
  5. $foo =& find_var ($bar) ;

  6. $foo-> x = 2;
  7. ?>
Copy code

In this example, the properties of the object returned by the find_var function will be set (Translator: referring to the $foo-> x = 2; statement) instead of copied, just like without using reference syntax .

Note: Different from parameter passing, the ampersand must be used in both places here - to indicate that a reference is returned, not a usual copy, and also to indicate that $foo is bound as a reference, not a normal copy. Assignment.

Unquote When you unset a reference, you just break the binding between the variable name and the variable content. This does not mean that the variable contents are destroyed. For example:

  1. $a = 1;
  2. $b =& $a;
  3. unset ($a);
  4. ?>
Copy code

will not unset $b, Just $a.

An analogy between this and Unix’s unlink call may help to understand.

Quote positioning Many PHP syntax structures are implemented through the reference mechanism, so everything mentioned above about reference binding also applies to these structures. Some constructs, such as pass-by-reference and return, have already been mentioned above. Other structures using references are:

global quote When declaring a variable with global $var you actually create a reference to the global variable. That is the same as doing:

  1. $var =& $GLOBALS[ "var "];
  2. ?>
Copy code

This means that, for example, unset $var will not unset global variables .

$this In an object method, $this is always a reference to the object that calls it. Articles you may be interested in: Detailed introduction to php reference passing by value Understand the difference between passing by value and passing by reference in PHP through examples Look at the efficiency issues of php address reference through examples About the problem of changing the variable value of the php reference address



Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Optimize PHP Code: Reducing Memory Usage & Execution TimeOptimize PHP Code: Reducing Memory Usage & Execution TimeMay 10, 2025 am 12:04 AM

TooptimizePHPcodeforreducedmemoryusageandexecutiontime,followthesesteps:1)Usereferencesinsteadofcopyinglargedatastructurestoreducememoryconsumption.2)LeveragePHP'sbuilt-infunctionslikearray_mapforfasterexecution.3)Implementcachingmechanisms,suchasAPC

PHP Email: Step-by-Step Sending GuidePHP Email: Step-by-Step Sending GuideMay 09, 2025 am 12:14 AM

PHPisusedforsendingemailsduetoitsintegrationwithservermailservicesandexternalSMTPproviders,automatingnotificationsandmarketingcampaigns.1)SetupyourPHPenvironmentwithawebserverandPHP,ensuringthemailfunctionisenabled.2)UseabasicscriptwithPHP'smailfunct

How to Send Email via PHP: Examples & CodeHow to Send Email via PHP: Examples & CodeMay 09, 2025 am 12:13 AM

The best way to send emails is to use the PHPMailer library. 1) Using the mail() function is simple but unreliable, which may cause emails to enter spam or cannot be delivered. 2) PHPMailer provides better control and reliability, and supports HTML mail, attachments and SMTP authentication. 3) Make sure SMTP settings are configured correctly and encryption (such as STARTTLS or SSL/TLS) is used to enhance security. 4) For large amounts of emails, consider using a mail queue system to optimize performance.

Advanced PHP Email: Custom Headers & FeaturesAdvanced PHP Email: Custom Headers & FeaturesMay 09, 2025 am 12:13 AM

CustomheadersandadvancedfeaturesinPHPemailenhancefunctionalityandreliability.1)Customheadersaddmetadatafortrackingandcategorization.2)HTMLemailsallowformattingandinteractivity.3)AttachmentscanbesentusinglibrarieslikePHPMailer.4)SMTPauthenticationimpr

Guide to Sending Emails with PHP & SMTPGuide to Sending Emails with PHP & SMTPMay 09, 2025 am 12:06 AM

Sending mail using PHP and SMTP can be achieved through the PHPMailer library. 1) Install and configure PHPMailer, 2) Set SMTP server details, 3) Define the email content, 4) Send emails and handle errors. Use this method to ensure the reliability and security of emails.

What is the best way to send an email using PHP?What is the best way to send an email using PHP?May 08, 2025 am 12:21 AM

ThebestapproachforsendingemailsinPHPisusingthePHPMailerlibraryduetoitsreliability,featurerichness,andeaseofuse.PHPMailersupportsSMTP,providesdetailederrorhandling,allowssendingHTMLandplaintextemails,supportsattachments,andenhancessecurity.Foroptimalu

Best Practices for Dependency Injection in PHPBest Practices for Dependency Injection in PHPMay 08, 2025 am 12:21 AM

The reason for using Dependency Injection (DI) is that it promotes loose coupling, testability, and maintainability of the code. 1) Use constructor to inject dependencies, 2) Avoid using service locators, 3) Use dependency injection containers to manage dependencies, 4) Improve testability through injecting dependencies, 5) Avoid over-injection dependencies, 6) Consider the impact of DI on performance.

PHP performance tuning tips and tricksPHP performance tuning tips and tricksMay 08, 2025 am 12:20 AM

PHPperformancetuningiscrucialbecauseitenhancesspeedandefficiency,whicharevitalforwebapplications.1)CachingwithAPCureducesdatabaseloadandimprovesresponsetimes.2)Optimizingdatabasequeriesbyselectingnecessarycolumnsandusingindexingspeedsupdataretrieval.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Tools

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

MantisBT

MantisBT

Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

DVWA

DVWA

Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

Atom editor mac version download

Atom editor mac version download

The most popular open source editor