PHP - Ds Vector::unshift() 函数



PHP 的 Ds\Vector::unshift() 函数用于将值添加到向量的开头,并将所有现有值向前移动以腾出空间以容纳新值。

此函数允许您一次将多个值添加到向量的开头。它不返回任何内容,但会修改原始向量。

Ds\Vector 类提供了另一个名为 insert() 的函数,允许您在指定的索引处添加值,如果索引为 0,则元素始终会添加到向量的开头。

语法

以下是 PHP Ds\Vector::unshift() 函数的语法:

public Ds\Vector::unshift(mixed $values = ?): void

参数

以下是此函数的参数:

  • values - 需要添加的单个或多个值。

返回值

此函数不返回任何值。

示例 1

以下程序演示了 PHP Ds\Vector::unshift() 函数的用法:

<?php 
   $vector = new \Ds\Vector([1, 2, 3, 4]); 
   echo "The original vector: \n"; 
   print_r($vector);
   $value = 5;
   echo "The given value: ".$value;
   echo "\nThe vector elements after inserting new element: \n";
   #using unshift() function
   $vector->unshift($value); 
   print_r($vector);
?>

输出

以上程序产生以下输出:

The original vector:
Ds\Vector Object
(
    [0] => 1
    [1] => 2
    [2] => 3
    [3] => 4
)
The given value: 5
The vector elements after inserting new element:
Ds\Vector Object
(
    [0] => 5
    [1] => 1
    [2] => 2
    [3] => 3
    [4] => 4
)

示例 2

我们正在一次将多个值添加到向量的开头。

以下是另一个 PHP Ds\Vector::unshift() 函数的示例。我们使用此函数将指定的值添加到此向量的开头:

<?php 
   $vector = new \Ds\Vector(["Tutorials", "Point"]);
   echo "The original vector: \n"; 
   print_r($vector); 
   $val1 = "India";
   $val2 = "Tutorix";
   echo "The given values are: ".$val1.", ".$val2;
   echo "\nThe vector elements after inserting new elements: \n";
   $vector->unshift($val1, $val2);
   print_r($vector); 
?>

输出

执行上述程序后,将显示以下输出:

The original vector:
Ds\Vector Object
(
    [0] => Tutorials
    [1] => Point
)
The given values are: India, Tutorix
The vector elements after inserting new elements:
Ds\Vector Object
(
    [0] => India
    [1] => Tutorix
    [2] => Tutorials
    [3] => Point
)
php_function_reference.htm
广告