SlideShare una empresa de Scribd logo
1 de 48
Descargar para leer sin conexión
Hidden Features
                              of PHP
                           International PHP Conference 2011
                                     Ilia Alshanetsky
                                           @iliaa




Wednesday, June 1, 2011                                        1
root@foo $: whois ilia
           PHP: Core Developer Since 2001
                Release Manager of 4.3, 5.1 and 5.2 branches
                Author of a “few” extensions
           Work: CIO at Centah Inc.
           Hobbies: Photography, Biking
           Dev. Interests: Performance & Security



Wednesday, June 1, 2011                                        2
__DIR__ Magic
         The __DIR__ constant is a simple and fast
         solution to the “where am i?” question for PHP
         scripts.
                           ilia@s3 /tmp $ php a.php


                             <?php echo __DIR__;


                                    /tmp



Wednesday, June 1, 2011                                   3
We               Perl
        Allows quick retrieval of a non-empty value from
        2 values and/or expressions
            $a = true ?: false; // true
            $a = false ?: true; // true
            $a = "" ?: 1; // 1
            $a = 0 ?: 2; // 2
            $a = array() ?: array(1); // array(1)
            $a = strlen("") ?: strlen("a"); // 1
                          ** The variable or array key must exist


Wednesday, June 1, 2011                                             4
GOTO ...
  restart:
  if (error_condition1) {
      goto error;
  }
  if (error_condition2) {
      goto restart;
  }

  error:
      report_error();
      exit;
                              My favourite 5.3 feature ;-)

Wednesday, June 1, 2011                                      5
Encryption Functions
$pwd = 'very secret';
$data = 'test 123';
// over 50 supported algorithms
foreach (openssl_get_cipher_methods() as $v) {
    // really bad iv generation
    $iv = substr(md5(time()), 0, openssl_cipher_iv_length($v));

    // encrypt
    $enc = openssl_encrypt($data, $v, $pwd, false, $iv);

    // decrypt
    $dec = openssl_decrypt($enc, $v, $pwd, false, $iv);
}




Wednesday, June 1, 2011                                           6
Double Encoding
   Prevent double encoding of html-entities via 4th
   argument to htmlspecialchars() and htmlentities()

    $foo = "bar > foo &amp; that&quot;s all";

   htmlspecialchars($foo, ENT_COMPAT, 'UTF-8');
   htmlentities($foo, ENT_COMPAT, 'UTF-8');

                          bar &gt; foo &amp;amp; that&amp;quot;s all




Wednesday, June 1, 2011                                                7
Double Encoding
   Prevent double encoding of html-entities via 4th
   argument to htmlspecialchars() and htmlentities()

    $foo = "bar > foo &amp; that&quot;s all";

   htmlspecialchars($foo, ENT_COMPAT, 'UTF-8');
   htmlentities($foo, ENT_COMPAT, 'UTF-8');

                           bar &gt; foo &amp;amp; that&amp;quot;s all
    htmlspecialchars($foo, ENT_COMPAT, 'UTF-8', false);
    htmlentities($foo, ENT_COMPAT, 'UTF-8', false);

                          bar &gt; foo &amp; that&quot;s all



Wednesday, June 1, 2011                                                 7
Date Parsing
                           October 5, 2012


      05-10-12              May 10, 2012


                           December 10, 2005




Wednesday, June 1, 2011                        8
Date Parsing
                           October 5, 2012


      05-10-12              May 10, 2012


                           December 10, 2005




Wednesday, June 1, 2011                        8
Date Parsing
                             October 5, 2012


      05-10-12                May 10, 2012


                             December 10, 2005

$date = 
date_create_from_format('y-m-d', '05-10-12');

var_dump(date_format($date, 'F d, Y'));

                          string(16) "October 12, 2005"


Wednesday, June 1, 2011                                   8
Dude, where is my code?
              PHP does a lot of magic to resolve partial file
              paths for include/require. Now you can too.


  stream_resolve_include_path("PEAR.php");




                          /usr/share/php/PEAR.php



Wednesday, June 1, 2011                                        9
session ini magic

           • Improve randomness of session id via the use of /
                  dev/urandom
                      session.entropy_file = /dev/urandom
                      session.entropy_length = 32

           • Secure your session cookies from JavaScript
                      session.use_only_cookies = 1
                      session.cookie_httponly = 1



Wednesday, June 1, 2011                                          10
mail logging
     Want to know what scripts are sending out e-mail?
     Well, now you can!

      ;; This will log every mail() call
      mail.log = /path/to/file
      mail() on [/tmp/script.php:2]: To: ilia@ilia.ws -- Headers:


       ;; Adds X-PHP-Originating-Script header
       ;; Contains UID & filename of the script
       mail.add_x_header = On
       X-PHP-Originating-Script: 1000:script.php



Wednesday, June 1, 2011                                             11
Better Hashing
            A built-in PHP mechanism for generating HMAC
            (Hash-based Message Authentication Code)
            secured hashes for many algorithms

   // 8b266369505f0c90bf193c856aa8f49dc87a759088fd31f28217e4db42a5ac4c
   echo hash_hmac('sha256', 'l337PwD', 'secretkey') , "n";

   // d82bba393cb2f5e38a4021efc30d43883b1e0a40e30d8ed1c89e7ec263023ec0
   echo hash_hmac_file('sha256', __FILE__, 'secretkey') , "n";




Wednesday, June 1, 2011                                                  12
SPL FS Tricks
                          Simple recursive directory traversal

      foreach (
        new RecursiveIteratorIterator(
          new RecursiveDirectoryIterator('.')
        ) as $file)
      {
          echo $file , "n";
      }




Wednesday, June 1, 2011                                          13
SPL FS Tricks
 Recursive directory traversal with pattern matching

        $it = new RecursiveIteratorIterator(
            new RecursiveDirectoryIterator('.')
        );
        $regx = new RegexIterator(
            $it,
            '/^.*.php$/i', // returns only matching text
            RecursiveRegexIterator::GET_MATCH
        );

        foreach ($regx as $file) {
            echo $file[0] , "n";
        }



Wednesday, June 1, 2011                                     14
igbinary
           • The awesome PHP Serializer you should use!
            • Faster
            • More Compact
                          ;; Load igbinary extension
                          extension=igbinary.so

                          ;; Use igbinary as session serializer
                          session.serialize_handler=igbinary


                                 http://github.com/igbinary


