- Undocumented Matlab - https://undocumentedmatlab.com -

Rich Matlab editbox contents

Posted By Yair Altman On January 20, 2010 | 53 Comments

In an earlier post, I mentioned that most Matlab uicontrols support HTML strings [1]. Unfortunately, HTML is not supported in multi-line editbox contents. Today I will show how this limitation can be removed for a multi-line editbox, thereby enabling rich contents (enabling HTML for a single-line editbox needs a different solution).
We first need to get the editbox’s underlying Java object, as explained in my previous article about the findjobj utility [2]. Since a multi-line editbox is contained within a scroll-pane, we need to dig within the scrollpane container to find the actual editable area object:

% Create a multi-line (Max>1) editbox uicontrol
hEditbox = uicontrol('style','edit', 'max',5, ...);
% Get the Java scroll-pane container reference
jScrollPane = findjobj(hEditbox);
% List the scroll-pane's contents:
>> jScrollPane.list
com.mathworks.hg.peer.utils.UIScrollPane[,0,0,100x50,...]
 javax.swing.JViewport[,1,1,81x48,...]
  com.mathworks.hg.peer.EditTextPeer$hgTextEditMultiline[,0,0,81x48,...,kit=javax.swing.text.StyledEditorKit@ce05fc,...]
 com.mathworks.hg.peer.utils.UIScrollPane$1[,82,1,17x48,...]
  com.sun.java.swing.plaf.windows.WindowsScrollBarUI$WindowsArrowButton[,0,31,17x17,...]
  com.sun.java.swing.plaf.windows.WindowsScrollBarUI$WindowsArrowButton[,0,0,17x17,...]
 com.mathworks.hg.peer.utils.UIScrollPane$2[,0,0,0x0,...]
  com.sun.java.swing.plaf.windows.WindowsScrollBarUI$WindowsArrowButton[,0,0,0x0,...]
  com.sun.java.swing.plaf.windows.WindowsScrollBarUI$WindowsArrowButton[,0,0,0x0,...]

In this listing, we see that jScrollPane contains a JViewport and two scrollbars (horizontal and vertical), as expected from standard Java scroll-panes [3]. We need the internal hgTextEditMultiline object:

jViewPort = jScrollPane.getViewport;
jEditbox = jViewPort.getComponent(0);

The retrieved jEditbox reference, is an object of class com.mathworks.hg.peer.EditTextPeer$hgTextEditMultiline, which indirectly extends the standard javax.swing.JTextPane [4]. The default Matlab implementation of the editbox uicontrol simply enables a multi-line vertical-scrollable text area using the system font. However, the underlying JTextPane object enables many important customizations, including the ability to specify different font attributes (size/color/bold/italic etc.) and paragraph attributes (alignment etc.) for text segments (called style runs) and the ability to embed images, HTML and other controls.
Setting rich contents can be done in several alternative ways. From easiest to hardest:

Setting page URL

Use the setPage(url) method to load a text page from the specified URL (any pre-existing editbox content will be erased). The page contents may be plain text, HTML or RTF. The content type will automatically be determined and the relevant StyledEditorKit [5] and StyledDocument [6] will be chosen for that content. Additional StyledEditorKit content parsers can be registered to handle additional content types. Here’s an example loading an HTML page:

jEditbox.setPage('http://tinyurl.com/c27zpt');

where the URL’s contents are:



This is an uneditable JEditorPane, which was
initialized with HTML text
from a URL.

An editor pane uses specialized editor kits to read, write, display, and edit text of different formats. The Swing text package includes editor kits for plain text, HTML, and RTF. You can also develop custom editor kits for other formats.

Matlab editbox initialized from an HTML webpage URL
Matlab editbox initialized from an HTML webpage URL

Setting the EditorKit and ContentType

Set the requested StyledEditorKit (via setEditorKit()) or ContentType properties and then use setText() to set the text, which should be of the appropriate content type. Note that setting EditorKit or ContentType clears any existing text and left-aligns the contents (hgTextEditMultiline is center aligned by default). Also note that HTML <div>s get their own separate lines and that <html> and <body> opening and closing tags are accepted but unnecessary. For example:

