모바일 오유 바로가기
http://m.todayhumor.co.kr
분류 게시판
베스트
  • 베스트오브베스트
  • 베스트
  • 오늘의베스트
  • 유머
  • 유머자료
  • 유머글
  • 이야기
  • 자유
  • 고민
  • 연애
  • 결혼생활
  • 좋은글
  • 자랑
  • 공포
  • 멘붕
  • 사이다
  • 군대
  • 밀리터리
  • 미스터리
  • 술한잔
  • 오늘있잖아요
  • 투표인증
  • 새해
  • 이슈
  • 시사
  • 시사아카이브
  • 사회면
  • 사건사고
  • 생활
  • 패션
  • 패션착샷
  • 아동패션착샷
  • 뷰티
  • 인테리어
  • DIY
  • 요리
  • 커피&차
  • 육아
  • 법률
  • 동물
  • 지식
  • 취업정보
  • 식물
  • 다이어트
  • 의료
  • 영어
  • 맛집
  • 추천사이트
  • 해외직구
  • 취미
  • 사진
  • 사진강좌
  • 카메라
  • 만화
  • 애니메이션
  • 포니
  • 자전거
  • 자동차
  • 여행
  • 바이크
  • 민물낚시
  • 바다낚시
  • 장난감
  • 그림판
  • 학술
  • 경제
  • 역사
  • 예술
  • 과학
  • 철학
  • 심리학
  • 방송연예
  • 연예
  • 음악
  • 음악찾기
  • 악기
  • 음향기기
  • 영화
  • 다큐멘터리
  • 국내드라마
  • 해외드라마
  • 예능
  • 팟케스트
  • 방송프로그램
  • 무한도전
  • 더지니어스
  • 개그콘서트
  • 런닝맨
  • 나가수
  • 디지털
  • 컴퓨터
  • 프로그래머
  • IT
  • 안티바이러스
  • 애플
  • 안드로이드
  • 스마트폰
  • 윈도우폰
  • 심비안
  • 스포츠
  • 스포츠
  • 축구
  • 야구
  • 농구
  • 바둑
  • 야구팀
  • 삼성
  • 두산
  • NC
  • 넥센
  • 한화
  • SK
  • 기아
  • 롯데
  • LG
  • KT
  • 메이저리그
  • 일본프로야구리그
  • 게임1
  • 플래시게임
  • 게임토론방
  • 엑스박스
  • 플레이스테이션
  • 닌텐도
  • 모바일게임
  • 게임2
  • 던전앤파이터
  • 마비노기
  • 마비노기영웅전
  • 하스스톤
  • 히어로즈오브더스톰
  • gta5
  • 디아블로
  • 디아블로2
  • 피파온라인2
  • 피파온라인3
  • 워크래프트
  • 월드오브워크래프트
  • 밀리언아서
  • 월드오브탱크
  • 블레이드앤소울
  • 검은사막
  • 스타크래프트
  • 스타크래프트2
  • 베틀필드3
  • 마인크래프트
  • 데이즈
  • 문명
  • 서든어택
  • 테라
  • 아이온
  • 심시티5
  • 프리스타일풋볼
  • 스페셜포스
  • 사이퍼즈
  • 도타2
  • 메이플스토리1
  • 메이플스토리2
  • 오버워치
  • 오버워치그룹모집
  • 포켓몬고
  • 파이널판타지14
  • 배틀그라운드
  • 기타
  • 종교
  • 단어장
  • 자료창고
  • 운영
  • 공지사항
  • 오유운영
  • 게시판신청
  • 보류
  • 임시게시판
  • 메르스
  • 세월호
  • 원전사고
  • 2016리오올림픽
  • 2018평창올림픽
  • 코로나19
  • 2020도쿄올림픽
  • 게시판찾기
  • 게시물ID : programmer_14760
    작성자 : 니콜라테슬라
    추천 : 2
    조회수 : 1992
    IP : 125.138.***.93
    댓글 : 15개
    등록시간 : 2015/12/03 07:18:45
    http://todayhumor.com/?programmer_14760 모바일
    php 7 릴리즈 됐슴돠. 속도 속도!!!

    New features ¶

    Scalar type declarations ¶

    Scalar type declarations come in two flavours: coercive (default) and strict. The following types for parameters can now be enforced (either coercively or strictly): strings (string), integers (int), floating-point numbers (float), and booleans (bool). They augment the other types introduced in PHP 5: class names, interfaces, array and callable.

    <?php
    // Coercive mode
    function sumOfInts(int ...$ints)
    {
        return 
    array_sum($ints);
    }

    var_dump(sumOfInts(2'3'4.1));

    The above example will output:

    int(9) 

    To enable strict mode, a single declare directive must be placed at the top of the file. This means that the strictness of typing for scalars is configured on a per-file basis. This directive not only affects the type declarations of parameters, but also a function's return type (see return type declarations, built-in PHP functions, and functions from loaded extensions.

    Full documentation and examples of scalar type declarations can be found in the type declaration reference.

    Return type declarations ¶

    PHP 7 adds support for return type declarations. Similarly to argument type declarations, return type declarations specify the type of the value that will be returned from a function. The same types are available for return type declarations as are available for argument type declarations.

    <?php

    function arraysSum(array ...$arrays): array
    {
        return 
    array_map(function(array $array): int {
            return 
    array_sum($array);
        }, 
    $arrays);
    }

    print_r(arraysSum([1,2,3], [4,5,6], [7,8,9]));

    The above example will output:

    Array (     [0] => 6     [1] => 15     [2] => 24 ) 

    Full documentation and examples of return type declarations can be found in the return type declarations. reference.

    Null coalesce operator ¶

    The null coalesce operator (??) has been added as syntactic sugar for the common case of needing to use a ternary in conjunction withisset(). It returns its first operand if it exists and is not NULL; otherwise it returns its second operand.

    <?php
    // Fetches the value of $_GET['user'] and returns 'nobody'
    // if it does not exist.
    $username $_GET['user'] ?? 'nobody';
    // This is equivalent to:
    $username = isset($_GET['user']) ? $_GET['user'] : 'nobody';

    // Coalesces can be chained: this will return the first
    // defined value out of $_GET['user'], $_POST['user'], and
    // 'nobody'.
    $username $_GET['user'] ?? $_POST['user'] ?? 'nobody';
    ?>

    Spaceship operator ¶

    The spaceship operator is used for comparing two expressions. It returns -1, 0 or 1 when $a is respectively less than, equal to, or greater than $b. Comparisons are performed according to PHP's usual type comparison rules.

    <?php
    // Integers
    echo <=> 1// 0
    echo <=> 2// -1
    echo <=> 1// 1

    // Floats
    echo 1.5 <=> 1.5// 0
    echo 1.5 <=> 2.5// -1
    echo 2.5 <=> 1.5// 1
     
    // Strings
    echo "a" <=> "a"// 0
    echo "a" <=> "b"// -1
    echo "b" <=> "a"// 1
    ?>

    Constant arrays using define() ¶

    Array constants can now be defined with define(). In PHP 5.6, they could only be defined with const.

    <?php
    define
    ('ANIMALS', [
        
    'dog',
        
    'cat',
        
    'bird'
    ]);

    echo 
    ANIMALS[1]; // outputs "cat"
    ?>

    Anonymous classes ¶

    Support for anonymous classes has been added via new class. These can be used in place of full class definitions for throwaway objects:

    <?php
    interface Logger {
        public function 
    log(string $msg);
    }

    class 
    Application {
        private 
    $logger;

        public function 
    getLogger(): Logger {
             return 
    $this->logger;
        }

        public function 
    setLogger(Logger $logger) {
             
    $this->logger $logger;
        }
    }

    $app = new Application;
    $app->setLogger(new class implements Logger {
        public function 
    log(string $msg) {
            echo 
    $msg;
        }
    });

    var_dump($app->getLogger());
    ?>

    The above example will output:

    object(class@anonymous)#2 (0) { } 

    Full documentation can be found in the anonymous class reference.

    Unicode codepoint escape syntax ¶

    This takes a Unicode codepoint in hexadecimal form, and outputs that codepoint in UTF-8 to a double-quoted string or a heredoc. Any valid codepoint is accepted, with leading 0's being optional.

    echo "\u{aa}";
    echo "\u{0000aa}";
    echo "\u{9999}";

    The above example will output:

    ª ª (same as before but with optional leading 0's) 香 

    Closure::call() ¶

    Closure::call() is a more performant, shorthand way of temporarily binding an object scope to a closure and invoking it.

    <?php
    class {private $x 1;}

    // Pre PHP 7 code
    $getXCB = function() {return $this->x;};
    $getX $getXCB->bindTo(new A'A'); // intermediate closure
    echo $getX();

    // PHP 7+ code
    $getX = function() {return $this->x;};
    echo 
    $getX->call(new A);

    The above example will output:

    1 1 

    Filtered unserialize() ¶

    This feature seeks to provide better security when unserializing objects on untrusted data. It prevents possible code injections by enabling the developer to whitelist classes that can be unserialized.

    <?php

    // converts all objects into __PHP_Incomplete_Class object
    $data unserialize($foo, ["allowed_classes" => false]);

    // converts all objects into __PHP_Incomplete_Class object except those of MyClass and MyClass2
    $data unserialize($foo, ["allowed_classes" => ["MyClass""MyClass2"]);

    // default behaviour (same as omitting the second argument) that accepts all classes
    $data unserialize($foo, ["allowed_classes" => true]);

    IntlChar ¶

    The new IntlChar class seeks to expose additional ICU functionality. The class itself defines a number of static methods and constants that can be used to manipulate unicode characters.

    <?php

    printf
    ('%x'IntlChar::CODEPOINT_MAX);
    echo 
    IntlChar::charName('@');
    var_dump(IntlChar::ispunct('!'));

    The above example will output:

    10ffff COMMERCIAL AT bool(true) 

    In order to use this class, the Intl extension must be installed.

    Expectations ¶

    Expectations are a backwards compatible enhancement to the older assert() function. They allow for zero-cost assertions in production code, and provide the ability to throw custom exceptions when the assertion fails.

    While the old API continues to be maintained for compatibility, assert() is now a language construct, allowing the first parameter to be an expression rather than just a string to be evaluated or a boolean value to be tested.

    <?php
    ini_set
    ('assert.exception'1);

    class 
    CustomError extends AssertionError {}

    assert(false, new CustomError('Some error message'));
    ?>

    The above example will output:

    Fatal error: Uncaught CustomError: Some error message 

    Full details on this feature, including how to configure it in both development and production environments, can be found in theexpectations section of the assert() reference.

    Group use declarations ¶

    Classes, functions and constants being imported from the same namespace can now be grouped together in a single use statement.

    <?php
    // Pre PHP 7 code
    use some\namespace\ClassA;
    use 
    some\namespace\ClassB;
    use 
    some\namespace\ClassC as C;

    use function 
    some\namespace\fn_a;
    use function 
    some\namespace\fn_b;
    use function 
    some\namespace\fn_c;

    use const 
    some\namespace\ConstA;
    use const 
    some\namespace\ConstB;
    use const 
    some\namespace\ConstC;

    // PHP 7+ code
    use some\namespace\{ClassAClassBClassC as C};
    use function 
    some\namespace\{fn_afn_bfn_c};
    use const 
    some\namespace\{ConstAConstBConstC};
    ?>

    Generator Return Expressions ¶

    This feature builds upon the generator functionality introduced into PHP 5.5. It enables for a return statement to be used within a generator to enable for a final expression to be returned (return by reference is not allowed). This value can be fetched using the newGenerator::getReturn() method, which may only be used once the generator has finishing yielding values.

    <?php

    $gen 
    = (function() {
        
    yield 1;
        
    yield 2;

        return 
    3;
    })();

    foreach (
    $gen as $val) {
        echo 
    $valPHP_EOL;
    }

    echo 
    $gen->getReturn(), PHP_EOL;

    The above example will output:

    1 2 3 

    Being able to explicitly return a final value from a generator is a handy ability to have. This is because it enables for a final value to be returned by a generator (from perhaps some form of coroutine computation) that can be specifically handled by the client code executing the generator. This is far simpler than forcing the client code to firstly check whether the final value has been yielded, and then if so, to handle that value specifically.

    Generator delegation ¶

    Generators can now delegate to another generator, Traversable object or array automatically, without needing to write boilerplate in the outermost generator by using the yield from construct.

    <?php
    function gen()
    {
        
    yield 1;
        
    yield 2;
        
    yield from gen2();
    }

    function 
    gen2()
    {
        
    yield 3;
        
    yield 4;
    }

    foreach (
    gen() as $val)
    {
        echo 
    $valPHP_EOL;
    }
    ?>

    The above example will output:

    1 2 3 4 

    Integer division with intdiv() ¶

    The new intdiv() function performs an integer division of its operands and returns it.

    <?php
    var_dump
    (intdiv(103));
    ?>

    The above example will output:

    int(3) 

    Session options ¶

    session_start() now accepts an array of options that override the session configuration directives normally set in php.ini.

    These options have also been expanded to support session.lazy_write, which is on by default and causes PHP to only overwrite any session file if the session data has changed, and read_and_close, which is an option that can only be passed to session_start() to indicate that the session data should be read and then the session should immediately be closed unchanged.

    For example, to set session.cache_limiter to private and immediately close the session after reading it:

    <?php
    session_start
    ([
        
    'cache_limiter' => 'private',
        
    'read_and_close' => true,
    ]);
    ?>

    preg_replace_callback_array() ¶

    The new preg_replace_callback_array() function enables code to be written more cleanly when using the preg_replace_callback() function. Prior to PHP 7, callbacks that needed to be executed per regular expression required the callback function to be polluted with lots of branching.

    Now, callbacks can be registered to each regular expression using an associative array, where the key is a regular expression and the value is a callback.

    CSPRNG Functions ¶

    Two new functions have been added to generate cryptographically secure integers and strings in a cross platform way: random_bytes() andrandom_int().

    list() can always unpack objects implementing ArrayAccess 

    Previously, list() was not guaranteed to operate correctly with objects implementing ArrayAccess. This has been fixed.

    출처 http://php.net/manual/en/migration70.new-features.php

    이 게시물을 추천한 분들의 목록입니다.
    [1] 2015/12/03 07:31:48  125.180.***.177  나이쓰한넘  458806
    [2] 2015/12/03 11:36:21  175.223.***.194  물어라이코스  285973
    푸르딩딩:추천수 3이상 댓글은 배경색이 바뀝니다.
    (단,비공감수가 추천수의 1/3 초과시 해당없음)

    죄송합니다. 댓글 작성은 회원만 가능합니다.

    번호 제 목 이름 날짜 조회 추천
    23457
    [한국콘텐츠진흥원] 2024 게임콘텐츠 제작지원 이용자평가 이용자 모집 장파랑 24/11/18 14:02 207 0
    23456
    [한국콘텐츠진흥원] 2024 게임콘텐츠 제작지원 이용자평가 이용자 모집 장파랑 24/10/28 18:24 640 0
    23455
    논문 읽는 사람들을 위한 문서 번역 서비스 rWhale 24/10/10 13:06 978 2
    23453
    로또번호 [2] 까망사투리 24/09/19 11:10 1419 2
    23452
    AI와 함께가는 코딩 업계 [1] 펌글 우가가 24/09/02 22:19 1815 9
    23451
    Switch문 도배된 2100줄 짜리 함수 [3] 펌글 우가가 24/08/26 22:37 1728 4
    23450
    개인정보 수집 없는 이미지 리사이즈 사라밍 24/08/23 20:31 1245 0
    23449
    디자인 패턴의 템플릿 메소드 패턴 실무 적용 사례 써니썬 24/08/23 16:47 1265 1
    23448
    TMDB API Key 얻을 때 동의하게 되는 면책 및 포기 조항 우가가 24/08/18 16:07 1268 1
    23447
    펌) 아무튼 개쩌는 번역기를 국내기술로 개발완료 했다는 소식 [1] 펌글 우가가 24/08/15 17:30 1531 2
    23446
    쿠팡 가격 변동 추적 알림 서비스 피드백 요청 (제발) 창작글펌글 애오옹 24/08/10 14:30 1436 0
    23445
    넥사크로 17.1 관련 [2] 본인삭제금지 나르하나 24/08/01 12:30 1476 0
    23444
    개밯자 의자에 머리받침 없어 [1] 까망사투리 24/07/25 13:32 1791 1
    23443
    안드로이드 EditText 리스너 연동 문의드립니다. - 해결됨 [1] 창작글 상사꽃 24/07/01 17:47 1738 2
    23442
    펌) 파이어폭스 엔진이 신인 이유 [1] 펌글 우가가 24/06/30 23:25 2305 2
    23441
    예전에는 함수 하나에 대한 기능에 고민을 많이 했는데.. ssonacy 24/05/21 09:45 2112 0
    23440
    c++ 에서 DB 쿼리문처럼 사용할 방법이 있을까요? [8] 상사꽃 24/05/19 11:10 2261 0
    23439
    쉬운 배터리 알림 창작글 언젠가아자 24/05/14 10:47 2406 0
    23438
    아후 서터레스 [1] NeoGenius 24/04/02 17:52 2096 1
    23436
    로또 [3] 까망사투리 24/03/11 15:53 2734 4
    23434
    copilot 기업유료버전 intelliJ에 붙여서 쓰고있는데 지리네요 안녕월드 24/02/22 00:15 2769 0
    23433
    코딩마을 대나무숲 [6] cocoa 24/02/20 14:50 2934 5
    23432
    (질문) 프로그래머분들은 싱글PC게임 레벨제한 풀수 있죠?? [23] 본인삭제금지 할배궁디Lv2 24/02/13 13:36 2939 1
    23431
    Freemium NeoGenius 24/02/13 13:23 2400 0
    23429
    부산에서 프로그래머 구인하는데 연봉 6천에서 8천 작은건가 [3] 폴팡 24/02/04 20:50 3254 1
    23427
    chatgpt? bard? [4] 별빛러브 24/01/25 06:24 2540 0
    23426
    Next.js로 만들어봤어요~ [2] 창작글 sonnim 24/01/24 12:52 2752 3
    23425
    Spring Boot 공부하기 - 한국투자증권 오픈API 호출 옐로우황 24/01/21 17:51 2763 1
    23424
    파이썬 코딩 관련해서 질문드립니다. [5] 투투나 24/01/08 09:49 2858 0
    23423
    9년차 개발자의 "나만의 챗봇" 만들기 with ChatGPT [2] 아자뵤옹 23/12/10 22:35 3076 4
    [1] [2] [3] [4] [5] [6] [7] [8] [9] [10] [다음10개▶]
    단축키 운영진에게 바란다(삭제요청/제안) 운영게 게시판신청 자료창고 보류 개인정보취급방침 청소년보호정책 모바일홈