Wednesday, June 1, 2011                                           15
igbinary
      Provides functions you can use for non-session data.


     ini_set("igbinary.compact_strings", 0);
     igbinary_serialize($_SERVER);

     ini_set("igbinary.compact_strings", 1);
     igbinary_serialize($_SERVER);

     // Un-serialize
     igbinary_unserialize($x);




Wednesday, June 1, 2011                                      16
Igbinary speed test
                           Serialized Size      Speed - Serialize   Speed - Unserialize
               3100                                                                       15

               2975                                                                  11.25

               2850                                                                       7.5

               2725                                                                   3.75

               2600                                                                        0
                              Serialize      Igbinary w/Compact     Igbinary




Wednesday, June 1, 2011                                                                         17
FileInfo

                   • A reliable mechanism for identifying files
                          ‣   Not dependant on file extension
                          ‣   Can provide mime types
                          ‣   Identifies hundreds of file types




Wednesday, June 1, 2011                                          18
FileInfo How-To
 $finfo = finfo_open();
 $file = __FILE__;

 // mime description -- PHP script text
 finfo_file($finfo, $file);

 // mime type -- text/x-php
 finfo_file($finfo, $file, FILEINFO_MIME_TYPE);
  
 // mime -- text/x-php; charset=us-ascii
 finfo_file($finfo, $file, FILEINFO_MIME); 

 // mime encoding -- us-ascii
 finfo_file($finfo, $file, FILEINFO_MIME_ENCODING);




Wednesday, June 1, 2011                               19
StatGrab
                   • An system informatics extension that
                          provides information on:

              Memory               Running Processed           System Load

              CPU                  Swap Utilization            System Info

              Network              User Statistics             etc...

                                http://pecl.php.net/statgrab


Wednesday, June 1, 2011                                                      20
StatGrab
  sg_cpu_percent_usage()                 sg_cpu_totals()      (in ticks)
  Array                                  Array
  (                                      (
      [user] => 6.543484210968               [user] => 255652817
      [kernel] => 3.2332751750946            [kernel] => 126323501
      [idle] => 90.219924926758              [idle] => 3524877111
      [iowait] => 0                          [iowait] => 0
      [swap] => 0                            [swap] => 0
      [nice] => 0.0033116859849542           [nice] => 129387
      [previous_run] => 1306895319           [total] => 3906982816
  )                                          [previous_run] => 1306895319
                                         )

         sg_cpu_diff()     (in ticks)
         Array
         (
             [user] => 0 [kernel] => 1 [idle] => 1 [iowait] => 0
             [swap] => 0 [nice] => 0 [total] => 2 [previous_run] => 0
         )



Wednesday, June 1, 2011                                                     21
StatGrab
                          sg_diskio_stats()
                          Array (
                              [sda] => Array (
                                      [read] => 447667436032
                                      [written] => 1098788713472
                                      [time_frame] => 1306895319
                                  )
                          )

                          sg_diskio_stats_diff()
                          Array (
                              [sda] => Array (
                                      [read] => 0
                                      [written] => 0
                                      [time_frame] => 0
                                  )
                          )




Wednesday, June 1, 2011                                            22
StatGrab
                          sg_fs_stats()
                          Array (
                               [0] => Array (
                                       [device_name] => /dev/sda2
                                       [fs_type] => ext3
                                       [mnt_point] => /
                                       [size] => 152892084224
                                       [used] => 126607642624
                                       [avail] => 18392698880
                                       [total_inodes] => 38535168
                                       [used_inodes] => 2324584
                                       [free_inodes] => 36210584
                                       [avail_inodes] => 36210584
                                       [io_size] => 4096
                                       [block_size] => 4096
                                       [total_blocks] => 37327169
                                       [free_blocks] => 6417100
                                       [used_blocks] => 30910069
                                       [avail_blocks] => 4490405
                             )
                          )




Wednesday, June 1, 2011                                             23
StatGrab

                 sg_general_stats()
                 Array
                 (
                     [os_name] => Linux
                     [os_release] => 2.6.34-gentoo-r1
                     [os_version] => #1 SMP Tue Aug 3 13:42:41 EDT 2010
                     [platform] => x86_64
                     [hostname] => dev.linux
                     [uptime] => 9856588
                 )




Wednesday, June 1, 2011                                                   24
StatGrab
                                  sg_swap_stats()
      sg_load_stats()             Array
      Array
                                  (
      (
                                      [total] => 2097438720
          [min1] => 0.48
                                      [free] => 556400640
          [min5] => 0.46
                                      [used] => 1541038080
          [min15] => 0.45
                                  )
      )

                                  sg_process_count()
      sg_memory_stats()           Array
      Array
                                  (
      (
                                      [total] => 324
          [total] => 5272272896
                                      [running] => 1
          [free] => 978161664
                                      [sleeping] => 322
          [used] => 4294111232
                                      [stopped] => 0
          [cache] => 2546839552
                                      [zombie] => 1
      )
                                  )




Wednesday, June 1, 2011                                       25
StatGrab
                          sg_network_stats()
                          Array
                          (
                              [eth1] => Array
                                  (
                                      [sent] => 512193380346
                                      [received] => 88677061172
                                      [packets_received] => 481445357
                                      [packets_transmitted] => 527259007
                                      [receive_errors] => 0
                                      [transmit_errors] => 0
                                      [collisions] => 0
                                      [time_frame] => 1306895319
                                  )
                          )




Wednesday, June 1, 2011                                                    26
StatGrab
                          sg_network_stats_diff()
                          Array
                          (
                                  [eth1] => Array
                                    (
                                        [sent] => 211456
                                        [received] => 33257
                                        [packets_received] => 228
                                        [packets_transmitted] => 231
                                        [receive_errors] => 0
                                        [transmit_errors] => 0
                                        [collisions] => 0
                                        [time_frame] => 5
                                    )
                          )




Wednesday, June 1, 2011                                                27
StatGrab
         sg_process_stats()
         Array
         (
             [87] => Array
                 (
                     [process_name] => postgres
                     [proc_title] => postgres: autovacuum launcher process
                     [pid] => 3650
                     [parent_pid] => 3643
                     [leader_pid] => 3650
                     [uid] => 70
                     [gid] => 70
                     [euid] => 70
                     [egid] => 70
                     [size] => 65830912
                     [size_in_mem] => 823296
                     [time_spent] => 119
                     [cpu_percent] => 0.0012106672247309
                     [nice] => 0
                     [state] => 1
                 )
         )




