我编写了一个函数,它使用用户输入在单元格数组的一列中查找closet值并返回其索引。我使用此索引打印该索引处的所有列值。然后,这将向用户显示一个消息框。
prompt2 = 'Enter the Luminance value in cd/m^2';
linp = inputdlg (prompt2,'Input Value',1);
luser=str2double(linp);
for ab=1:num_files
files=char(fileloc(ab));
dev=dlmread(files);
round_tmp=abs(dev(:,4)-luser);
[val,ind]=min(round_tmp);
display(ind);
msgbox(sprintf(' Values at %0.3f cd/m^2 for \n %s are:- \n\n Voltage %0.3f V\n Current den. %0.3f mA/cm^2 \n Current %0.3f mA \n Efficiency %0.3f cd/A',luser,forlegend{ab},dev(ind,1),dev(ind,5),dev(ind,2),dev(ind,6)),'Resulting Values');
end
现在我在几个文件的'for'循环内重复这个过程,每次弹出一个像''这样的新消息框: Message boxes 在单个消息框中显示所有数据的最简单方法是什么?我尝试存储在一个文件中并重新显示它与消息框标题混淆。我只想在一个消息框中将所有数据放在另一个下面。有什么建议吗?
感谢您的帮助。
答案 0 :(得分:0)
如果您要在消息框中显示许多行,msgbox
搜索不是最佳解决方案,因为它没有滚动条,您将只看到一组部分行。
在这种情况下,一个简单的解决方案可能是通过以下方式构建自己的消息框:
figure
uicontrol editbox
pushbutton
来关闭图形(通过按钮的回调然后在循环中你可以:
string
uicontrol editbox
属性
您可以使用guide
创建更复杂的GUI。
此解决方案在以下代码中实现:
创建onw消息框
% Create the figure
f=figure('unit','normalized','name','MY-_MESSAGE-_BOX','numbertitle','off');
% Add an edit text box
my_msg_box=uicontrol('parent',f,'style','edit','max',3,'unit','normalized', ...
'HorizontalAlignment','left','position',[.1 .1 .7 .7])
% Add the OK button and set its callback to close the figure
ok_bt=uicontrol('parent',f,'style','pushbutton','unit','normalized', ...
'string','OK','position',[.85 .5 .1 .1],'callback','delete(f);clear f')
创建字符串并将其添加到编辑框
编辑以便在OP的评论
之后更清楚地了解代码在下面的示例中,在每次迭代期间,生成要显示的字符串(我已使用"数字"替换了变量luser,dev(ind,1),dev(ind,5),dev(ind,2),dev(ind,6)
以便测试代码)
% Generate the string in the loop
str='';
for i=1:10
% Replace the msgbox instruction with the code to simply print the
% string
% msgbox(sprintf(' Values at %0.3f cd/m^2 for \n %s are:- \n\n Voltage %0.3f V\n Current den. %0.3f mA/cm^2 \n Current %0.3f mA \n Efficiency %0.3f cd/A',luser,forlegend{ab},dev(ind,1),dev(ind,5),dev(ind,2),dev(ind,6)),'Resulting Values');
str=sprintf('%s\n Values at %0.3f cd/m^2 for \n %s are:- \n\n Voltage %0.3f V\n Current den. %0.3f mA/cm^2 \n Current %0.3f mA \n Efficiency %0.3f cd/A', ...
str,123,'abcdef',111,222,333,444);
% str=sprintf('%s This is:\n the STRING #%d\n\n',str,i)
% Add the strong to the edit box
set(my_msg_box,'string',str)
end
基本上,您只需使用msgbox
来电替换sprintf
指令。
关于sprintf
调用的实现(恢复可变项luser,dev(ind,1),dev(ind,5),dev(ind,2),dev(ind,6)
的部分),您必须:
%s
作为第一个格式描述符str
作为第一个输入参数这将允许"追加"字符串。
如果您只有几行显示,您可以在循环的每次迭代中简单地生成字符串,并将其附加到前一个字符串而不调用msgbox
函数。
在循环结束时,您可以致电msgbox
并向其提供"整体"字符串。
str='';
% Generate the string in a loop
for i=1:10
str=sprintf('%sThis is:\n the STRING #%d\n\n',str,i)
end
% Display the final string in the msgbox
msgbox(str,'Resulting Values')
希望这有帮助。
Qapla'