出于调试目的,我想访问具有特定属性集的不同子例程的词法范围。这很好用。当第一个变量存储一个字符串时出现问题,然后我得到一个空字符串。我做这样的事情:
$pad = $cv->PADLIST; # $cv is the coderef to the sub
@scatchpad = $pad->ARRAY; # getting the scratchpad
@varnames = $scratchpad[0]->ARRAY; # getting the variablenames
@varcontents = $scratchpad[1]->ARRAY; # getting the Content from the vars
for (0 .. $#varnames) {
eval {
my $name = $varnames[$_]->PV;
my $content;
# following line matches numbers, works so far
$content = $varcontent[$_]->IVX if (scalar($varcontent[$_]) =~ /PVIV=/);
# should match strings, but does give me undef
$content = B::perlstring($varcontent[$_]->PV) if (scalar($varcontent[$_]) =~ /PV=/);
print "DEBUGGER> Local variable: ", $name, " = ", $content, "\n";
}; # there are Special vars that throw a error, but i don't care about them
}
就像我在评论中所说的那样,评估是为了防止暂存器中 B::Special 对象的错误。输出:
Local variable: $test = 42
Local variable: $text = 0
第一个输出没问题,第二个应该输出“TEXT”而不是0。
我究竟做错了什么?
编辑:通过一点编码,我得到了变量的所有值,但没有存储在@varnames 和@varcontents 的相同索引中。所以现在的问题是如何(以何种顺序)将值存储在@varcontents 中。
use strict;
use warnings;
use B;
sub testsub {
my $testvar1 = 42;
my $testvar2 = 21;
my $testvar3 = "testval3";
print "printtest1";
my $testvar4 = "testval4";
print "printtest2";
return "returnval";
}
no warnings "uninitialized";
my $coderef = \&testsub;
my $cv = B::svref_2object ( $coderef );
my $pad = $cv->PADLIST; # get scratchpad object
my @scratchpad = $pad->ARRAY;
my @varnames = $scratchpad[0]->ARRAY; # get varnames out of scratchpad
my @varcontents = $scratchpad[1]->ARRAY; # get content array out of scratchpad
my @vars; # array to store variable names adn "undef" for special objects (print-values, return-values, etc.)
for (0 .. $#varnames) {
eval { push @vars, $varnames[$_]->PV; };
if ($@) { push @vars, "undef"; }
}
my @cont; # array to store the content of the variables and special objects
for (0 .. $#varcontents) {
eval { push @cont, $varcontents[$_]->IV; };
eval { push @cont, $varcontents[$_]->PV; };
}
print $vars[$_], "\t\t\t", $cont[$_], "\n" for (0 .. $#cont);
EDIT2:添加了可运行脚本来演示该问题:变量名和变量值未存储在两个数组(@varnames 和 @varcontents)的同一索引中。