Wednesday, June 1, 2011                                                      28
MailParse

                   • A very good mechanism for parsing
                          complex e-mails
                   • Does a lot of the legwork for you
                   • Stable & Fast
                               http://pecl.php.net/mailparse



Wednesday, June 1, 2011                                        29
MailParse
   $msg = file_get_contents("php://stdin");

   $mime = mailparse_msg_create();
   if (!mailparse_msg_parse($mime, $msg)) {
     exit("could not parse email!n");
   }

   if (!($msg_info = mailparse_msg_get_part_data($mime))) {
     exit("could not get message info!n");
   } // $msg_info['headers'] is the headers associated array

   $structure = mailparse_msg_get_structure($mime);




Wednesday, June 1, 2011                                        30
$msg_info[‘headers’]
    Array
    (
       [return-path] => <apache@sender.com>
       [envelope-to] => ilia@ilia.ws
       [delivery-date] => Mon, 20 Jul 2009 13:15:32 -0400
       [received] => Array
         (
            [0] => from attendant.sender.net ([208.68.18.236] helo=hydrogen.sender.net) by ilia.ws with
    esmtp (Exim 4.69) (envelope-from <apache@sender.com>) id 1MSwSa-0006lY-4O for ilia@ilia.ws; Mon,
    20 Jul 2009 13:15:32 -0400
            [1] => from hydrogen.sender.net (hydrogen.sender.net [127.0.0.1]) by hydrogen.sender.net
    (8.13.8/8.13.8) with ESMTP id n6KHFQ1g022841 for <ilia@ilia.ws>; Mon, 20 Jul 2009 11:15:26 -0600
            [2] => (from apache@localhost) by hydrogen.sender.net (8.13.8/8.13.8/Submit) id
    n6KHFQR4022840; Mon, 20 Jul 2009 11:15:26 -0600
         )

        [date] => Mon, 20 Jul 2009 11:15:26 -0600
        [message-id] => <200907201715.n6KHFQR4022840@hydrogen.sender.net>
        [to] => ilia@ilia.ws
        [subject] => 2027197
        [from] => from@sender.com
        [mime-version] => 1.0
        [content-type] => multipart/mixed; boundary="______b7bfcc06f00337de46276f92b6833d5c++++++"
    )




Wednesday, June 1, 2011                                                                                   31
MailParse
   // go through components of the e-mail
   $body = ''; $atms = array();
   foreach ($structure as $element) {
     $part_mime = mailparse_msg_get_part($mime, $element);
     $part = mailparse_msg_get_part_data($part_mime);

     if (!$part) continue;

     $part_content = substr($msg,
                     $part['starting-pos-body'],
                     $part['ending-pos-body'] - 
                        $part['starting-pos-body']);




Wednesday, June 1, 2011                                      32
MailParse

if ($part['transfer-encoding'] == 'base64') {
  $part_content = base64_decode($part_content);
} else if ($part['transfer-encoding'] 
                       == 'quoted-printable') {
  $part_content = quoted_printable_decode($part_content);
}




Wednesday, June 1, 2011                                 33
MailParse

 if ($part['content-type'] == 'text/plain') {
   $body .= $part_content;
 } elseif ($part['content-type'] == 'text/html') {
   $body .= strip_tags($part_content);
 } elseif (!empty($part_info['content-disposition'])
     && $part['content-disposition'] == 'attachment'
 ) {
   $atms[] = array('headers' => $part, 'content' => $part_content);
 } else { //inline attachments
   $atms[] = array('headers' => $part, 'content' => $part_content);
 }




Wednesday, June 1, 2011                                               34
MailParse
                          $to = '"Ilia A." <ilia@ilia.ws>, 
                          Test <test@test.com>, 
                          foo@bar.com';

                          print_r(
                           mailparse_rfc822_parse_addresses($to)
                          );

      Array
      (
        [0] => Array                     [1] => Array                      [2] => Array
          (                                (                                 (
             [display] => Ilia A.             [display] => Test                 [display] => foo@bar.com
             [address] => ilia@ilia.ws        [address] => test@test.com        [address] => foo@bar.com
             [is_group] =>                    [is_group] =>                     [is_group] =>
          )                                )                                 )
      )




Wednesday, June 1, 2011                                                                                    35
PHP-Excel

                • An interface to LibXL library
                 • Allows generation of Excel Biff8 & XML
                          documents
                      • Can parse Excel Biff (5-8) and XML
                          documents
                      • Wickedly FAST! 200k rows in < 1 second
                           https://github.com/iliaal/php_excel


Wednesday, June 1, 2011                                          36
Creating Excel Docs
  $x = new ExcelBook();
      
  $s = $x->addSheet("Sheet 1");
  $s->write(1, 1, 'Test');
  $s->write(2, 2, 123);

  $x->save("file.xls");




Wednesday, June 1, 2011                    37
Reading Excel Docs
    $x = new ExcelBook();

    $x->loadFile("file.xls");

    $s = $x->getSheet();

    for ($i = 0, $e = $s->lastRow(); $i < $e; $i++) {
        print_r(array_filter($s->readRow($i)));
    }

                              Array ( [1] => Test)

                              Array ( [2] => 123 )



Wednesday, June 1, 2011                                 38
xhprof
           • Light weight PHP profiler designed for in
                  production use.
                 • Aggregate run data
                 • Web interface
                 • In-Production “sampling” mode
                           http://pecl.php.net/package/xhprof
                          http://github.com/preinheimer/xhprof


Wednesday, June 1, 2011                                          39
Profiling
   ;; Pre-pended to every PHP script (init)
   auto_prepend_file = /xhprof/external/header.php

        include_once __DIR__ . '/xhprof_lib/config.php');
        include_once __DIR__ . '/xhprof_lib/utils/xhprof_lib.php';
        include_once __DIR__ . '/xhprof_lib/utils/xhprof_runs.php';
        xhprof_enable(XHPROF_FLAGS_CPU + XHPROF_FLAGS_MEMORY);


   ;; Appended to every PHP script (store)
   auto_append_file = /xhprof/external/footer.php

     $xhprof_data = xhprof_disable();
     $xhprof_runs = new XHProfRuns_Default();
     $xhprof_runs->save_run($xhprof_data, 'AppName', null, $_xhprof);




