最佳答案
我知道 Python 没有指针,但是有没有一种方法可以让它产生 2
>>> a = 1
>>> b = a # modify this line somehow so that b "points to" a
>>> a = 2
>>> b
1
?
这里有一个例子: 我希望 form.data['field']
和 form.field.value
始终具有相同的值。这不是完全必要的,但我觉得这样很好。
例如,在 PHP 中,我可以这样做:
<?php
class Form {
public $data = [];
public $fields;
function __construct($fields) {
$this->fields = $fields;
foreach($this->fields as &$field) {
$this->data[$field['id']] = &$field['value'];
}
}
}
$f = new Form([
[
'id' => 'fname',
'value' => 'George'
],
[
'id' => 'lname',
'value' => 'Lucas'
]
]);
echo $f->data['fname'], $f->fields[0]['value']; # George George
$f->data['fname'] = 'Ralph';
echo $f->data['fname'], $f->fields[0]['value']; # Ralph Ralph
产出:
GeorgeGeorgeRalphRalph
或者像 C + + 中的这样(我认为这是正确的,但是我的 C + + 已经生疏了) :
#include <iostream>
using namespace std;
int main() {
int* a;
int* b = a;
*a = 1;
cout << *a << endl << *b << endl; # 1 1
return 0;
}