我正在编写Python的doctest
测试运行器for MATLAB的一个版本(部分工作......)。为了实现这一点,我需要在他们的m文件帮助中运行人们示例中的代码。我希望变量从一行延续到下一行,例如
% >> I = 5 + 33; % expect no output
% >> I
%
% I =
%
% 38
%
为了运行测试,我有一个循环匹配到搜索测试的REGEX。对于每个匹配,我evalc
示例并确保结果匹配:
for I = 1:length(examples)
try
got = evalc(examples(I).source);
catch exc
got = ['??? ' exc.message];
end
% process the result...
end
问题是示例的I
定义现在已经破坏了循环中的循环变量,因为赋值从eval
转移到外部作用域。我环顾四周寻找能够创建新范围/工作区的东西,但evalin
只能重新使用调用者的工作区,这更糟糕。我也考虑了调用子函数或save
/ load
的选项,但没有得到任何地方,但也许我只是没有考虑过。
所以我想我只需要命名我的所有变量doctest__system__*
并使用命名空间问题......除非你对策略以避免变量名称冲突有另一个想法?< / p>
答案 0 :(得分:4)
一个非常有趣的项目肯定..我认为最好的选择是编写一个单独的函数来执行测试,并为此函数内的所有变量使用唯一的前缀,以避免名称冲突。在这里我尝试了这个:
function [PREFIX_b varargout] = testContext(PREFIX_src, PREFIX_srcOutput)
%# TESTCONTEXT Executes the source code and tests for
%# equality against the expected output
%#
%# Input:
%# PREFIX_src - source to execute, cellarry of statements
%# PREFIX_srcOutput - output to expect, cellarray of output of each statement
%#
%# Output:
%# PREFIX_b - true/false for success/failure of test
%# note that the output is strtrim()'ed then strcmp()'ed
%# varargout{1} - variable names assigned in this confined context
%# varargout{2} - variable values assigned
%#
%# Example 1:
%# source = { 'I = 5+33;' 'I' };
%# output = { [], ['I =' char(10) ' 38'] };
%# b = testContext(source, output);
%#
%# Example 2:
%# source = { 'I = 5+33; J = 2;' 'K = 1;' 'disp(I+J+K)' };
%# output = { [], [], '41' };
%# [b varNames varValues] = testContext(source, output);
%#
%# See also: eval evalc
%#
PREFIX_b = true;
try
%# for each statement
for PREFIX_i=1:numel(PREFIX_src)
%# evaluate
PREFIX_output = evalc( PREFIX_src{PREFIX_i} );
PREFIX_output = strtrim(PREFIX_output); %# trim whitespaces
%# compare output
if ~isempty( PREFIX_srcOutput{PREFIX_i} )
if ~strcmp(PREFIX_output,PREFIX_srcOutput{PREFIX_i})
PREFIX_b = false;
return
end
end
end
if nargout > 1
%# list created variables in this context
%#clear ans
PREFIX_vars = whos('-regexp', '^(?!PREFIX_).*'); %# java regex negative lookahead
varargout{1} = { PREFIX_vars.name };
if nargout > 2
%# return those variables
varargout{2} = cell(1,numel(PREFIX_vars));
for PREFIX_i=1:numel(PREFIX_vars)
[~,varargout{2}{PREFIX_i}] = evalc( PREFIX_vars(PREFIX_i).name );
end
end
end
catch ME
warning(ME.identifier, ME.message)
PREFIX_b = false;
varargout{1} = {};
varargout{2} = {};
end
end
我假设您能够解析m文件以恢复要测试的示例,其中包含每个语句及其预期输出。
作为一个例子,考虑嵌入在函数头中的这个简单测试:
I = 5 + 33;
J = 2*I;
disp(I+J)
由于只有最后一个语句有输出,我们将其测试为:
source = {'I = 5 + 33;' 'J = 2*I;' 'disp(I+J)'};
output = {[], [], '114'};
[b varNames varValues] = testContext(source, output)
结果:
b =
1
varNames =
'I' 'J'
varValues =
[38] [76]
它显示测试是否通过失败。可选地,该函数返回在该上下文中创建的变量列表及其值。