Wednesday, June 1, 2011                                                 40
Profile Output




Wednesday, June 1, 2011                   41
Profile Output




Wednesday, June 1, 2011                   42
Profile Output




Wednesday, June 1, 2011                   43
Profile Output




Wednesday, June 1, 2011                   44
Slides will be available
                              at http://ilia.ws

                          Please give me your feedback
                            http://joind.in/3512


                              Ilia Alshanetsky
                                    @iliaa




Wednesday, June 1, 2011                                  45

Más contenido relacionado

La actualidad más candente

The state of Symfony2 - SymfonyDay 2010
The state of Symfony2 - SymfonyDay 2010The state of Symfony2 - SymfonyDay 2010
The state of Symfony2 - SymfonyDay 2010
Fabien Potencier
 
Beyond symfony 1.2 (Symfony Camp 2008)
Beyond symfony 1.2 (Symfony Camp 2008)Beyond symfony 1.2 (Symfony Camp 2008)
Beyond symfony 1.2 (Symfony Camp 2008)
Fabien Potencier
 

La actualidad más candente (20)

Php on the Web and Desktop
Php on the Web and DesktopPhp on the Web and Desktop
Php on the Web and Desktop
 
Twig tips and tricks
Twig tips and tricksTwig tips and tricks
Twig tips and tricks
 
The state of Symfony2 - SymfonyDay 2010
The state of Symfony2 - SymfonyDay 2010The state of Symfony2 - SymfonyDay 2010
The state of Symfony2 - SymfonyDay 2010
 
Functional Structures in PHP
Functional Structures in PHPFunctional Structures in PHP
Functional Structures in PHP
 
PHP 5.3 in practice
PHP 5.3 in practicePHP 5.3 in practice
PHP 5.3 in practice
 
PHP 良好實踐 (Best Practice)
PHP 良好實踐 (Best Practice)PHP 良好實踐 (Best Practice)
PHP 良好實踐 (Best Practice)
 
November Camp - Spec BDD with PHPSpec 2
November Camp - Spec BDD with PHPSpec 2November Camp - Spec BDD with PHPSpec 2
November Camp - Spec BDD with PHPSpec 2
 
New Symfony Tips & Tricks (SymfonyCon Paris 2015)
New Symfony Tips & Tricks (SymfonyCon Paris 2015)New Symfony Tips & Tricks (SymfonyCon Paris 2015)
New Symfony Tips & Tricks (SymfonyCon Paris 2015)
 
Power of Puppet 4
Power of Puppet 4Power of Puppet 4
Power of Puppet 4
 
Anatomy of a reusable module
Anatomy of a reusable moduleAnatomy of a reusable module
Anatomy of a reusable module
 
Rest in flask
Rest in flaskRest in flask
Rest in flask
 
Data Types In PHP
Data Types In PHPData Types In PHP
Data Types In PHP
 
Cross platform php
Cross platform phpCross platform php
Cross platform php
 
Beyond symfony 1.2 (Symfony Camp 2008)
Beyond symfony 1.2 (Symfony Camp 2008)Beyond symfony 1.2 (Symfony Camp 2008)
Beyond symfony 1.2 (Symfony Camp 2008)
 
Lecture: Vaadin Overview
Lecture: Vaadin OverviewLecture: Vaadin Overview
Lecture: Vaadin Overview
 
Open Source Package PHP & MySQL
Open Source Package PHP & MySQLOpen Source Package PHP & MySQL
Open Source Package PHP & MySQL
 
Unit testing with zend framework PHPBenelux
Unit testing with zend framework PHPBeneluxUnit testing with zend framework PHPBenelux
Unit testing with zend framework PHPBenelux
 
Construire son JDK en 10 étapes
Construire son JDK en 10 étapesConstruire son JDK en 10 étapes
Construire son JDK en 10 étapes
 
Unit testing with zend framework tek11
Unit testing with zend framework tek11Unit testing with zend framework tek11
Unit testing with zend framework tek11
 
Doing the Refactor Dance - Making Your Puppet Modules More Modular - PuppetCo...
Doing the Refactor Dance - Making Your Puppet Modules More Modular - PuppetCo...Doing the Refactor Dance - Making Your Puppet Modules More Modular - PuppetCo...
Doing the Refactor Dance - Making Your Puppet Modules More Modular - PuppetCo...
 

Destacado

Networking essentials assignment list
Networking essentials assignment listNetworking essentials assignment list
Networking essentials assignment list
Jetu Negi
 

Destacado (8)

Gacetilla de prensa 08 07-2015
Gacetilla de prensa 08 07-2015Gacetilla de prensa 08 07-2015
Gacetilla de prensa 08 07-2015
 
Promocionales E-red presentación
Promocionales E-red presentaciónPromocionales E-red presentación
Promocionales E-red presentación
 
Networking essentials assignment list
Networking essentials assignment listNetworking essentials assignment list
Networking essentials assignment list
 
R.a. no.113 reglamento terminal la rinconada
R.a. no.113 reglamento terminal la rinconadaR.a. no.113 reglamento terminal la rinconada
R.a. no.113 reglamento terminal la rinconada
 
Formulariodel egel ielectro
Formulariodel egel ielectroFormulariodel egel ielectro
Formulariodel egel ielectro
 
Licenciatura psicologia sistemica
Licenciatura psicologia sistemicaLicenciatura psicologia sistemica
Licenciatura psicologia sistemica
 
Gesamtpreisliste de 01012012
Gesamtpreisliste de 01012012Gesamtpreisliste de 01012012
Gesamtpreisliste de 01012012
 
Think better, not more. Strategisches Content Marketing mit dem SCOM Framework.
Think better, not more. Strategisches Content Marketing mit dem SCOM Framework.Think better, not more. Strategisches Content Marketing mit dem SCOM Framework.
Think better, not more. Strategisches Content Marketing mit dem SCOM Framework.
 

Similar a 잘 알려지지 않은 Php 코드 활용하기

Conquistando el Servidor con Node.JS
Conquistando el Servidor con Node.JSConquistando el Servidor con Node.JS
Conquistando el Servidor con Node.JS
Caridy Patino
 
The Solar Framework for PHP
The Solar Framework for PHPThe Solar Framework for PHP
The Solar Framework for PHP
ConFoo
 
