5

PHP のマニュアルを読みましたが、違いが明確ではありませんでした。私はこれを使用するポイントについて混乱しています:

echo "Print this {$test} here.";

これと比較して:

echo "Print this $test here.";
4

2 に答える 2

4

PHP.netから

複雑な (カーリー) 構文

これは、構文が複雑であるためではなく、複雑な式を使用できるため、複雑と呼ばれます。

文字列表現を持つスカラー変数、配列要素、またはオブジェクト プロパティは、この構文を使用して含めることができます。文字列の外側に表示されるのと同じ方法で式を記述し、{ と } で囲みます。{ はエスケープできないため、この構文は { の直後に $ が続く場合にのみ認識されます。{\$ を使用して、リテラル {$ を取得します。

例:

<?php
// Show all errors
error_reporting(E_ALL);

$great = 'fantastic';

// Won't work, outputs: This is { fantastic}
echo "This is { $great}";

// Works, outputs: This is fantastic
echo "This is {$great}";
echo "This is ${great}";

// Works
echo "This square is {$square->width}00 centimeters broad."; 


// Works, quoted keys only work using the curly brace syntax
echo "This works: {$arr['key']}";


// Works
echo "This works: {$arr[4][3]}";

// This is wrong for the same reason as $foo[bar] is wrong  outside a string.
// In other words, it will still work, but only because PHP first looks for a
// constant named foo; an error of level E_NOTICE (undefined constant) will be
// thrown.
echo "This is wrong: {$arr[foo][3]}"; 

// Works. When using multi-dimensional arrays, always use braces around arrays
// when inside of strings
echo "This works: {$arr['foo'][3]}";

// Works.
echo "This works: " . $arr['foo'][3];

echo "This works too: {$obj->values[3]->name}";

echo "This is the value of the var named $name: {${$name}}";

echo "This is the value of the var named by the return value of getName(): {${getName()}}";

echo "This is the value of the var named by the return value of \$object->getName(): {${$object->getName()}}";

// Won't work, outputs: This is the return value of getName(): {getName()}
echo "This is the return value of getName(): {getName()}";
?>

他の例については、そのページを参照してください。

于 2012-04-23T16:09:15.640 に答える
4

あなたの例では、違いはありません。ただし、文字列インデックスを持つ配列のように、変数式がより複雑な場合に役立ちます。例えば:

$arr['string'] = 'thing';

echo "Print a {$arr['string']}";
// result: "Print a thing";

echo "Print a $arr['string']";
// result: Parse error: syntax error, unexpected T_ENCAPSED_AND_WHITESPACE
于 2012-04-23T16:09:21.960 に答える