How to avoid omitting empty items while extracting part of a structure as an array?
Show older comments
For example, I have a structure
s = struct;
s(1).x = 1;
s(1).name = 'John';
s(2).name = 'Sarah'; % Sarah has no x values because of some unnoticed bug
s(3).x = 3;
s(3).name = 'Robert';
I would like know who is corresponding to "x = 3", so I tried:
disp([s.x].')
answer = s([s.x].' == 3 ).name % The correct answer should be Robert
The reason is that s(2).x was omitted when converting field x into an array.
Is there any way to avoid this dangerous situation?
2 Comments
It is because you don't compare the elements in a consistent way. For example,
s = struct;
s(1).x = 1;
s(1).name = 'John';
s(2).name = 'Sarah'; % Sarah has no x values because of some unnoticed bug
s(3).x = 3;
s(3).name = 'Robert';
[s.x].'
so you compare two element vector to a scalar (3).
The best way to avoid these, as you called it dangerous situations, is to make sure you don't have empty elements.
So correct way to implement this would be (one of many ways):
s = struct;
s(1).x = 1;
s(1).name = 'John';
s(2).name = 'Sarah'; % Sarah has no x values because of some unnoticed bug
s(3).x = 3;
s(3).name = 'Robert';
% Find empty elements and replace them with Nan
ind = cellfun(@isempty,{s(:).x});
s(ind).x = NaN;
answer = s([s.x].' == 3 ).name % The correct answer should be Robert
zhehao.nkd
on 8 Jan 2023
Accepted Answer
More Answers (0)
Categories
Find more on Data Type Identification in Help Center and File Exchange
Community Treasure Hunt
Find the treasures in MATLAB Central and discover how the community can help you!
Start Hunting!