我需要帮助-我尝试通过 ref/ptr 向 c++ 中的方法发送值我该怎么做?
例如:
def test(x):
x=3
x=2
test(x)
print(x)
在这种情况下,测试方法中的 xa 局部变量不会更改“原始”X,那么我该如何更改“原始”X?谢谢
我需要帮助-我尝试通过 ref/ptr 向 c++ 中的方法发送值我该怎么做?
例如:
def test(x):
x=3
x=2
test(x)
print(x)
在这种情况下,测试方法中的 xa 局部变量不会更改“原始”X,那么我该如何更改“原始”X?谢谢
在某些方面,Python 中的所有调用都是使用引用调用的。事实上,所有变量在某种意义上都是引用。但是某些类型,例如int
您的示例,无法更改。
例如,在 a 的情况下,list
您正在寻找的功能是微不足道的:
def change_it(some_list):
some_list.append("world")
foo = ["hello"]
change_it(foo)
print(foo) # prints ['hello', 'world']
但是请注意,重新分配参数变量some_list
不会更改调用上下文中的值。
但是,如果您要问这个问题,您可能希望使用一个函数来设置两个或三个变量。在这种情况下,您正在寻找这样的东西:
def foo_bar(x, y, z):
return 2*x, 3*y, 4*z
x = 3
y = 4
z = 5
x, y, z = foo_bar(x, y, z)
print(y) # prints 12
当然,你可以在 Python 中做任何事情,但这并不意味着你应该这样做。在电视节目 Mythbusters 的时尚中,这里有你正在寻找的东西
import inspect
def foo(bar):
frame = inspect.currentframe()
outer = inspect.getouterframes(frame)[1][0]
outer.f_locals[bar] = 2 * outer.f_locals[bar]
a = 15
foo("a")
print(a) # prints 30
甚至更糟:
import inspect
import re
def foo(bar):
# get the current call stack
my_stack = inspect.stack()
# get the outer frame object off of the stack
outer = my_stack[1][0]
# get the calling line of code; see the inspect module documentation
# only works if the call is not split across multiple lines of code
calling_line = my_stack[1][4][0]
# get this function's name
my_name = my_stack[0][3]
# do a regular expression search for the function call in traditional form
# and extract the name of the first parameter
m = re.search(my_name + "\s*\(\s*(\w+)\s*\)", calling_line)
if m:
# finally, set the variable in the outer context
outer.f_locals[m.group(1)] = 2 * outer.f_locals[m.group(1)]
else:
raise TypeError("Non-traditional function call. Why don't you just"
" give up on pass-by-reference already?")
# now this works like you would expect
a = 15
foo(a)
print(a)
# but then this doesn't work:
baz = foo_bar
baz(a) # raises TypeError
# and this *really*, disastrously doesn't work
a, b = 15, 20
foo_bar, baz = str, foo_bar
baz(b) and foo_bar(a)
print(a, b) # prints 30, 20
请,请,请,不要这样做。我把它放在这里只是为了激发读者去研究 Python 中一些比较晦涩的部分。
据我所知,这在 Python 中不存在(尽管如果将可变对象传递给函数也会发生类似的事情)。你会做
def test():
global x
x = 3
test()
或者
def test(x):
return 3
x = test(x)
其中第二个是更优选的。