jEditbox.setEditorKit(javax.swing.text.html.HTMLEditorKit);
% alternative: jEditbox.setContentType('text/html');
htmlStr = ['
'... 'Matlab
GUI is ' ... 'highly customizable']; jEditbox.setText(htmlStr)

HTML contents in a Matlab editbox
HTML contents in a Matlab editbox

Let’s show another usage example, of an event log file, spiced with icons and colored text based on event severity. First, define the logging utility function (the icon filenames may need to be changed based on your Matlab release):

function logMessage(jEditbox,text,severity)
   % Ensure we have an HTML-ready editbox
   HTMLclassname = 'javax.swing.text.html.HTMLEditorKit';
   if ~isa(jEditbox.getEditorKit,HTMLclassname)
      jEditbox.setContentType('text/html');
   end
   % Parse the severity and prepare the HTML message segment
   if nargin<3,  severity='info';  end
   switch lower(severity(1))
      case 'i',  icon = 'greenarrowicon.gif'; color='gray';
      case 'w',  icon = 'demoicon.gif';       color='black';
      otherwise, icon = 'warning.gif';        color='red';
   end
   icon = fullfile(matlabroot,'toolbox/matlab/icons',icon);
   iconTxt =[''];
   msgTxt = [' ',text,''];
   newText = [iconTxt,msgTxt];
   endPosition = jEditbox.getDocument.getLength;
   if endPosition>0, newText=['
' newText]; end % Place the HTML message segment at the bottom of the editbox currentHTML = char(jEditbox.getText); jEditbox.setText(strrep(currentHTML,'',newText)); endPosition = jEditbox.getDocument.getLength; jEditbox.setCaretPosition(endPosition); % end of content end

Now, let’s use this logging utility function to log some messages:

logMessage(jEditbox, 'a regular info message...');
logMessage(jEditbox, 'a warning message...', 'warn');
logMessage(jEditbox, 'an error message!!!', 'error');
logMessage(jEditbox, 'a regular message again...', 'info');

Rich editbox contents (a log file)
Rich editbox contents (a log file)

HTML editboxes are normally editable, images included. In actual applications, we may wish to prevent editing the display log. To do this, simply call jEditbox.setEditable(false).
Setting a hyperlink handler is easy: first we need to ensure that we’re using an HTML content-type document. Next, set the editbox to be uneditable (hyperlinks display correctly when the editbox is editable, but are unclickable), using jEditbox.setEditable(false). Finally, set the callback function in the editbox’s HyperlinkUpdateCallback property:

jEditbox.setContentType('text/html');
jEditbox.setText('link: UndocumentedMatlab.com');
jEditbox.setEditable(false);
hjEditbox = handle(jEditbox,'CallbackProperties');
set(hjEditbox,'HyperlinkUpdateCallback',@linkCallbackFcn);
function linkCallbackFcn(src,eventData)
   url = eventData.getURL;      % a java.net.URL object
   description = eventData.getDescription; % URL string
   jEditbox = eventData.getSource;
   switch char(eventData.getEventType)
      case char(eventData.getEventType.ENTERED)
               disp('link hover enter');
      case char(eventData.getEventType.EXITED)
               disp('link hover exit');
      case char(eventData.getEventType.ACTIVATED)
               jEditbox.setPage(url);
   end
end

Hyperlink in editbox
Hyperlink in editbox

Setting the style runs programmatically

Setting the styles programmatically, one style run after another, can be done via the text-pane’s Document property object. Individual character ranges can be set using the Document’s setCharacterAttributes method, or entire style runs can be inserted via insertString. Attributes are updated using the static methods available in javax.swing.text.StyleConstants. These methods include setting character attributes (font/size/bold/italic/strike-through/underline/subscript/superscript and foreground/background colors), paragraph attributes (indentation/spacing/tab-stops/bidi), image icons and any Swing Component (buttons etc.). Here is the end result:

Rich editbox contents: images, controls & font styles
Rich editbox contents: images, controls & font styles

Note that if a styled multi-line editbox is converted to a single-line editbox (by setting hEditbox’s Max property to 1), it loses all style information, embedded images and components. Returning to multi-line mode will therefore show only the plain-text.

Categories: GUI, High risk of breaking in future versions, Java, UI controls


53 Comments (Open | Close)

53 Comments To "Rich Matlab editbox contents"

#1 Pingback By Customizing listbox & editbox scrollbars | Undocumented Matlab On February 1, 2010 @ 10:40

[…] The timing is particularly opportune, after I have recently described how the Matlab Editbox can be customized by accessing its underlying Java object […]

#2 Comment By amichay On March 22, 2010 @ 07:33

Thanks.

Can you please explain how I can read from the editbox this information – for example what is the color of the first word in the third line?

I have problems understanding that part or retreiving information.

#3 Comment By Yair Altman On March 23, 2010 @ 14:58

@Amichay – if you use style runs then you can try to use getCharacterAttributes(); if you use HTML you don’t have an easy solution AFAIK, but if you are in control of the data that is placed in the editbox then you can keep meta-data information stored where it can later be retrieved (for example, in the control’s appdata).

#4 Comment By amichay On April 1, 2010 @ 00:46

Yair,
I actually want to get (by copy paste) a text with colored text (such for example as some editros like matlab m-file editor) into the editbox (or if you can suggest something better) and process the text also according to the text color. Can you suggest what to do?

#5 Comment By Yair Altman On April 1, 2010 @ 15:08

@Amichay – when you copy a styled Matlab text, it gets copied as Rich-Text Formatted (RTF) data. Some applications, like MS Word, automatically know how to use RTF data when you paste sch contents into them. If you need to paste into your own application, you need to create a dedicated RTF-sensitive CCP drop target. This is a very technical issue that is well outside the boundaries of this comment (or blog). You can start [13].

#6 Comment By Youlian On June 4, 2010 @ 05:37

Hello,
first I would like to thank you for the usefull information I found in your blog. And now to my question: Do you know an easy way to have a matlab editor like features (syntax highliting, smart indent, …) in an editable multiline text box?

Thank you!

Best regards

Youlian

#7 Comment By Yair Altman On June 4, 2010 @ 05:54

@Youlian – Yes it is possible. Here’s a short code snippet demonstrating this (I will provide more details and other possibilities in an article sometime in the upcoming weeks):

jCodePane = com.mathworks.widgets.SyntaxTextPane;
codeType = com.mathworks.widgets.text.mcode.MLanguage.M_MIME_TYPE;
jCodePane.setContentType(codeType)
str = ['% create a file for output\n' ...
       '!touch testFile.txt\n' ...
       'fid = fopen(''testFile.txt'', ''w'');\n' ...
       'for i=1:10\n' ...
       '    % Unterminated string:\n' ...
       '    fprintf(fid,''%6.2f \n, i);\n' ...
       'end'];
str = sprintf(strrep(str,'%','%%'));
jCodePane.setText(str)
jScrollPane = com.mathworks.mwswing.MJScrollPane(jCodePane);
[jhPanel,hContainer] = javacomponent(jScrollPane,[10,10,300,100],gcf);

SyntaxTextPane panel (Matlab MIME type)
SyntaxTextPane panel (Matlab MIME type)

#8 Comment By Youlian On June 8, 2010 @ 07:05

Hello Yair,

thank you very much for your fast response. The code you posted worked quite well, with one exception, which is probably Matlab version dependent. The statement:
codeType = com.mathworks.widgets.text.mcode.MLanguage.M_MIME_TYPE;

led in Matlab 2008b to the following Matlab error:
??? Undefined variable “com” or class
“com.mathworks.widgets.text.mcode.MLanguage.M_MIME_TYPE”.

Instead of it I used:
codeType = com.mathworks.widgets.SyntaxTextPane.M_MIME_TYPE;

I tested it in Matlab 7.1, 2006b, 2007a and 2008b and it worked well.

Thank you very much once again!

Best regards

Youlian

#9 Comment By Yair Altman On July 14, 2010 @ 09:06

@Youlian and any other reader interested in syntax highlighting – I posted an expanded article about this topic in [14]

#10 Comment By Camilo On July 16, 2010 @ 08:55

Hello,
it’s possible to set this property (Matlab Syntax) in a uicontrol type text?
thanks.

Thank you!

Best regards

Camilo

#11 Comment By Yair Altman On July 16, 2010 @ 09:05

Regular Matlab uicontrols do not support syntax hiliting – you need to use one of the controls I mentioned in [15]

#12 Comment By Noushin On September 21, 2010 @ 19:05

Hi
Thank you very much for the useful info. In my GUI, I first read a long string from an editbox (multiple lines) and then I’d like to change the font color of a portion of this text and display it in the same editbox. I’m not familiar with HTML coding but that’s what I did using your example above:

hEditbox=handles.my_editbox;
jScrollPane = findjobj(hEditbox);
jViewPort = jScrollPane.getViewport;
jEditbox = jViewPort.getComponent(0);
jEditbox.setEditorKit(javax.swing.text.html.HTMLEditorKit);
htmlStr = [str_part1,'', str_part2,'', str_part3);
jEditbox.setText(htmlStr);

the formatted string is displayed in the editbox however, it is no longer divided nicely between multiple lines! There is a very long first line where most of the string is out of the right margin. I was wondering is there is another setting that I need to tune for this to be properly displayed?

I appreciate your help, Noushin

#13 Comment By Yair Altman On September 21, 2010 @ 23:53

@Noushin – of course; HTML is not multi-line by default, as you will notice if you prepare a multi-line HTML file and load it in your browser. To separate lines, you can use the HTML <p> or <br> tags. The [16] website is a good reference & tutorial for HTML and related technologies.

#14 Comment By Jorge On April 4, 2011 @ 09:26

Nice article with useful information. But i have problem. I try overline text, but it doesnt work.

htmlStr = ['Matlab'];
jEditbox.setText(htmlStr)
 

Is there any change, how to make overline text ?

Thank you for answer

#15 Comment By Jorge On April 4, 2011 @ 09:30

htmlStr contains, but it doesnt show: *div style=”text-decoration: overline”+text*/div+….* means

#16 Comment By Yair Altman On April 25, 2011 @ 13:25

@Jorge – unfortunately, not all CSS style formattings are supported

#17 Comment By Andrew On May 10, 2012 @ 06:14

Hi Yair,
I’m creating a message log on an application I’m working on. I appreciate your tutorial on how to do this using HTML tags. I saw on the w3school website that the HTML “font” tag has been depricated. It says to use style tags instead. I tried modifying your logMessage function to use styles instead of the depricated tags. When I do this, it only works for the most recent line. When I looked closer, it appeared that either “setText” or “getText” is removing a bunch of the HTML tags I put in. As a result, all the previous lines show up unformatted. Please let me know your thoughts.
Thanks!
~Andrew

#18 Comment By Yair Altman On May 10, 2012 @ 14:17

@Andrew – only a subset of CSS is processed correctly by Swing (which is used for Matlab’s controls). I showed a simple example of using CSS styles in the [17] of the article, but note that many style directives are simply ignored. The Font tag may be deprecated but it works great…

Re setText(), remember that it sets the entire text, so you must preserve the previous hyper-text tags and styles when you add new lines. There’s no magic in there, recheck your code.

#19 Comment By Andrew On June 22, 2012 @ 08:57

Hi Yair,
Thanks for the feedback. I’ve got one more question for ya. I’m using your logMessage function (modified for my purposes). Any idea on how I could keep the log window from flickering when it updates? It looks like, when you set the text, it jumps to the top, then when setting the caret position, it jumps back down. Is there any way to default it to the bottom of the text?
Thanks!
~Andrew

#20 Comment By Yair Altman On June 27, 2012 @ 13:43

@Andrew – try calling drawnow only after you update the underlying Java component. Also, keep the Java handle cached in the listbox’s UserData or ApplicationData properties (or some other place) so that you don’t need to call findjobj each time you update the log.

#21 Comment By Nick On July 11, 2012 @ 05:17

Hi Yair,

How did you get the text to wrap in the “Setting the style runs programmatically” section above? When I place a long line in a multiline editbox formatted for HTML, it continues past the right boundary of the box without wrapping. Did you manually insert breaks in the HTML? Or did the box handle wrapping automatically via some setting?

#22 Comment By Yair Altman On July 11, 2012 @ 05:31

@Nick – try jEditbox.setWrapping(true)
If you use HTMLEditorKit this should be the default, I’m not sure why this is not the case for you.

#23 Comment By Nick On July 11, 2012 @ 05:40

I forgot to mention: this only applies when a line has no spaces. Otherwise text wraps properly. For instance, if a single word is longer than the width of the box, the editbox expands to the size of that word without providing horizontal sliders. Ideally, there would be horizontal sliders created or the long word would be split onto multiple lines. Can either of those options be achieved?

#24 Comment By Yair Altman On July 11, 2012 @ 05:52

@Nick – of course this matters! auto-wrapping only works between words, not within words.
You could modify the editbox scrolling policy as described here: [18]

#25 Comment By Nick On July 11, 2012 @ 09:18

Here’s an example of “Setting the style runs programmatically”. I thought it might save folks a little time if they want to, for instance, highlight a certain character or do other formatting without involving HTML.

% Create new figure and edit box populated with string
f = figure;
editboxString = sprintf('Summary Results\nResult: Fail\nCriteria: 1,2,3\nTest Path: c:/users/nick/asdfasdfkasdaadsfvsd/asdfasdfas/fdadsfa/asdfsadf/adsfa');
h = uicontrol('Style','edit','Position',[70 70 200 300],'max',5, 'HorizontalAlignment','Left', 'String',editboxString);

% Get Java components of editbox
jScrollPane = findjobj(h);
jViewPort = jScrollPane.getComponent(0);
jEditbox = jViewPort.getComponent(0);
jDocument = jEditbox.getDocument();

% Create new attribute set to highlight "Fail" in red
jAttributeSet = javax.swing.text.SimpleAttributeSet();
jColor = java.awt.Color(1,0,0);
javax.swing.text.StyleConstants.setForeground(jAttributeSet,jColor);

% Search for "Fail" and highlight it
indices = strfind(editboxString,'Fail');
if ~isempty(indices)   
   for iLoop = 1:length(indices)
      % Note: subtract 1 for Java 0-based indices
      jDocument.setCharacterAttributes(indices(iLoop)-1,length('Fail'),jAttributeSet,true);
   end
end

#26 Comment By Yair Altman On July 11, 2012 @ 10:18

Interested readers can find a lot more information about editbox customizations, including style runs, in section 6.5.2 of my [19]

#27 Comment By Chris Hoogeboom On March 15, 2013 @ 10:03

Hi Yair,

Thanks so much for your site. It has been incredibly useful!

I am currently making something similar to your log message function above. I’ve enabled HTML in my message box by calling

jEditbox.setContentType('text/html');

and I’ve disabled the editing of text by calling

jEditbox.setEditable(false);

Unfortunately, I can’t select the text anymore (eg. to copy it)! Do you have any idea why this might be? Let me know if you need any more details!

Best,

Chris

#28 Comment By Chris Hoogeboom On March 15, 2013 @ 10:04

Nevermind… I immediately figured it out after posting my comment!

I had set the ‘MouseDownCallback’ to send focus elsewhere.

#29 Comment By Keming On April 24, 2013 @ 20:38

Dear Yair,

I have modified your logMessage function for my purposes. I am able to show a text on the edit box like what I want by logMessage function , but I don’t know how to remove all the text from the edit box.
Actually, I can remove all text by first time to use “set(handles.edit,’String’,”)”. But if I implement logMessage to show text again, the code “set(handles.edit,’String’,”)” is not working any more!
Could you please to help me sovle this problem?
Thank you in advance!

#30 Comment By Yair Altman On April 25, 2013 @ 01:13

@Kemimg – you can use

jEditbox.setText('')

#31 Comment By Keming On April 26, 2013 @ 03:39

Thank you very much! Yair.

#32 Pingback By Real-time trading system demo | Undocumented Matlab On May 29, 2013 @ 08:13

[…] Log box with rich HTML contents: icons and color-coded messages […]

#33 Comment By Shakes On June 20, 2013 @ 04:32

Hello,

This is very useful.

I have used your editbox example and I can format it exactly the way I want. However, when I added a hyperlink I want it to be like this:
<a href="a=3">Name</a>

So it executes something in Matlab. However it throws an error:
Error using TradeDetails>linkCallbackFcn (line 152)
Java exception occurred:
java.io.IOException: invalid url

at javax.swing.JEditorPane.setPage(Unknown Source)

From an editbox like this how can I execute a matlab function?

Thank you.

#34 Comment By Yair Altman On June 20, 2013 @ 04:43

@Shakes – Matlab commands typically need the “matlab:” prefix (see [20] for example). However, I am not sure that this is supported in editbox hyperlinks.

#35 Comment By Shakes On June 20, 2013 @ 05:25

Thank you for the quick reply Yair. I forgot to include that in the post but I did include it but it did not work.

Instead I just entered a link such as magic(4)

URL does not show it in your example but the description does (as a string of course – saw it after my reply here). I used that to execute it. So little bit of a workaround but it is effective!

Thank you very much.

#36 Comment By Hannah On July 9, 2013 @ 16:41

Hi Yair,

Thank you again for this post, this is very useful! I was wondering if I could do the same thing for a msgbox() application? Like is there a way similar to this to also edit the text in java/html using a msgbox?

#37 Comment By Yair Altman On July 9, 2013 @ 17:33

@Hanna – a msgbox is simply a small figure window that has a text label, uicontrol button and (optionally) an axes that displays an icon. Take a look at msgbox.m, it’s pretty simple. You can do the same thing in your own figure window, placing an editbox in there. Then you can customize it as shown in the article.

#38 Pingback By Rich-contents log panel | Undocumented Matlab On September 19, 2013 @ 09:35

[…] editbox. Unfortunately, HTML is not as-easy to use in multi-line editbox contents, but as I have shown before, it is indeed possible and actually quite powerful. In fact, I am using such an editbox-based log […]

#39 Comment By Ravi On January 14, 2014 @ 05:00

hi,

I’m new to matlab but i have been working on a project where a data from the gui login frame have to be saved on word file(.doc) i have created login frame but unable to get the data into word file. can u please help me on this.

#40 Comment By Yair Altman On January 14, 2014 @ 08:33

@Ravi – you can use my [21] in order to save Matlab data and plots in a Word document.

#41 Comment By Jveer On November 14, 2014 @ 06:55

Hi Yair

This functionality seems to break down in R2104b. (I’m using the latest findjobj btw).

No appropriate method, property, or field getViewport for class handle.handle.
Error in test>test_OutputFcn (line 68)
        jViewPort=jScrollPane.getViewport;
Error in gui_mainfcn (line 264)
        feval(gui_State.gui_OutputFcn, gui_hFigure, [], gui_Handles);

Please advise.

#42 Comment By Yair Altman On November 14, 2014 @ 07:05

@JVeer – it works for me on R2014b (Win7 x64) in the command prompt…

I suspect that either your editbox or its containing figure is hidden (in which case findjobj cannot find it), or has not yet had time to fully render (in which case, adding a simple drawnow; pause(0.2); [22]). The latter is more probable, since it could be a direct consequence of one of the changes introduced in 14b, namely that [23].

#43 Comment By Jveer On November 16, 2014 @ 03:02

@Yair

Thanks for the suggestion but ‘drawnow; pause(0.2);’ didn’t work.

I did figure it out though. It turns out findobj is creating 6 handles instead of 1 (i’m guessing due to the 6 cores).

Doing the following gets it to run properly:

jViewPort=jScrollPane(2).getViewport;

However, to ensure it always works, I’m using:

for k=1:numel(jScrollPane)
  try jViewPort=jScrollPane(k).getViewport;
  catch,end
end

It is worth noting that from time to time for no apparent reason I get the following exception. The GUI still works fine though. Any suggestions?

Exception in thread "AWT-EventQueue-0" java.lang.NullPointerException
	at javax.swing.plaf.basic.BasicTextUI$RootView.paint(Unknown Source)
	at javax.swing.plaf.basic.BasicTextUI.paintSafely(Unknown Source)
	at javax.swing.plaf.basic.BasicTextUI.paint(Unknown Source)
	at javax.swing.plaf.basic.BasicTextUI.update(Unknown Source)
	at javax.swing.JComponent.paintComponent(Unknown Source)
	at javax.swing.JComponent.paint(Unknown Source)
	at javax.swing.JComponent.paintToOffscreen(Unknown Source)
	at javax.swing.RepaintManager$PaintManager.paintDoubleBuffered(Unknown Source)
	at javax.swing.RepaintManager$PaintManager.paint(Unknown Source)
	at javax.swing.RepaintManager.paint(Unknown Source)
	at javax.swing.JComponent._paintImmediately(Unknown Source)
	at javax.swing.JComponent.paintImmediately(Unknown Source)
	at javax.swing.RepaintManager.paintDirtyRegions(Unknown Source)
	at javax.swing.RepaintManager.paintDirtyRegions(Unknown Source)
	at javax.swing.RepaintManager.prePaintDirtyRegions(Unknown Source)
	at javax.swing.RepaintManager.access$700(Unknown Source)
	at javax.swing.RepaintManager$ProcessingRunnable.run(Unknown Source)
	at java.awt.event.InvocationEvent.dispatch(Unknown Source)
	at java.awt.EventQueue.dispatchEventImpl(Unknown Source)
	at java.awt.EventQueue.access$200(Unknown Source)
	at java.awt.EventQueue$3.run(Unknown Source)
	at java.awt.EventQueue$3.run(Unknown Source)
	at java.security.AccessController.doPrivileged(Native Method)
	at java.security.ProtectionDomain$1.doIntersectionPrivilege(Unknown Source)
	at java.awt.EventQueue.dispatchEvent(Unknown Source)
	at java.awt.EventDispatchThread.pumpOneEventForFilters(Unknown Source)
	at java.awt.EventDispatchThread.pumpEventsForFilter(Unknown Source)
	at java.awt.EventDispatchThread.pumpEventsForHierarchy(Unknown Source)
	at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
	at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
	at java.awt.EventDispatchThread.run(Unknown Source)

#44 Comment By David M On January 9, 2015 @ 14:04

Yair,

I wish to limit the number of characters a JTextPane can contain. Accordingly, I plan to implement a document filter, which will impose a max character limit of my choosing. ( [24])

 
jTextPane = javax.swing.JTextPane();
maxCharacters = 300;

import javax.swing.text.*
doc = jTextPane.getStyledDocument();
doc.setDocumentFilter();
% ...
% ...
% ...

Still, I am unable to connect the next step in the process; how do I add a documentFilter? NOTE: Matlab will not let me access javax.swing.text.DocumentFilter.FilterBypass, a necessary input.

#45 Comment By Mario On February 23, 2016 @ 12:16

Yeah, I am also interested in that topic! 🙂

#46 Comment By Scott C On January 7, 2016 @ 09:43

Hi Yair,

Thanks for the great ideas.

I would like to create an enriched MATLAB listbox where each line can have its own icon, font style, and callback.

Is this possible along the same lines as the edit box example above?

#47 Comment By Yair Altman On January 7, 2016 @ 09:45

@Scott – I think you are looking for this: [25]

#48 Comment By Antonio On May 6, 2016 @ 16:53

Hello Yair,

Thanks for your tips and this web.

I have an easy question, I think. I’ve created an edit box and placed a simple HTML text on it. I also have created a button to copy this formatted text to the clipboard when you push on it. But as we are working within the ‘java space’ and the function “get(hObject,’String’)” no longer works, I have no clue on how to do it.

#49 Comment By Chopper On October 6, 2016 @ 17:05

Hello there,

I am kind of new when it comes to combining MATLAB with Java..
However, I would like to ask on something that is related to this ‘Rich-Editbox’

Well, I read and set the HTML with the following codes: –

myHtml = 'About1.html';
readFile = fileread(myHtml);

hFig = gcf;
jEditPane = javax.swing.JEditorPane('text/html', readFile)
jScrollPane = javax.swing.JScrollPane(jEditPane)

[hcomponent, hcontainer] = javacomponent( jScrollPane, [], hFig)
set(hcontainer, 'units', 'normalized', 'position', [0,0,1,1]);

The texts are fine but not for the image.

Supposedly it should be displaying like this (directly from html page)
[26]

but in MATLAB, it appeared like this one
[27]

All the src=’path’ is correct.. But I have no idea on how to display the image in MATLAB… Any idea?

Regards,

#50 Comment By Yair Altman On October 6, 2016 @ 17:09

@Chopper – see here: [28]

#51 Comment By Chopper On October 6, 2016 @ 17:33

@Yair

It works! Just have to add ‘file:/’ at the front of the path!
Thank you so much Sir!
😀

#52 Comment By Jeroen Boschma On March 13, 2023 @ 13:17

I do not seem to get the scrollbars (horizontal…) working in Matlab 2020b. Snippets of init-code (all based on Yair’s snippets on this site)

handles.text_explorer = uicontrol(fig, 'Style','Edit', 'Units','characters', 'Max',1000, 'HorizontalAlignment','Left', 'Position',pos_text_explorer);
handles.jScrollPane = findjobj_fast(handles.text_explorer);
jViewPort           = handles.jScrollPane.getViewport;
handles.jEditbox    = jViewPort.getComponent(0);
handles.jEditbox.setEditorKit(javax.swing.text.html.HTMLEditorKit);
handles.jEditbox.setEditable(false);

I inserted a callback to set scrollbars after a position change:

cbFunc = @(h,e) set(h,'VerticalScrollBarPolicy', javax.swing.ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS, 'HorizontalScrollBarPolicy', javax.swing.ScrollPaneConstants.HORIZONTAL_SCROLLBAR_ALWAYS);
handles.hjScrollPane = handle(handles.jScrollPane, 'CallbackProperties');
set(handles.hjScrollPane, 'ComponentResizedCallback', cbFunc);

Then I have another function to set scrollbars:

function set_scrollbars(handles)
    handles.jScrollPane.setHorizontalScrollBarPolicy(javax.swing.ScrollPaneConstants.HORIZONTAL_SCROLLBAR_ALWAYS);
    handles.jScrollPane.setVerticalScrollBarPolicy(javax.swing.ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
end

I call that function everywhere (after text change, position change, etc…) to see if I can get the horizontal scrollbar working. Sometimes a scrollbar is rendered, but then quickly disappears. Or sometimes (no idea why…) a scrollbar remains visible, but it is not functional (no slider in it). Same behavior when not using HTML but using plain text. Strange…

#53 Comment By Jeroen Boschma On March 17, 2023 @ 11:28

Never mind, the new UI components have an HTML panel available. Works for me…


Article printed from Undocumented Matlab: https://undocumentedmatlab.com

URL to article: https://undocumentedmatlab.com/articles/rich-matlab-editbox-contents

URLs in this post:

[1] most Matlab uicontrols support HTML strings: http://undocumentedmatlab.com/blog/html-support-in-matlab-uicomponents/

[2] the findjobj utility: http://undocumentedmatlab.com/blog/findjobj-find-underlying-java-object/

[3] standard Java scroll-panes: http://java.sun.com/docs/books/tutorial/uiswing/components/scrollpane.html

[4] javax.swing.JTextPane: http://java.sun.com/docs/books/tutorial/uiswing/components/editorpane.html

[5] StyledEditorKit: http://java.sun.com/javase/6/docs/api/javax/swing/text/StyledEditorKit.html

[6] StyledDocument: http://java.sun.com/javase/6/docs/api/javax/swing/text/StyledDocument.html

[7] Rich-contents log panel : https://undocumentedmatlab.com/articles/rich-contents-log-panel

[8] Customizing listbox & editbox scrollbars : https://undocumentedmatlab.com/articles/customizing-listbox-editbox-scrollbars

[9] Smart listbox & editbox scrollbars : https://undocumentedmatlab.com/articles/smart-listbox-editbox-scrollbars

[10] Editbox data input validation : https://undocumentedmatlab.com/articles/editbox-data-input-validation

[11] Aligning uicontrol contents : https://undocumentedmatlab.com/articles/aligning-uicontrol-contents

[12] Customizing help popup contents : https://undocumentedmatlab.com/articles/customizing-help-popup-contents

[13] : http://java.sun.com/docs/books/tutorial/uiswing/dnd/intro.html

[14] : https://undocumentedmatlab.com/blog/syntax-highlighted-labels-panels

[15] : https://undocumentedmatlab.com/blog/syntax-highlighted-labels-panels/

[16] : http://www.w3schools.com/html/default.asp

[17] : https://undocumentedmatlab.com/blog/rich-matlab-editbox-contents/#EditorKit

[18] : https://undocumentedmatlab.com/blog/customizing-listbox-editbox-scrollbars/#lineWrap

[19] : https://undocumentedmatlab.com/matlab-java-book/

[20] : http://blogs.mathworks.com/community/2007/07/09/printing-hyperlinks-to-the-command-window/

[21] : http://www.mathworks.com/matlabcentral/fileexchange/15192-officedoc-read-write-format-ms-office-docs-xls-doc-ppt

[22] : https://undocumentedmatlab.com/blog/matlab-and-the-event-dispatch-thread-edt

[23] : http://www.mathworks.com/help/matlab/graphics_transition/why-do-figures-display-all-at-once.html

[24] : http://docs.oracle.com/javase/tutorial/uiswing/components/generaltext.html#filter

[25] : https://undocumentedmatlab.com/blog/rich-contents-log-panel

[26] : https://postimg.org/image/lge4hdvb9/

[27] : https://postimg.org/image/3rmdprjk5/

[28] : https://undocumentedmatlab.com/blog/images-in-matlab-uicontrols-and-labels

Copyright © Yair Altman - Undocumented Matlab. All rights reserved.