array_map不在类中工作

Jus*_*tin 43 php arrays class function array-map

我正在尝试创建一个类来处理数组,但我似乎无法array_map()在其中工作.

<?php
//Create the test array
$array = array(1,2,3,4,5,6,7,8,9,10);
//create the test class
class test {
//variable to save array inside class
public $classarray;

//function to call array_map function with the given array
public function adding($data) {
    $this->classarray = array_map($this->dash(), $data);
}

// dash function to add a - to both sides of the number of the input array
public function dash($item) {
    $item2 = '-' . $item . '-';
    return $item2;
}

}
// dumps start array
var_dump($array);
//adds line
echo '<br />';
//creates class object
$test = new test();
//classes function adding
$test->adding($array);
// should output the array with values -1-,-2-,-3-,-4-... 
var_dump($test->classarray);
Run Code Online (Sandbox Code Playgroud)

这输出

array(10) { [0]=> int(1) [1]=> int(2) [2]=> int(3) [3]=> int(4) [4]=> int(5) [5]=> int(6) [6]=> int(7) [7]=> int(8) [8]=> int(9) [9]=> int(10) }

Warning: Missing argument 1 for test::dash(), called in D:\xampp\htdocs\trainingdvd\arraytesting.php on line 11 and defined in D:\xampp\htdocs\trainingdvd\arraytesting.php on line 15

Warning: array_map() expects parameter 1 to be a valid callback, function '--' not found or invalid function name in D:\xampp\htdocs\trainingdvd\arraytesting.php on line 11 NULL

我做错了什么或者这个功能在课堂内不起作用?

Jon*_*Jon 124

dash以错误的方式指定回调.

这不起作用:

$this->classarray = array_map($this->dash(), $data);
Run Code Online (Sandbox Code Playgroud)

这样做:

$this->classarray = array_map(array($this, 'dash'), $data);
Run Code Online (Sandbox Code Playgroud)

阅读关于不同形式的回调可能会在这里.

  • 甚至静态地工作就像 array_map( @[ self, 'dash' ] ) (2认同)

Vij*_*mar 32

你好你可以使用像这样的

    // Static outside of class context
array_map( array( 'ClassName', 'methodName' ), $array );

// Static inside class context
array_map( array( __CLASS__, 'methodName' ), $array );

// Non-static outside of object context
array_map( array( $object, 'methodName' ), $array );

// Non-static inside of object context
array_map( array( $this, 'methodName' ), $array );
Run Code Online (Sandbox Code Playgroud)