Your Web News in One Place

Help Webnuz

Referal links:

Sign up for GreenGeeks web hosting
March 5, 2012 09:05 pm GMT

PHP 5.4 is Here! What You Must Know

PHP 5.4 is here; the next major step forward since version 5.3 – keeping PHP 6 (full Unicode support) on hold for now. The latest enhancements significantly improve its elegance, while removing deprecated functionality, resulting in a dramatic optimization of the runtime (up to 20% more speed and memory usage reduction).

brace yourself

New Features and Improvements

Some of the key new features include traits, a shortened array syntax, a built-in webserver for testing purposes, use of $this in closures, class member access on instantiation, <?= is always available, and more!

PHP 5.4.0 significantly improves performance, memory footprint and fixes over 100 bugs. Notable deprecated/removed features include register_globals, magic_quotes (about time) and safe_mode. Also worth mentioning is the fact that multibyte support is enabled by default and default_charset has been changed from ISO-8859-1 to UTF-8.

Content-Type: text/html; charset=utf-8 is always sent; so there’s no need to set that HTML meta tag, or send additional headers for UTF-8 compatibility.


Traits

The best demonstration of traits is when multiple classes share the same functionality.

Traits (horizontal reuse/multiple inheritance) are a set of methods, which are structurally similar to a class (but can’t be instantiated), that can enable developers to reuse sets of methods freely in several independent classes. Because PHP is a single inheritance language, a subclass can inherit from only one superclass; that’s where traits come to play.

The best use of traits is demonstrated when multiple classes share the same functionality. For instance, imagine that we are building some website, and need to use both the Facebook and Twitter APIs. We build two classes which, in common, have a cURL wrapper function/method. Instead of performing the classic copy & paste of that method – to be used in two classes – we use Traits (copy & paste, compiler style). This way, we make reusable code, and follow the DRY (Don’t Repeat Yourself) principle.

Here’s an example:

/** cURL wrapper trait */trait cURL{    public function curl($url)    {        $ch = curl_init();        curl_setopt($ch, CURLOPT_URL, $url);        curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);        $output = curl_exec($ch);        curl_close($ch);        return $output;    }}/** Twitter API Class */class Twitter_API{    use cURL; // use trait here    public function get($url)    {        return json_decode($this->curl('https://api.twitter.com/'.$url));    }}/** Facebook API Class */class Facebook_API{    use cURL; // and here    public function get($url)    {        return json_decode($this->curl('https://graph.facebook.com/'.$url));    }}$facebook = new Facebook_API();echo $facebook->get('500058753')->name; // Rasmus Lerdorf/** Now demonstrating the awesomeness of PHP 5.4 syntax */echo (new Facebook_API)->get('500058753')->name; // Rasmus Lerdorf$foo = 'get';echo (new Facebook_API)->$foo('500058753')->name; // and again, Rasmus Lerdorfecho (new Twitter_API)->get('1/users/show.json?screen_name=rasmus')->name; // and yet again, Rasmus Lerdorf// P.S. I'm not obsessed with Rasmus :)

Got it? No? Here is the simplest example!

trait Net{    public function net()    {        return 'Net';    }}trait Tuts{    public function tuts()    {        return 'Tuts';    }}class NetTuts{    use Net, Tuts;    public function plus()    {        return '+';    }}$o = new NetTuts;echo $o->net(), $o->tuts(), $o->plus();echo (new NetTuts)->net(), (new NetTuts)->tuts(), (new NetTuts)->plus();

If you have any question about traits, please post a note in the comments section below.

Important Tip: The magic constant for traits is __TRAIT__.


Built-in CLI Web-Server

In web development, PHP’s best friend is Apache HTTPD Server. Sometimes, though, it can be overkill to set up httpd.conf just to use it within a development environment, when you really need tiny web server that can be launched with a simple command line. Thankfully, PHP 5,4 comes with a built-in CLI web server.

The PHP CLI web server is designed for developmental purposes only, and should not be used in production.

Note: The instructions below are for a Windows environment.

Step 1 – Create Document Root Directory, Router File and Index File

Go to your hard drive root (assuming C:\). Create a directory/folder, called public_html. Create a new file within this folder, and name it router.php. Copy the contents below, and paste it into this newly created file.

<?php// router.phpif (preg_match('#\.php$#', $_SERVER['REQUEST_URI'])){    require basename($_SERVER['REQUEST_URI']); // serve php file}else if (strpos($_SERVER['REQUEST_URI'], '.') !== false){    return false; // serve file as-is}?>

Now, create another file, called index.php. Copy the contents below and save the file.

<?php// index.phpecho 'Hello Nettuts+ Readers!';?>

Open your php.ini file (it is located in the PHP install directory – e.g. C:\php).

Find the include_path settings (it is located at ~708th line). Add C:\public_html to the end of the string between quotes, separate by a semicolon. The final result should look like:

include_path = ".;C:\php\PEAR;C:\public_html"

Save and close the file. On to next step.

Step 2 – Run Web-Server

Open the command prompt (Windows + R, type in cmd, hit Enter); you should see something like this, depending on your Windows version.

Microsoft Windows XP [Version 5.1.2600](C) Copyright 1985-2001 Microsoft Corp.C:\Documents and Settings\nettuts>

Change your current directory to the PHP installation by following the example below:

C:\Documents and Settings\nettuts>cd C:\phpC:\php>

Here comes the most important part – running the web-server. Copy…

php -S 0.0.0.0:8080 -t C:\public_html router.php

… and paste it in the command prompt (right mouse button, click Paste to paste). Hit Enter. If all goes well, you should see something similar to what’s shown below. Do not close the command prompt; if you do, you will exit the web-server as well.

C:\php>php -S 0.0.0.0:8080 -t C:\public_html router.phpPHP 5.4.0 Development Server started at Fri Mar 02 09:36:40 2012Listening on 0.0.0.0:8080Document root is C:\public_htmlPress Ctrl-C to quit.

Open up https://localhost:8080/index.php in your browser and you should see:

Hello Nettuts+ Readers!

Voila! That’s it, happy coding!

Tip 1: Make a php-server.bat file with the following contents: C:\php\php -S 0.0.0.0:8080 -t C:\public_html router.php. Double click it, and, now, the server is up and running!

Tip 2: Use 0.0.0.0 instead of localhost if you anticipate that your server will be accessed from the internet.


Shorter Array Syntax

PHP 5.4 offers a new shorter array syntax:

$fruits = array('apples', 'oranges', 'bananas'); // "old" way// The same as Javascript's literal array notation$fruits = ['apples', 'oranges', 'bananas'];// associative array$array = [    'foo' => 'bar',    'bar' => 'foo'];

Please note that “old” method is still in use and always will be. This is simply an alternative.


Array Dereferencing

No more temporary variables when dealing with arrays!

Let’s imagine that we want to retrieve the middle name of Alan Mathison Turing:

echo explode(' ', 'Alan Mathison Turing')[1]; // Mathison

Sweet; but it wasn’t always this easy. Before 5.4, we had to do:

$tmp = explode(' ', 'Alan Mathison Turing');echo $tmp[1]; // Mathison

Now, what if we want to get the last name (last element in array):

echo end(explode(' ', 'Alan Mathison Turing')); // Turing

This works fine, however, it will throw a E_STRICT (Strict Standards: Only variables should be passed by reference) error, since it became part of E_ALL in error_reporting.

Here’s a slightly more advanced example:

function foobar(){    return ['foo' => ['bar' => 'Hello']];}echo foobar()['foo']['bar']; // Hello

$this In Anonymous Functions

this is anonymous functions

You can now refer to the object instance from anonymous functions (also known as closures) by using $this.

class Foo{    function hello() {        echo 'Hello Nettuts!';    }    function anonymous()    {        return function() {            $this->hello(); // $this wasn't possible before        };    }}class Bar{    function __construct(Foo $o) // object of class Foo typehint    {        $x = $o->anonymous(); // get Foo::hello()        $x(); // execute Foo::hello()    }}new Bar(new Foo); // Hello Nettuts!

Note that this could be achieved prior to 5.4, but it was overkill.

    function anonymous()    {        $that = $this; // $that is now $this        return function() use ($that) {            $that->hello();        };    }

<?= is Always On

Regardless of the php.ini setting, short_open_tag, <?= (open PHP tag and echo) will always be available. This means that you can now safely use:

<?=$title?>

…in your templates instead of…

<?php echo $title ?>

Binary Number Representation

binary php

There are only 0b10 kinds of people;
those who understand binary and those who don’t.

From now on, integers can be specified in decimal (base 10), hexadecimal (base 16), octal (base 8) or binary (base 2) notation, optionally preceded by a sign (- or +). To use octal notation, precede the number with a 0 (zero). To use hexadecimal notation, precede the number with 0x. To use binary notation, precede the number with 0b.

Example: representation of number 31 (decimal).

echo 0b11111; // binary, introduced in PHP 5.4echo 31; // duhecho 0x1f; // hexadecimalecho 037; // octal

Callable Typehint

wuts dat

Typehinting is for those who desire to make PHP a stronger typed language. Type Hints can only be of the object and array type since PHP 5.1, and callable since PHP 5.4. Traditional type hinting with int and string isn’t yet supported.

function my_function(callable $x){    return $x();}function my_callback_function(){return 'Hello Nettuts!';}class Hello{static function hi(){return 'Hello Nettuts!';}}class Hi{function hello(){return 'Hello Nettuts!';}}echo my_function(function(){return 'Hello Nettuts!';}); // anonymous functionecho my_function('my_callback_function'); // callback functionecho my_function(['Hello', 'hi']); // class name, static methodecho my_function([(new Hi), 'hello']); // class object, method name

Initialized High Precision Timer

$_SERVER['REQUEST_TIME_FLOAT'] has been added, with microsecond precision (float). This is useful when you need to calculate the execution time for a script.

echo 'Executed in ', round(microtime(true) - $_SERVER['REQUEST_TIME_FLOAT'], 2), 's';

__destruct() (or Summary)

Overall, PHP 5.4 offers numerous improvements. Now, it’s up to you to grab a fresh copy from php.net, and make quality Object-Oriented PHP code!

What do you think PHP 5.5 will bring us, and what do you expect?



Original Link: http://feedproxy.google.com/~r/nettuts/~3/v9nciIyWtSo/

Share this article:    Share on Facebook
View Full Article

TutsPlus - Code

Tuts+ is a site aimed at web developers and designers offering tutorials and articles on technologies, skills and techniques to improve how you design and build websites.

More About this Source Visit TutsPlus - Code