MATLAB は (meta
パッケージを使用して) クラス メタデータに関する情報を取得する方法を提供しますが、これは通常の関数ではなく OOP クラスでのみ使用できます。
1 つの秘訣は、処理したい関数のソースを含むクラス定義をオンザフライで作成し、MATLAB にソース コードの解析を任せることです (ご想像のとおり、これはトリッキーになる可能性があります: 関数定義行複数行にわたる、実際の定義の前のコメントなど...)
したがって、あなたの場合に作成される一時ファイルは次のようになります。
classdef SomeTempClassName
methods
function [value, remain] = divide(left, right)
%# ...
end
end
end
meta.class.fromName
その後、メタデータを解析するために渡すことができます...
これは、このハックの簡単な実装です。
function [inputNames,outputNames] = getArgNames(functionFile)
%# get some random file name
fname = tempname;
[~,fname] = fileparts(fname);
%# read input function content as string
str = fileread(which(functionFile));
%# build a class containing that function source, and write it to file
fid = fopen([fname '.m'], 'w');
fprintf(fid, 'classdef %s; methods;\n %s\n end; end', fname, str);
fclose(fid);
%# terminating function definition with an end statement is not
%# always required, but now becomes required with classdef
missingEndErrMsg = 'An END might be missing, possibly matching CLASSDEF.';
c = checkcode([fname '.m']); %# run mlint code analyzer on file
if ismember(missingEndErrMsg,{c.message})
% append "end" keyword to class file
str = fileread([fname '.m']);
fid = fopen([fname '.m'], 'w');
fprintf(fid, '%s \n end', str);
fclose(fid);
end
%# refresh path to force MATLAB to detect new class
rehash
%# introspection (deal with cases of nested/sub-function)
m = meta.class.fromName(fname);
idx = find(ismember({m.MethodList.Name},functionFile));
inputNames = m.MethodList(idx).InputNames;
outputNames = m.MethodList(idx).OutputNames;
%# delete temp file when done
delete([fname '.m'])
end
そして単に次のように実行します:
>> [in,out] = getArgNames('divide')
in =
'left'
'right'
out =
'value'
'remain'