MATLAB: How to end function when condition is met

terminate function

I havent used Matlab for a while and was never really good at it. I need your help
How to terminate the function, as soon as NL reaches the number 1?
I think i have to put the 'if' and 'return' above the function but then Matlab tells me, that it doesnt know NL yet.
What am I doing wrong?
function NL = NLDestillationsblase(x, x0, Omega1)
NL = (x/x0).^(1./(Omega1-1)).*((1-x0)./(1-x)).^(Omega1./(Omega1-1))
if NL >= 1
return
end
end

Best Answer

x = 0:0.01:1;
NL = (x/x0).^(1./(Omega1-1)).*((1-x0)./(1-x)).^(Omega1./(Omega1-1))
Because x is a vector, and you are doing element-by-element operations, unless one of the other variables is not a scalar or row vector, then NL would be a row vector. NL is not going to be a scalar, because x is not a scalar and you are not doing any reduction operations such as sum()
if NL >= 1
In MATLAB, when you test a condition using if or while, the condition is considered true if all of the values being tested are non-zero. NL >= 1 with NL non-scalar is going to evaluate to a logical matrix the same sizes as NL. The test would then be considered to be true if all of the NL values are greater than or equal to 1. It is as-if you had written
if all(NL >= 1)
if you want the condition to be true as soon as at least one of the tests is satisfied, then write in any(), as in
if any(NL >= 1)
But you should be considering whether you need to loop over the x values, like
NL = zeros(size(x));
for xidx = 1 : numel(x)
NL(xidx) = (x(xidx)/x0).^(1./(Omega1-1)).*((1-x0)./(1-x(xidx))).^(Omega1./(Omega1-1));
if NL(xidx) >= 1
NL = NL(1:xidx);
return
end