MATLAB: How to save the contents of a struct to a .mat file

structures

I have a 1×1 struct called dataout. It consists of several fields, each containing a cell array.
>> dataout
dataout =
field1: {6x6 cell}
field2: {6x6 cell}
field3: {6x6 cell}
field4: {6x6 cell}
I want to export this struct to a .mat file so that a = load('file.mat') will result in a struct-variable a containing all fields.
So in the end I want a .mat file which will fulfill the following:
>> a = load('file.mat')
a =
field1: {6x6 cell}
field2: {6x6 cell}
field3: {6x6 cell}
field4: {6x6 cell}
I have tried save(filename,'dataout') but this results in a .mat-file that reacts differently:
>> save('file.mat','dataout');
>> b = load('file.mat')
b =
dataout: [1x1 struct]
Can somebody help me?

Best Answer

Solution
This is exactly what load does when it has an output variable: it loads into one structure, where each field is one of the variables that were saved in the .mat file. So when you save only one variable dataout, the output of load is a structure with one field: dataout (your structure, but it could be anything). You can access your structure in the usual way:
S = load('file.mat');
b = S.dataout;
Here is a complete working example of this:
>> old.a = 12.7;
>> old.b = NaN;
>> old.c = 999;
>> save('test.mat','old')
>> S = load('test.mat');
>> new = S.old; % <- yes, you need this line!
>> new.a
ans = 12.700
Alternative
As an alternative you can actually change the save call to get exactly the effect that you desire, by using the '-struct' option:
>> save('test.mat','-struct','old') % <- note -struct option
>> new = load('test.mat');
>> new.c
ans = 999
This simply places all of the fields of the input scalar structure as separate variables in the mat file. Read the help to know more.