Octave:在函数内部使用匿名函数

Octave : use anonymous function inside function

Octave 有没有办法在函数内部使用匿名函数? 我想避免函数文件和配置文件之间存在依赖关系。 配置文件的 link 应该只来自 main.m.


我的项目具有以下文件结构:

% config.m
ms2kmh = @(v) v * 3.6;
% main.m
source('config.m');
source('application.m');
% application_xy.m
x = 1;
y = 2;
A = function_xy(x, y)
% function_xy.m
function A = function_xy(x, y)
    source('config.m'); % <-- want to avoid this line
    A = x * ms2kmh(y);
end

谢谢

听起来您正在尝试创建具有状态的对象(在本例中为 x、y 输入和所需的函数句柄)。例如

% @application_xy/application_xy.m
function Obj = application_xy(x, y, fhandle)
  Obj = struct( 'x', x, 'y', y, 'f', fhandle );
  Obj = class( Obj, 'application_xy' );
end

% @application_xy/function_xy.m
function A = function_xy(Obj)
    A = Obj.x * Obj.f( Obj.y );
end

% config.m
ms2kmh = @(v) v * 3.6; 

% main.m
source('config.m');
MyObj = application_xy(1, 2, ms2kmh );
A = function_xy( MyObj )

This is the manual entry on object oriented programming in octave 如果您对它不太熟悉并想了解更多。