Barcelona 2010 hidden_features
Barcelona 2010 hidden_featuresBarcelona 2010 hidden_features
Barcelona 2010 hidden_features
Anis Berejeb
 
Mike hostetler - jQuery knowledge append to you
Mike hostetler - jQuery knowledge append to youMike hostetler - jQuery knowledge append to you
Mike hostetler - jQuery knowledge append to you
StarTech Conference
 

Similar a 잘 알려지지 않은 Php 코드 활용하기 (20)

Caridy patino - node-js
Caridy patino - node-jsCaridy patino - node-js
Caridy patino - node-js
 
Conquistando el Servidor con Node.JS
Conquistando el Servidor con Node.JSConquistando el Servidor con Node.JS
Conquistando el Servidor con Node.JS
 
The Solar Framework for PHP
The Solar Framework for PHPThe Solar Framework for PHP
The Solar Framework for PHP
 
Javascript - How to avoid the bad parts
Javascript - How to avoid the bad partsJavascript - How to avoid the bad parts
Javascript - How to avoid the bad parts
 
55j7
55j755j7
55j7
 
The Fast, The Slow and the Lazy
The Fast, The Slow and the LazyThe Fast, The Slow and the Lazy
The Fast, The Slow and the Lazy
 
node.js for front-end developers
node.js for front-end developersnode.js for front-end developers
node.js for front-end developers
 
Unit Testing in SilverStripe
Unit Testing in SilverStripeUnit Testing in SilverStripe
Unit Testing in SilverStripe
 
Apc Memcached Confoo 2011
Apc Memcached Confoo 2011Apc Memcached Confoo 2011
Apc Memcached Confoo 2011
 
Deploying on the cutting edge
Deploying on the cutting edgeDeploying on the cutting edge
Deploying on the cutting edge
 
The new features of PHP 7 - Enrico Zimuel - Codemotion Milan 2016
The new features of PHP 7 - Enrico Zimuel - Codemotion Milan 2016The new features of PHP 7 - Enrico Zimuel - Codemotion Milan 2016
The new features of PHP 7 - Enrico Zimuel - Codemotion Milan 2016
 
The new features of PHP 7
The new features of PHP 7The new features of PHP 7
The new features of PHP 7
 
Shell Scripts for Oracle Database and E-Business Suite.pdf
Shell Scripts for Oracle Database and E-Business Suite.pdfShell Scripts for Oracle Database and E-Business Suite.pdf
Shell Scripts for Oracle Database and E-Business Suite.pdf
 
PHP for hacks
PHP for hacksPHP for hacks
PHP for hacks
 
Barcelona 2010 hidden_features
Barcelona 2010 hidden_featuresBarcelona 2010 hidden_features
Barcelona 2010 hidden_features
 
What To Expect From PHP7
What To Expect From PHP7What To Expect From PHP7
What To Expect From PHP7
 
The why and how of moving to php 5.4
The why and how of moving to php 5.4The why and how of moving to php 5.4
The why and how of moving to php 5.4
 
Mike hostetler - jQuery knowledge append to you
Mike hostetler - jQuery knowledge append to youMike hostetler - jQuery knowledge append to you
Mike hostetler - jQuery knowledge append to you
 
MongoDB at Sailthru: Scaling and Schema Design
MongoDB at Sailthru: Scaling and Schema DesignMongoDB at Sailthru: Scaling and Schema Design
MongoDB at Sailthru: Scaling and Schema Design
 
Php hacku
Php hackuPhp hacku
Php hacku
 

Último

Activity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfActivity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdf
ciinovamais
 
The basics of sentences session 3pptx.pptx
The basics of sentences session 3pptx.pptxThe basics of sentences session 3pptx.pptx
The basics of sentences session 3pptx.pptx
heathfieldcps1
 
Salient Features of India constitution especially power and functions
Salient Features of India constitution especially power and functionsSalient Features of India constitution especially power and functions
Salient Features of India constitution especially power and functions
KarakKing
 

Último (20)

Google Gemini An AI Revolution in Education.pptx
Google Gemini An AI Revolution in Education.pptxGoogle Gemini An AI Revolution in Education.pptx
Google Gemini An AI Revolution in Education.pptx
 
Unit-V; Pricing (Pharma Marketing Management).pptx
Unit-V; Pricing (Pharma Marketing Management).pptxUnit-V; Pricing (Pharma Marketing Management).pptx
Unit-V; Pricing (Pharma Marketing Management).pptx
 
SKILL OF INTRODUCING THE LESSON MICRO SKILLS.pptx
SKILL OF INTRODUCING THE LESSON MICRO SKILLS.pptxSKILL OF INTRODUCING THE LESSON MICRO SKILLS.pptx
SKILL OF INTRODUCING THE LESSON MICRO SKILLS.pptx
 
Key note speaker Neum_Admir Softic_ENG.pdf
Key note speaker Neum_Admir Softic_ENG.pdfKey note speaker Neum_Admir Softic_ENG.pdf
Key note speaker Neum_Admir Softic_ENG.pdf
 
Activity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfActivity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdf
 
The basics of sentences session 3pptx.pptx
The basics of sentences session 3pptx.pptxThe basics of sentences session 3pptx.pptx
The basics of sentences session 3pptx.pptx
 
Unit-IV- Pharma. Marketing Channels.pptx
Unit-IV- Pharma. Marketing Channels.pptxUnit-IV- Pharma. Marketing Channels.pptx
Unit-IV- Pharma. Marketing Channels.pptx
 
UGC NET Paper 1 Mathematical Reasoning & Aptitude.pdf
UGC NET Paper 1 Mathematical Reasoning & Aptitude.pdfUGC NET Paper 1 Mathematical Reasoning & Aptitude.pdf
UGC NET Paper 1 Mathematical Reasoning & Aptitude.pdf
 
