nargin is definitely the easiest way of doing it. Also it is usually good practise to validate the number of input argument using nargchk:
function e = testFunc(a,b,c,d)
    error( nargchk(2, 4, nargin, 'struct') );
    % set default values
    if nargin<4, d = 0; end
    if nargin<3, c = 0; end
    % ..
    c = a*b + c*d;
end
... which acts as a way to ensure the correct number of arguments is passed. In this case, a minimum of two arguments are required, with a maximum of four.
If nargchk detects no error, execution resumes normally, otherwise an error is generated. For example, calling testFunc(1) generates:
Not enough input arguments.
You can use functions like: exist and isempty  to check whether a variable exists and whether it is empty respectively:
if ~exist('c','var') || isempty(c),
  c = 10;
end
which allows you to call your function such as: testFunc(1,2,[],4) telling it to use the default value for c but still giving a value for d
You could also use varargin to accept a variable number of arguments.
Finally a powerful way to parse and validate named inputs is to use inputParser
To see examples and other alternatives of passing arguments and setting default values, check out this post and its comments as well.