1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61
|
#!perl -w
$|=1;
BEGIN {
require Config; import Config;
if ($Config{'extensions'} !~ /\bOpcode\b/ && $Config{'osname'} ne 'VMS') {
print "1..0\n";
exit 0;
}
}
use Safe 1.00;
use Test::More tests => 10;
my $safe = Safe->new('PLPerl');
$safe->permit_only(qw(:default sort));
# check basic argument passing and context for anon-subs
my $func = $safe->reval(q{ sub { @_ } });
is_deeply [ $func->() ], [ ];
is_deeply [ $func->("foo") ], [ "foo" ];
my $func1 = $safe->reval(<<'EOS');
# uses quotes in { "$a" <=> $b } to avoid the optimizer replacing the block
# with a hardwired comparison
{ package Pkg; sub p_sort { return sort { "$a" <=> $b } @_; } }
sub l_sort { return sort { "$a" <=> $b } @_; }
return sub { return join(",",l_sort(@_)), join(",",Pkg::p_sort(@_)) }
EOS
is $@, '', 'reval should not fail';
is ref $func, 'CODE', 'reval should return a CODE ref';
# $func1 will work in non-threaded perl
# but RT#60374 "Safe.pm sort {} bug with -Dusethreads"
# means the sorting won't work unless we wrap the code ref
# such that it's executed with Safe 'in effect' at runtime
my $func2 = $safe->wrap_code_ref($func1);
my ($l_sorted, $p_sorted) = $func2->(3,1,2);
is $l_sorted, "1,2,3";
is $p_sorted, "1,2,3";
# check other aspects of closures created inside Safe
my $die_func = $safe->reval(q{ sub { die @_ if @_; 1 } });
# check $@ not affected by successful call
$@ = 42;
$die_func->();
is $@, 42, 'successful closure call should not alter $@';
{
my $warns = 0;
local $SIG{__WARN__} = sub { $warns++ };
ok !eval { $die_func->("died\n"); 1 }, 'should die';
is $@, "died\n", '$@ should be set correctly';
is $warns, 0;
}
|