是否有可能检查给定的Matlab脚本是由自己运行还是由另一个脚本调用?

时间:2016-02-12 09:24:23

标签: matlab if-statement call

我有一个Matlab脚本A,既可以自己运行,也可以被其他脚本调用。我想在脚本A中输入一个if语句,用于检查脚本是由自己运行还是由另一个脚本调用。我怎么检查这个?

2 个答案:

答案 0 :(得分:7)

你应该看看dbstack

  

dbstack显示导致当前断点的函数调用的行号和文件名,按其执行顺序列出。显示屏首先列出最近执行的函数调用(当前断点发生时)的行号,然后是其调用函数,后跟其调用函数,依此类推。

并且:

  

除了在调试时使用dbstack,还可以在调试上下文之外的MATLAB代码文件中使用dbstack。在这种情况下,获取和分析有关当前文件堆栈的信息。例如,要获取调用文件的名称,请在调用的文件中使用带有输出参数的dbstack。例如:

     

st=dbstack;

以下内容是从File Exchange上发布的iscaller函数中窃取的。

function valOut=iscaller(varargin)
stack=dbstack;
%stack(1).name is this function
%stack(2).name is the called function
%stack(3).name is the caller function
if length(stack)>=3
    callerFunction=stack(3).name;
else
    callerFunction='';
end
if nargin==0
    valOut=callerFunction;
elseif iscellstr(varargin)
    valOut=ismember(callerFunction,varargin);
else
    error('All input arguments must be a string.')
end    
end

这种方法的信用转到Eduard van der Zwan

答案 1 :(得分:2)

您可以使用dbstack - Function call stack功能。

让我们将其添加到脚本文件的开头,将其命名为'dbstack_test.m':

% beginning of script file
callstack = dbstack('-completenames');
if( isstruct( callstack ) && numel( callstack ) >= 1 )
    callstack_mostrecent = callstack(end); % first function call is last
    current_file = mfilename('fullpath'); % get name of current script file
    current_file = [current_file '.m']; % add filename extension '.m'

    if( strcmp( callstack_mostrecent.file, current_file ) )
        display('Called from itself');
    else
        display( ['Called from somewhere else: ' callstack_mostrecent.file ] );
    end
else
    warning 'No function call stack available';
end

添加第二个名为'dbstack_caller_test'的脚本来调用你的脚本:

run dbstack_test

现在,当您从控制台运行dbstack_test或单击MATLAB编辑器中的绿色三角形时:

>> dbstack_test
Called from itself

当您从dbstack_caller_test

调用它时
>> dbstack_caller_test
Called from somewhere else: /home/matthias/MATLAB/dbstack_caller_test.m

当您使用“运行当前部分”(Ctrl + Return)在MATLAB编辑器中调用它时,您将获得

Warning: No function call stack available 

当然,您可以根据调用堆栈中需要使用的级别来修改代码。

正如文档中已经提到的:“除了在调试时使用dbstack,您还可以在调试上下文之外的MATLAB代码文件中使用dbstack。”