TỔNG ÔN TẬP THI VÀO LỚP 10 MÔN TIẾNG ANH NĂM HỌC 2023 - 2024 CÓ ĐÁP ÁN (NGỮ Â...
TỔNG ÔN TẬP THI VÀO LỚP 10 MÔN TIẾNG ANH NĂM HỌC 2023 - 2024 CÓ ĐÁP ÁN (NGỮ Â...TỔNG ÔN TẬP THI VÀO LỚP 10 MÔN TIẾNG ANH NĂM HỌC 2023 - 2024 CÓ ĐÁP ÁN (NGỮ Â...
TỔNG ÔN TẬP THI VÀO LỚP 10 MÔN TIẾNG ANH NĂM HỌC 2023 - 2024 CÓ ĐÁP ÁN (NGỮ Â...
 
Explore beautiful and ugly buildings. Mathematics helps us create beautiful d...
Explore beautiful and ugly buildings. Mathematics helps us create beautiful d...Explore beautiful and ugly buildings. Mathematics helps us create beautiful d...
Explore beautiful and ugly buildings. Mathematics helps us create beautiful d...
 
Graduate Outcomes Presentation Slides - English
Graduate Outcomes Presentation Slides - EnglishGraduate Outcomes Presentation Slides - English
Graduate Outcomes Presentation Slides - English
 
Spatium Project Simulation student brief
Spatium Project Simulation student briefSpatium Project Simulation student brief
Spatium Project Simulation student brief
 
Towards a code of practice for AI in AT.pptx
Towards a code of practice for AI in AT.pptxTowards a code of practice for AI in AT.pptx
Towards a code of practice for AI in AT.pptx
 
On National Teacher Day, meet the 2024-25 Kenan Fellows
On National Teacher Day, meet the 2024-25 Kenan FellowsOn National Teacher Day, meet the 2024-25 Kenan Fellows
On National Teacher Day, meet the 2024-25 Kenan Fellows
 
Making communications land - Are they received and understood as intended? we...
Making communications land - Are they received and understood as intended? we...Making communications land - Are they received and understood as intended? we...
Making communications land - Are they received and understood as intended? we...
 
Sociology 101 Demonstration of Learning Exhibit
Sociology 101 Demonstration of Learning ExhibitSociology 101 Demonstration of Learning Exhibit
Sociology 101 Demonstration of Learning Exhibit
 
Understanding Accommodations and Modifications
Understanding  Accommodations and ModificationsUnderstanding  Accommodations and Modifications
Understanding Accommodations and Modifications
 
Python Notes for mca i year students osmania university.docx
Python Notes for mca i year students osmania university.docxPython Notes for mca i year students osmania university.docx
Python Notes for mca i year students osmania university.docx
 
Holdier Curriculum Vitae (April 2024).pdf
Holdier Curriculum Vitae (April 2024).pdfHoldier Curriculum Vitae (April 2024).pdf
Holdier Curriculum Vitae (April 2024).pdf
 
Salient Features of India constitution especially power and functions
Salient Features of India constitution especially power and functionsSalient Features of India constitution especially power and functions
Salient Features of India constitution especially power and functions
 

잘 알려지지 않은 Php 코드 활용하기

  • 1. Hidden Features of PHP International PHP Conference 2011 Ilia Alshanetsky @iliaa Wednesday, June 1, 2011 1
  • 2. root@foo $: whois ilia PHP: Core Developer Since 2001 Release Manager of 4.3, 5.1 and 5.2 branches Author of a “few” extensions Work: CIO at Centah Inc. Hobbies: Photography, Biking Dev. Interests: Performance & Security Wednesday, June 1, 2011 2
  • 3. __DIR__ Magic The __DIR__ constant is a simple and fast solution to the “where am i?” question for PHP scripts. ilia@s3 /tmp $ php a.php <?php echo __DIR__; /tmp Wednesday, June 1, 2011 3
  • 4. We Perl Allows quick retrieval of a non-empty value from 2 values and/or expressions $a = true ?: false; // true $a = false ?: true; // true $a = "" ?: 1; // 1 $a = 0 ?: 2; // 2 $a = array() ?: array(1); // array(1) $a = strlen("") ?: strlen("a"); // 1 ** The variable or array key must exist Wednesday, June 1, 2011 4
  • 5. GOTO ... restart: if (error_condition1) {     goto error; } if (error_condition2) {     goto restart; } error:     report_error();     exit; My favourite 5.3 feature ;-) Wednesday, June 1, 2011 5
  • 7. Double Encoding Prevent double encoding of html-entities via 4th argument to htmlspecialchars() and htmlentities() $foo = "bar > foo &amp; that&quot;s all"; htmlspecialchars($foo, ENT_COMPAT, 'UTF-8'); htmlentities($foo, ENT_COMPAT, 'UTF-8'); bar &gt; foo &amp;amp; that&amp;quot;s all Wednesday, June 1, 2011 7
  • 8. Double Encoding Prevent double encoding of html-entities via 4th argument to htmlspecialchars() and htmlentities() $foo = "bar > foo &amp; that&quot;s all"; htmlspecialchars($foo, ENT_COMPAT, 'UTF-8'); htmlentities($foo, ENT_COMPAT, 'UTF-8'); bar &gt; foo &amp;amp; that&amp;quot;s all htmlspecialchars($foo, ENT_COMPAT, 'UTF-8', false); htmlentities($foo, ENT_COMPAT, 'UTF-8', false); bar &gt; foo &amp; that&quot;s all Wednesday, June 1, 2011 7
  • 9. Date Parsing October 5, 2012 05-10-12 May 10, 2012 December 10, 2005 Wednesday, June 1, 2011 8
  • 10. Date Parsing October 5, 2012 05-10-12 May 10, 2012 December 10, 2005 Wednesday, June 1, 2011 8
  • 11. Date Parsing October 5, 2012 05-10-12 May 10, 2012 December 10, 2005 $date =  date_create_from_format('y-m-d', '05-10-12'); var_dump(date_format($date, 'F d, Y')); string(16) "October 12, 2005" Wednesday, June 1, 2011 8
  • 12. Dude, where is my code? PHP does a lot of magic to resolve partial file paths for include/require. Now you can too. stream_resolve_include_path("PEAR.php"); /usr/share/php/PEAR.php Wednesday, June 1, 2011 9
  • 13. session ini magic • Improve randomness of session id via the use of / dev/urandom session.entropy_file = /dev/urandom session.entropy_length = 32 • Secure your session cookies from JavaScript session.use_only_cookies = 1 session.cookie_httponly = 1 Wednesday, June 1, 2011 10
  • 14. mail logging Want to know what scripts are sending out e-mail? Well, now you can! ;; This will log every mail() call mail.log = /path/to/file mail() on [/tmp/script.php:2]: To: ilia@ilia.ws -- Headers: ;; Adds X-PHP-Originating-Script header ;; Contains UID & filename of the script mail.add_x_header = On X-PHP-Originating-Script: 1000:script.php Wednesday, June 1, 2011 11
  • 15. Better Hashing A built-in PHP mechanism for generating HMAC (Hash-based Message Authentication Code) secured hashes for many algorithms // 8b266369505f0c90bf193c856aa8f49dc87a759088fd31f28217e4db42a5ac4c echo hash_hmac('sha256', 'l337PwD', 'secretkey') , "n"; // d82bba393cb2f5e38a4021efc30d43883b1e0a40e30d8ed1c89e7ec263023ec0 echo hash_hmac_file('sha256', __FILE__, 'secretkey') , "n"; Wednesday, June 1, 2011 12
  • 16. SPL FS Tricks Simple recursive directory traversal foreach ( new RecursiveIteratorIterator( new RecursiveDirectoryIterator('.') ) as $file) {     echo $file , "n"; } Wednesday, June 1, 2011 13
  • 17. SPL FS Tricks Recursive directory traversal with pattern matching $it = new RecursiveIteratorIterator(     new RecursiveDirectoryIterator('.') ); $regx = new RegexIterator( $it, '/^.*.php$/i', // returns only matching text RecursiveRegexIterator::GET_MATCH ); foreach ($regx as $file) {     echo $file[0] , "n"; } Wednesday, June 1, 2011 14
  • 18. igbinary • The awesome PHP Serializer you should use! • Faster • More Compact ;; Load igbinary extension extension=igbinary.so ;; Use igbinary as session serializer session.serialize_handler=igbinary http://github.com/igbinary Wednesday, June 1, 2011 15
  • 19. igbinary Provides functions you can use for non-session data. ini_set("igbinary.compact_strings", 0); igbinary_serialize($_SERVER); ini_set("igbinary.compact_strings", 1); igbinary_serialize($_SERVER); // Un-serialize igbinary_unserialize($x); Wednesday, June 1, 2011 16
  • 20. Igbinary speed test Serialized Size Speed - Serialize Speed - Unserialize 3100 15 2975 11.25 2850 7.5 2725 3.75 2600 0 Serialize Igbinary w/Compact Igbinary Wednesday, June 1, 2011 17
  • 21. FileInfo • A reliable mechanism for identifying files ‣ Not dependant on file extension ‣ Can provide mime types ‣ Identifies hundreds of file types Wednesday, June 1, 2011 18
  • 22. FileInfo How-To $finfo = finfo_open(); $file = __FILE__; // mime description -- PHP script text finfo_file($finfo, $file); // mime type -- text/x-php finfo_file($finfo, $file, FILEINFO_MIME_TYPE);   // mime -- text/x-php; charset=us-ascii finfo_file($finfo, $file, FILEINFO_MIME);  // mime encoding -- us-ascii finfo_file($finfo, $file, FILEINFO_MIME_ENCODING); Wednesday, June 1, 2011 19
  • 23. StatGrab • An system informatics extension that provides information on: Memory Running Processed System Load CPU Swap Utilization System Info Network User Statistics etc... http://pecl.php.net/statgrab Wednesday, June 1, 2011 20
  • 24. StatGrab sg_cpu_percent_usage() sg_cpu_totals() (in ticks) Array Array ( ( [user] => 6.543484210968 [user] => 255652817 [kernel] => 3.2332751750946 [kernel] => 126323501 [idle] => 90.219924926758 [idle] => 3524877111 [iowait] => 0 [iowait] => 0 [swap] => 0 [swap] => 0 [nice] => 0.0033116859849542 [nice] => 129387 [previous_run] => 1306895319 [total] => 3906982816 ) [previous_run] => 1306895319 ) sg_cpu_diff() (in ticks) Array ( [user] => 0 [kernel] => 1 [idle] => 1 [iowait] => 0 [swap] => 0 [nice] => 0 [total] => 2 [previous_run] => 0 ) Wednesday, June 1, 2011 21
  • 25. StatGrab sg_diskio_stats() Array ( [sda] => Array ( [read] => 447667436032 [written] => 1098788713472 [time_frame] => 1306895319 ) ) sg_diskio_stats_diff() Array ( [sda] => Array ( [read] => 0 [written] => 0 [time_frame] => 0 ) ) Wednesday, June 1, 2011 22
  • 26. StatGrab sg_fs_stats() Array ( [0] => Array ( [device_name] => /dev/sda2 [fs_type] => ext3 [mnt_point] => / [size] => 152892084224 [used] => 126607642624 [avail] => 18392698880 [total_inodes] => 38535168 [used_inodes] => 2324584 [free_inodes] => 36210584 [avail_inodes] => 36210584 [io_size] => 4096 [block_size] => 4096 [total_blocks] => 37327169 [free_blocks] => 6417100 [used_blocks] => 30910069 [avail_blocks] => 4490405 ) ) Wednesday, June 1, 2011 23
  • 27. StatGrab sg_general_stats() Array ( [os_name] => Linux [os_release] => 2.6.34-gentoo-r1 [os_version] => #1 SMP Tue Aug 3 13:42:41 EDT 2010 [platform] => x86_64 [hostname] => dev.linux [uptime] => 9856588 ) Wednesday, June 1, 2011 24
  • 28. StatGrab sg_swap_stats() sg_load_stats() Array Array ( ( [total] => 2097438720 [min1] => 0.48 [free] => 556400640 [min5] => 0.46 [used] => 1541038080 [min15] => 0.45 ) ) sg_process_count() sg_memory_stats() Array Array ( ( [total] => 324 [total] => 5272272896 [running] => 1 [free] => 978161664 [sleeping] => 322 [used] => 4294111232 [stopped] => 0 [cache] => 2546839552 [zombie] => 1 ) ) Wednesday, June 1, 2011 25
  • 29. StatGrab sg_network_stats() Array ( [eth1] => Array ( [sent] => 512193380346 [received] => 88677061172 [packets_received] => 481445357 [packets_transmitted] => 527259007 [receive_errors] => 0 [transmit_errors] => 0 [collisions] => 0 [time_frame] => 1306895319 ) ) Wednesday, June 1, 2011 26
  • 30. StatGrab sg_network_stats_diff() Array ( [eth1] => Array ( [sent] => 211456 [received] => 33257 [packets_received] => 228 [packets_transmitted] => 231 [receive_errors] => 0 [transmit_errors] => 0 [collisions] => 0 [time_frame] => 5 ) ) Wednesday, June 1, 2011 27
  • 31. StatGrab sg_process_stats() Array ( [87] => Array ( [process_name] => postgres [proc_title] => postgres: autovacuum launcher process [pid] => 3650 [parent_pid] => 3643 [leader_pid] => 3650 [uid] => 70 [gid] => 70 [euid] => 70 [egid] => 70 [size] => 65830912 [size_in_mem] => 823296 [time_spent] => 119 [cpu_percent] => 0.0012106672247309 [nice] => 0 [state] => 1 ) ) Wednesday, June 1, 2011 28
  • 32. MailParse • A very good mechanism for parsing complex e-mails • Does a lot of the legwork for you • Stable & Fast http://pecl.php.net/mailparse Wednesday, June 1, 2011 29
  • 33. MailParse $msg = file_get_contents("php://stdin"); $mime = mailparse_msg_create(); if (!mailparse_msg_parse($mime, $msg)) {   exit("could not parse email!n"); } if (!($msg_info = mailparse_msg_get_part_data($mime))) {   exit("could not get message info!n"); } // $msg_info['headers'] is the headers associated array $structure = mailparse_msg_get_structure($mime); Wednesday, June 1, 2011 30
  • 34. $msg_info[‘headers’] Array ( [return-path] => <apache@sender.com> [envelope-to] => ilia@ilia.ws [delivery-date] => Mon, 20 Jul 2009 13:15:32 -0400 [received] => Array ( [0] => from attendant.sender.net ([208.68.18.236] helo=hydrogen.sender.net) by ilia.ws with esmtp (Exim 4.69) (envelope-from <apache@sender.com>) id 1MSwSa-0006lY-4O for ilia@ilia.ws; Mon, 20 Jul 2009 13:15:32 -0400 [1] => from hydrogen.sender.net (hydrogen.sender.net [127.0.0.1]) by hydrogen.sender.net (8.13.8/8.13.8) with ESMTP id n6KHFQ1g022841 for <ilia@ilia.ws>; Mon, 20 Jul 2009 11:15:26 -0600 [2] => (from apache@localhost) by hydrogen.sender.net (8.13.8/8.13.8/Submit) id n6KHFQR4022840; Mon, 20 Jul 2009 11:15:26 -0600 ) [date] => Mon, 20 Jul 2009 11:15:26 -0600 [message-id] => <200907201715.n6KHFQR4022840@hydrogen.sender.net> [to] => ilia@ilia.ws [subject] => 2027197 [from] => from@sender.com [mime-version] => 1.0 [content-type] => multipart/mixed; boundary="______b7bfcc06f00337de46276f92b6833d5c++++++" ) Wednesday, June 1, 2011 31
  • 35. MailParse // go through components of the e-mail $body = ''; $atms = array(); foreach ($structure as $element) {   $part_mime = mailparse_msg_get_part($mime, $element);   $part = mailparse_msg_get_part_data($part_mime);   if (!$part) continue;   $part_content = substr($msg,                   $part['starting-pos-body'],                   $part['ending-pos-body'] -  $part['starting-pos-body']); Wednesday, June 1, 2011 32
  • 36. MailParse if ($part['transfer-encoding'] == 'base64') { $part_content = base64_decode($part_content); } else if ($part['transfer-encoding']  == 'quoted-printable') { $part_content = quoted_printable_decode($part_content); } Wednesday, June 1, 2011 33
  • 37. MailParse if ($part['content-type'] == 'text/plain') { $body .= $part_content; } elseif ($part['content-type'] == 'text/html') { $body .= strip_tags($part_content); } elseif (!empty($part_info['content-disposition']) && $part['content-disposition'] == 'attachment' ) { $atms[] = array('headers' => $part, 'content' => $part_content); } else { //inline attachments $atms[] = array('headers' => $part, 'content' => $part_content); } Wednesday, June 1, 2011 34
  • 38. MailParse $to = '"Ilia A." <ilia@ilia.ws>,  Test <test@test.com>,  foo@bar.com'; print_r( mailparse_rfc822_parse_addresses($to) ); Array ( [0] => Array [1] => Array [2] => Array ( ( ( [display] => Ilia A. [display] => Test [display] => foo@bar.com [address] => ilia@ilia.ws [address] => test@test.com [address] => foo@bar.com [is_group] => [is_group] => [is_group] => ) ) ) ) Wednesday, June 1, 2011 35
  • 39. PHP-Excel • An interface to LibXL library • Allows generation of Excel Biff8 & XML documents • Can parse Excel Biff (5-8) and XML documents • Wickedly FAST! 200k rows in < 1 second https://github.com/iliaal/php_excel Wednesday, June 1, 2011 36
  • 40. Creating Excel Docs $x = new ExcelBook();      $s = $x->addSheet("Sheet 1"); $s->write(1, 1, 'Test'); $s->write(2, 2, 123); $x->save("file.xls"); Wednesday, June 1, 2011 37
  • 41. Reading Excel Docs $x = new ExcelBook(); $x->loadFile("file.xls"); $s = $x->getSheet(); for ($i = 0, $e = $s->lastRow(); $i < $e; $i++) {     print_r(array_filter($s->readRow($i))); } Array ( [1] => Test) Array ( [2] => 123 ) Wednesday, June 1, 2011 38
  • 42. xhprof • Light weight PHP profiler designed for in production use. • Aggregate run data • Web interface • In-Production “sampling” mode http://pecl.php.net/package/xhprof http://github.com/preinheimer/xhprof Wednesday, June 1, 2011 39
  • 43. Profiling ;; Pre-pended to every PHP script (init) auto_prepend_file = /xhprof/external/header.php include_once __DIR__ . '/xhprof_lib/config.php'); include_once __DIR__ . '/xhprof_lib/utils/xhprof_lib.php'; include_once __DIR__ . '/xhprof_lib/utils/xhprof_runs.php'; xhprof_enable(XHPROF_FLAGS_CPU + XHPROF_FLAGS_MEMORY); ;; Appended to every PHP script (store) auto_append_file = /xhprof/external/footer.php $xhprof_data = xhprof_disable(); $xhprof_runs = new XHProfRuns_Default(); $xhprof_runs->save_run($xhprof_data, 'AppName', null, $_xhprof); Wednesday, June 1, 2011 40
  • 48. Slides will be available at http://ilia.ws Please give me your feedback http://joind.in/3512 Ilia Alshanetsky @iliaa Wednesday, June 1, 2011 45