我有一个很长的匿名函数,我想知道是否可以(容易地(修改帮助输出:
>> myfunc=@(x) x; %example anonymous function
>> help myfunc
myfunc is a variable of type function_handle.
我知道长匿名函数可能是一件很不寻常的事情——尽管如此:只要函数句柄存在,就可以实现这一点吗?
编辑:评论者询问了一个用例:我读到了具有多重输出的匿名函数(这里是Lorem关于matlab的艺术(,比如
fmeanVar = @(x) deal(mean(x), var(x));
%a long example function to split a cell array containing 3D matrices into two cell arrays
myfunc=@(x,c) deal(cellfun(@(d) d(:,:,1:c:end),x),cellfun(@(d) d(:,:,setxor(1:c:end,1:end)),x));
我想确保我记得第二个输出参数是什么,稍后,你知道。。。因为人类忘记了
您可以创建自己的匿名函数处理类,该类将模仿此功能,只为该对象类型隐藏help
函数。
我已经在下面写了这个类,但将首先展示用法,它只需要在您的路径上有这个类,并稍微调整您声明匿名函数的方式:
我们也可以覆盖该类类型的subsref
函数,然后您可以使用()
语法直接调用函数句柄,而不是按照Nicky的回答索引到结构中。
请注意,您必须传入句柄,而不是函数名(即help(f)
或f.help
,而不是help f
或help('f')
(。你必须完全隐藏help
函数才能绕过这个限制,我不会真正支持这个限制!
用法
>> f = anon( @() disp( 'Hi!' ), 'This function displays "Hi!"' );
>> help( f )
Input is a value of type function_handle.
This function displays "Hi!"
>> f()
Hi!
>> f = anon( @(x) x + 10, 'Adds 10 to the input' );
>> help( f )
Input is a value of type function_handle.
Adds 10 to the input
>> f(15:17)
ans =
[ 25, 26, 27 ]
>> f.func = @(x) x + 15;
>> f.helpStr = 'Adds 15 to the input'
>> f(15:17)
ans =
[ 30 31 32 ]
如果未指定,则保留默认功能句柄help
>> f = anon( @(x) x + 10 );
>> help( f )
Input is a value of type function_handle.
类代码
该类可以使用一些额外的输入检查等,但原则上有效!
classdef anon < handle
properties ( Access = public )
helpStr % String to display on help( obj )
func % Function handle (meant for anonymouse functions
end
methods
function obj = anon( func, helpStr )
assert( isa( func, 'function_handle' ) ); % Input check
obj.func = func;
if nargin > 1
obj.helpStr = helpStr; % Set help string
end
end
function help( obj )
h = help( obj.func ); % Normal behaviour.
if ~isempty( obj.helpStr )
% Custom string (does nothing if empty)
fprintf( '%s%sn', h, obj.helpStr );
else
disp( h );
end
end
function varargout = subsref( obj, s )
% Need to override the subsref behaviour to enable default
% function calling behaviour!
switch s(1).type
case '()'
[varargout{1:nargout}] = obj.func( s(1).subs{:} );
otherwise
[varargout{1:nargout}] = builtin('subsref', obj, s);
end
end
end
end
问题是,当您调用help
时,它会重新读取文件。当您使用创建匿名函数时
f = @(x) x %Sample text
则它忽略CCD_ 11并因此消失。一种解决方案是将它变成一个结构,其中一个字段是函数,另一个是帮助。例如,类似的东西
fMeanVar.fct = @(x) [mean(x), var(x)];
fMeanVar.help = "Second output is the variance"
因此,当你想使用你称之为的功能时
fMeanVar.fct([1,2,3,4])
如果你忘记了用法,你可以简单地拨打
fMeanVar.help
根据help
的Matlab文档,这是不可能的:
帮助名称显示由名称指定的功能的帮助文本,例如函数、方法、类、工具箱或变量。
不用于句柄,也不用于符号。