From e4cc78177e91f9dab5e428b4aec33cd280f4815f Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Mon, 6 Nov 2023 18:43:11 +0000 Subject: [PATCH 01/10] more pvalue display options --- prettify_stats/prettify_pvalues.asv | 145 ++++++++++++++++++++++++++++ prettify_stats/prettify_pvalues.m | 37 ++++++- 2 files changed, 178 insertions(+), 4 deletions(-) create mode 100644 prettify_stats/prettify_pvalues.asv diff --git a/prettify_stats/prettify_pvalues.asv b/prettify_stats/prettify_pvalues.asv new file mode 100644 index 00000000..0c18b5af --- /dev/null +++ b/prettify_stats/prettify_pvalues.asv @@ -0,0 +1,145 @@ +function prettify_pvalues(ax, x1, x2, pvals, varargin) +% add_pvalues: Draw lines and add text for multiple p-values on a plot. +% +% Usage: +% add_pvalues(ax, [x1_1, x1_2, ...], [x2_1, x2_2, ...], [pval1, pval2, ...]) +% add_pvalues(ax, [x1_1, x1_2, ...], [x2_1, x2_2, ...], [pval1, pval2, ...], 'param', value, ...) +% +% Inputs: +% - ax: Axes handle on which to plot +% - x1, x2: Vectors of X-coordinates for the start and end of the lines +% - pvals: Vector of P-values to be displayed +% - Optional parameters (see below for default values) + +% QQ add: +% - handling uposide down/sideways axis +% - options to plot below certain amount, NaNs or not +% - options to just have stars + +% Parse optional parameters +p = inputParser; +addParameter(p, 'TextRotation', 0, @isnumeric); +addParameter(p, 'TextFontSize', 10, @isnumeric); +addParameter(p, 'LineColor', 'k'); +addParameter(p, 'LineWidth', 1.5, @isnumeric); +addParameter(p, 'OffsetMultiplier', 0.12, @isnumeric); +addParameter(p, 'TickLength', 0.03, @isnumeric); +addParameter(p, 'TextMargin', 0.035, @isnumeric); +addParameter(p, 'PlotNonSignif', true); % whether to plot the non-significant values or not +addParameter(p, 'NaNCutoff', 0.05, @isnumeric); % any p values above this +% will be plotted as 'n.s.'. Set to 1 or Inf to disable this feature +addParameter(p, 'FullDisplayCutoff', 0.035, @isnumeric); % any p values +% below this will be plotted as 'p < thisValue'. Set to 0 or -Inf to disable this feature +addParameter(p, 'OnlyStars', false); % set to true to only plot stars rather +% than full p values +addParameter(p, 'StarsLevel_1', 0.050, @isnumeric); % * +addParameter(p, 'StarsLevel_2', 0.010, @isnumeric); % ** +addParameter(p, 'StarsLevel_3', 0.001, @isnumeric); % *** + +parse(p, varargin{:}); +params = p.Results; + +% remove any values we don't want to plot +if params.PlotNonSignif == false + valuesToPlot = pvals < params.NaNCutoff & ~isnan(pvals); + pvals = pvals(valuesToPlot); + x1 = x1(valuesToPlot); + x2 = x2(valuesToPlot); +end + +% Hold onto the current plot +hold(ax, 'on'); + +% Calculate a consistent tick length adjusted by the number of p-value lines +baseTickLength = params.TickLength; % Default base tick length +tickLength = baseTickLength * length(pvals); % Adjust tick length based on number of p-values + +baseTextMargin = params.TextMargin; +textMargin = baseTextMargin * length(pvals); + +% Calculate the y limits based on the bars involved in the comparisons +yLimits = arrayfun(@(x) ylim(ax), 1:length(pvals), 'UniformOutput', false); + +% Determine the order to plot the p-values to minimize overlaps +[~, sortIdx] = sort(cellfun(@max, yLimits), 'descend'); +x1_sorted = x1(sortIdx); +x2_sorted = x2(sortIdx); +pvals_sorted = pvals(sortIdx); + +% Initialize the highest level already used for placing a p-value line +highestYLevel = 0; +y_offset = range(ylim) * params.OffsetMultiplier; % 5 % offset + +for i = 1:length(pvals_sorted) + % Find the y-values of bars involved in the comparison (including in-between bars) + + maxYValue = minY_involvedBars([x1_sorted(i), x2_sorted(i)]) + y_offset; + + % maxYValue = max(involvedBars); + + % Determine the y position for the line + y_line = maxYValue; + + % Ensure no overlap with previous lines + if y_line <= highestYLevel + y_line = highestYLevel + (maxYValue * params.TextMargin); + end + + % Update the highest level used + highestYLevel = y_line; + + % y position for the text + y_text = y_line + textMargin; + + % Draw line for each p-value comparison + line(ax, [x1(i), x2(i)], [y_line, y_line], 'Color', params.LineColor, 'LineWidth', params.LineWidth); + line(ax, [x1(i), x1(i)], [y_line + 0.015, y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); + line(ax, [x2(i), x2(i)], [y_line + 0.015, y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); + + % Format p-value text + if pvals_sorted(i) >= params.NaNCutoff || isnan(pvals_sorted(i)) + pval_text = 'n.s.'; + elseif par + if pvals_sorted(i) < param.FullDisplayCutoff + pval_text = ['p < ', str2num(param.FullDisplayCutoff)]; + else + pval_text = sprintf('p = %0.3f', pvals_sorted(i)); + end + end + + % Add text for p-value + text(mean([x1_sorted(i), x2_sorted(i)]), y_text, pval_text, 'HorizontalAlignment', 'center', 'Rotation', params.TextRotation, 'FontSize', params.TextFontSize, 'Parent', ax); +end + +% Adjust the ylim to accommodate the highest p-value line +current_ylim = ylim(ax); +if highestYLevel > current_ylim(2) + y_offset + textMargin + ylim(ax, [current_ylim(1), highestYLevel + y_offset + textMargin]); +end + +% Release the plot hold +hold(ax, 'off'); +end +function Y = minY_involvedBars(x) +% hacky way of getting the maximum y value for the bars at the +% locations x (and in between) + +% store the original axis limits +original_XLim = get(gca, 'XLim'); +original_YLim = get(gca, 'YLim'); + +axis(gca, 'tight') +% add a little padding to ensure the function behaves nicely +x(1) = x(1) - 0.1; +x(2) = x(2) + 0.1; + +% artifically set the xlimits to only include the bars at locations x +% and extract the new xlims from this +set(gca, 'xlim', x) +yLim = get(gca, 'YLim'); +Y = max(yLim); + +axis(gca, 'normal') +set(gca, 'XLim', original_XLim, 'YLim', original_YLim) % set back the axis to the original values + +end diff --git a/prettify_stats/prettify_pvalues.m b/prettify_stats/prettify_pvalues.m index 9a7978b7..6c7d2318 100644 --- a/prettify_stats/prettify_pvalues.m +++ b/prettify_stats/prettify_pvalues.m @@ -25,11 +25,28 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) addParameter(p, 'OffsetMultiplier', 0.12, @isnumeric); addParameter(p, 'TickLength', 0.03, @isnumeric); addParameter(p, 'TextMargin', 0.035, @isnumeric); - +addParameter(p, 'PlotNonSignif', true); % whether to plot the non-significant values or not +addParameter(p, 'NaNCutoff', 0.05, @isnumeric); % any p values above this +% will be plotted as 'n.s.'. Set to 1 or Inf to disable this feature +addParameter(p, 'FullDisplayCutoff', 0.001, @isnumeric); % any p values +% below this will be plotted as 'p < thisValue'. Set to 0 or -Inf to disable this feature +addParameter(p, 'OnlyStars', false); % set to true to only plot stars rather +% than full p values +addParameter(p, 'StarsLevel_1', 0.050, @isnumeric); % * +addParameter(p, 'StarsLevel_2', 0.010, @isnumeric); % ** +addParameter(p, 'StarsLevel_3', 0.001, @isnumeric); % *** parse(p, varargin{:}); params = p.Results; +% remove any values we don't want to plot +if params.PlotNonSignif == false + valuesToPlot = pvals < params.NaNCutoff & ~isnan(pvals); + pvals = pvals(valuesToPlot); + x1 = x1(valuesToPlot); + x2 = x2(valuesToPlot); +end + % Hold onto the current plot hold(ax, 'on'); @@ -80,10 +97,22 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) line(ax, [x2(i), x2(i)], [y_line + 0.015, y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); % Format p-value text - if pvals_sorted(i) < 0.001 - pval_text = 'p < 0.001'; + if pvals_sorted(i) >= params.NaNCutoff || isnan(pvals_sorted(i)) + pval_text = 'n.s.'; + elseif params.OnlyStars + if pvals_sorted(i) < params.StarsLevel_1 + pval_text = '*'; + elseif pvals_sorted(i) < params.StarsLevel_2 + pval_text = '**'; + elseif pvals_sorted(i) < params.StarsLevel_3 + pval_text = '***'; + end else - pval_text = sprintf('p = %0.3f', pvals_sorted(i)); + if pvals_sorted(i) < params.FullDisplayCutoff + pval_text = ['p < ', num2str(params.FullDisplayCutoff)]; + else + pval_text = sprintf('p = %0.3f', pvals_sorted(i)); + end end % Add text for p-value From fdf6f7db12572db8f6939d61997b57dc6fe64e80 Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Thu, 9 Nov 2023 16:51:52 +0000 Subject: [PATCH 02/10] added option to have transparent figure background --- prettify_colors/prettify_rgb.m | 462 ++++++++++++++-------------- prettify_plot/prettify_colorbar.m | 6 +- prettify_plot/prettify_plot.asv | 326 ++++++++++++++++++++ prettify_plot/prettify_plot.m | 98 +++--- prettify_stats/example_pvalues.asv | 31 -- prettify_stats/example_pvalues.m | 6 +- prettify_stats/prettify_pvalues.asv | 145 --------- prettify_stats/prettify_pvalues.m | 38 ++- 8 files changed, 653 insertions(+), 459 deletions(-) create mode 100644 prettify_plot/prettify_plot.asv delete mode 100644 prettify_stats/example_pvalues.asv delete mode 100644 prettify_stats/prettify_pvalues.asv diff --git a/prettify_colors/prettify_rgb.m b/prettify_colors/prettify_rgb.m index d62eda7c..458a51e6 100644 --- a/prettify_colors/prettify_rgb.m +++ b/prettify_colors/prettify_rgb.m @@ -43,244 +43,250 @@ % % [4] "X11 color names" http://en.wikipedia.org/wiki/X11_color_names % -% Modified 2023/11/03 - Julie Fabre +% Modified 2023/11/03 - Julie Fabre % function rgb = prettify_rgb(s) - persistent num name - if isempty(num) % First time rgb is called - [num,name] = getcolors(); - name = lower(name); - num = reshape(hex2dec(num), [], 3); - % Divide most numbers by 256 for "aesthetic" reasons (green=[0 0.5 0]) - I = num < 240; % (interpolate F0--FF linearly from 240/256 to 1.0) - num(I) = num(I)/256; - num(~I) = ((num(~I) - 240)/15 + 15)/16; + 240; - end - if strcmpi(s,'chart') - showcolors() - else - k = find(strcmpi(s, name)); - if isempty(k) - error(['Unknown color: ' s]); +if strcmp(s, 'none') + rgb = 'none'; +else + persistent num name + if isempty(num) % First time rgb is called + [num, name] = getcolors(); + name = lower(name); + num = reshape(hex2dec(num), [], 3); + % Divide most numbers by 256 for "aesthetic" reasons (green=[0 0.5 0]) + I = num < 240; % (interpolate F0--FF linearly from 240/256 to 1.0) + num(I) = num(I) / 256; + num(~I) = ((num(~I) - 240) / 15 + 15) / 16; + end + if strcmpi(s, 'chart') + showcolors() else - rgb = num(k(1), :); + k = find(strcmpi(s, name)); + if isempty(k) + error(['Unknown color: ', s]); + else + rgb = num(k(1), :); + end end - end +end end function showcolors() - [num,name] = getcolors(); - grp = {'White', 'Gray', 'Red', 'Pink', 'Orange', 'Yellow', 'Brown'... - , 'Green', 'Blue', 'Purple', 'Grey'}; - J = [1,3,6,8,9,10,11]; - fl = lower(grp); - nl = lower(name); - for i=1:length(grp) - n(i) = strmatch(fl{i}, nl, 'exact'); - end - clf - p = get(0,'screensize'); - wh = 0.6*p(3:4); - xy0 = p(1:2)+0.5*p(3:4) - wh/2; - set(gcf,'position', [xy0 wh]); - axes('position', [0 0 1 1], 'visible', 'off'); - hold on - x = 0; - N = 0; - for i=1:length(J)-1 - N = max(N, n(J(i+1)) - n(J(i)) + (J(i+1) - J(i))*1.3); - end - h = 1/N; - w = 1/(length(J)-1); - d = w/30; - for col = 1:length(J)-1; +[num, name] = getcolors(); +grp = {'White', 'Gray', 'Red', 'Pink', 'Orange', 'Yellow', 'Brown', ... + 'Green', 'Blue', 'Purple', 'Grey'}; +J = [1, 3, 6, 8, 9, 10, 11]; +fl = lower(grp); +nl = lower(name); +for i = 1:length(grp) + n(i) = strmatch(fl{i}, nl, 'exact'); +end +clf +p = get(0, 'screensize'); +wh = 0.6 * p(3:4); +xy0 = p(1:2) + 0.5 * p(3:4) - wh / 2; +set(gcf, 'position', [xy0, wh]); +axes('position', [0, 0, 1, 1], 'visible', 'off'); +hold on +x = 0; +N = 0; +for i = 1:length(J) - 1 + N = max(N, n(J(i+1))-n(J(i))+(J(i+1) - J(i))*1.3); +end +h = 1 / N; +w = 1 / (length(J) - 1); +d = w / 30; +for col = 1:length(J) - 1; y = 1 - h; - for i=J(col):J(col+1)-1 - t = text(x+w/2, y+h/10 , [grp{i} ' colors']); - set(t, 'fontw', 'bold', 'vert','bot', 'horiz','cent', 'fontsize',10); - y = y - h; - for k = n(i):n(i+1)-1 - c = rgb(name{k}); - bright = (c(1)+2*c(2)+c(3))/4; - if bright < 0.5, txtcolor = 'w'; else txtcolor = 'k'; end - rectangle('position',[x+d,y,w-2*d,h],'facecolor',c); - t = text(x+w/2, y+h/2, name{k}, 'color', txtcolor); - set(t, 'vert', 'mid', 'horiz', 'cent', 'fontsize', 9); + for i = J(col):J(col+1) - 1 + t = text(x+w/2, y+h/10, [grp{i}, ' colors']); + set(t, 'fontw', 'bold', 'vert', 'bot', 'horiz', 'cent', 'fontsize', 10); y = y - h; - end - y = y - 0.3*h; + for k = n(i):n(i+1) - 1 + c = rgb(name{k}); + bright = (c(1) + 2 * c(2) + c(3)) / 4; + if bright < 0.5, txtcolor = 'w'; + else txtcolor = 'k'; + end + rectangle('position', [x + d, y, w - 2 * d, h], 'facecolor', c); + t = text(x+w/2, y+h/2, name{k}, 'color', txtcolor); + set(t, 'vert', 'mid', 'horiz', 'cent', 'fontsize', 9); + y = y - h; + end + y = y - 0.3 * h; end x = x + w; - end end -function [hex,name] = getcolors() - css = { - %White colors - 'FF','FF','FF', 'w' - 'FF','FF','FF', 'White' - 'FF','FA','FA', 'Snow' - 'F0','FF','F0', 'Honeydew' - 'F5','FF','FA', 'MintCream' - 'F0','FF','FF', 'Azure' - 'F0','F8','FF', 'AliceBlue' - 'F8','F8','FF', 'GhostWhite' - 'F5','F5','F5', 'WhiteSmoke' - 'FF','F5','EE', 'Seashell' - 'F5','F5','DC', 'Beige' - 'FD','F5','E6', 'OldLace' - 'FF','FA','F0', 'FloralWhite' - 'FF','FF','F0', 'Ivory' - 'FA','EB','D7', 'AntiqueWhite' - 'FA','F0','E6', 'Linen' - 'FF','F0','F5', 'LavenderBlush' - 'FF','E4','E1', 'MistyRose' - %Grey colors' - '80','80','80', 'Gray' - 'DC','DC','DC', 'Gainsboro' - 'D3','D3','D3', 'LightGray' - 'C0','C0','C0', 'Silver' - 'A9','A9','A9', 'DarkGray' - '69','69','69', 'DimGray' - '77','88','99', 'LightSlateGray' - '70','80','90', 'SlateGray' - '2F','4F','4F', 'DarkSlateGray' - '00','00','00', 'Black' - '00','00','00', 'k' - %Red colors - 'FF','00','00', 'Red' - 'FF','A0','7A', 'LightSalmon' - 'FA','80','72', 'Salmon' - 'E9','96','7A', 'DarkSalmon' - 'F0','80','80', 'LightCoral' - 'CD','5C','5C', 'IndianRed' - 'DC','14','3C', 'Crimson' - 'B2','22','22', 'FireBrick' - '8B','00','00', 'DarkRed' - %Pink colors - 'FF','C0','CB', 'Pink' - 'FF','B6','C1', 'LightPink' - 'FF','69','B4', 'HotPink' - 'FF','14','93', 'DeepPink' - 'DB','70','93', 'PaleVioletRed' - 'C7','15','85', 'MediumVioletRed' - %Orange colors - 'FF','A5','00', 'Orange' - 'FF','8C','00', 'DarkOrange' - 'FF','7F','50', 'Coral' - 'FF','63','47', 'Tomato' - 'FF','45','00', 'OrangeRed' - %Yellow colors - 'FF','FF','00', 'y' - 'FF','FF','00', 'Yellow' - 'FF','FF','E0', 'LightYellow' - 'FF','FA','CD', 'LemonChiffon' - 'FA','FA','D2', 'LightGoldenrodYellow' - 'FF','EF','D5', 'PapayaWhip' - 'FF','E4','B5', 'Moccasin' - 'FF','DA','B9', 'PeachPuff' - 'EE','E8','AA', 'PaleGoldenrod' - 'F0','E6','8C', 'Khaki' - 'BD','B7','6B', 'DarkKhaki' - 'FF','D7','00', 'Gold' - %Brown colors - 'A5','2A','2A', 'Brown' - 'FF','F8','DC', 'Cornsilk' - 'FF','EB','CD', 'BlanchedAlmond' - 'FF','E4','C4', 'Bisque' - 'FF','DE','AD', 'NavajoWhite' - 'F5','DE','B3', 'Wheat' - 'DE','B8','87', 'BurlyWood' - 'D2','B4','8C', 'Tan' - 'BC','8F','8F', 'RosyBrown' - 'F4','A4','60', 'SandyBrown' - 'DA','A5','20', 'Goldenrod' - 'B8','86','0B', 'DarkGoldenrod' - 'CD','85','3F', 'Peru' - 'D2','69','1E', 'Chocolate' - '8B','45','13', 'SaddleBrown' - 'A0','52','2D', 'Sienna' - '80','00','00', 'Maroon' - %Green colors - '00','80','00', 'g' - '00','80','00', 'Green' - '98','FB','98', 'PaleGreen' - '90','EE','90', 'LightGreen' - '9A','CD','32', 'YellowGreen' - 'AD','FF','2F', 'GreenYellow' - '7F','FF','00', 'Chartreuse' - '7C','FC','00', 'LawnGreen' - '00','FF','00', 'Lime' - '32','CD','32', 'LimeGreen' - '00','FA','9A', 'MediumSpringGreen' - '00','FF','7F', 'SpringGreen' - '66','CD','AA', 'MediumAquamarine' - '7F','FF','D4', 'Aquamarine' - '20','B2','AA', 'LightSeaGreen' - '3C','B3','71', 'MediumSeaGreen' - '2E','8B','57', 'SeaGreen' - '8F','BC','8F', 'DarkSeaGreen' - '22','8B','22', 'ForestGreen' - '00','64','00', 'DarkGreen' - '6B','8E','23', 'OliveDrab' - '80','80','00', 'Olive' - '55','6B','2F', 'DarkOliveGreen' - '00','80','80', 'Teal' - %Blue colors - '00','00','FF', 'b' - '00','00','FF', 'Blue' - 'AD','D8','E6', 'LightBlue' - 'B0','E0','E6', 'PowderBlue' - 'AF','EE','EE', 'PaleTurquoise' - '40','E0','D0', 'Turquoise' - '48','D1','CC', 'MediumTurquoise' - '00','CE','D1', 'DarkTurquoise' - 'E0','FF','FF', 'LightCyan' - '00','FF','FF', 'c' - '00','FF','FF', 'Cyan' - '00','FF','FF', 'Aqua' - '00','8B','8B', 'DarkCyan' - '5F','9E','A0', 'CadetBlue' - 'B0','C4','DE', 'LightSteelBlue' - '46','82','B4', 'SteelBlue' - '87','CE','FA', 'LightSkyBlue' - '87','CE','EB', 'SkyBlue' - '00','BF','FF', 'DeepSkyBlue' - '1E','90','FF', 'DodgerBlue' - '64','95','ED', 'CornflowerBlue' - '41','69','E1', 'RoyalBlue' - '00','00','CD', 'MediumBlue' - '00','00','8B', 'DarkBlue' - '00','00','80', 'Navy' - '19','19','70', 'MidnightBlue' - %Purple colors - '80','00','80', 'Purple' - 'E6','E6','FA', 'Lavender' - 'D8','BF','D8', 'Thistle' - 'DD','A0','DD', 'Plum' - 'EE','82','EE', 'Violet' - 'DA','70','D6', 'Orchid' - 'FF','00','FF', 'Fuchsia' - 'FF','00','FF', 'Magenta' - 'FF','00','FF', 'm' - 'BA','55','D3', 'MediumOrchid' - '93','70','DB', 'MediumPurple' - '99','66','CC', 'Amethyst' - '8A','2B','E2', 'BlueViolet' - '94','00','D3', 'DarkViolet' - '99','32','CC', 'DarkOrchid' - '8B','00','8B', 'DarkMagenta' - '6A','5A','CD', 'SlateBlue' - '48','3D','8B', 'DarkSlateBlue' - '7B','68','EE', 'MediumSlateBlue' - '4B','00','82', 'Indigo' - %Gray repeated with spelling grey - '80','80','80', 'Grey' - 'D3','D3','D3', 'LightGrey' - 'A9','A9','A9', 'DarkGrey' - '69','69','69', 'DimGrey' - '77','88','99', 'LightSlateGrey' - '70','80','90', 'SlateGrey' - '2F','4F','4F', 'DarkSlateGrey' +end +function [hex, name] = getcolors() +%White colors +%Grey colors' +%Red colors +%Pink colors +%Orange colors +%Yellow colors +%Brown colors +%Green colors +%Blue colors +%Purple colors +%Gray repeated with spelling grey +css = {; ... + 'FF', 'FF', 'FF', 'w'; ... + 'FF', 'FF', 'FF', 'White'; ... + 'FF', 'FA', 'FA', 'Snow'; ... + 'F0', 'FF', 'F0', 'Honeydew'; ... + 'F5', 'FF', 'FA', 'MintCream'; ... + 'F0', 'FF', 'FF', 'Azure'; ... + 'F0', 'F8', 'FF', 'AliceBlue'; ... + 'F8', 'F8', 'FF', 'GhostWhite'; ... + 'F5', 'F5', 'F5', 'WhiteSmoke'; ... + 'FF', 'F5', 'EE', 'Seashell'; ... + 'F5', 'F5', 'DC', 'Beige'; ... + 'FD', 'F5', 'E6', 'OldLace'; ... + 'FF', 'FA', 'F0', 'FloralWhite'; ... + 'FF', 'FF', 'F0', 'Ivory'; ... + 'FA', 'EB', 'D7', 'AntiqueWhite'; ... + 'FA', 'F0', 'E6', 'Linen'; ... + 'FF', 'F0', 'F5', 'LavenderBlush'; ... + 'FF', 'E4', 'E1', 'MistyRose'; ... + '80', '80', '80', 'Gray'; ... + 'DC', 'DC', 'DC', 'Gainsboro'; ... + 'D3', 'D3', 'D3', 'LightGray'; ... + 'C0', 'C0', 'C0', 'Silver'; ... + 'A9', 'A9', 'A9', 'DarkGray'; ... + '69', '69', '69', 'DimGray'; ... + '77', '88', '99', 'LightSlateGray'; ... + '70', '80', '90', 'SlateGray'; ... + '2F', '4F', '4F', 'DarkSlateGray'; ... + '00', '00', '00', 'Black'; ... + '00', '00', '00', 'k'; ... + 'FF', '00', '00', 'Red'; ... + 'FF', 'A0', '7A', 'LightSalmon'; ... + 'FA', '80', '72', 'Salmon'; ... + 'E9', '96', '7A', 'DarkSalmon'; ... + 'F0', '80', '80', 'LightCoral'; ... + 'CD', '5C', '5C', 'IndianRed'; ... + 'DC', '14', '3C', 'Crimson'; ... + 'B2', '22', '22', 'FireBrick'; ... + '8B', '00', '00', 'DarkRed'; ... + 'FF', 'C0', 'CB', 'Pink'; ... + 'FF', 'B6', 'C1', 'LightPink'; ... + 'FF', '69', 'B4', 'HotPink'; ... + 'FF', '14', '93', 'DeepPink'; ... + 'DB', '70', '93', 'PaleVioletRed'; ... + 'C7', '15', '85', 'MediumVioletRed'; ... + 'FF', 'A5', '00', 'Orange'; ... + 'FF', '8C', '00', 'DarkOrange'; ... + 'FF', '7F', '50', 'Coral'; ... + 'FF', '63', '47', 'Tomato'; ... + 'FF', '45', '00', 'OrangeRed'; ... + 'FF', 'FF', '00', 'y'; ... + 'FF', 'FF', '00', 'Yellow'; ... + 'FF', 'FF', 'E0', 'LightYellow'; ... + 'FF', 'FA', 'CD', 'LemonChiffon'; ... + 'FA', 'FA', 'D2', 'LightGoldenrodYellow'; ... + 'FF', 'EF', 'D5', 'PapayaWhip'; ... + 'FF', 'E4', 'B5', 'Moccasin'; ... + 'FF', 'DA', 'B9', 'PeachPuff'; ... + 'EE', 'E8', 'AA', 'PaleGoldenrod'; ... + 'F0', 'E6', '8C', 'Khaki'; ... + 'BD', 'B7', '6B', 'DarkKhaki'; ... + 'FF', 'D7', '00', 'Gold'; ... + 'A5', '2A', '2A', 'Brown'; ... + 'FF', 'F8', 'DC', 'Cornsilk'; ... + 'FF', 'EB', 'CD', 'BlanchedAlmond'; ... + 'FF', 'E4', 'C4', 'Bisque'; ... + 'FF', 'DE', 'AD', 'NavajoWhite'; ... + 'F5', 'DE', 'B3', 'Wheat'; ... + 'DE', 'B8', '87', 'BurlyWood'; ... + 'D2', 'B4', '8C', 'Tan'; ... + 'BC', '8F', '8F', 'RosyBrown'; ... + 'F4', 'A4', '60', 'SandyBrown'; ... + 'DA', 'A5', '20', 'Goldenrod'; ... + 'B8', '86', '0B', 'DarkGoldenrod'; ... + 'CD', '85', '3F', 'Peru'; ... + 'D2', '69', '1E', 'Chocolate'; ... + '8B', '45', '13', 'SaddleBrown'; ... + 'A0', '52', '2D', 'Sienna'; ... + '80', '00', '00', 'Maroon'; ... + '00', '80', '00', 'g'; ... + '00', '80', '00', 'Green'; ... + '98', 'FB', '98', 'PaleGreen'; ... + '90', 'EE', '90', 'LightGreen'; ... + '9A', 'CD', '32', 'YellowGreen'; ... + 'AD', 'FF', '2F', 'GreenYellow'; ... + '7F', 'FF', '00', 'Chartreuse'; ... + '7C', 'FC', '00', 'LawnGreen'; ... + '00', 'FF', '00', 'Lime'; ... + '32', 'CD', '32', 'LimeGreen'; ... + '00', 'FA', '9A', 'MediumSpringGreen'; ... + '00', 'FF', '7F', 'SpringGreen'; ... + '66', 'CD', 'AA', 'MediumAquamarine'; ... + '7F', 'FF', 'D4', 'Aquamarine'; ... + '20', 'B2', 'AA', 'LightSeaGreen'; ... + '3C', 'B3', '71', 'MediumSeaGreen'; ... + '2E', '8B', '57', 'SeaGreen'; ... + '8F', 'BC', '8F', 'DarkSeaGreen'; ... + '22', '8B', '22', 'ForestGreen'; ... + '00', '64', '00', 'DarkGreen'; ... + '6B', '8E', '23', 'OliveDrab'; ... + '80', '80', '00', 'Olive'; ... + '55', '6B', '2F', 'DarkOliveGreen'; ... + '00', '80', '80', 'Teal'; ... + '00', '00', 'FF', 'b'; ... + '00', '00', 'FF', 'Blue'; ... + 'AD', 'D8', 'E6', 'LightBlue'; ... + 'B0', 'E0', 'E6', 'PowderBlue'; ... + 'AF', 'EE', 'EE', 'PaleTurquoise'; ... + '40', 'E0', 'D0', 'Turquoise'; ... + '48', 'D1', 'CC', 'MediumTurquoise'; ... + '00', 'CE', 'D1', 'DarkTurquoise'; ... + 'E0', 'FF', 'FF', 'LightCyan'; ... + '00', 'FF', 'FF', 'c'; ... + '00', 'FF', 'FF', 'Cyan'; ... + '00', 'FF', 'FF', 'Aqua'; ... + '00', '8B', '8B', 'DarkCyan'; ... + '5F', '9E', 'A0', 'CadetBlue'; ... + 'B0', 'C4', 'DE', 'LightSteelBlue'; ... + '46', '82', 'B4', 'SteelBlue'; ... + '87', 'CE', 'FA', 'LightSkyBlue'; ... + '87', 'CE', 'EB', 'SkyBlue'; ... + '00', 'BF', 'FF', 'DeepSkyBlue'; ... + '1E', '90', 'FF', 'DodgerBlue'; ... + '64', '95', 'ED', 'CornflowerBlue'; ... + '41', '69', 'E1', 'RoyalBlue'; ... + '00', '00', 'CD', 'MediumBlue'; ... + '00', '00', '8B', 'DarkBlue'; ... + '00', '00', '80', 'Navy'; ... + '19', '19', '70', 'MidnightBlue'; ... + '80', '00', '80', 'Purple'; ... + 'E6', 'E6', 'FA', 'Lavender'; ... + 'D8', 'BF', 'D8', 'Thistle'; ... + 'DD', 'A0', 'DD', 'Plum'; ... + 'EE', '82', 'EE', 'Violet'; ... + 'DA', '70', 'D6', 'Orchid'; ... + 'FF', '00', 'FF', 'Fuchsia'; ... + 'FF', '00', 'FF', 'Magenta'; ... + 'FF', '00', 'FF', 'm'; ... + 'BA', '55', 'D3', 'MediumOrchid'; ... + '93', '70', 'DB', 'MediumPurple'; ... + '99', '66', 'CC', 'Amethyst'; ... + '8A', '2B', 'E2', 'BlueViolet'; ... + '94', '00', 'D3', 'DarkViolet'; ... + '99', '32', 'CC', 'DarkOrchid'; ... + '8B', '00', '8B', 'DarkMagenta'; ... + '6A', '5A', 'CD', 'SlateBlue'; ... + '48', '3D', '8B', 'DarkSlateBlue'; ... + '7B', '68', 'EE', 'MediumSlateBlue'; ... + '4B', '00', '82', 'Indigo'; ... + '80', '80', '80', 'Grey'; ... + 'D3', 'D3', 'D3', 'LightGrey'; ... + 'A9', 'A9', 'A9', 'DarkGrey'; ... + '69', '69', '69', 'DimGrey'; ... + '77', '88', '99', 'LightSlateGrey'; ... + '70', '80', '90', 'SlateGrey'; ... + '2F', '4F', '4F', 'DarkSlateGrey'; ... }; - hex = css(:,1:3); - name = css(:,4); +hex = css(:, 1:3); +name = css(:, 4); end \ No newline at end of file diff --git a/prettify_plot/prettify_colorbar.m b/prettify_plot/prettify_colorbar.m index bccdcef9..6eda255b 100644 --- a/prettify_plot/prettify_colorbar.m +++ b/prettify_plot/prettify_colorbar.m @@ -2,7 +2,7 @@ %'YTickLabel' -function prettify_colorbar(colorbars, ChangeColormaps, DivergingColormap,... +function prettify_colorbar(colorbars, colorsToReplace, mainColor, ChangeColormaps, DivergingColormap,... SequentialColormap) colorbarProperties = struct; @@ -10,6 +10,9 @@ function prettify_colorbar(colorbars, ChangeColormaps, DivergingColormap,... for iColorBar = 1:length(colorbars) currColorbar = colorbars(iColorBar); + %text color + colorbarProperties(iColorBar).Color = mainColor; + % check/change colormap currColorbar.Limits = colorbars(iColorBar).Limits; if ChangeColormaps && currColorbar.Limits(1) < 0 && currColorbar.Limits(2) > 0 % equalize, and use a diverging colormap @@ -55,6 +58,7 @@ function prettify_colorbar(colorbars, ChangeColormaps, DivergingColormap,... % 0, [0.5 - 0.01, colorbarProperties(iColorBar).Limits(1) - 1]}) currColorbar.Ticks = [currColorbar.Limits(1), currColorbar.Limits(2)]; currColorbar.TickLabels = {num2str(currColorbar.Limits(1)), num2str(currColorbar.Limits(2))}; + currColorbar.Color = colorbarProperties(iColorBar).Color; end diff --git a/prettify_plot/prettify_plot.asv b/prettify_plot/prettify_plot.asv new file mode 100644 index 00000000..6361852c --- /dev/null +++ b/prettify_plot/prettify_plot.asv @@ -0,0 +1,326 @@ +function prettify_plot(varargin) +% make current figure pretty +% ------ +% Inputs: Name - Pair arguments +% ------ +% - XLimits: string or number. +% If a string, either: +% - 'keep': don't change any of the xlimits +% - 'same': set all xlimits to the same values +% - 'row': set all xlimits to the same values for each subplot row +% - 'col': set all xlimits to the same values for each subplot col +% If a number, 1 * 2 double setting the minimum and maximum values +% - YLimits: string or number. +% If a string, either: +% - 'keep': don't change any of the ylimits +% - 'same': set all ylimits to the same values +% - 'row': set all ylimits to the same values for each subplot row +% - 'col': set all ylimits to the same values for each subplot col +% If a number, 1 * 2 double setting the minimum and maximum values +% - FigureColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots +% background color. +% - TextColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots +% text color. +% - LegendLocation: string determining where the legend is. Either: +% 'north' Inside top of axes +% 'south' Inside bottom of axes +% 'east' Inside right of axes +% 'west' Inside left of axes +% 'northeast' Inside top-right of axes (default for 2-D axes) +% 'northwest' Inside top-left of axes +% 'southeast' Inside bottom-right of axes +% 'southwest' Inside bottom-left of axes +% 'northoutside' Above the axes +% 'southoutside' Below the axes +% 'eastoutside' To the right of the axes +% 'westoutside' To the left of the axes +% 'northeastoutside' Outside top-right corner of the axes (default for 3-D axes) +% 'northwestoutside' Outside top-left corner of the axes +% 'southeastoutside' Outside bottom-right corner of the axes +% 'southwestoutside' Outside bottom-left corner of the axes +% 'best' Inside axes where least conflict occurs with the plot data at the time that you create the legend. If the plot data changes, you might need to reset the location to 'best'. +% 'bestoutside' Outside top-right corner of the axes (when the legend has a vertical orientation) or below the axes (when the legend has a horizontal orientation) +% - LegendReplace: ! buggy ! boolean, if you want the legend box to be replace by text +% directly plotted on the figure, next to the each subplot's +% line/point +% - titleFontSize: double +% - labelFontSize: double +% - generalFontSize: double +% - Font: string. See listfonts() for a list of all available fonts +% - pointSize: double +% - lineThickness: double +% - AxisTicks +% - AxisBox +% - AxisAspectRatio 'equal', 'square', 'image' +% - AxisTightness 'tickaligned' 'tight', 'padded' +% ------ +% to do: +% - option to adjust vertical and horiz. lines +% - padding +% - fit data to plot (adjust lims) +% - padding / suptitles +% ------ +% Julie M. J. Fabre + +% Set default parameter values +options = struct('XLimits', 'keep', ... %set to 'keep' if you don't want any changes + 'YLimits', 'keep', ... %set to 'keep' if you don't want any changes + 'CLimits', 'all', ... %set to 'keep' if you don't want any changes + 'LimitsRound', 2, ... % set to NaN if you don't want any changes + 'SymmetricalCLimits', true, ... + 'FigureColor', [1, 1, 1], ... + 'TextColor', [0, 0, 0], ... + 'NeutralColor', [0.6, 0.6, 0.6], ... % used if figure background color is set to 'none' + 'LegendLocation', 'best', ... + 'LegendReplace', false, ... %BUGGY + 'LegendBox', 'off', ... + 'TitleFontSize', 15, ... + 'LabelFontSize', 15, ... + 'GeneralFontSize', 15, ... + 'Font', 'Arial', ... + 'BoldTitle', 'off', ... + 'PointSize', 8, ... + 'LineThickness', 2, ... + 'AxisTicks', 'out', ... + 'TickLength', 0.035, ... + 'TickWidth', 1.3, ... + 'AxisBox', 'off', ... + 'AxisGrid', 'off', ... + 'AxisAspectRatio', 'keep', ... %set to 'keep' if you don't want any changes + 'AxisTightness', 'keep', ... %BUGGY set to 'keep' if you don't want any changes %'AxisWidth', 'keep',... %BUGGY set to 'keep' if you don't want any changes %'AxisHeight', 'keep',...%BUGGY set to 'keep' if you don't want any changes + 'AxisUnits', 'points', ... + 'ChangeColormaps', true, ... %set to false if you don't want any changes + 'DivergingColormap', '*RdBu', ... + 'SequentialColormap', 'YlOrRd', ... + 'PairedColormap', 'Paired', ... + 'QualitativeColormap', 'Set1'); % + +% read the acceptable names +optionNames = fieldnames(options); + +% count arguments +nArgs = length(varargin); +if round(nArgs/2) ~= nArgs / 2 + error('prettify_plot() needs propertyName/propertyValue pairs') +end + +for iPair = reshape(varargin, 2, []) % pair is {propName;propValue} + %inputName = lower(iPair{1}); % make case insensitive + inputName = iPair{1}; + + if any(strcmp(inputName, optionNames)) + % overwrite options. If you want you can test for the right class here + % Also, if you find out that there is an option you keep getting wrong, + % you can use "if strcmp(inpName,'problemOption'),testMore,end"-statements + options.(inputName) = iPair{2}; + else + error('%s is not a recognized parameter name', inputName) + end +end + +% Check Name/Value pairs make sense +if (ischar(options.FigureColor) || isstring(options.FigureColor)) %convert to rgb + options.FigureColor = prettify_rgb(options.FigureColor); + + if strcmp(options.FigureColor, 'none') % use a neutral text color that will show up on most backgrounds + options.TextColor = options.NeutralColor; + end +end +if ischar(options.TextColor) || isstring(options.TextColor) %convert to rgb + options.TextColor = prettify_rgb(options.TextColor); +end +if ~strcmp(options.FigureColor, 'none') + if sum(options.FigureColor-options.TextColor) <= 1.5 %check background and text and sufficiently different + if sum(options.FigureColor) >= 1.5 % light + options.TextColor = [0, 0, 0]; + else + options.TextColor = [1, 1, 1]; + end + end +end +% Get handles for current figure and axis +currFig = gcf; + + +% Set color properties for figure and axis +set(currFig, 'color', options.FigureColor); + + +% update font +fontname(options.Font) + +% get axes children +currFig_children = currFig.Children; +all_axes = find(arrayfun(@(x) contains(currFig_children(x).Type, 'axes'), 1:size(currFig_children, 1))); + + +% pre-allocate memory +xlims_subplot = nan(size(all_axes, 2), 2); +ylims_subplot = nan(size(all_axes, 2), 2); +clims_subplot = nan(size(all_axes, 2), 2); + +% set colors to replace and default text/axis colors +if strcmp(options.FigureColor, 'none') + colorsToReplace = []; + mainColor = options.NeutralColor; +else +end + +% update (sub)plot properties +for iAx = 1:size(all_axes, 2) + thisAx = all_axes(iAx); + currAx = currFig_children(thisAx); + set(currAx, 'color', options.FigureColor); + if ~isempty(currAx) + + % Set grid/box/tick options + set(currAx, 'TickDir', options.AxisTicks) + set(currAx, 'Box', options.AxisBox) + set(currAx, 'TickLength', [options.TickLength, options.TickLength]); % Make tick marks longer. + set(currAx, 'LineWidth', options.TickWidth); % Make tick marks and axis lines thicker. + + %set(currAx, 'Grid', options.AxisGrid) + if strcmp(options.AxisAspectRatio, 'keep') == 0 + axis(currAx, options.AxisAspectRatio) + end + if strcmp(options.AxisTightness, 'keep') == 0 + axis(currAx, options.AxisTightness) + end + + % Set text properties + set(currAx.XLabel, 'FontSize', options.LabelFontSize, 'Color', options.TextColor); + if strcmp(currAx.YAxisLocation, 'left') % if there is both a left and right yaxis, keep the colors + set(currAx.YLabel, 'FontSize', options.LabelFontSize); + else + set(currAx.YLabel, 'FontSize', options.LabelFontSize, 'Color', options.TextColor); + end + if strcmp(options.BoldTitle, 'on') + set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', options.TextColor, ... + 'FontWeight', 'Bold') + else + set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', options.TextColor, ... + 'FontWeight', 'Normal'); + end + %disp(currAx) + set(currAx, 'FontSize', options.GeneralFontSize, 'GridColor', options.TextColor, ... + 'YColor', options.TextColor, 'XColor', options.TextColor, ... + 'MinorGridColor', options.TextColor); + if ~isempty(currAx.Legend) + set(currAx.Legend, 'Color', options.FigureColor, 'TextColor', options.TextColor) + end + + % Adjust properties of line children within the plot + childLines = findall(currAx, 'Type', 'line'); + for thisLine = childLines' + % if any lines/points become the same as background, change + % these. + + if strcmp(options.FigureColor, 'none') && ismember(thisLine.Color, [0, 0, 0; 1, 1, 1], 'rows') + thisLine.Color = options.NeutralColor; + elseif ~strcmp(options.FigureColor, 'none') + if sum(thisLine.Color == options.FigureColor) == 3 + thisLine.Color = options.TextColor; + end + end + % adjust markersize + if sum(get(thisLine, 'Marker') == 'none') < 4 + set(thisLine, 'MarkerSize', options.PointSize); + set(thisLine, 'MarkerFaceColor', thisLine.Color); + end + % adjust line thickness + if strcmp('-', get(thisLine, 'LineStyle')) + set(thisLine, 'LineWidth', options.LineThickness); + end + end + + % Adjust properties of dots children within the plot + + childPoints = findall(currAx, 'Type', 'scatter'); + for thisPoint = childPoints' + % if any lines/points become the same as background, change + % these. + if size(thisPoint.CData, 1) == 1 % one uniform color + + if strcmp(options.FigureColor, 'none') && ismember(thisPoint.CData, [0, 0, 0; 1, 1, 1], 'rows') + thisPoint.CData = options.NeutralColor; + elseif ~strcmp(options.FigureColor, 'none') + if sum(thisPoint.CData == options.FigureColor) == 3 + thisPoint.CData = options.TextColor; + end + end + else + + if strcmp(options.FigureColor, 'none') && ismember(thisPoint.CData, [0, 0, 0; 1, 1, 1], 'rows') + points_sub = ismember(thisPoint.CData == [0, 0, 0; 1, 1, 1], 'rows'); + set(thisPoint, 'MarkerEdgeColor', options.NeutralColor) + elseif ~strcmp(options.FigureColor, 'none') + points_sub = sum(thisPoint.CData == options.FigureColor, 2) == 3; + if any(points_sub) + set(thisPoint, 'MarkerEdgeColor', options.TextColor) + end + end + end + % adjust markersize + if sum(get(thisPoint, 'Marker') == 'none') < 4 + if thisPoint.SizeData < options.PointSize + set(thisPoint, 'SizeData', options.PointSize); + end + %set(thisPoint, 'MarkerFaceColor', thisPoint.CData); + end + end + + + % Adjust properties of errorbars children within the plot + childErrBars = findall(currAx, 'Type', 'ErrorBar'); + for thisErrBar = childErrBars' + if strcmp('.', get(thisErrBar, 'Marker')) + set(thisErrBar, 'MarkerSize', options.PointSize); + end + if strcmp('-', get(thisErrBar, 'LineStyle')) + set(thisErrBar, 'LineWidth', options.LineThickness); + end + end + + ax_pos = get(currAx, 'Position'); + + % Adjust properties of any plotted text + childTexts = findall(currAx, 'Type', 'Text'); + for thisText = childTexts' + if strcmp(options.FigureColor, 'none') + set(thisText, 'FontSize', options.GeneralFontSize, 'Color', options.NeutralColor); + else + set(thisText, 'FontSize', options.GeneralFontSize, 'Color', options.TextColor); + end + end + + % Get x and y limits + xlims_subplot(iAx, :) = currAx.XLim; + ylims_subplot(iAx, :) = currAx.YLim; + clims_subplot(iAx, :) = currAx.CLim; + + % adjust legend + if ~isempty(currAx.Legend) + if options.LegendReplace + prettify_legend(currAx) + else + set(currAx.Legend, 'Location', options.LegendLocation) + set(currAx.Legend, 'Box', options.LegendBox) + end + end + + + end +end + +prettify_axis_limits(all_axes, currFig_children, ... + ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... + options.XLimits, options.YLimits, options.CLimits, ... + options.LimitsRound, options.SymmetricalCLimits, ... + options.LegendReplace, options.LegendLocation); + +colorbars = findobj(currFig_children, 'Type', 'colorbar'); +prettify_colorbar(colorbars, options.ChangeColormaps, options.DivergingColormap, ... + options.SequentialColormap); + + +%prettify_axis_locations; diff --git a/prettify_plot/prettify_plot.m b/prettify_plot/prettify_plot.m index 043d4457..e446138a 100644 --- a/prettify_plot/prettify_plot.m +++ b/prettify_plot/prettify_plot.m @@ -66,10 +66,11 @@ function prettify_plot(varargin) options = struct('XLimits', 'keep', ... %set to 'keep' if you don't want any changes 'YLimits', 'keep', ... %set to 'keep' if you don't want any changes 'CLimits', 'all', ... %set to 'keep' if you don't want any changes - 'LimitsRound', 2, ... % set to NaN if you don't want any changes + 'LimitsRound', 2, ... % set to NaN if you don't want any changes 'SymmetricalCLimits', true, ... 'FigureColor', [1, 1, 1], ... 'TextColor', [0, 0, 0], ... + 'NeutralColor', [0.6, 0.6, 0.6], ... % used if figure background color is set to 'none' 'LegendLocation', 'best', ... 'LegendReplace', false, ... %BUGGY 'LegendBox', 'off', ... @@ -88,10 +89,10 @@ function prettify_plot(varargin) 'AxisAspectRatio', 'keep', ... %set to 'keep' if you don't want any changes 'AxisTightness', 'keep', ... %BUGGY set to 'keep' if you don't want any changes %'AxisWidth', 'keep',... %BUGGY set to 'keep' if you don't want any changes %'AxisHeight', 'keep',...%BUGGY set to 'keep' if you don't want any changes 'AxisUnits', 'points', ... - 'ChangeColormaps', true,... %set to false if you don't want any changes - 'DivergingColormap', '*RdBu', ... - 'SequentialColormap', 'YlOrRd', ... - 'PairedColormap', 'Paired', ... + 'ChangeColormaps', true, ... %set to false if you don't want any changes + 'DivergingColormap', '*RdBu', ... + 'SequentialColormap', 'YlOrRd', ... + 'PairedColormap', 'Paired', ... 'QualitativeColormap', 'Set1'); % % read the acceptable names @@ -118,17 +119,23 @@ function prettify_plot(varargin) end % Check Name/Value pairs make sense -if ischar(options.FigureColor) || isstring(options.FigureColor) %convert to rgb - options.FigureColor = rgb(options.FigureColor); +if (ischar(options.FigureColor) || isstring(options.FigureColor)) %convert to rgb + options.FigureColor = prettify_rgb(options.FigureColor); + + if strcmp(options.FigureColor, 'none') % use a neutral text color that will show up on most backgrounds + options.TextColor = options.NeutralColor; + end end if ischar(options.TextColor) || isstring(options.TextColor) %convert to rgb - options.TextColor = rgb(options.TextColor); + options.TextColor = prettify_rgb(options.TextColor); end -if sum(options.FigureColor-options.TextColor) <= 1.5 %check background and text and sufficiently different - if sum(options.FigureColor) >= 1.5 % light - options.TextColor = [0, 0, 0]; - else - options.TextColor = [1, 1, 1]; +if ~strcmp(options.FigureColor, 'none') + if sum(options.FigureColor-options.TextColor) <= 1.5 %check background and text and sufficiently different + if sum(options.FigureColor) >= 1.5 % light + options.TextColor = [0, 0, 0]; + else + options.TextColor = [1, 1, 1]; + end end end % Get handles for current figure and axis @@ -152,6 +159,15 @@ function prettify_plot(varargin) ylims_subplot = nan(size(all_axes, 2), 2); clims_subplot = nan(size(all_axes, 2), 2); +% set colors to replace and default text/axis colors +if strcmp(options.FigureColor, 'none') + colorsToReplace = [0, 0, 0; 1, 1, 1]; + mainColor = options.NeutralColor; +else + colorsToReplace = options.FigureColor; + mainColor = options.TextColor; +end + % update (sub)plot properties for iAx = 1:size(all_axes, 2) thisAx = all_axes(iAx); @@ -174,25 +190,25 @@ function prettify_plot(varargin) end % Set text properties - set(currAx.XLabel, 'FontSize', options.LabelFontSize, 'Color', options.TextColor); + set(currAx.XLabel, 'FontSize', options.LabelFontSize, 'Color', mainColor); if strcmp(currAx.YAxisLocation, 'left') % if there is both a left and right yaxis, keep the colors set(currAx.YLabel, 'FontSize', options.LabelFontSize); else - set(currAx.YLabel, 'FontSize', options.LabelFontSize, 'Color', options.TextColor); + set(currAx.YLabel, 'FontSize', options.LabelFontSize, 'Color', mainColor); end if strcmp(options.BoldTitle, 'on') - set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', options.TextColor, ... + set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', mainColor, ... 'FontWeight', 'Bold') else - set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', options.TextColor, ... + set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', mainColor, ... 'FontWeight', 'Normal'); end %disp(currAx) - set(currAx, 'FontSize', options.GeneralFontSize, 'GridColor', options.TextColor, ... - 'YColor', options.TextColor, 'XColor', options.TextColor, ... - 'MinorGridColor', options.TextColor); + set(currAx, 'FontSize', options.GeneralFontSize, 'GridColor', mainColor, ... + 'YColor', mainColor, 'XColor', mainColor, ... + 'MinorGridColor',mainColor); if ~isempty(currAx.Legend) - set(currAx.Legend, 'Color', options.FigureColor, 'TextColor', options.TextColor) + set(currAx.Legend, 'Color', options.FigureColor, 'TextColor', mainColor) end % Adjust properties of line children within the plot @@ -200,8 +216,9 @@ function prettify_plot(varargin) for thisLine = childLines' % if any lines/points become the same as background, change % these. - if sum(thisLine.Color == options.FigureColor) == 3 - thisLine.Color = options.TextColor; + + if ismember(thisLine.Color, colorsToReplace, 'rows') + thisLine.Color = mainColor; end % adjust markersize if sum(get(thisLine, 'Marker') == 'none') < 4 @@ -213,29 +230,37 @@ function prettify_plot(varargin) set(thisLine, 'LineWidth', options.LineThickness); end end - + % Adjust properties of dots children within the plot + childPoints = findall(currAx, 'Type', 'scatter'); for thisPoint = childPoints' % if any lines/points become the same as background, change % these. - if size(thisPoint.CData,1) == 1 % one uniform color - if sum(thisPoint.CData == options.FigureColor) == 3 - thisPoint.CData = options.TextColor; + if size(thisPoint.CData, 1) == 1 % one uniform color + if ismember(thisPoint.CData, colorsToReplace, 'rows') + thisPoint.CData = mainColor; end else - points_sub = sum(thisPoint.CData == options.FigureColor,2) == 3; - if any(points_sub) - set(thisPoint, 'MarkerEdgeColor', options.TextColor) + + if ismember(thisPoint.CData, colorsToReplace, 'rows') + points_sub = ismember(thisPoint.CData == [0, 0, 0; 1, 1, 1], 'rows'); + if any(points_sub) + set(thisPoint, 'MarkerEdgeColor', mainColor) + end end + end % adjust markersize if sum(get(thisPoint, 'Marker') == 'none') < 4 - set(thisPoint, 'SizeData', options.PointSize); - set(thisPoint, 'MarkerFaceColor', thisPoint.CData); + if thisPoint.SizeData < options.PointSize + set(thisPoint, 'SizeData', options.PointSize); + end + %set(thisPoint, 'MarkerFaceColor', thisPoint.CData); end end + % Adjust properties of errorbars children within the plot childErrBars = findall(currAx, 'Type', 'ErrorBar'); for thisErrBar = childErrBars' @@ -250,9 +275,10 @@ function prettify_plot(varargin) ax_pos = get(currAx, 'Position'); % Adjust properties of any plotted text - childTexts = findall(currAx, 'Type', 'Text'); + childTexts = findall(currAx, 'Type', 'Text'); for thisText = childTexts' - set(thisText, 'FontSize', options.GeneralFontSize, 'Color', options.TextColor); + set(thisText, 'FontSize', options.GeneralFontSize, 'Color', mainColor); + end % Get x and y limits @@ -281,10 +307,8 @@ function prettify_plot(varargin) options.LegendReplace, options.LegendLocation); colorbars = findobj(currFig_children, 'Type', 'colorbar'); -prettify_colorbar(colorbars, options.ChangeColormaps, options.DivergingColormap,... +prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps, options.DivergingColormap, ... options.SequentialColormap); %prettify_axis_locations; - - diff --git a/prettify_stats/example_pvalues.asv b/prettify_stats/example_pvalues.asv deleted file mode 100644 index 30e9ee6d..00000000 --- a/prettify_stats/example_pvalues.asv +++ /dev/null @@ -1,31 +0,0 @@ -% Sample data for two groups -group1 = randn(10, 1) + 1; % Random data centered around 1 -group2 = randn(10, 1) + 2; % Random data centered around 2 -group3 = randn(10, 1); -group4 = randn(10, 1) + 5; -group5 = randn(10, 1) + 5; - -figure; -bar_data = [mean(group1), mean(group2), mean(group3), mean(group4), mean(group5)]; % Use mean values for the bar heights -bar(bar_data); -set(gca, 'XTickLabel', {'Group 1', 'Group 2', 'Group 3', 'Group 4', 'Group 5'}); -ylabel('Value'); -title('Bar plot with p-value annotations'); -% Perform a t-test to get the p-value -[~, pval(1)] = ttest2(group1, group2); -[~, pval(2)] = ttest2(group1, group3); -[~, pval(3)] = ttest2(group1, group4); -[~, pval(4)] = ttest2(group1, group5); -[~, pval(5)] = ttest2(group2, group3); -[~, pval(6)] = ttest2(group2, group4); -[~, pval(7)] = ttest2(group2, group5); -[~, pval(8)] = ttest2(group3, group4); -[~, pval(9)] = ttest2(group3, group5); -[~, pval(10)] = ttest2(group4, group5); -% Assuming we're working with the current axes -ax = gca; -% Add the p-value to the plot -% Here we assume that the p-value should appear at y = 3, change this value as needed for your plot. -% x-coordinates (1 and 2) correspond to the bar centers. -prettify_pvalues(ax, [1,1,1,1,2,2,2,3,3,4], [2,3,4,5,3,4,5,4,5,5], pval); -prettif \ No newline at end of file diff --git a/prettify_stats/example_pvalues.m b/prettify_stats/example_pvalues.m index 2badcf60..91b43d19 100644 --- a/prettify_stats/example_pvalues.m +++ b/prettify_stats/example_pvalues.m @@ -1,6 +1,6 @@ % Sample data for two groups group1 = randn(10, 1) + 1; % Random data centered around 1 -group2 = randn(10, 1) + 2; % Random data centered around 2 +group2 = randn(10, 1) + 1; % Random data centered around 2 group3 = randn(10, 1); group4 = randn(10, 1) + 5; group5 = randn(10, 1) + 5; @@ -27,5 +27,5 @@ % Add the p-value to the plot % Here we assume that the p-value should appear at y = 3, change this value as needed for your plot. % x-coordinates (1 and 2) correspond to the bar centers. -prettify_pvalues(ax, [1,1,1,1,2,2,2,3,3,4], [2,3,4,5,3,4,5,4,5,5], pval); -prettify_plot; \ No newline at end of file +prettify_pvalues(ax, [1,1,1,1,2,2,2,3,3,4], [2,3,4,5,3,4,5,4,5,5], pval,'PlotNonSignif', false); +prettify_plot('FigureColor', 'k'); \ No newline at end of file diff --git a/prettify_stats/prettify_pvalues.asv b/prettify_stats/prettify_pvalues.asv deleted file mode 100644 index 0c18b5af..00000000 --- a/prettify_stats/prettify_pvalues.asv +++ /dev/null @@ -1,145 +0,0 @@ -function prettify_pvalues(ax, x1, x2, pvals, varargin) -% add_pvalues: Draw lines and add text for multiple p-values on a plot. -% -% Usage: -% add_pvalues(ax, [x1_1, x1_2, ...], [x2_1, x2_2, ...], [pval1, pval2, ...]) -% add_pvalues(ax, [x1_1, x1_2, ...], [x2_1, x2_2, ...], [pval1, pval2, ...], 'param', value, ...) -% -% Inputs: -% - ax: Axes handle on which to plot -% - x1, x2: Vectors of X-coordinates for the start and end of the lines -% - pvals: Vector of P-values to be displayed -% - Optional parameters (see below for default values) - -% QQ add: -% - handling uposide down/sideways axis -% - options to plot below certain amount, NaNs or not -% - options to just have stars - -% Parse optional parameters -p = inputParser; -addParameter(p, 'TextRotation', 0, @isnumeric); -addParameter(p, 'TextFontSize', 10, @isnumeric); -addParameter(p, 'LineColor', 'k'); -addParameter(p, 'LineWidth', 1.5, @isnumeric); -addParameter(p, 'OffsetMultiplier', 0.12, @isnumeric); -addParameter(p, 'TickLength', 0.03, @isnumeric); -addParameter(p, 'TextMargin', 0.035, @isnumeric); -addParameter(p, 'PlotNonSignif', true); % whether to plot the non-significant values or not -addParameter(p, 'NaNCutoff', 0.05, @isnumeric); % any p values above this -% will be plotted as 'n.s.'. Set to 1 or Inf to disable this feature -addParameter(p, 'FullDisplayCutoff', 0.035, @isnumeric); % any p values -% below this will be plotted as 'p < thisValue'. Set to 0 or -Inf to disable this feature -addParameter(p, 'OnlyStars', false); % set to true to only plot stars rather -% than full p values -addParameter(p, 'StarsLevel_1', 0.050, @isnumeric); % * -addParameter(p, 'StarsLevel_2', 0.010, @isnumeric); % ** -addParameter(p, 'StarsLevel_3', 0.001, @isnumeric); % *** - -parse(p, varargin{:}); -params = p.Results; - -% remove any values we don't want to plot -if params.PlotNonSignif == false - valuesToPlot = pvals < params.NaNCutoff & ~isnan(pvals); - pvals = pvals(valuesToPlot); - x1 = x1(valuesToPlot); - x2 = x2(valuesToPlot); -end - -% Hold onto the current plot -hold(ax, 'on'); - -% Calculate a consistent tick length adjusted by the number of p-value lines -baseTickLength = params.TickLength; % Default base tick length -tickLength = baseTickLength * length(pvals); % Adjust tick length based on number of p-values - -baseTextMargin = params.TextMargin; -textMargin = baseTextMargin * length(pvals); - -% Calculate the y limits based on the bars involved in the comparisons -yLimits = arrayfun(@(x) ylim(ax), 1:length(pvals), 'UniformOutput', false); - -% Determine the order to plot the p-values to minimize overlaps -[~, sortIdx] = sort(cellfun(@max, yLimits), 'descend'); -x1_sorted = x1(sortIdx); -x2_sorted = x2(sortIdx); -pvals_sorted = pvals(sortIdx); - -% Initialize the highest level already used for placing a p-value line -highestYLevel = 0; -y_offset = range(ylim) * params.OffsetMultiplier; % 5 % offset - -for i = 1:length(pvals_sorted) - % Find the y-values of bars involved in the comparison (including in-between bars) - - maxYValue = minY_involvedBars([x1_sorted(i), x2_sorted(i)]) + y_offset; - - % maxYValue = max(involvedBars); - - % Determine the y position for the line - y_line = maxYValue; - - % Ensure no overlap with previous lines - if y_line <= highestYLevel - y_line = highestYLevel + (maxYValue * params.TextMargin); - end - - % Update the highest level used - highestYLevel = y_line; - - % y position for the text - y_text = y_line + textMargin; - - % Draw line for each p-value comparison - line(ax, [x1(i), x2(i)], [y_line, y_line], 'Color', params.LineColor, 'LineWidth', params.LineWidth); - line(ax, [x1(i), x1(i)], [y_line + 0.015, y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); - line(ax, [x2(i), x2(i)], [y_line + 0.015, y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); - - % Format p-value text - if pvals_sorted(i) >= params.NaNCutoff || isnan(pvals_sorted(i)) - pval_text = 'n.s.'; - elseif par - if pvals_sorted(i) < param.FullDisplayCutoff - pval_text = ['p < ', str2num(param.FullDisplayCutoff)]; - else - pval_text = sprintf('p = %0.3f', pvals_sorted(i)); - end - end - - % Add text for p-value - text(mean([x1_sorted(i), x2_sorted(i)]), y_text, pval_text, 'HorizontalAlignment', 'center', 'Rotation', params.TextRotation, 'FontSize', params.TextFontSize, 'Parent', ax); -end - -% Adjust the ylim to accommodate the highest p-value line -current_ylim = ylim(ax); -if highestYLevel > current_ylim(2) + y_offset + textMargin - ylim(ax, [current_ylim(1), highestYLevel + y_offset + textMargin]); -end - -% Release the plot hold -hold(ax, 'off'); -end -function Y = minY_involvedBars(x) -% hacky way of getting the maximum y value for the bars at the -% locations x (and in between) - -% store the original axis limits -original_XLim = get(gca, 'XLim'); -original_YLim = get(gca, 'YLim'); - -axis(gca, 'tight') -% add a little padding to ensure the function behaves nicely -x(1) = x(1) - 0.1; -x(2) = x(2) + 0.1; - -% artifically set the xlimits to only include the bars at locations x -% and extract the new xlims from this -set(gca, 'xlim', x) -yLim = get(gca, 'YLim'); -Y = max(yLim); - -axis(gca, 'normal') -set(gca, 'XLim', original_XLim, 'YLim', original_YLim) % set back the axis to the original values - -end diff --git a/prettify_stats/prettify_pvalues.m b/prettify_stats/prettify_pvalues.m index 6c7d2318..303ffa05 100644 --- a/prettify_stats/prettify_pvalues.m +++ b/prettify_stats/prettify_pvalues.m @@ -16,22 +16,27 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) % - options to plot below certain amount, NaNs or not % - options to just have stars -% Parse optional parameters +% (Parse optional parameters) p = inputParser; +% Visual parameters addParameter(p, 'TextRotation', 0, @isnumeric); addParameter(p, 'TextFontSize', 10, @isnumeric); addParameter(p, 'LineColor', 'k'); addParameter(p, 'LineWidth', 1.5, @isnumeric); -addParameter(p, 'OffsetMultiplier', 0.12, @isnumeric); -addParameter(p, 'TickLength', 0.03, @isnumeric); -addParameter(p, 'TextMargin', 0.035, @isnumeric); +addParameter(p, 'LineMargin', 0.0025, @isnumeric); +addParameter(p, 'TickLength', 0.01, @isnumeric); +addParameter(p, 'TextMargin', 0.01, @isnumeric); +% Plot type paramaters +% addParameter(p, 'AxisForPvalues', 'Y'); % Y axis by default. Change to X +% or Z if necessary %QQ to add +% P value display parameters addParameter(p, 'PlotNonSignif', true); % whether to plot the non-significant values or not addParameter(p, 'NaNCutoff', 0.05, @isnumeric); % any p values above this -% will be plotted as 'n.s.'. Set to 1 or Inf to disable this feature + % will be plotted as 'n.s.'. Set to 1 or Inf to disable this feature addParameter(p, 'FullDisplayCutoff', 0.001, @isnumeric); % any p values -% below this will be plotted as 'p < thisValue'. Set to 0 or -Inf to disable this feature + % below this will be plotted as 'p < thisValue'. Set to 0 or -Inf to disable this feature addParameter(p, 'OnlyStars', false); % set to true to only plot stars rather -% than full p values + % than full p values addParameter(p, 'StarsLevel_1', 0.050, @isnumeric); % * addParameter(p, 'StarsLevel_2', 0.010, @isnumeric); % ** addParameter(p, 'StarsLevel_3', 0.001, @isnumeric); % *** @@ -52,10 +57,13 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) % Calculate a consistent tick length adjusted by the number of p-value lines baseTickLength = params.TickLength; % Default base tick length -tickLength = baseTickLength * length(pvals); % Adjust tick length based on number of p-values +tickLength = baseTickLength * length(pvals) * diff(ax.YLim); % Adjust tick length based on number of p-values baseTextMargin = params.TextMargin; -textMargin = baseTextMargin * length(pvals); +textMargin = baseTextMargin * length(pvals) * diff(ax.YLim); + +baseLineMargin = params.LineMargin; +LineMargin = baseLineMargin * length(pvals) * diff(ax.YLim); % Calculate the y limits based on the bars involved in the comparisons yLimits = arrayfun(@(x) ylim(ax), 1:length(pvals), 'UniformOutput', false); @@ -68,7 +76,7 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) % Initialize the highest level already used for placing a p-value line highestYLevel = 0; -y_offset = range(ylim) * params.OffsetMultiplier; % 5 % offset +y_offset = range(ylim) * LineMargin; % 5 % offset for i = 1:length(pvals_sorted) % Find the y-values of bars involved in the comparison (including in-between bars) @@ -97,9 +105,9 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) line(ax, [x2(i), x2(i)], [y_line + 0.015, y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); % Format p-value text - if pvals_sorted(i) >= params.NaNCutoff || isnan(pvals_sorted(i)) + if pvals_sorted(i) >= params.NaNCutoff || isnan(pvals_sorted(i)) % plot non significant values as n.s. pval_text = 'n.s.'; - elseif params.OnlyStars + elseif params.OnlyStars % only display stars if pvals_sorted(i) < params.StarsLevel_1 pval_text = '*'; elseif pvals_sorted(i) < params.StarsLevel_2 @@ -128,6 +136,7 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) % Release the plot hold hold(ax, 'off'); end + function Y = minY_involvedBars(x) % hacky way of getting the maximum y value for the bars at the % locations x (and in between) @@ -136,18 +145,19 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) original_XLim = get(gca, 'XLim'); original_YLim = get(gca, 'YLim'); -axis(gca, 'tight') % add a little padding to ensure the function behaves nicely x(1) = x(1) - 0.1; x(2) = x(2) + 0.1; % artifically set the xlimits to only include the bars at locations x % and extract the new xlims from this +axis(gca, 'tight') set(gca, 'xlim', x) yLim = get(gca, 'YLim'); Y = max(yLim); +% set back the axis to the original values axis(gca, 'normal') -set(gca, 'XLim', original_XLim, 'YLim', original_YLim) % set back the axis to the original values +set(gca, 'XLim', original_XLim, 'YLim', original_YLim) end From 9cc568ec7c80fca52f2f391996297a37ec2e19ee Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Thu, 9 Nov 2023 17:34:17 +0000 Subject: [PATCH 03/10] better legend replacing --- examples/uglyPlot.m | 2 +- prettify_plot/prettify_colorbar.m | 11 ++--- prettify_plot/prettify_legend.asv | 68 ++++++++++++++++++++++++++ prettify_plot/prettify_legend.m | 57 ++++++---------------- prettify_plot/prettify_plot.asv | 79 +++++++++++++++---------------- prettify_plot/prettify_plot.m | 1 - 6 files changed, 128 insertions(+), 90 deletions(-) create mode 100644 prettify_plot/prettify_legend.asv diff --git a/examples/uglyPlot.m b/examples/uglyPlot.m index 1902fae5..c804f593 100644 --- a/examples/uglyPlot.m +++ b/examples/uglyPlot.m @@ -84,4 +84,4 @@ c2 = colorbar; c2.Title.String = 'Zscore'; -prettify_plot; +%prettify_plot; diff --git a/prettify_plot/prettify_colorbar.m b/prettify_plot/prettify_colorbar.m index 6eda255b..1dddc0fb 100644 --- a/prettify_plot/prettify_colorbar.m +++ b/prettify_plot/prettify_colorbar.m @@ -1,8 +1,8 @@ -%QQ nee to find axes / colorbar pairs, and adjust colormap there. +%QQ nee to find axes / colorbar pairs, and adjust colormap there. %'YTickLabel' -function prettify_colorbar(colorbars, colorsToReplace, mainColor, ChangeColormaps, DivergingColormap,... +function prettify_colorbar(colorbars, colorsToReplace, mainColor, ChangeColormaps, DivergingColormap, ... SequentialColormap) colorbarProperties = struct; @@ -13,11 +13,11 @@ function prettify_colorbar(colorbars, colorsToReplace, mainColor, ChangeColormap %text color colorbarProperties(iColorBar).Color = mainColor; - % check/change colormap + % check/change colormap currColorbar.Limits = colorbars(iColorBar).Limits; if ChangeColormaps && currColorbar.Limits(1) < 0 && currColorbar.Limits(2) > 0 % equalize, and use a diverging colormap colormap(currColorbar.Parent, brewermap(100, DivergingColormap)) - elseif ChangeColormaps %use a sequential colormap + elseif ChangeColormaps %use a sequential colormap colormap(currColorbar.Parent, brewermap(100, SequentialColormap)) end colorbarProperties(iColorBar).Limits = currColorbar.Limits; @@ -45,7 +45,7 @@ function prettify_colorbar(colorbars, colorsToReplace, mainColor, ChangeColormap %currColorbar.Units = 'Points'; %colorbarProperties(iColorBar).Parent.Position %currColorbar.Position = [colorbarProperties(iColorBar).Position_ori(1)+35, colorbarProperties(iColorBar).Position_ori(2:4)]; % QQ hardcoded - currColorbar.Label.String = colorbarProperties(iColorBar).Label;%QQ error - this doesn't work with XLabel. + currColorbar.Label.String = colorbarProperties(iColorBar).Label; %QQ error - this doesn't work with XLabel. currColorbar.Label.Rotation = 270; % Rotate the label to be horizontal currColorbar.Label.Position = [3, 0.5, 0]; % You might need to adjust these values @@ -62,4 +62,3 @@ function prettify_colorbar(colorbars, colorsToReplace, mainColor, ChangeColormap end - diff --git a/prettify_plot/prettify_legend.asv b/prettify_plot/prettify_legend.asv new file mode 100644 index 00000000..520c1f24 --- /dev/null +++ b/prettify_plot/prettify_legend.asv @@ -0,0 +1,68 @@ +function prettify_legend(ax) + yRange = ax.YLim(2) - ax.YLim(1); + offset = yRange * 0.1; % This is 5% of the y-axis range; adjust as needed for a larger/smaller offset + + handles = findall(ax.Children); + + lines = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'line')); + points = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'scatter')); + + %remove any points + for iLine = 1:length(lines) + thisLine = lines(iLine); + keepLine(iLine) = length(thisLine.XData) > 1; + end + lines = lines(keepLine); + + for h = lines' + % Extract color and display name + color = h.Color; + name = h.DisplayName; + + % Identify the position with maximum separation from other lines + xdata = h.XData; + ydata = h.YData; + separation = zeros(size(ydata)); + + for i = round(3*length(ydata)/4):-1:1 + for hl = lines' + if hl ~= h + if length(xdata) > 1 + separation(i) = separation(i) + abs(ydata(i) - interp1(hl.XData, hl.YData, xdata(i), 'linear', 'extrap')); + else + separation(i) = 0; + end + end + end + end + + if sum(separation) == 0 + [~, idx] = max(ydata); + else + [~, idx] = max(separation); % considering last 6 points for better labeling + %idx = idx + length(ydata); + end + + + + % Adjust label position based on the position of other lines + yOffset = sign(median([h.YData(idx) - ax.YLim(1), ax.YLim(2) - h.YData(idx)])) * offset; + + + % Place the text + text(ax, xdata(idx), ydata(idx) + yOffset, name, 'Color', color, 'FontWeight', 'bold'); + end + + for h = points' + % Extract color and display name + color = h.CData; + name = h.DisplayName; + xdata = h.XData; + ydata = h.YData; + + % Place the text + text(xdata, ydata + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center'); + end + + % remove legend +end diff --git a/prettify_plot/prettify_legend.m b/prettify_plot/prettify_legend.m index c953f76a..d89b4395 100644 --- a/prettify_plot/prettify_legend.m +++ b/prettify_plot/prettify_legend.m @@ -1,68 +1,41 @@ function prettify_legend(ax) yRange = ax.YLim(2) - ax.YLim(1); - offset = yRange * 0.05; % This is 5% of the y-axis range; adjust as needed for a larger/smaller offset - - handles = findall(ax); + offset = yRange * 0.05; % Adjust offset as needed for better spacing + handles = findall(ax.Children); + lines = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'line')); points = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'scatter')); - %remove any points - for h = lines' - keepLine = length(h.XData) > 1; - end - lines = lines(keepLine); + % Remove any single points from legend + lines = lines(arrayfun(@(x) numel(x.XData) > 1, lines)); for h = lines' % Extract color and display name color = h.Color; name = h.DisplayName; - % Identify the position with maximum separation from other lines - xdata = h.XData; + % Calculate label position based on average y-value ydata = h.YData; - separation = zeros(size(ydata)); - - for i = length(ydata):-1:1 - for hl = lines' - if hl ~= h - if size(xdata) > 1 - separation(i) = separation(i) + abs(ydata(i) - interp1(hl.XData, hl.YData, xdata(i), 'linear', 'extrap')); - else - separation(i) =0; - end - end - end - end - - if separation == 0 - [~, idx] = max(ydata); - else - [~, idx] = max(separation(end-5:end)); % considering last 6 points for better labeling - idx = idx + length(ydata) - 6; - end + yavg = mean(ydata); - - - % Adjust label position based on the position of other lines - - yOffset = sign(median([h.YData(idx) - ax.YLim(1), ax.YLim(2) - h.YData(idx)])) * offset; - - % Place the text - text(xdata(idx), ydata(idx) + yOffset, name, 'Color', color, 'FontWeight', 'bold'); + text(ax, max(h.XData), yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'right'); end - + for h = points' % Extract color and display name color = h.CData; name = h.DisplayName; - xdata = h.XData; + + % Calculate label position based on average y-value ydata = h.YData; + yavg = mean(ydata); % Place the text - text(xdata, ydata + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center'); + text(h.XData, yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center'); end - % remove legend + % Remove legend (if needed) + ax.Legend.Visible = 'off'; end diff --git a/prettify_plot/prettify_plot.asv b/prettify_plot/prettify_plot.asv index 6361852c..05a3ee7b 100644 --- a/prettify_plot/prettify_plot.asv +++ b/prettify_plot/prettify_plot.asv @@ -161,11 +161,25 @@ clims_subplot = nan(size(all_axes, 2), 2); % set colors to replace and default text/axis colors if strcmp(options.FigureColor, 'none') - colorsToReplace = []; + colorsToReplace = [0, 0, 0; 1, 1, 1]; mainColor = options.NeutralColor; else + colorsToReplace = options.FigureColor; + mainColor = options.TextColor; end +% update axis limits +prettify_axis_limits(all_axes, currFig_children, ... + ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... + options.XLimits, options.YLimits, options.CLimits, ... + options.LimitsRound, options.SymmetricalCLimits, ... + options.LegendReplace, options.LegendLocation); + +% update colorbars +colorbars = findobj(currFig_children, 'Type', 'colorbar'); +prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps, options.DivergingColormap, ... + options.SequentialColormap); + % update (sub)plot properties for iAx = 1:size(all_axes, 2) thisAx = all_axes(iAx); @@ -178,7 +192,15 @@ for iAx = 1:size(all_axes, 2) set(currAx, 'Box', options.AxisBox) set(currAx, 'TickLength', [options.TickLength, options.TickLength]); % Make tick marks longer. set(currAx, 'LineWidth', options.TickWidth); % Make tick marks and axis lines thicker. +prettify_axis_limits(all_axes, currFig_children, ... + ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... + options.XLimits, options.YLimits, options.CLimits, ... + options.LimitsRound, options.SymmetricalCLimits, ... + options.LegendReplace, options.LegendLocation); +colorbars = findobj(currFig_children, 'Type', 'colorbar'); +prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps, options.DivergingColormap, ... + options.SequentialColormap); %set(currAx, 'Grid', options.AxisGrid) if strcmp(options.AxisAspectRatio, 'keep') == 0 axis(currAx, options.AxisAspectRatio) @@ -188,25 +210,25 @@ for iAx = 1:size(all_axes, 2) end % Set text properties - set(currAx.XLabel, 'FontSize', options.LabelFontSize, 'Color', options.TextColor); + set(currAx.XLabel, 'FontSize', options.LabelFontSize, 'Color', mainColor); if strcmp(currAx.YAxisLocation, 'left') % if there is both a left and right yaxis, keep the colors set(currAx.YLabel, 'FontSize', options.LabelFontSize); else - set(currAx.YLabel, 'FontSize', options.LabelFontSize, 'Color', options.TextColor); + set(currAx.YLabel, 'FontSize', options.LabelFontSize, 'Color', mainColor); end if strcmp(options.BoldTitle, 'on') - set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', options.TextColor, ... + set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', mainColor, ... 'FontWeight', 'Bold') else - set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', options.TextColor, ... + set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', mainColor, ... 'FontWeight', 'Normal'); end %disp(currAx) - set(currAx, 'FontSize', options.GeneralFontSize, 'GridColor', options.TextColor, ... - 'YColor', options.TextColor, 'XColor', options.TextColor, ... - 'MinorGridColor', options.TextColor); + set(currAx, 'FontSize', options.GeneralFontSize, 'GridColor', mainColor, ... + 'YColor', mainColor, 'XColor', mainColor, ... + 'MinorGridColor',mainColor); if ~isempty(currAx.Legend) - set(currAx.Legend, 'Color', options.FigureColor, 'TextColor', options.TextColor) + set(currAx.Legend, 'Color', options.FigureColor, 'TextColor', mainColor) end % Adjust properties of line children within the plot @@ -215,12 +237,8 @@ for iAx = 1:size(all_axes, 2) % if any lines/points become the same as background, change % these. - if strcmp(options.FigureColor, 'none') && ismember(thisLine.Color, [0, 0, 0; 1, 1, 1], 'rows') - thisLine.Color = options.NeutralColor; - elseif ~strcmp(options.FigureColor, 'none') - if sum(thisLine.Color == options.FigureColor) == 3 - thisLine.Color = options.TextColor; - end + if ismember(thisLine.Color, colorsToReplace, 'rows') + thisLine.Color = mainColor; end % adjust markersize if sum(get(thisLine, 'Marker') == 'none') < 4 @@ -240,25 +258,18 @@ for iAx = 1:size(all_axes, 2) % if any lines/points become the same as background, change % these. if size(thisPoint.CData, 1) == 1 % one uniform color - - if strcmp(options.FigureColor, 'none') && ismember(thisPoint.CData, [0, 0, 0; 1, 1, 1], 'rows') - thisPoint.CData = options.NeutralColor; - elseif ~strcmp(options.FigureColor, 'none') - if sum(thisPoint.CData == options.FigureColor) == 3 - thisPoint.CData = options.TextColor; - end + if ismember(thisPoint.CData, colorsToReplace, 'rows') + thisPoint.CData = mainColor; end else - if strcmp(options.FigureColor, 'none') && ismember(thisPoint.CData, [0, 0, 0; 1, 1, 1], 'rows') + if ismember(thisPoint.CData, colorsToReplace, 'rows') points_sub = ismember(thisPoint.CData == [0, 0, 0; 1, 1, 1], 'rows'); - set(thisPoint, 'MarkerEdgeColor', options.NeutralColor) - elseif ~strcmp(options.FigureColor, 'none') - points_sub = sum(thisPoint.CData == options.FigureColor, 2) == 3; if any(points_sub) - set(thisPoint, 'MarkerEdgeColor', options.TextColor) + set(thisPoint, 'MarkerEdgeColor', mainColor) end end + end % adjust markersize if sum(get(thisPoint, 'Marker') == 'none') < 4 @@ -286,11 +297,7 @@ for iAx = 1:size(all_axes, 2) % Adjust properties of any plotted text childTexts = findall(currAx, 'Type', 'Text'); for thisText = childTexts' - if strcmp(options.FigureColor, 'none') - set(thisText, 'FontSize', options.GeneralFontSize, 'Color', options.NeutralColor); - else - set(thisText, 'FontSize', options.GeneralFontSize, 'Color', options.TextColor); - end + set(thisText, 'FontSize', options.GeneralFontSize, 'Color', mainColor); end % Get x and y limits @@ -312,15 +319,7 @@ for iAx = 1:size(all_axes, 2) end end -prettify_axis_limits(all_axes, currFig_children, ... - ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... - options.XLimits, options.YLimits, options.CLimits, ... - options.LimitsRound, options.SymmetricalCLimits, ... - options.LegendReplace, options.LegendLocation); -colorbars = findobj(currFig_children, 'Type', 'colorbar'); -prettify_colorbar(colorbars, options.ChangeColormaps, options.DivergingColormap, ... - options.SequentialColormap); %prettify_axis_locations; diff --git a/prettify_plot/prettify_plot.m b/prettify_plot/prettify_plot.m index e446138a..b8b88fff 100644 --- a/prettify_plot/prettify_plot.m +++ b/prettify_plot/prettify_plot.m @@ -278,7 +278,6 @@ function prettify_plot(varargin) childTexts = findall(currAx, 'Type', 'Text'); for thisText = childTexts' set(thisText, 'FontSize', options.GeneralFontSize, 'Color', mainColor); - end % Get x and y limits From 39d71ccacf7a039e9a1b037519cb9d6bc94144a9 Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Thu, 9 Nov 2023 18:31:22 +0000 Subject: [PATCH 04/10] reorder legend so entries match the point/line order --- prettify_plot/prettify_axis_limits.m | 29 ++++---- prettify_plot/prettify_legend.asv | 104 ++++++++++++++++----------- prettify_plot/prettify_legend.m | 49 ++++++++++++- prettify_plot/prettify_plot.asv | 7 +- prettify_plot/prettify_plot.m | 36 +++++----- 5 files changed, 139 insertions(+), 86 deletions(-) diff --git a/prettify_plot/prettify_axis_limits.m b/prettify_plot/prettify_axis_limits.m index 4bcfabcf..622e5144 100644 --- a/prettify_plot/prettify_axis_limits.m +++ b/prettify_plot/prettify_axis_limits.m @@ -1,6 +1,6 @@ function prettify_axis_limits(all_axes, currFig_children, ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... - XLimits, YLimits, CLimits, LimitsRound, SymmetricalCLimits, LegendReplace, LegendLocation) + XLimits, YLimits, CLimits, LimitsRound, SymmetricalCLimits) if ~isnan(LimitsRound) % round up all limits to the nearest LimitsRound decimal place xlims_subplot = arrayfun(@(x) prettify_roundUpNatural(x, LimitsRound), xlims_subplot); @@ -49,14 +49,7 @@ function prettify_axis_limits(all_axes, currFig_children, ax_pos, xlims_subplot, end - % re-check legend location is correctly set - if ~isempty(currAx.Legend) - if LegendReplace - prettify_legend(currAx) - else - set(currAx.Legend, 'Location', LegendLocation) - end - end + elseif SymmetricalCLimits for iAx = 1:size(all_axes, 2) thisAx = all_axes(iAx); @@ -78,14 +71,16 @@ function setNewXYLimits(currAx, limits, limitRows, limitCols, axPos, limitIdx_ro end function setNewCLimits(currAx, theseCLims, SymmetricalCLimits) - if SymmetricalCLimits && any(any(theseCLims < 0)) && any(any(theseCLims > 0)) % diverging - set(currAx, 'Clim', [-max(max(abs(theseCLims))), max(max(abs(theseCLims)))]); - elseif SymmetricalCLimits && any(any(theseCLims < 0)) - set(currAx, 'Clim', [-max(max(abs(theseCLims))), 0]); - elseif SymmetricalCLimits && any(any(theseCLims > 0)) - set(currAx, 'Clim', [0, max(max(abs(theseCLims)))]); - else - set(currAx, 'Clim', [min(min(theseCLims)), max(max(theseCLims))]); + if any(any(~isnan(theseCLims))) + if SymmetricalCLimits && any(any(theseCLims < 0)) && any(any(theseCLims > 0)) % diverging + set(currAx, 'Clim', [-nanmax(nanmax(abs(theseCLims))), nanmax(nanmax(abs(theseCLims)))]); + elseif SymmetricalCLimits && any(any(theseCLims < 0)) + set(currAx, 'Clim', [-nanmax(nanmax(abs(theseCLims))), 0]); + elseif SymmetricalCLimits && any(any(theseCLims > 0)) + set(currAx, 'Clim', [0, nanmax(nanmax(abs(theseCLims)))]); + else + set(currAx, 'Clim', [nanmin(nanmin(theseCLims)), nanmax(nanmax(theseCLims))]); + end end end end diff --git a/prettify_plot/prettify_legend.asv b/prettify_plot/prettify_legend.asv index 520c1f24..7874d8c4 100644 --- a/prettify_plot/prettify_legend.asv +++ b/prettify_plot/prettify_legend.asv @@ -1,68 +1,86 @@ -function prettify_legend(ax) - yRange = ax.YLim(2) - ax.YLim(1); - offset = yRange * 0.1; % This is 5% of the y-axis range; adjust as needed for a larger/smaller offset - +function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) + + +if ~LegendReplace + set(ax.Legend, 'Location', LegendLocation) + set(ax.Legend, 'Box', LegendBox) + + % based on location, order the legend in the same order the lines/ dots + % are in + xvalues = [ax.Legend.Position(1) .* ax.XLim(2) + ax.XLim(1),... + (ax.Legend.Position(1) + ax.Legend.Position(3)) .* ax.XLim(2) + ax.XLim(1)]; + handles = findall(ax.Children); + for iHandle = 1:length(handles) + + h = handles(iHandle); + % Extract color and display name + if strcmp(get(h, 'Type'), 'line') + color = h.Color; + elseif strcmp(get(h, 'Type'), 'scatter') + color = h.CData; + end + name = h.DisplayName; + + % Calculate label position based on average y-value + ydata = h.YData; + if contains(ax.Legend.Location, 'eastoutside') + yavg(iHandle) = mean(ydata(h.XData(end))); + elseif contains(ax.Legend.Location, 'westoutside') + yavg(iHandle) = mean(ydata(h.XData(1))); + elseif contains(ax.Legend.Location, 'bestoutside') && contains(ax.Legend.Orientation, 'vertical') + yavg(iHandle) = mean(ydata(h.XData >= xvalues(end))); + else + yavg(iHandle) = mean(ydata(h.XData <= xvalues(1))); + end + + end + + [~, order] = sort(yavg); + legend(ax, handles(order)); + + + +else + yRange = ax.YLim(2) - ax.YLim(1); + offset = yRange * 0.05; % Adjust offset as needed for better spacing + + handles = findall(ax.Children); + lines = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'line')); points = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'scatter')); - %remove any points - for iLine = 1:length(lines) - thisLine = lines(iLine); - keepLine(iLine) = length(thisLine.XData) > 1; - end - lines = lines(keepLine); + % Remove any single points from legend + lines = lines(arrayfun(@(x) numel(x.XData) > 1, lines)); for h = lines' % Extract color and display name color = h.Color; name = h.DisplayName; - % Identify the position with maximum separation from other lines - xdata = h.XData; + % Calculate label position based on average y-value ydata = h.YData; - separation = zeros(size(ydata)); - - for i = round(3*length(ydata)/4):-1:1 - for hl = lines' - if hl ~= h - if length(xdata) > 1 - separation(i) = separation(i) + abs(ydata(i) - interp1(hl.XData, hl.YData, xdata(i), 'linear', 'extrap')); - else - separation(i) = 0; - end - end - end - end + yavg = mean(ydata); - if sum(separation) == 0 - [~, idx] = max(ydata); - else - [~, idx] = max(separation); % considering last 6 points for better labeling - %idx = idx + length(ydata); - end - - - - % Adjust label position based on the position of other lines - yOffset = sign(median([h.YData(idx) - ax.YLim(1), ax.YLim(2) - h.YData(idx)])) * offset; - - % Place the text - text(ax, xdata(idx), ydata(idx) + yOffset, name, 'Color', color, 'FontWeight', 'bold'); + text(ax, max(h.XData), yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'right'); end - + for h = points' % Extract color and display name color = h.CData; name = h.DisplayName; - xdata = h.XData; + + % Calculate label position based on average y-value ydata = h.YData; + yavg = mean(ydata); % Place the text - text(xdata, ydata + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center'); + text(h.XData, yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center'); end - % remove legend + % Remove legend + ax.Legend.Visible = 'off'; +end end diff --git a/prettify_plot/prettify_legend.m b/prettify_plot/prettify_legend.m index d89b4395..102dd372 100644 --- a/prettify_plot/prettify_legend.m +++ b/prettify_plot/prettify_legend.m @@ -1,4 +1,48 @@ -function prettify_legend(ax) +function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) + + +if ~LegendReplace + set(ax.Legend, 'Location', LegendLocation) + set(ax.Legend, 'Box', LegendBox) + + % based on location, order the legend in the same order the lines/ dots + % are in + xvalues = [ax.Legend.Position(1) .* ax.XLim(2) + ax.XLim(1),... + (ax.Legend.Position(1) + ax.Legend.Position(3)) .* ax.XLim(2) + ax.XLim(1)]; + + handles = findall(ax.Children); + + for iHandle = 1:length(handles) + + h = handles(iHandle); + % Extract color and display name + if strcmp(get(h, 'Type'), 'line') + color = h.Color; + elseif strcmp(get(h, 'Type'), 'scatter') + color = h.CData; + end + name = h.DisplayName; + + % Calculate label position based on average y-value + ydata = h.YData; + if contains(ax.Legend.Location, 'eastoutside') + yavg(iHandle) = mean(ydata(h.XData(end))); + elseif contains(ax.Legend.Location, 'westoutside') + yavg(iHandle) = mean(ydata(h.XData(1))); + elseif contains(ax.Legend.Location, 'bestoutside') && contains(ax.Legend.Orientation, 'vertical') + yavg(iHandle) = mean(ydata(h.XData >= xvalues(end))); + else + yavg(iHandle) = mean(ydata(h.XData <= xvalues(1))); + end + + end + + [~, order] = sort(yavg, 'descend'); + legend(ax, handles(order)); + + + +else yRange = ax.YLim(2) - ax.YLim(1); offset = yRange * 0.05; % Adjust offset as needed for better spacing @@ -36,6 +80,7 @@ function prettify_legend(ax) text(h.XData, yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center'); end - % Remove legend (if needed) + % Remove legend ax.Legend.Visible = 'off'; end +end diff --git a/prettify_plot/prettify_plot.asv b/prettify_plot/prettify_plot.asv index 05a3ee7b..3d9906a6 100644 --- a/prettify_plot/prettify_plot.asv +++ b/prettify_plot/prettify_plot.asv @@ -308,11 +308,8 @@ prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps % adjust legend if ~isempty(currAx.Legend) if options.LegendReplace - prettify_legend(currAx) - else - set(currAx.Legend, 'Location', options.LegendLocation) - set(currAx.Legend, 'Box', options.LegendBox) - end + prettify_legend(currAx, options.LegendLocation, options.LegendBox) + end diff --git a/prettify_plot/prettify_plot.m b/prettify_plot/prettify_plot.m index b8b88fff..c7198bb7 100644 --- a/prettify_plot/prettify_plot.m +++ b/prettify_plot/prettify_plot.m @@ -168,6 +168,22 @@ function prettify_plot(varargin) mainColor = options.TextColor; end +% update axis limits +for iAx = 1:size(all_axes, 2) + thisAx = all_axes(iAx); + currAx = currFig_children(thisAx); + ax_pos = get(currAx, 'Position'); +end +prettify_axis_limits(all_axes, currFig_children, ... + ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... + options.XLimits, options.YLimits, options.CLimits, ... + options.LimitsRound, options.SymmetricalCLimits); + +% update colorbars +colorbars = findobj(currFig_children, 'Type', 'colorbar'); +prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps, options.DivergingColormap, ... + options.SequentialColormap); + % update (sub)plot properties for iAx = 1:size(all_axes, 2) thisAx = all_axes(iAx); @@ -287,27 +303,9 @@ function prettify_plot(varargin) % adjust legend if ~isempty(currAx.Legend) - if options.LegendReplace - prettify_legend(currAx) - else - set(currAx.Legend, 'Location', options.LegendLocation) - set(currAx.Legend, 'Box', options.LegendBox) - end + prettify_legend(currAx, options.LegendReplace, options.LegendLocation, options.LegendBox) end end end - -prettify_axis_limits(all_axes, currFig_children, ... - ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... - options.XLimits, options.YLimits, options.CLimits, ... - options.LimitsRound, options.SymmetricalCLimits, ... - options.LegendReplace, options.LegendLocation); - -colorbars = findobj(currFig_children, 'Type', 'colorbar'); -prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps, options.DivergingColormap, ... - options.SequentialColormap); - - -%prettify_axis_locations; From 146383de4e426589d11e2a1bb0193a83dc40a88e Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Thu, 9 Nov 2023 19:21:16 +0000 Subject: [PATCH 05/10] documentation update --- prettify_plot/prettify_plot.asv | 135 +++++++++++++++++--------------- prettify_plot/prettify_plot.m | 127 +++++++++++++++++------------- 2 files changed, 145 insertions(+), 117 deletions(-) diff --git a/prettify_plot/prettify_plot.asv b/prettify_plot/prettify_plot.asv index 3d9906a6..34a4de4d 100644 --- a/prettify_plot/prettify_plot.asv +++ b/prettify_plot/prettify_plot.asv @@ -4,55 +4,79 @@ function prettify_plot(varargin) % Inputs: Name - Pair arguments % ------ % - XLimits: string or number. -% If a string, either: -% - 'keep': don't change any of the xlimits -% - 'same': set all xlimits to the same values -% - 'row': set all xlimits to the same values for each subplot row -% - 'col': set all xlimits to the same values for each subplot col -% If a number, 1 * 2 double setting the minimum and maximum values +% If a string, either: +% - 'keep': don't change any of the xlimits +% - 'same': set all xlimits to the same values +% - 'row': set all xlimits to the same values for each subplot row +% - 'col': set all xlimits to the same values for each subplot col +% If a number, 1 * 2 double setting the minimum and maximum values % - YLimits: string or number. -% If a string, either: -% - 'keep': don't change any of the ylimits -% - 'same': set all ylimits to the same values -% - 'row': set all ylimits to the same values for each subplot row -% - 'col': set all ylimits to the same values for each subplot col -% If a number, 1 * 2 double setting the minimum and maximum values +% If a string, either: +% - 'keep': don't change any of the ylimits +% - 'same': set all ylimits to the same values +% - 'row': set all ylimits to the same values for each subplot row +% - 'col': set all ylimits to the same values for each subplot col +% If a number, 1 * 2 double setting the minimum and maximum values +% - CLimits, string or number. +% If a string, either: +% - 'keep': don't change any of the xlimits +% - 'same': set all xlimits to the same values +% - 'row': set all xlimits to the same values for each subplot row +% - 'col': set all xlimits to the same values for each subplot col +% If a number, 1 * 2 double setting the minimum and maximum values +% - LimitsRound % Number of decimals to keep when rounding. set to NaN if you don't want any changes +% - SymmetricalCLimits: boolean. Whether to make CLimits symmetrical around 0 % - FigureColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots % background color. % - TextColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots % text color. +% - NeutralColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots +% text color. % - LegendLocation: string determining where the legend is. Either: -% 'north' Inside top of axes -% 'south' Inside bottom of axes -% 'east' Inside right of axes -% 'west' Inside left of axes -% 'northeast' Inside top-right of axes (default for 2-D axes) -% 'northwest' Inside top-left of axes -% 'southeast' Inside bottom-right of axes -% 'southwest' Inside bottom-left of axes -% 'northoutside' Above the axes -% 'southoutside' Below the axes -% 'eastoutside' To the right of the axes -% 'westoutside' To the left of the axes -% 'northeastoutside' Outside top-right corner of the axes (default for 3-D axes) -% 'northwestoutside' Outside top-left corner of the axes -% 'southeastoutside' Outside bottom-right corner of the axes -% 'southwestoutside' Outside bottom-left corner of the axes -% 'best' Inside axes where least conflict occurs with the plot data at the time that you create the legend. If the plot data changes, you might need to reset the location to 'best'. -% 'bestoutside' Outside top-right corner of the axes (when the legend has a vertical orientation) or below the axes (when the legend has a horizontal orientation) -% - LegendReplace: ! buggy ! boolean, if you want the legend box to be replace by text +% 'north' Inside top of axes +% 'south' Inside bottom of axes +% 'east' Inside right of axes +% 'west' Inside left of axes +% 'northeast' Inside top-right of axes (default for 2-D axes) +% 'northwest' Inside top-left of axes +% 'southeast' Inside bottom-right of axes +% 'southwest' Inside bottom-left of axes +% 'northoutside' Above the axes +% 'southoutside' Below the axes +% 'eastoutside' To the right of the axes +% 'westoutside' To the left of the axes +% 'northeastoutside' Outside top-right corner of the axes (default for 3-D axes) +% 'northwestoutside' Outside top-left corner of the axes +% 'southeastoutside' Outside bottom-right corner of the axes +% 'southwestoutside' Outside bottom-left corner of the axes +% 'best' Inside axes where least conflict occurs with the plot data at the time that you create the legend. If the plot data changes, you might need to reset the location to 'best'. +% 'bestoutside' Outside top-right corner of the axes (when the legend has a vertical orientation) or below the axes (when the legend has a horizontal orientation) +% - LegendReplace: ! buggy sometimes ! boolean, if you want the legend box to be replace by text % directly plotted on the figure, next to the each subplot's % line/point -% - titleFontSize: double -% - labelFontSize: double -% - generalFontSize: double +% - titleFontSize: double, font size for titles +% - labelFontSize: double, font size for x, y, z axis labels +% - generalFontSize: double, font size for other figure elements (legends, +% colorbars, x/y/z ticks, text elements, ...) % - Font: string. See listfonts() for a list of all available fonts -% - pointSize: double -% - lineThickness: double -% - AxisTicks -% - AxisBox -% - AxisAspectRatio 'equal', 'square', 'image' -% - AxisTightness 'tickaligned' 'tight', 'padded' +% - pointSize: double, size for point elements +% - lineThickness: double, thickness value for lines +% - AxisTicks: string. Either 'out' (the tick marks come out of the axis) +% or 'in' (the tick marks go in of the axis) +% - TickLength: number, determines size of ticks +% - TickWidth: number, determines size of ticks +% - AxisBox: String. Either 'off' (no box) or 'on' (a box) +% - AxisAspectRatio: String. Either 'equal', 'square' or 'image' +% - AxisTightness: String. Either 'tickaligned', 'tight' or 'padded' +% - AxisUnits - not in use yet +% - ChangeColormaps', true, ... %set to false if you don't want any changes +% - DivergingColormap', '*RdBu', ... +% - SequentialColormap: String corresponding to the brewermap colormap for +% sequential data. Options: 'Blues', 'BuGn', 'BuPu', 'GnBu', 'Greens', +% 'Greys', 'OrRd', 'Oranges', 'PuBu', 'PuBuGn', 'PuRd', 'Purples', 'RdPu', +% 'Reds', 'YlGn', 'YlGnBu', 'YlOrBr', 'YlOrRd' +% - PairedColormap - not in use yet +% - QualitativeColormap - not in use yet % ------ % to do: % - option to adjust vertical and horiz. lines @@ -141,11 +165,9 @@ end % Get handles for current figure and axis currFig = gcf; - % Set color properties for figure and axis set(currFig, 'color', options.FigureColor); - % update font fontname(options.Font) @@ -153,7 +175,6 @@ fontname(options.Font) currFig_children = currFig.Children; all_axes = find(arrayfun(@(x) contains(currFig_children(x).Type, 'axes'), 1:size(currFig_children, 1))); - % pre-allocate memory xlims_subplot = nan(size(all_axes, 2), 2); ylims_subplot = nan(size(all_axes, 2), 2); @@ -169,11 +190,15 @@ else end % update axis limits +for iAx = 1:size(all_axes, 2) + thisAx = all_axes(iAx); + currAx = currFig_children(thisAx); + ax_pos = get(currAx, 'Position'); +end prettify_axis_limits(all_axes, currFig_children, ... ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... options.XLimits, options.YLimits, options.CLimits, ... - options.LimitsRound, options.SymmetricalCLimits, ... - options.LegendReplace, options.LegendLocation); + options.LimitsRound, options.SymmetricalCLimits); % update colorbars colorbars = findobj(currFig_children, 'Type', 'colorbar'); @@ -192,15 +217,7 @@ for iAx = 1:size(all_axes, 2) set(currAx, 'Box', options.AxisBox) set(currAx, 'TickLength', [options.TickLength, options.TickLength]); % Make tick marks longer. set(currAx, 'LineWidth', options.TickWidth); % Make tick marks and axis lines thicker. -prettify_axis_limits(all_axes, currFig_children, ... - ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... - options.XLimits, options.YLimits, options.CLimits, ... - options.LimitsRound, options.SymmetricalCLimits, ... - options.LegendReplace, options.LegendLocation); -colorbars = findobj(currFig_children, 'Type', 'colorbar'); -prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps, options.DivergingColormap, ... - options.SequentialColormap); %set(currAx, 'Grid', options.AxisGrid) if strcmp(options.AxisAspectRatio, 'keep') == 0 axis(currAx, options.AxisAspectRatio) @@ -292,8 +309,6 @@ prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps end end - ax_pos = get(currAx, 'Position'); - % Adjust properties of any plotted text childTexts = findall(currAx, 'Type', 'Text'); for thisText = childTexts' @@ -307,16 +322,8 @@ prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps % adjust legend if ~isempty(currAx.Legend) - if options.LegendReplace - prettify_legend(currAx, options.LegendLocation, options.LegendBox) - + prettify_legend(currAx, options.LegendReplace, options.LegendLocation, options.LegendBox) end - end end - - - - -%prettify_axis_locations; diff --git a/prettify_plot/prettify_plot.m b/prettify_plot/prettify_plot.m index c7198bb7..7aa1c4a8 100644 --- a/prettify_plot/prettify_plot.m +++ b/prettify_plot/prettify_plot.m @@ -4,55 +4,82 @@ function prettify_plot(varargin) % Inputs: Name - Pair arguments % ------ % - XLimits: string or number. -% If a string, either: -% - 'keep': don't change any of the xlimits -% - 'same': set all xlimits to the same values -% - 'row': set all xlimits to the same values for each subplot row -% - 'col': set all xlimits to the same values for each subplot col -% If a number, 1 * 2 double setting the minimum and maximum values +% If a string, either: +% - 'keep': don't change any of the xlimits +% - 'same': set all xlimits to the same values +% - 'row': set all xlimits to the same values for each subplot row +% - 'col': set all xlimits to the same values for each subplot col +% If a number, 1 * 2 double setting the minimum and maximum values % - YLimits: string or number. -% If a string, either: -% - 'keep': don't change any of the ylimits -% - 'same': set all ylimits to the same values -% - 'row': set all ylimits to the same values for each subplot row -% - 'col': set all ylimits to the same values for each subplot col -% If a number, 1 * 2 double setting the minimum and maximum values +% If a string, either: +% - 'keep': don't change any of the ylimits +% - 'same': set all ylimits to the same values +% - 'row': set all ylimits to the same values for each subplot row +% - 'col': set all ylimits to the same values for each subplot col +% If a number, 1 * 2 double setting the minimum and maximum values +% - CLimits, string or number. +% If a string, either: +% - 'keep': don't change any of the xlimits +% - 'same': set all xlimits to the same values +% - 'row': set all xlimits to the same values for each subplot row +% - 'col': set all xlimits to the same values for each subplot col +% If a number, 1 * 2 double setting the minimum and maximum values +% - LimitsRound % Number of decimals to keep when rounding. set to NaN if you don't want any changes +% - SymmetricalCLimits: boolean. Whether to make CLimits symmetrical around 0 % - FigureColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots % background color. % - TextColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots % text color. +% - NeutralColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots +% text color. % - LegendLocation: string determining where the legend is. Either: -% 'north' Inside top of axes -% 'south' Inside bottom of axes -% 'east' Inside right of axes -% 'west' Inside left of axes -% 'northeast' Inside top-right of axes (default for 2-D axes) -% 'northwest' Inside top-left of axes -% 'southeast' Inside bottom-right of axes -% 'southwest' Inside bottom-left of axes -% 'northoutside' Above the axes -% 'southoutside' Below the axes -% 'eastoutside' To the right of the axes -% 'westoutside' To the left of the axes -% 'northeastoutside' Outside top-right corner of the axes (default for 3-D axes) -% 'northwestoutside' Outside top-left corner of the axes -% 'southeastoutside' Outside bottom-right corner of the axes -% 'southwestoutside' Outside bottom-left corner of the axes -% 'best' Inside axes where least conflict occurs with the plot data at the time that you create the legend. If the plot data changes, you might need to reset the location to 'best'. -% 'bestoutside' Outside top-right corner of the axes (when the legend has a vertical orientation) or below the axes (when the legend has a horizontal orientation) -% - LegendReplace: ! buggy ! boolean, if you want the legend box to be replace by text +% 'north' Inside top of axes +% 'south' Inside bottom of axes +% 'east' Inside right of axes +% 'west' Inside left of axes +% 'northeast' Inside top-right of axes (default for 2-D axes) +% 'northwest' Inside top-left of axes +% 'southeast' Inside bottom-right of axes +% 'southwest' Inside bottom-left of axes +% 'northoutside' Above the axes +% 'southoutside' Below the axes +% 'eastoutside' To the right of the axes +% 'westoutside' To the left of the axes +% 'northeastoutside' Outside top-right corner of the axes (default for 3-D axes) +% 'northwestoutside' Outside top-left corner of the axes +% 'southeastoutside' Outside bottom-right corner of the axes +% 'southwestoutside' Outside bottom-left corner of the axes +% 'best' Inside axes where least conflict occurs with the plot data at the time that you create the legend. If the plot data changes, you might need to reset the location to 'best'. +% 'bestoutside' Outside top-right corner of the axes (when the legend has a vertical orientation) or below the axes (when the legend has a horizontal orientation) +% - LegendReplace: ! buggy sometimes ! boolean, if you want the legend box to be replace by text % directly plotted on the figure, next to the each subplot's % line/point -% - titleFontSize: double -% - labelFontSize: double -% - generalFontSize: double +% - titleFontSize: double, font size for titles +% - labelFontSize: double, font size for x, y, z axis labels +% - generalFontSize: double, font size for other figure elements (legends, +% colorbars, x/y/z ticks, text elements, ...) % - Font: string. See listfonts() for a list of all available fonts -% - pointSize: double -% - lineThickness: double -% - AxisTicks -% - AxisBox -% - AxisAspectRatio 'equal', 'square', 'image' -% - AxisTightness 'tickaligned' 'tight', 'padded' +% - pointSize: double, size for point elements +% - lineThickness: double, thickness value for lines +% - AxisTicks: string. Either 'out' (the tick marks come out of the axis) +% or 'in' (the tick marks go in of the axis) +% - TickLength: number, determines size of ticks +% - TickWidth: number, determines size of ticks +% - AxisBox: String. Either 'off' (no box) or 'on' (a box) +% - AxisAspectRatio: String. Either 'equal', 'square' or 'image' +% - AxisTightness: String. Either 'tickaligned', 'tight' or 'padded' +% - AxisUnits - not in use yet +% - ChangeColormaps: boolean, whether to adjust the colormaps or not +% - DivergingColormap: String corresponding to the brewermap colormap for +% sequential data. Options: 'BrBG', 'PRGn', 'PuOr', 'RdBu', 'RdGy', +% 'RdYlBu', 'RdYlGn', 'Spectral'. Add a * before to reverse (eg: '*RdBu') +% - SequentialColormap: String corresponding to the brewermap colormap for +% sequential data. Options: 'Blues', 'BuGn', 'BuPu', 'GnBu', 'Greens', +% 'Greys', 'OrRd', 'Oranges', 'PuBu', 'PuBuGn', 'PuRd', 'Purples', 'RdPu', +% 'Reds', 'YlGn', 'YlGnBu', 'YlOrBr', 'YlOrRd'. Add a * before to +% reverse (eg: '*Blues') +% - PairedColormap - not in use yet +% - QualitativeColormap - not in use yet % ------ % to do: % - option to adjust vertical and horiz. lines @@ -63,16 +90,16 @@ function prettify_plot(varargin) % Julie M. J. Fabre % Set default parameter values -options = struct('XLimits', 'keep', ... %set to 'keep' if you don't want any changes - 'YLimits', 'keep', ... %set to 'keep' if you don't want any changes - 'CLimits', 'all', ... %set to 'keep' if you don't want any changes +options = struct('XLimits', 'keep', ... % set to 'keep' if you don't want any changes + 'YLimits', 'keep', ... % set to 'keep' if you don't want any changes + 'CLimits', 'all', ... % set to 'keep' if you don't want any changes 'LimitsRound', 2, ... % set to NaN if you don't want any changes 'SymmetricalCLimits', true, ... 'FigureColor', [1, 1, 1], ... 'TextColor', [0, 0, 0], ... 'NeutralColor', [0.6, 0.6, 0.6], ... % used if figure background color is set to 'none' 'LegendLocation', 'best', ... - 'LegendReplace', false, ... %BUGGY + 'LegendReplace', false, ... % BUGGY sometimes 'LegendBox', 'off', ... 'TitleFontSize', 15, ... 'LabelFontSize', 15, ... @@ -86,10 +113,10 @@ function prettify_plot(varargin) 'TickWidth', 1.3, ... 'AxisBox', 'off', ... 'AxisGrid', 'off', ... - 'AxisAspectRatio', 'keep', ... %set to 'keep' if you don't want any changes - 'AxisTightness', 'keep', ... %BUGGY set to 'keep' if you don't want any changes %'AxisWidth', 'keep',... %BUGGY set to 'keep' if you don't want any changes %'AxisHeight', 'keep',...%BUGGY set to 'keep' if you don't want any changes + 'AxisAspectRatio', 'keep', ... % set to 'keep' if you don't want any changes + 'AxisTightness', 'keep', ... % BUGGY set to 'keep' if you don't want any changes 'AxisUnits', 'points', ... - 'ChangeColormaps', true, ... %set to false if you don't want any changes + 'ChangeColormaps', true, ... % set to false if you don't want any changes 'DivergingColormap', '*RdBu', ... 'SequentialColormap', 'YlOrRd', ... 'PairedColormap', 'Paired', ... @@ -141,11 +168,9 @@ function prettify_plot(varargin) % Get handles for current figure and axis currFig = gcf; - % Set color properties for figure and axis set(currFig, 'color', options.FigureColor); - % update font fontname(options.Font) @@ -153,7 +178,6 @@ function prettify_plot(varargin) currFig_children = currFig.Children; all_axes = find(arrayfun(@(x) contains(currFig_children(x).Type, 'axes'), 1:size(currFig_children, 1))); - % pre-allocate memory xlims_subplot = nan(size(all_axes, 2), 2); ylims_subplot = nan(size(all_axes, 2), 2); @@ -288,8 +312,6 @@ function prettify_plot(varargin) end end - ax_pos = get(currAx, 'Position'); - % Adjust properties of any plotted text childTexts = findall(currAx, 'Type', 'Text'); for thisText = childTexts' @@ -306,6 +328,5 @@ function prettify_plot(varargin) prettify_legend(currAx, options.LegendReplace, options.LegendLocation, options.LegendBox) end - end end From 50fe3e4d3d4dba056504706c55a6a297cfd8b062 Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Fri, 10 Nov 2023 00:24:32 +0000 Subject: [PATCH 06/10] axis homog. bug fix --- examples/prettify_plot_demo.asv | 23 +++ examples/prettify_plot_demo.m | 28 ++++ examples/uglyPlot.asv | 94 +++++++++++++ examples/uglyPlot.m | 185 +++++++++++++------------ prettify_plot/prettify_axis_limits.asv | 92 ++++++------ prettify_plot/prettify_axis_limits.m | 40 +++--- prettify_plot/prettify_plot.asv | 41 +++--- prettify_plot/prettify_plot.m | 31 +++-- 8 files changed, 344 insertions(+), 190 deletions(-) create mode 100644 examples/prettify_plot_demo.asv create mode 100644 examples/prettify_plot_demo.m create mode 100644 examples/uglyPlot.asv diff --git a/examples/prettify_plot_demo.asv b/examples/prettify_plot_demo.asv new file mode 100644 index 00000000..5a1a4992 --- /dev/null +++ b/examples/prettify_plot_demo.asv @@ -0,0 +1,23 @@ + +% generate an uglyPlot +uglyPlot; + +% Make it pretty with default settings +prettify_plot; + +% Change the figure color, fonts, fontsizes, ticks +prettify_plot('FigureColor', 'k') +prettify_plot('FigureColor', 'none', 'Font', 'TitleFontSize', 'LegendFontSize', 'GeneralFontSize',... + 'AxisTicks', 'in', 'TickLength', 0.01, 'TickWidth', 1) + +% Homogenize the x, y and climits by rows of subplots (other options include by columns +% ('col') and for all aubplots ('all') +prettify_plot('Xlimits', 'rows', + +% Change the legends +'LegendReplace' +% Change colormaps, make symmetric +'SymmetricalCLimits' +% Replace axis by scale bars +prettify_addScaleBars +% Add p-values \ No newline at end of file diff --git a/examples/prettify_plot_demo.m b/examples/prettify_plot_demo.m new file mode 100644 index 00000000..2c9a5bf3 --- /dev/null +++ b/examples/prettify_plot_demo.m @@ -0,0 +1,28 @@ + +% generate an uglyPlot +uglyPlot; + +% Make it pretty with default settings +prettify_plot; + +% Change the figure color, fonts, fontsizes, ticks +prettify_plot('FigureColor', 'k') +prettify_plot('FigureColor', 'none', 'Font', 'Times','TitleFontSize', 12, 'LabelFontSize', 14,'GeneralFontSize', 10,... + 'AxisTicks', 'in', 'TickLength', 0.01, 'TickWidth', 1) + +% let's go back to the defaults +prettify_plot; + +% Homogenize the x, y and climits by rows of subplots (other options include by columns +% ('col') and for all aubplots ('all') +prettify_plot('YLimits', 'cols', 'XLimits', 'all') + +prettify_plot('CLimits', 'all', 'SymmetricalCLimits', true, 'ChangeColormaps', true) + +% Change the legends +'LegendReplace' +% Change colormaps, make symmetric +'SymmetricalCLimits' +% Replace axis by scale bars +prettify_addScaleBars +% Add p-values \ No newline at end of file diff --git a/examples/uglyPlot.asv b/examples/uglyPlot.asv new file mode 100644 index 00000000..df024ffe --- /dev/null +++ b/examples/uglyPlot.asv @@ -0,0 +1,94 @@ +% Create a 3x4 subplot +figure; + +% Parameters for simulation +time = linspace(0, 2, 2000); % Time vector +stimulus_onset = 0.5; % Time of stimulus onset +stimulus_duration = 0.2; % Duration of the stimulus +response_delay = 0.3; % Response delay after stimulus onset +response_duration = 0.25; % Duration of the response +noise_amplitude = 0.5; % Amplitude of noise + +% Simulate stimulus +stimulus = zeros(size(time)); +stimulus((time >= stimulus_onset) & (time < stimulus_onset + stimulus_duration)) = 1; + +% Simulate neurons +neuron1_response = 12 * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay)) +... + noise_amplitude * randn(size(time)); +neuron2_response = 0.5 * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay)) +... + + noise_amplitude * randn(size(time)); +neuron3_response = 22 * -exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay))+... + noise_amplitude * randn(size(time)); + +% Plot the simulated responses +subplot(3, 3, 1); +plot(time, neuron1_response); +title('Type 1'); +xlabel('Time'); +ylabel('Response'); + +subplot(3, 3, 5); +plot(time, neuron2_response); +title('Type 2'); +xlabel('Time'); +ylabel('Response'); + +subplot(3, 3, 9); +plot(time, neuron3_response); +title('Type 3'); +xlabel('Time'); +ylabel('Response'); + +% simulate PSTH +% Define a function to generate neuron responses +generate_neuron_response = @(amplitude) amplitude * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* ... + (time >= (stimulus_onset + response_delay)) + amplitude * randn(size(time)); + +noise_amplitude = 0.1; +% Use arrayfun to generate responses for all neurons +neurons1_amplitudes = [-2:0.5:12]; +neurons_1 = arrayfun(generate_neuron_response, neurons1_amplitudes, 'UniformOutput', false); +neurons_1_matrix = cell2mat(neurons_1'); + +neurons2_amplitudes = [-0.5:0.01:0.5]; +neurons_2 = arrayfun(generate_neuron_response, neurons2_amplitudes, 'UniformOutput', false); +neurons_2_matrix = cell2mat(neurons_2'); + +neurons3_amplitudes = [-22:1:1]; +neurons_3 = arrayfun(generate_neuron_response, neurons3_amplitudes, 'UniformOutput', false); +neurons_3_matrix = cell2mat(neurons_3'); + + +% plot PSTHs +subplot(3, 3, 2); +imagesc(time, [], neurons_1_matrix) +colormap("jet") +cb = colorbar; +cb.Title.String = 'Activity'; + +subplot(3, 3, 6); +imagesc(time, [], neurons_2_matrix) +colormap("jet") +colorbar; + +subplot(3, 3, 10); +imagesc(time, [], neurons_3_matrix) +colormap("jet") +colorbar; + +% plot some lines +average_psth1 = mean(psth1, 2); +sem_psth1 = std(psth1, 0, 2) / sqrt(size(psth1, 2)); + +average_psth2 = mean(psth2, 2); +sem_psth2 = std(psth2, 0, 2) / sqrt(size(psth2, 2)); + + + + + + + +% Adjust the layout of the subplots +sgtitle('Demo'); diff --git a/examples/uglyPlot.m b/examples/uglyPlot.m index c804f593..3b13a715 100644 --- a/examples/uglyPlot.m +++ b/examples/uglyPlot.m @@ -1,87 +1,98 @@ -%% uglyPlot - -% Define x values -x = linspace(0, 2*pi, 1000); - -% Define y values for various functions -y1 = sin(x); -y2 = cos(x); -y3 = tan(x); -y4 = log(x + 1); % Adding 1 to avoid negative values and log(0) -y_cot = cot(x); % Cotangent values - -% Create a new figure -figure(2); clf; - - -%% line plots -% First subplot: sine curve -subplot(2, 3, 1); -plot(x, y1, 'r'); -hold on; % Keep the current plot and add new plots to it -plot(x, 0.5*ones(size(x)), 'k--'); % Dashed line at y = 0.5 -title('Sine Curve'); -xlabel('x'); -ylabel('sin(x)'); -legend('sin(x)', 'y = 0.5'); - -% Second subplot: cosine curve -subplot(2, 3, 4); -plot(x, y2, 'b'); -hold on; -% Sample points -x_points = [pi/4, pi/2, 3*pi/4]; -y_points = cos(x_points); -plot(x_points, y_points, 'ro'); % red circles -title('Cosine Curve'); -xlabel('x'); -ylabel('cos(x)'); - -% scatter plots - -numDots = 20; -subplot(2, 3, 2); -x = rand(numDots, 1); % Random numbers between 0 and 1 for the x-axis -y = rand(numDots, 1); % Random numbers between 0 and 1 for the y-axis -scatter(x, y); -xlabel('X-axis'); -ylabel('Y-axis'); -title('Scatter Plot of Random Dots'); - - - -numDots = 25; -subplot(2, 3, 5); -x = rand(numDots, 1); % Random numbers between 0 and 1 for the x-axis -y = rand(numDots, 1); % Random numbers between 0 and 1 for the y-axis -scatter(x, y); -xlabel('X-axis'); -ylabel('Y-axis'); -title('Scatter Plot of Random Dots'); - -%% images -time = linspace(0, 24, 100); % Time from 0 to 24 hours -activity = cumsum(randn(15, 100)); % Random walk for activity -subplot(2, 3, 3); -uglyColors = [1 0 1; 0 1 0; 0 0 1; 1 1 0; 1 0.5 0.2]; -colormap(uglyColors); -imagesc(time, [], activity); -ylabel('Activity'); -xlabel('Time (ms)'); -c = colorbar; -c.Title.String = 'Zscore'; - -% Activity plot -time = linspace(0, 24, 100); % Time from 0 to 24 hours -activity = cumsum(randn(15, 100)).*2; % Random walk for activity -subplot(2, 3, 6); -uglyColors = [1 0 1; 0 1 0; 0 0 1; 1 1 0; 1 0.5 0.2]; -colormap(uglyColors); -% Plot the activity data -imagesc(time, [], activity); -ylabel('Activity'); -xlabel('Time (ms)'); -c2 = colorbar; -c2.Title.String = 'Zscore'; - -%prettify_plot; +% Create a 3x4 subplot +figure; + +% Parameters for simulation +time = linspace(0, 2, 2000); % Time vector +stimulus_onset = 0.5; % Time of stimulus onset +stimulus_duration = 0.2; % Duration of the stimulus +response_delay = 0.3; % Response delay after stimulus onset +response_duration = 0.25; % Duration of the response +noise_amplitude = 0.5; % Amplitude of noise + +% Simulate stimulus +stimulus = zeros(size(time)); +stimulus((time >= stimulus_onset) & (time < stimulus_onset + stimulus_duration)) = 1; + +% Simulate neurons +neuron1_response = 12 * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay)) +... + noise_amplitude * randn(size(time)); +neuron2_response = 0.5 * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay)) +... + + noise_amplitude * randn(size(time)); +neuron3_response = 22 * -exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay))+... + noise_amplitude * randn(size(time)); + +% Plot the simulated responses +subplot(3, 3, 1); +plot(time, neuron1_response); +xlim([0 1]) +xlabel('Time'); +ylabel('Response'); + +subplot(3, 3, 4); +plot(time, neuron2_response); +xlabel('Time'); +ylabel('Response'); + +subplot(3, 3, 7); +plot(time, neuron3_response); +xlabel('Time'); +ylabel('Response'); + +% simulate PSTH +% Define a function to generate neuron responses +generate_neuron_response = @(amplitude) amplitude * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* ... + (time >= (stimulus_onset + response_delay)) + amplitude * randn(size(time)); + +noise_amplitude = 0.1; +% Use arrayfun to generate responses for all neurons +neurons1_amplitudes = [-2:0.5:12]; +neurons_1 = arrayfun(generate_neuron_response, neurons1_amplitudes, 'UniformOutput', false); +neurons_1_matrix = cell2mat(neurons_1'); + +neurons2_amplitudes = [-0.5:0.01:0.5]; +neurons_2 = arrayfun(generate_neuron_response, neurons2_amplitudes, 'UniformOutput', false); +neurons_2_matrix = cell2mat(neurons_2'); + +neurons3_amplitudes = [-22:1:1]; +neurons_3 = arrayfun(generate_neuron_response, neurons3_amplitudes, 'UniformOutput', false); +neurons_3_matrix = cell2mat(neurons_3'); + + +% plot PSTHs +subplot(3, 3, 2); +imagesc(time, [], neurons_1_matrix) +colormap("jet") +cb = colorbar; +cb.Title.String = 'Activity'; + +subplot(3, 3, 5); +imagesc(time, [], neurons_2_matrix) +colormap("jet") +colorbar; + +subplot(3, 3, 8); +imagesc(time, [], neurons_3_matrix) +colormap("jet") +colorbar; + +% plot some lines +average_psth1 = smoothdata(mean(neurons_1_matrix, 1),'gaussian', [0, 100]); +average_psth2 = smoothdata(mean(neurons_2_matrix, 1), 'gaussian',[0, 100]); +average_psth3 = smoothdata(mean(neurons_3_matrix, 1), 'gaussian',[0, 100]); + + +subplot(3, 3, [3,6,9]); hold on; +plot(time, average_psth2); +plot(time, average_psth3); +plot(time, average_psth1); + + +legend('Type 1', 'Type 2', 'Type 3') + + + + + + +% Adjust the layout of the subplots +sgtitle('Demo'); diff --git a/prettify_plot/prettify_axis_limits.asv b/prettify_plot/prettify_axis_limits.asv index 1680f1d8..b9df875f 100644 --- a/prettify_plot/prettify_axis_limits.asv +++ b/prettify_plot/prettify_axis_limits.asv @@ -1,6 +1,6 @@ -function prettify_axis_limits(all_axes, currFig, ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... - XLimits, YLimits, CLimits, LimitsRound, SymmetricalCLimits, LegendReplace, LegendLocation) +function prettify_axis_limits(all_axes, currFig_children, ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... + XLimits, YLimits, CLimits, LimitsRound, SymmetricalCLimits) if ~isnan(LimitsRound) % round up all limits to the nearest LimitsRound decimal place xlims_subplot = arrayfun(@(x) prettify_roundUpNatural(x, LimitsRound), xlims_subplot); @@ -9,7 +9,7 @@ if ~isnan(LimitsRound) % round up all limits to the nearest LimitsRound decimal end % homogenize x, y, and climits across rows/columns of plots. -if ismember(XLimits, {'all', 'row', 'col'}) || ismember(YLimits, {'all', 'row', 'col'}) || ismember(CLimits, {'all', 'row', 'col'}) +%if ismember(XLimits, {'all', 'row', 'col'}) || ismember(YLimits, {'all', 'row', 'col'}) || ismember(CLimits, {'all', 'row', 'col'}) % get rows and cols col_subplots = unique(ax_pos(:, 1)); row_subplots = unique(ax_pos(:, 2)); @@ -30,73 +30,59 @@ if ismember(XLimits, {'all', 'row', 'col'}) || ismember(YLimits, {'all', 'row', for iAx = 1:size(all_axes, 2) thisAx = all_axes(iAx); - currAx = currFig.Children(thisAx); + currAx = currFig_children(thisAx); if ~isempty(currAx) %(currAx, limits, limitRows, limitCols, axPos, limitIdx_row, limitIdx_col, limitType) - setNewXYLimits(currAx, xlims_subplot, row_xlims, col_xlims, ax_pos, row_subplots, col_subplots, XLimits) %set x limits - setNewXYLimits(currAx, ylims_subplot, row_ylims, col_ylims, ax_pos, row_subplots, col_subplots, YLimits) %set y limits + setNewXYLimits(currAx, xlims_subplot, row_xlims, col_xlims, ax_pos, row_subplots(row_subplots == currAx.Position(2)), col_subplots, XLimits, 'Xlim') %set x limits + setNewXYLimits(currAx, ylims_subplot, row_ylims, col_ylims, ax_pos, row_subplots, col_subplots, YLimits, 'Ylim') %set y limits if ismember(CLimits, {'all'}) theseCLims = clims_subplot; - elseif ismember(CLimits, {'col'}) + elseif ismember(CLimits, {'cols'}) theseCLims = col_clims{ax_pos(iAx, 1) == col_subplots}; - elseif ismember(CLimits, {'row'}) + elseif ismember(CLimits, {'rows'}) theseCLims = row_clims{ax_pos(iAx, 2) == row_subplots}; - end - if SymmetricalCLimits && any(theseCLims < 0) && any(theseCLims > 0) % diverging - set(currAx, 'Clim', [-max(max(abs(theseCLims))), max(max(abs(theseCLims)))]); - elseif SymmetricalCLimits && any(theseCLims < 0) - set(currAx, 'Clim', [-max(max(abs(theseCLims))), 0]); - elseif SymmetricalCLimits && any(theseCLims > 0) - set(currAx, 'Clim', [0, max(max(abs(theseCLims)))]); else - set(currAx, 'Clim', [min(min(theseCLims)), max(max(theseCLims))]); + theseCLims = clims_subplot(iAx,:); end + setNewCLimits(currAx, theseCLims, SymmetricalCLimits) end end - % re-check legend location is correctly set - if ~isempty(currAx.Legend) - if LegendReplace - prettify_legend(currAx) - else - set(currAx.Legend, 'Location', LegendLocation) - end - end -elseif SymmetricalCLimits - theseCLims - if SymmetricalCLimits && any(theseCLims < 0) && any(theseCLims > 0) % diverging - set(currAx, 'Clim', [-max(max(abs(theseCLims))), max(max(abs(theseCLims)))]); - elseif SymmetricalCLimits && any(theseCLims < 0) - set(currAx, 'Clim', [-max(max(abs(theseCLims))), 0]); - elseif SymmetricalCLimits && any(theseCLims > 0) - set(currAx, 'Clim', [0, max(max(abs(theseCLims)))]); - else - set(currAx, 'Clim', [min(min(theseCLims)), max(max(theseCLims))]); - end -end +% elseif SymmetricalCLimits +% for iAx = 1:size(all_axes, 2) +% thisAx = all_axes(iAx); +% currAx = currFig_children(thisAx); +% theseCLims = currAx.CLim; +% setNewCLimits(currAx, theseCLims, SymmetricalCLimits) +% end +% end -function setNewXYLimits(currAx, limits, limitRows, limitCols, axPos, limitIdx_row, limitIdx_col, limitType) -if ismember(limitType, {'all'}) - set(currAx, 'Xlim', [min(min(limits)), max(max(limits))]); -elseif ismember(limitType, {'row'}) - set(currAx, 'Xlim', limitRows{axPos(:, 2) == limitIdx_row}); -elseif ismember(limitType, {'col'}) - set(currAx, 'Xlim', limitCols{axPos(:, 1) == limitIdx_col}); -end - function setNewCLimits(currAx, theseCLims, SymmetricalCLimits) - if SymmetricalCLimits && any(theseCLims < 0) && any(theseCLims > 0) % diverging - set(currAx, 'Clim', [-max(max(abs(theseCLims))), max(max(abs(theseCLims)))]); - elseif SymmetricalCLimits && any(theseCLims < 0) - set(currAx, 'Clim', [-max(max(abs(theseCLims))), 0]); - elseif SymmetricalCLimits && any(theseCLims > 0) - set(currAx, 'Clim', [0, max(max(abs(theseCLims)))]); - else - set(currAx, 'Clim', [min(min(theseCLims)), max(max(theseCLims))]); + function setNewXYLimits(currAx, limits, limitRows, limitCols, axPos, limitIdx_row, limitIdx_col, limitType, textLim) + if ismember(limitType, {'all'}) + set(currAx, textLim, [min(min(limits)), max(max(limits))]); + elseif ismember(limitType, {'rows'}) + set(currAx, textLim, limitRows{axPos(:, 2) == limitIdx_row}); + elseif ismember(limitType, {'cols'}) + set(currAx, textLim, limitCols{axPos(:, 1) == limitIdx_col}); + end end + + function setNewCLimits(currAx, theseCLims, SymmetricalCLimits) + if any(any(~isnan(theseCLims))) + if SymmetricalCLimits && any(any(theseCLims < 0)) && any(any(theseCLims > 0)) % diverging + set(currAx, 'Clim', [-nanmax(nanmax(abs(theseCLims))), nanmax(nanmax(abs(theseCLims)))]); + elseif SymmetricalCLimits && any(any(theseCLims < 0)) + set(currAx, 'Clim', [-nanmax(nanmax(abs(theseCLims))), 0]); + elseif SymmetricalCLimits && any(any(theseCLims > 0)) + set(currAx, 'Clim', [0, nanmax(nanmax(abs(theseCLims)))]); + else + set(currAx, 'Clim', [nanmin(nanmin(theseCLims)), nanmax(nanmax(theseCLims))]); + end + end end end diff --git a/prettify_plot/prettify_axis_limits.m b/prettify_plot/prettify_axis_limits.m index 622e5144..50c900df 100644 --- a/prettify_plot/prettify_axis_limits.m +++ b/prettify_plot/prettify_axis_limits.m @@ -9,7 +9,7 @@ function prettify_axis_limits(all_axes, currFig_children, ax_pos, xlims_subplot, end % homogenize x, y, and climits across rows/columns of plots. -if ismember(XLimits, {'all', 'row', 'col'}) || ismember(YLimits, {'all', 'row', 'col'}) || ismember(CLimits, {'all', 'row', 'col'}) +%if ismember(XLimits, {'all', 'row', 'col'}) || ismember(YLimits, {'all', 'row', 'col'}) || ismember(CLimits, {'all', 'row', 'col'}) % get rows and cols col_subplots = unique(ax_pos(:, 1)); row_subplots = unique(ax_pos(:, 2)); @@ -32,16 +32,20 @@ function prettify_axis_limits(all_axes, currFig_children, ax_pos, xlims_subplot, thisAx = all_axes(iAx); currAx = currFig_children(thisAx); if ~isempty(currAx) %(currAx, limits, limitRows, limitCols, axPos, limitIdx_row, limitIdx_col, limitType) - setNewXYLimits(currAx, xlims_subplot, row_xlims, col_xlims, ax_pos, row_subplots, col_subplots, XLimits, 'Xlim') %set x limits - setNewXYLimits(currAx, ylims_subplot, row_ylims, col_ylims, ax_pos, row_subplots, col_subplots, YLimits, 'Ylim') %set y limits + setNewXYLimits(currAx, xlims_subplot, row_xlims, col_xlims, ax_pos, row_subplots,... + col_subplots, XLimits, 'Xlim', iAx) %set x limits + setNewXYLimits(currAx, ylims_subplot, row_ylims, col_ylims, ax_pos, row_subplots,... + col_subplots, YLimits, 'Ylim', iAx) %set y limits if ismember(CLimits, {'all'}) theseCLims = clims_subplot; - elseif ismember(CLimits, {'col'}) + elseif ismember(CLimits, {'cols'}) theseCLims = col_clims{ax_pos(iAx, 1) == col_subplots}; - elseif ismember(CLimits, {'row'}) + elseif ismember(CLimits, {'rows'}) theseCLims = row_clims{ax_pos(iAx, 2) == row_subplots}; + else + theseCLims = clims_subplot(iAx,:); end setNewCLimits(currAx, theseCLims, SymmetricalCLimits) end @@ -50,23 +54,23 @@ function prettify_axis_limits(all_axes, currFig_children, ax_pos, xlims_subplot, end -elseif SymmetricalCLimits - for iAx = 1:size(all_axes, 2) - thisAx = all_axes(iAx); - currAx = currFig_children(thisAx); - theseCLims = currAx.CLim; - setNewCLimits(currAx, theseCLims, SymmetricalCLimits) - end -end +% elseif SymmetricalCLimits +% for iAx = 1:size(all_axes, 2) +% thisAx = all_axes(iAx); +% currAx = currFig_children(thisAx); +% theseCLims = currAx.CLim; +% setNewCLimits(currAx, theseCLims, SymmetricalCLimits) +% end +% end - function setNewXYLimits(currAx, limits, limitRows, limitCols, axPos, limitIdx_row, limitIdx_col, limitType, textLim) + function setNewXYLimits(currAx, limits, limitRows, limitCols, axPos, limitIdx_row, limitIdx_col, limitType, textLim, iAx) if ismember(limitType, {'all'}) set(currAx, textLim, [min(min(limits)), max(max(limits))]); - elseif ismember(limitType, {'row'}) - set(currAx, textLim, limitRows{axPos(:, 2) == limitIdx_row}); - elseif ismember(limitType, {'col'}) - set(currAx, textLim, limitCols{axPos(:, 1) == limitIdx_col}); + elseif ismember(limitType, {'rows'}) + set(currAx, textLim, limitRows{limitIdx_row == axPos(iAx, 2)}); + elseif ismember(limitType, {'cols'}) + set(currAx, textLim, limitCols{limitIdx_col == axPos(iAx, 1)}); end end diff --git a/prettify_plot/prettify_plot.asv b/prettify_plot/prettify_plot.asv index 34a4de4d..157ff251 100644 --- a/prettify_plot/prettify_plot.asv +++ b/prettify_plot/prettify_plot.asv @@ -54,13 +54,15 @@ function prettify_plot(varargin) % - LegendReplace: ! buggy sometimes ! boolean, if you want the legend box to be replace by text % directly plotted on the figure, next to the each subplot's % line/point -% - titleFontSize: double, font size for titles -% - labelFontSize: double, font size for x, y, z axis labels -% - generalFontSize: double, font size for other figure elements (legends, +% - LegendReorder: boolean, whether to reorder or not the legend elements +% according to their location on the graph +% - TitleFontSize: double, font size for titles +% - LabelFontSize: double, font size for x, y, z axis labels +% - GeneralFontSize: double, font size for other figure elements (legends, % colorbars, x/y/z ticks, text elements, ...) % - Font: string. See listfonts() for a list of all available fonts -% - pointSize: double, size for point elements -% - lineThickness: double, thickness value for lines +% - PointSize: double, size for point elements +% - LineThickness: double, thickness value for lines % - AxisTicks: string. Either 'out' (the tick marks come out of the axis) % or 'in' (the tick marks go in of the axis) % - TickLength: number, determines size of ticks @@ -69,12 +71,15 @@ function prettify_plot(varargin) % - AxisAspectRatio: String. Either 'equal', 'square' or 'image' % - AxisTightness: String. Either 'tickaligned', 'tight' or 'padded' % - AxisUnits - not in use yet -% - ChangeColormaps', true, ... %set to false if you don't want any changes -% - DivergingColormap', '*RdBu', ... +% - ChangeColormaps: boolean, whether to adjust the colormaps or not +% - DivergingColormap: String corresponding to the brewermap colormap for +% sequential data. Options: 'BrBG', 'PRGn', 'PuOr', 'RdBu', 'RdGy', +% 'RdYlBu', 'RdYlGn', 'Spectral'. Add a * before to reverse (eg: '*RdBu') % - SequentialColormap: String corresponding to the brewermap colormap for -% sequential data. Options: 'Blues', 'BuGn', 'BuPu', 'GnBu', 'Greens', -% 'Greys', 'OrRd', 'Oranges', 'PuBu', 'PuBuGn', 'PuRd', 'Purples', 'RdPu', -% 'Reds', 'YlGn', 'YlGnBu', 'YlOrBr', 'YlOrRd' +% sequential data. Options: 'Blues', 'BuGn', 'BuPu', 'GnBu', 'Greens', +% 'Greys', 'OrRd', 'Oranges', 'PuBu', 'PuBuGn', 'PuRd', 'Purples', 'RdPu', +% 'Reds', 'YlGn', 'YlGnBu', 'YlOrBr', 'YlOrRd'. Add a * before to +% reverse (eg: '*Blues') % - PairedColormap - not in use yet % - QualitativeColormap - not in use yet % ------ @@ -87,16 +92,16 @@ function prettify_plot(varargin) % Julie M. J. Fabre % Set default parameter values -options = struct('XLimits', 'keep', ... %set to 'keep' if you don't want any changes - 'YLimits', 'keep', ... %set to 'keep' if you don't want any changes - 'CLimits', 'all', ... %set to 'keep' if you don't want any changes +options = struct('XLimits', 'keep', ... % set to 'keep' if you don't want any changes + 'YLimits', 'keep', ... % set to 'keep' if you don't want any changes + 'CLimits', 'all', ... % set to 'keep' if you don't want any changes 'LimitsRound', 2, ... % set to NaN if you don't want any changes 'SymmetricalCLimits', true, ... 'FigureColor', [1, 1, 1], ... 'TextColor', [0, 0, 0], ... 'NeutralColor', [0.6, 0.6, 0.6], ... % used if figure background color is set to 'none' 'LegendLocation', 'best', ... - 'LegendReplace', false, ... %BUGGY + 'LegendReplace', false, ... % BUGGY sometimes 'LegendBox', 'off', ... 'TitleFontSize', 15, ... 'LabelFontSize', 15, ... @@ -110,10 +115,10 @@ options = struct('XLimits', 'keep', ... %set to 'keep' if you don't want any cha 'TickWidth', 1.3, ... 'AxisBox', 'off', ... 'AxisGrid', 'off', ... - 'AxisAspectRatio', 'keep', ... %set to 'keep' if you don't want any changes - 'AxisTightness', 'keep', ... %BUGGY set to 'keep' if you don't want any changes %'AxisWidth', 'keep',... %BUGGY set to 'keep' if you don't want any changes %'AxisHeight', 'keep',...%BUGGY set to 'keep' if you don't want any changes + 'AxisAspectRatio', 'keep', ... % set to 'keep' if you don't want any changes + 'AxisTightness', 'keep', ... % BUGGY set to 'keep' if you don't want any changes 'AxisUnits', 'points', ... - 'ChangeColormaps', true, ... %set to false if you don't want any changes + 'ChangeColormaps', false, ... % set to false if you don't want any changes 'DivergingColormap', '*RdBu', ... 'SequentialColormap', 'YlOrRd', ... 'PairedColormap', 'Paired', ... @@ -163,7 +168,7 @@ if ~strcmp(options.FigureColor, 'none') end end % Get handles for current figure and axis -currFig = gcf; +currFig = gcf; % Set color properties for figure and axis set(currFig, 'color', options.FigureColor); diff --git a/prettify_plot/prettify_plot.m b/prettify_plot/prettify_plot.m index 7aa1c4a8..0546fc3a 100644 --- a/prettify_plot/prettify_plot.m +++ b/prettify_plot/prettify_plot.m @@ -54,13 +54,15 @@ function prettify_plot(varargin) % - LegendReplace: ! buggy sometimes ! boolean, if you want the legend box to be replace by text % directly plotted on the figure, next to the each subplot's % line/point -% - titleFontSize: double, font size for titles -% - labelFontSize: double, font size for x, y, z axis labels -% - generalFontSize: double, font size for other figure elements (legends, +% - LegendReorder: boolean, whether to reorder or not the legend elements +% according to their location on the graph +% - TitleFontSize: double, font size for titles +% - LabelFontSize: double, font size for x, y, z axis labels +% - GeneralFontSize: double, font size for other figure elements (legends, % colorbars, x/y/z ticks, text elements, ...) % - Font: string. See listfonts() for a list of all available fonts -% - pointSize: double, size for point elements -% - lineThickness: double, thickness value for lines +% - PointSize: double, size for point elements +% - LineThickness: double, thickness value for lines % - AxisTicks: string. Either 'out' (the tick marks come out of the axis) % or 'in' (the tick marks go in of the axis) % - TickLength: number, determines size of ticks @@ -92,9 +94,9 @@ function prettify_plot(varargin) % Set default parameter values options = struct('XLimits', 'keep', ... % set to 'keep' if you don't want any changes 'YLimits', 'keep', ... % set to 'keep' if you don't want any changes - 'CLimits', 'all', ... % set to 'keep' if you don't want any changes + 'CLimits', 'keep', ... % set to 'keep' if you don't want any changes 'LimitsRound', 2, ... % set to NaN if you don't want any changes - 'SymmetricalCLimits', true, ... + 'SymmetricalCLimits', false, ... 'FigureColor', [1, 1, 1], ... 'TextColor', [0, 0, 0], ... 'NeutralColor', [0.6, 0.6, 0.6], ... % used if figure background color is set to 'none' @@ -116,7 +118,7 @@ function prettify_plot(varargin) 'AxisAspectRatio', 'keep', ... % set to 'keep' if you don't want any changes 'AxisTightness', 'keep', ... % BUGGY set to 'keep' if you don't want any changes 'AxisUnits', 'points', ... - 'ChangeColormaps', true, ... % set to false if you don't want any changes + 'ChangeColormaps', false, ... % set to false if you don't want any changes 'DivergingColormap', '*RdBu', ... 'SequentialColormap', 'YlOrRd', ... 'PairedColormap', 'Paired', ... @@ -166,7 +168,7 @@ function prettify_plot(varargin) end end % Get handles for current figure and axis -currFig = gcf; +currFig = gcf; % Set color properties for figure and axis set(currFig, 'color', options.FigureColor); @@ -196,7 +198,11 @@ function prettify_plot(varargin) for iAx = 1:size(all_axes, 2) thisAx = all_axes(iAx); currAx = currFig_children(thisAx); - ax_pos = get(currAx, 'Position'); + ax_pos(iAx,:) = get(currAx, 'Position'); + % Get x and y limits + xlims_subplot(iAx, :) = currAx.XLim; + ylims_subplot(iAx, :) = currAx.YLim; + clims_subplot(iAx, :) = currAx.CLim; end prettify_axis_limits(all_axes, currFig_children, ... ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... @@ -318,10 +324,7 @@ function prettify_plot(varargin) set(thisText, 'FontSize', options.GeneralFontSize, 'Color', mainColor); end - % Get x and y limits - xlims_subplot(iAx, :) = currAx.XLim; - ylims_subplot(iAx, :) = currAx.YLim; - clims_subplot(iAx, :) = currAx.CLim; + % adjust legend if ~isempty(currAx.Legend) From 410a75ba1806bc3a317d9be4b1346cf125fe78a5 Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Mon, 13 Nov 2023 18:17:51 +0000 Subject: [PATCH 07/10] handle histograms --- examples/prettify_plot_demo.asv | 23 -- examples/prettify_plot_demo.m | 9 +- examples/uglyPlot.asv | 94 ------- prettify_plot/prettify_axis_limits.asv | 88 ------- prettify_plot/prettify_legend.asv | 86 ------- prettify_plot/prettify_legend.m | 257 ++++++++++++++++--- prettify_plot/prettify_legend_v2.m | 143 +++++++++++ prettify_plot/prettify_legend_v3.m | 78 ++++++ prettify_plot/prettify_plot.asv | 334 ------------------------- prettify_plot/prettify_plot.m | 2 + 10 files changed, 457 insertions(+), 657 deletions(-) delete mode 100644 examples/prettify_plot_demo.asv delete mode 100644 examples/uglyPlot.asv delete mode 100644 prettify_plot/prettify_axis_limits.asv delete mode 100644 prettify_plot/prettify_legend.asv create mode 100644 prettify_plot/prettify_legend_v2.m create mode 100644 prettify_plot/prettify_legend_v3.m delete mode 100644 prettify_plot/prettify_plot.asv diff --git a/examples/prettify_plot_demo.asv b/examples/prettify_plot_demo.asv deleted file mode 100644 index 5a1a4992..00000000 --- a/examples/prettify_plot_demo.asv +++ /dev/null @@ -1,23 +0,0 @@ - -% generate an uglyPlot -uglyPlot; - -% Make it pretty with default settings -prettify_plot; - -% Change the figure color, fonts, fontsizes, ticks -prettify_plot('FigureColor', 'k') -prettify_plot('FigureColor', 'none', 'Font', 'TitleFontSize', 'LegendFontSize', 'GeneralFontSize',... - 'AxisTicks', 'in', 'TickLength', 0.01, 'TickWidth', 1) - -% Homogenize the x, y and climits by rows of subplots (other options include by columns -% ('col') and for all aubplots ('all') -prettify_plot('Xlimits', 'rows', - -% Change the legends -'LegendReplace' -% Change colormaps, make symmetric -'SymmetricalCLimits' -% Replace axis by scale bars -prettify_addScaleBars -% Add p-values \ No newline at end of file diff --git a/examples/prettify_plot_demo.m b/examples/prettify_plot_demo.m index 2c9a5bf3..2374feec 100644 --- a/examples/prettify_plot_demo.m +++ b/examples/prettify_plot_demo.m @@ -7,7 +7,7 @@ % Change the figure color, fonts, fontsizes, ticks prettify_plot('FigureColor', 'k') -prettify_plot('FigureColor', 'none', 'Font', 'Times','TitleFontSize', 12, 'LabelFontSize', 14,'GeneralFontSize', 10,... +prettify_plot('FigureColor', 'none', 'Font', 'Times','TitleFontSize', 12, 'LabelFontSize', 14,'GeneralFontSize', 12,... 'AxisTicks', 'in', 'TickLength', 0.01, 'TickWidth', 1) % let's go back to the defaults @@ -17,12 +17,13 @@ % ('col') and for all aubplots ('all') prettify_plot('YLimits', 'cols', 'XLimits', 'all') +% Change colormaps, make symmetric prettify_plot('CLimits', 'all', 'SymmetricalCLimits', true, 'ChangeColormaps', true) % Change the legends -'LegendReplace' -% Change colormaps, make symmetric -'SymmetricalCLimits' +prettify_plot('LegendReplace', true) + % Replace axis by scale bars prettify_addScaleBars + % Add p-values \ No newline at end of file diff --git a/examples/uglyPlot.asv b/examples/uglyPlot.asv deleted file mode 100644 index df024ffe..00000000 --- a/examples/uglyPlot.asv +++ /dev/null @@ -1,94 +0,0 @@ -% Create a 3x4 subplot -figure; - -% Parameters for simulation -time = linspace(0, 2, 2000); % Time vector -stimulus_onset = 0.5; % Time of stimulus onset -stimulus_duration = 0.2; % Duration of the stimulus -response_delay = 0.3; % Response delay after stimulus onset -response_duration = 0.25; % Duration of the response -noise_amplitude = 0.5; % Amplitude of noise - -% Simulate stimulus -stimulus = zeros(size(time)); -stimulus((time >= stimulus_onset) & (time < stimulus_onset + stimulus_duration)) = 1; - -% Simulate neurons -neuron1_response = 12 * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay)) +... - noise_amplitude * randn(size(time)); -neuron2_response = 0.5 * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay)) +... - + noise_amplitude * randn(size(time)); -neuron3_response = 22 * -exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* (time >= (stimulus_onset + response_delay))+... - noise_amplitude * randn(size(time)); - -% Plot the simulated responses -subplot(3, 3, 1); -plot(time, neuron1_response); -title('Type 1'); -xlabel('Time'); -ylabel('Response'); - -subplot(3, 3, 5); -plot(time, neuron2_response); -title('Type 2'); -xlabel('Time'); -ylabel('Response'); - -subplot(3, 3, 9); -plot(time, neuron3_response); -title('Type 3'); -xlabel('Time'); -ylabel('Response'); - -% simulate PSTH -% Define a function to generate neuron responses -generate_neuron_response = @(amplitude) amplitude * exp(-(time - (stimulus_onset + response_delay)) / response_duration) .* ... - (time >= (stimulus_onset + response_delay)) + amplitude * randn(size(time)); - -noise_amplitude = 0.1; -% Use arrayfun to generate responses for all neurons -neurons1_amplitudes = [-2:0.5:12]; -neurons_1 = arrayfun(generate_neuron_response, neurons1_amplitudes, 'UniformOutput', false); -neurons_1_matrix = cell2mat(neurons_1'); - -neurons2_amplitudes = [-0.5:0.01:0.5]; -neurons_2 = arrayfun(generate_neuron_response, neurons2_amplitudes, 'UniformOutput', false); -neurons_2_matrix = cell2mat(neurons_2'); - -neurons3_amplitudes = [-22:1:1]; -neurons_3 = arrayfun(generate_neuron_response, neurons3_amplitudes, 'UniformOutput', false); -neurons_3_matrix = cell2mat(neurons_3'); - - -% plot PSTHs -subplot(3, 3, 2); -imagesc(time, [], neurons_1_matrix) -colormap("jet") -cb = colorbar; -cb.Title.String = 'Activity'; - -subplot(3, 3, 6); -imagesc(time, [], neurons_2_matrix) -colormap("jet") -colorbar; - -subplot(3, 3, 10); -imagesc(time, [], neurons_3_matrix) -colormap("jet") -colorbar; - -% plot some lines -average_psth1 = mean(psth1, 2); -sem_psth1 = std(psth1, 0, 2) / sqrt(size(psth1, 2)); - -average_psth2 = mean(psth2, 2); -sem_psth2 = std(psth2, 0, 2) / sqrt(size(psth2, 2)); - - - - - - - -% Adjust the layout of the subplots -sgtitle('Demo'); diff --git a/prettify_plot/prettify_axis_limits.asv b/prettify_plot/prettify_axis_limits.asv deleted file mode 100644 index b9df875f..00000000 --- a/prettify_plot/prettify_axis_limits.asv +++ /dev/null @@ -1,88 +0,0 @@ - -function prettify_axis_limits(all_axes, currFig_children, ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... - XLimits, YLimits, CLimits, LimitsRound, SymmetricalCLimits) - -if ~isnan(LimitsRound) % round up all limits to the nearest LimitsRound decimal place - xlims_subplot = arrayfun(@(x) prettify_roundUpNatural(x, LimitsRound), xlims_subplot); - ylims_subplot = arrayfun(@(x) prettify_roundUpNatural(x, LimitsRound), ylims_subplot); - clims_subplot = arrayfun(@(x) prettify_roundUpNatural(x, LimitsRound), clims_subplot); -end - -% homogenize x, y, and climits across rows/columns of plots. -%if ismember(XLimits, {'all', 'row', 'col'}) || ismember(YLimits, {'all', 'row', 'col'}) || ismember(CLimits, {'all', 'row', 'col'}) - % get rows and cols - col_subplots = unique(ax_pos(:, 1)); - row_subplots = unique(ax_pos(:, 2)); - - col_xlims = arrayfun(@(x) [min(min(xlims_subplot(ax_pos(:, 1) == col_subplots(x), :))), ... - max(max(xlims_subplot(ax_pos(:, 1) == col_subplots(x), :)))], 1:size(col_subplots, 1), 'UniformOutput', false); - row_xlims = arrayfun(@(x) [min(min(xlims_subplot(ax_pos(:, 2) == row_subplots(x), :))), ... - max(max(xlims_subplot(ax_pos(:, 2) == row_subplots(x), :)))], 1:size(row_subplots, 1), 'UniformOutput', false); - col_ylims = arrayfun(@(x) [min(min(ylims_subplot(ax_pos(:, 1) == col_subplots(x), :))), ... - max(max(ylims_subplot(ax_pos(:, 1) == col_subplots(x), :)))], 1:size(col_subplots, 1), 'UniformOutput', false); - row_ylims = arrayfun(@(x) [min(min(ylims_subplot(ax_pos(:, 2) == row_subplots(x), :))), ... - max(max(ylims_subplot(ax_pos(:, 2) == row_subplots(x), :)))], 1:size(row_subplots, 1), 'UniformOutput', false); - col_clims = arrayfun(@(x) [min(min(clims_subplot(ax_pos(:, 1) == col_subplots(x), :))), ... - max(max(clims_subplot(ax_pos(:, 1) == col_subplots(x), :)))], 1:size(col_subplots, 1), 'UniformOutput', false); - row_clims = arrayfun(@(x) [min(min(clims_subplot(ax_pos(:, 2) == row_subplots(x), :))), ... - max(max(clims_subplot(ax_pos(:, 2) == row_subplots(x), :)))], 1:size(row_subplots, 1), 'UniformOutput', false); - - - for iAx = 1:size(all_axes, 2) - thisAx = all_axes(iAx); - currAx = currFig_children(thisAx); - if ~isempty(currAx) %(currAx, limits, limitRows, limitCols, axPos, limitIdx_row, limitIdx_col, limitType) - setNewXYLimits(currAx, xlims_subplot, row_xlims, col_xlims, ax_pos, row_subplots(row_subplots == currAx.Position(2)), col_subplots, XLimits, 'Xlim') %set x limits - setNewXYLimits(currAx, ylims_subplot, row_ylims, col_ylims, ax_pos, row_subplots, col_subplots, YLimits, 'Ylim') %set y limits - - - if ismember(CLimits, {'all'}) - theseCLims = clims_subplot; - elseif ismember(CLimits, {'cols'}) - theseCLims = col_clims{ax_pos(iAx, 1) == col_subplots}; - elseif ismember(CLimits, {'rows'}) - theseCLims = row_clims{ax_pos(iAx, 2) == row_subplots}; - else - theseCLims = clims_subplot(iAx,:); - end - setNewCLimits(currAx, theseCLims, SymmetricalCLimits) - end - - - end - - -% elseif SymmetricalCLimits -% for iAx = 1:size(all_axes, 2) -% thisAx = all_axes(iAx); -% currAx = currFig_children(thisAx); -% theseCLims = currAx.CLim; -% setNewCLimits(currAx, theseCLims, SymmetricalCLimits) -% end -% end - - - function setNewXYLimits(currAx, limits, limitRows, limitCols, axPos, limitIdx_row, limitIdx_col, limitType, textLim) - if ismember(limitType, {'all'}) - set(currAx, textLim, [min(min(limits)), max(max(limits))]); - elseif ismember(limitType, {'rows'}) - set(currAx, textLim, limitRows{axPos(:, 2) == limitIdx_row}); - elseif ismember(limitType, {'cols'}) - set(currAx, textLim, limitCols{axPos(:, 1) == limitIdx_col}); - end - end - - function setNewCLimits(currAx, theseCLims, SymmetricalCLimits) - if any(any(~isnan(theseCLims))) - if SymmetricalCLimits && any(any(theseCLims < 0)) && any(any(theseCLims > 0)) % diverging - set(currAx, 'Clim', [-nanmax(nanmax(abs(theseCLims))), nanmax(nanmax(abs(theseCLims)))]); - elseif SymmetricalCLimits && any(any(theseCLims < 0)) - set(currAx, 'Clim', [-nanmax(nanmax(abs(theseCLims))), 0]); - elseif SymmetricalCLimits && any(any(theseCLims > 0)) - set(currAx, 'Clim', [0, nanmax(nanmax(abs(theseCLims)))]); - else - set(currAx, 'Clim', [nanmin(nanmin(theseCLims)), nanmax(nanmax(theseCLims))]); - end - end - end -end diff --git a/prettify_plot/prettify_legend.asv b/prettify_plot/prettify_legend.asv deleted file mode 100644 index 7874d8c4..00000000 --- a/prettify_plot/prettify_legend.asv +++ /dev/null @@ -1,86 +0,0 @@ -function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) - - -if ~LegendReplace - set(ax.Legend, 'Location', LegendLocation) - set(ax.Legend, 'Box', LegendBox) - - % based on location, order the legend in the same order the lines/ dots - % are in - xvalues = [ax.Legend.Position(1) .* ax.XLim(2) + ax.XLim(1),... - (ax.Legend.Position(1) + ax.Legend.Position(3)) .* ax.XLim(2) + ax.XLim(1)]; - - handles = findall(ax.Children); - - for iHandle = 1:length(handles) - - h = handles(iHandle); - % Extract color and display name - if strcmp(get(h, 'Type'), 'line') - color = h.Color; - elseif strcmp(get(h, 'Type'), 'scatter') - color = h.CData; - end - name = h.DisplayName; - - % Calculate label position based on average y-value - ydata = h.YData; - if contains(ax.Legend.Location, 'eastoutside') - yavg(iHandle) = mean(ydata(h.XData(end))); - elseif contains(ax.Legend.Location, 'westoutside') - yavg(iHandle) = mean(ydata(h.XData(1))); - elseif contains(ax.Legend.Location, 'bestoutside') && contains(ax.Legend.Orientation, 'vertical') - yavg(iHandle) = mean(ydata(h.XData >= xvalues(end))); - else - yavg(iHandle) = mean(ydata(h.XData <= xvalues(1))); - end - - end - - [~, order] = sort(yavg); - legend(ax, handles(order)); - - - -else - yRange = ax.YLim(2) - ax.YLim(1); - offset = yRange * 0.05; % Adjust offset as needed for better spacing - - handles = findall(ax.Children); - - lines = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'line')); - points = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'scatter')); - - % Remove any single points from legend - lines = lines(arrayfun(@(x) numel(x.XData) > 1, lines)); - - for h = lines' - % Extract color and display name - color = h.Color; - name = h.DisplayName; - - % Calculate label position based on average y-value - ydata = h.YData; - yavg = mean(ydata); - - % Place the text - text(ax, max(h.XData), yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'right'); - end - - for h = points' - % Extract color and display name - color = h.CData; - name = h.DisplayName; - - % Calculate label position based on average y-value - ydata = h.YData; - yavg = mean(ydata); - - % Place the text - text(h.XData, yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center'); - end - - % Remove legend - ax.Legend.Visible = 'off'; -end -end diff --git a/prettify_plot/prettify_legend.m b/prettify_plot/prettify_legend.m index 102dd372..2e9367a2 100644 --- a/prettify_plot/prettify_legend.m +++ b/prettify_plot/prettify_legend.m @@ -1,19 +1,13 @@ function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) - -if ~LegendReplace +if ~LegendReplace set(ax.Legend, 'Location', LegendLocation) set(ax.Legend, 'Box', LegendBox) - % based on location, order the legend in the same order the lines/ dots - % are in - xvalues = [ax.Legend.Position(1) .* ax.XLim(2) + ax.XLim(1),... - (ax.Legend.Position(1) + ax.Legend.Position(3)) .* ax.XLim(2) + ax.XLim(1)]; - handles = findall(ax.Children); + labels = {}; for iHandle = 1:length(handles) - h = handles(iHandle); % Extract color and display name if strcmp(get(h, 'Type'), 'line') @@ -22,32 +16,35 @@ function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) color = h.CData; end name = h.DisplayName; + labels{end+1} = name; - % Calculate label position based on average y-value - ydata = h.YData; - if contains(ax.Legend.Location, 'eastoutside') - yavg(iHandle) = mean(ydata(h.XData(end))); - elseif contains(ax.Legend.Location, 'westoutside') - yavg(iHandle) = mean(ydata(h.XData(1))); - elseif contains(ax.Legend.Location, 'bestoutside') && contains(ax.Legend.Orientation, 'vertical') - yavg(iHandle) = mean(ydata(h.XData >= xvalues(end))); + % Calculate label positions + if strcmp(h.Type, 'histogram') + xdata = h.BinCounts; + ydata = h.BinEdges; else - yavg(iHandle) = mean(ydata(h.XData <= xvalues(1))); + xdata = h.XData; + ydata = h.YData; end - - end - - [~, order] = sort(yavg, 'descend'); - legend(ax, handles(order)); + labelX = xdata(end); % Adjust as needed, e.g., xdata(1) for left alignment + end + % Sort the labels based on their x-positions + [~, order] = sort(cellfun(@(x) find(strcmp(labels, x)), labels)); + legend(ax, handles(order)); else + % Define wdt and hgt + wdt = 0.1; % Adjust the width as needed + hgt = 0.02; % Adjust the height as needed + tol = 0.01; + yRange = ax.YLim(2) - ax.YLim(1); - offset = yRange * 0.05; % Adjust offset as needed for better spacing + offset = yRange * 0.05; % Adjust offset as needed for better spacing handles = findall(ax.Children); - + lines = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'line')); points = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'scatter')); @@ -63,8 +60,9 @@ function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) ydata = h.YData; yavg = mean(ydata); - % Place the text - text(ax, max(h.XData), yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'right'); + % Place the text with a transparent background + Pos = tscan(ax, wdt, hgt, tol); % Call the modified tscan function + text(ax, Pos(1), Pos(2)+offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'right', 'BackgroundColor', 'none'); end for h = points' @@ -76,11 +74,214 @@ function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) ydata = h.YData; yavg = mean(ydata); - % Place the text - text(h.XData, yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center'); + % Place the text with a transparent background + Pos = tscan(ax, wdt, hgt, tol); % Call the modified tscan function + text(ax, Pos(1), Pos(2)+offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center', 'BackgroundColor', 'none'); end % Remove legend ax.Legend.Visible = 'off'; end + + +%-------MODIFIED VERSION OF LSCAN FOLLOWS------ +function [Pos] = tscan(ha, wdt, hgt, tol, stickytol, hl) +%TSCAN Scan for good text location. +% TSCAN is used by TEXTBP to determine a "good" place for +% the text to appear. TSCAN returns either the +% position (in figure normalized units) the text should +% appear, or a -1 if no "good" place is found. +% +% TSCAN searches for the best place on the graph according +% to the following rules. +% 1. Text must obscure as few data points as possible. +% Number of data points the text may cover before plot +% is "squeezed" can be set with TOL. The default is a +% large number so to enable squeezing, TOL must +% be set. A negative TOL will force squeezing. +% 2. Regions with neighboring empty space are better. +% 3. Bottom and Left are better than Top and Right. +% x 4. If a legend already exists and has been manually placed, +% x then try to put new legend "close" to old one. +% +% TSCAN(HA,WDT,HGT,TOL,STICKYTOL,HL) returns a 2 element +% position vector. WDT and HGT are the Width and Height of +% the legend object in figure normalized units. TOL +% and STICKYTOL are tolerances for covering up data points. +% HL is the handle of the current legend or -1 if none exist. +% +% TSCAN(HA,WDT,HGT,TOL) allows up to TOL data +% points to be covered when selecting the best +% text location. +% +%changes from LSCAN +%1. existing text bracketing fixed +%2. sticky references removed for clarity +%3. returns position in plot normalized units, not figure +%normalized (0,0 is LL axis, not LL of figure) +% data point extraction for-loop modified to handle histograms +% properly (Peter Mao, 6/21/11). +% modified from LSCAN by Peter Mao 6/16/06. +% Drea Thomas 5/7/93 +% Copyright 1984-2005 The MathWorks, Inc. +% $Revision: 1.1 $ $Date: 2006/06/19 21:08:48 $ +% $Revision: 1.2 $ $Date: 2011/06/21 09:41 $ +% Defaults +debug = 0; +if debug > 1 + holdstatOFF = ~ishold; %% + hold on; %% +end +% Calculate tile size +% save old units + +%% this part makes text walk across screen with repeated use!! +%axoldunits = get(ha,'units'); +%set(ha,'units','normalized') +%cap=get(ha,'Position'); %[fig] +%set(ha,'units',axoldunits); +cap = [0, 0, 1, 1]; %'position' in [norm] units +xlim = get(ha, 'Xlim'); %[data] +ylim = get(ha, 'Ylim'); %[data] +H = ylim(2) - ylim(1); +W = xlim(2) - xlim(1); +dh = .03 * H; +dw = .03 * W; % Scale so legend is away from edge of plot +H = .94 * H; +W = .94 * W; +xlim = xlim + [dw, -dw]; +ylim = ylim + [dh, -dh]; +Hgt = hgt / cap(4) * H; %[data] +Wdt = wdt / cap(3) * W; +Thgt = H / round(-.5+H/Hgt); +Twdt = W / round(-.5+W/Wdt); +% Get data, points and text +% legend, not included here, is a child of gcf with 'tag' 'legend' +Kids = get(ha, 'children'); +Xdata = []; +Ydata = []; +for i = 1:size(Kids), + Xtemp = []; + Ytemp = []; + if strcmp(get(Kids(i), 'type'), 'line'), + Xtemp = get(Kids(i), 'Xdata'); + Ytemp = get(Kids(i), 'Ydata'); + elseif strcmp(get(Kids(i), 'type'), 'patch'), % for histograms + % X/Ydata from patch are LL,UL,UR,LR for each bar. + % loop below fills in the edges of the bar with fake data + Xtemp0 = get(Kids(i), 'Xdata'); + Ytemp0 = get(Kids(i), 'Ydata'); + Xstart = Xtemp0(1, :); + Yend = Ytemp0(2, :); + for jj = 1:length(Xstart) + thisY = Yend(jj):-Thgt:0; + thisX = repmat(Xstart(jj), 1, length(thisY)); + Xtemp = [Xtemp, thisX]; + Ytemp = [Ytemp, thisY]; + end + elseif strcmp(get(Kids(i), 'type'), 'text'), + tmpunits = get(Kids(i), 'units'); + set(Kids(i), 'units', 'data') + % tmp=get(Kids(i),'Position'); + ext = get(Kids(i), 'Extent'); + set(Kids(i), 'units', tmpunits); + % Xdata=[Xdata,[tmp(1) tmp(1)+ext(3)]]; + % Ydata=[Ydata,[tmp(2) tmp(2)+ext(4)]]; + Xtemp = [ext(1), ext(1), ext(1) + ext(3), ext(1) + ext(3) * .5, ext(1) + ext(3)]; + Ytemp = [ext(2), ext(2) + ext(4), ext(2), ext(2) + ext(4) * .5, ext(2) + ext(4)]; + end + Xdata = [Xdata; Xtemp(:)]; + Ydata = [Ydata; Ytemp(:)]; +end +if debug > 1, plot(Xdata, Ydata, 'r.'); end +% Determine # of data points under each "tile" +i = 1; +j = 1; +for yp = ylim(1):Thgt / 2:(ylim(2) - Thgt), + i = 1; + for xp = xlim(1):Twdt / 2:(xlim(2) - Twdt), + pop(j, i) = ... + sum(sum((Xdata >= xp).*(Xdata <= xp + Twdt).*(Ydata >= yp).*(Ydata <= yp + Thgt))); + % line([xp xp],[ylim(1) ylim(2)]); + i = i + 1; + end + % line([xlim(1) xlim(2)],[yp yp]); + j = j + 1; +end +% Cover up fewest points. +minpop = min(min(pop)); +if debug, disp(sprintf('minimally covering tile convers %d points', minpop)); end +if minpop > tol, + Pos = -1; + warning('Raise TOL in calling function to %d', minpop); + return +end +%%%%%%%%%%%%%%%%%%%%%% +% % +%sticky stuff removed% +% % +%%%%%%%%%%%%%%%%%%%%%% +popmin = pop == min(min(pop)); +if sum(sum(popmin)) > 1, % Multiple minima in # of points + [a, b] = size(pop); + if min(a, b) > 1, %check over all tiles + + % Look at adjacent tiles and see if they are empty + % adds in h/v nearest neighbors, double add if on an edge + pop = [pop(2, :)', pop(1:(a - 1), :)']' + [pop(2:(a), :)', pop((a - 1), :)']' + ... + [pop(:, 2), pop(:, 1:(b - 1))] + [pop(:, 2:b), pop(:, (b - 1))] + pop; + % LSCAN had two calls to the line above w/o the trailing "+ pop" + popx = popmin .* (pop == min(pop(popmin))); + if sum(sum(popx)) > 1, % prefer bottom left to top right + flag = 1; + i = 1; + j = 1; + while flag, + if flag == 2, + if popx(i, j) == 1, + popx = popx * 0; + popx(i, j) = 1; + flag = 0; + else + popx = popx * 0; + popx(i, j+1) = 1; + flag = 0; + end + else + if popx(i, j) == 1, + flag = 2; + popx = popx * 0; + popx(i, j) = 1; + else + j = j + 1; + if j == b + 1, + j = 1; + i = i + 1; + end + if i == a + 1, % my add'n + i = 1; + flag = 2; + end + end + end + end + end + else % only one tile + popx = popmin * 0; + popx(1, 1) = 1; + end +else % Only 1 minima in # covered points + popx = popmin; +end +%recover i,j location that we want to use +i = find(max(popx)); +i = i(1); +j = find(max(popx')); +j = j(1); +Pos = [((i - 1) / (W / Twdt * 2 / .94) + .03) * cap(3) + cap(1), ((j - 1) / (H / Thgt * 2 / .94) + .03) * cap(4) + cap(2)]; +if debug, disp(sprintf('(i,j) = (%d,%d)', i, j)); end +if debug > 1 + if holdstatOFF + hold off + end end diff --git a/prettify_plot/prettify_legend_v2.m b/prettify_plot/prettify_legend_v2.m new file mode 100644 index 00000000..cc79d86e --- /dev/null +++ b/prettify_plot/prettify_legend_v2.m @@ -0,0 +1,143 @@ +function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) + + if ~LegendReplace + set(ax.Legend, 'Location', LegendLocation) + set(ax.Legend, 'Box', LegendBox) + + % Extract handles and labels + handles = findall(ax.Children); + labels = {}; + + % Create a structure to store label positions and colors + labelInfo = struct('x', [], 'y', [], 'color', []); + + for iHandle = 1:length(handles) + h = handles(iHandle); + % Extract color and display name + if strcmp(get(h, 'Type'), 'line') + color = h.Color; + elseif strcmp(get(h, 'Type'), 'scatter') + color = h.CData; + end + name = h.DisplayName; + labels{end + 1} = name; + + % Calculate label positions + ydata = h.YData; + xdata = h.XData; + labelX = xdata(end); % Adjust as needed, e.g., xdata(1) for left alignment + + % Use binary search to find the optimal labelY position + labelY = findOptimalLabelY(ax, xdata, ydata, labelX); + + % Store label information + labelInfo(end + 1).x = labelX; + labelInfo(end).y = labelY; + labelInfo(end).color = color; + + % Place the text with a transparent background + text(labelX, labelY, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center', 'BackgroundColor', 'none'); + end + + % Sort the labels based on their x-positions + [~, order] = sort(cellfun(@(x) find(strcmp(labels, x)), labels)); + legend(ax, handles(order)); + + else + yRange = ax.YLim(2) - ax.YLim(1); + offset = yRange * 0.05; % Adjust offset as needed for better spacing + + handles = findall(ax.Children); + + lines = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'line')); + points = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'scatter')); + + % Remove any single points from legend + lines = lines(arrayfun(@(x) numel(x.XData) > 1, lines)); + + for h = lines' + % Extract color and display name + color = h.Color; + name = h.DisplayName; + + % Calculate label position based on average y-value + ydata = h.YData; + yavg = mean(ydata); + + % Use binary search to find the optimal labelX position + labelX = findOptimalLabelX(ax, h.XData, ydata, yavg); + + % Place the text with a transparent background + text(labelX, yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'right', 'BackgroundColor', 'none'); + end + + for h = points' + % Extract color and display name + color = h.CData; + name = h.DisplayName; + + % Calculate label position based on average y-value + ydata = h.YData; + yavg = mean(ydata); + + % Use binary search to find the optimal labelX position + labelX = findOptimalLabelX(ax, h.XData, ydata, yavg); + + % Place the text with a transparent background + text(labelX, yavg + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center', 'BackgroundColor', 'none'); + end + + % Remove legend + ax.Legend.Visible = 'off'; + end +end + +function labelY = findOptimalLabelY(ax, xdata, ydata, labelX) + % Binary search to find the optimal labelY position + lowerY = min(ydata); + upperY = max(ydata); + epsilon = 0.001; % Small tolerance + + while upperY - lowerY > epsilon + midY = (lowerY + upperY) / 2; + if ~checkOverlap(ax, xdata, ydata, labelX, midY) + lowerY = midY; + else + upperY = midY; + end + end + + labelY = lowerY; +end + +function labelX = findOptimalLabelX(ax, xdata, ydata, labelY) + % Binary search to find the optimal labelX position + lowerX = min(xdata); + upperX = max(xdata); + epsilon = 0.001; % Small tolerance + + while upperX - lowerX > epsilon + midX = (lowerX + upperX) / 2; + if ~checkOverlap(ax, xdata, ydata, midX, labelY) + lowerX = midX; + else + upperX = midX; + end + end + + labelX = lowerX; +end + +function overlap = checkOverlap(ax, xdata, ydata, labelX, labelY) + % Check if the label overlaps with any lines or points + tolerance = 0.001; % Adjust as needed + + for i = 1:length(xdata) + if abs(xdata(i) - labelX) < tolerance && abs(ydata(i) - labelY) < tolerance + overlap = true; + return; + end + end + + overlap = false; +end diff --git a/prettify_plot/prettify_legend_v3.m b/prettify_plot/prettify_legend_v3.m new file mode 100644 index 00000000..44f16514 --- /dev/null +++ b/prettify_plot/prettify_legend_v3.m @@ -0,0 +1,78 @@ +function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) + + if ~LegendReplace + set(ax.Legend, 'Location', LegendLocation) + set(ax.Legend, 'Box', LegendBox) + + handles = findall(ax.Children); + labels = {}; + + for iHandle = 1:length(handles) + h = handles(iHandle); + % Extract color and display name + if strcmp(get(h, 'Type'), 'line') + color = h.Color; + elseif strcmp(get(h, 'Type'), 'scatter') + color = h.CData; + end + name = h.DisplayName; + labels{end + 1} = name; + + % Calculate label positions + xdata = h.XData; + ydata = h.YData; + labelX = xdata(end); % Adjust as needed, e.g., xdata(1) for left alignment + + % Place the text with a transparent background + Pos = tscan(ax, wdt, hgt, tol); % Call the modified tscan function + text(ax, Pos(1), Pos(2), name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'left', 'BackgroundColor', 'none'); + end + + % Sort the labels based on their x-positions + [~, order] = sort(cellfun(@(x) find(strcmp(labels, x)), labels)); + legend(ax, handles(order)); + + else + yRange = ax.YLim(2) - ax.YLim(1); + offset = yRange * 0.05; % Adjust offset as needed for better spacing + + handles = findall(ax.Children); + + lines = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'line')); + points = handles(ishandle(handles) & strcmp(get(handles, 'Type'), 'scatter')); + + % Remove any single points from legend + lines = lines(arrayfun(@(x) numel(x.XData) > 1, lines)); + + for h = lines' + % Extract color and display name + color = h.Color; + name = h.DisplayName; + + % Calculate label position based on average y-value + ydata = h.YData; + yavg = mean(ydata); + + % Place the text with a transparent background + Pos = tscan(ax, wdt, hgt, tol); % Call the modified tscan function + text(ax, Pos(1), Pos(2) + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'right', 'BackgroundColor', 'none'); + end + + for h = points' + % Extract color and display name + color = h.CData; + name = h.DisplayName; + + % Calculate label position based on average y-value + ydata = h.YData; + yavg = mean(ydata); + + % Place the text with a transparent background + Pos = tscan(ax, wdt, hgt, tol); % Call the modified tscan function + text(ax, Pos(1), Pos(2) + offset, name, 'Color', color, 'FontWeight', 'bold', 'HorizontalAlignment', 'center', 'BackgroundColor', 'none'); + end + + % Remove legend + ax.Legend.Visible = 'off'; + end +end diff --git a/prettify_plot/prettify_plot.asv b/prettify_plot/prettify_plot.asv deleted file mode 100644 index 157ff251..00000000 --- a/prettify_plot/prettify_plot.asv +++ /dev/null @@ -1,334 +0,0 @@ -function prettify_plot(varargin) -% make current figure pretty -% ------ -% Inputs: Name - Pair arguments -% ------ -% - XLimits: string or number. -% If a string, either: -% - 'keep': don't change any of the xlimits -% - 'same': set all xlimits to the same values -% - 'row': set all xlimits to the same values for each subplot row -% - 'col': set all xlimits to the same values for each subplot col -% If a number, 1 * 2 double setting the minimum and maximum values -% - YLimits: string or number. -% If a string, either: -% - 'keep': don't change any of the ylimits -% - 'same': set all ylimits to the same values -% - 'row': set all ylimits to the same values for each subplot row -% - 'col': set all ylimits to the same values for each subplot col -% If a number, 1 * 2 double setting the minimum and maximum values -% - CLimits, string or number. -% If a string, either: -% - 'keep': don't change any of the xlimits -% - 'same': set all xlimits to the same values -% - 'row': set all xlimits to the same values for each subplot row -% - 'col': set all xlimits to the same values for each subplot col -% If a number, 1 * 2 double setting the minimum and maximum values -% - LimitsRound % Number of decimals to keep when rounding. set to NaN if you don't want any changes -% - SymmetricalCLimits: boolean. Whether to make CLimits symmetrical around 0 -% - FigureColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots -% background color. -% - TextColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots -% text color. -% - NeutralColor: string (e.g. 'w', 'k', 'Black', ..) or RGB value defining the plots -% text color. -% - LegendLocation: string determining where the legend is. Either: -% 'north' Inside top of axes -% 'south' Inside bottom of axes -% 'east' Inside right of axes -% 'west' Inside left of axes -% 'northeast' Inside top-right of axes (default for 2-D axes) -% 'northwest' Inside top-left of axes -% 'southeast' Inside bottom-right of axes -% 'southwest' Inside bottom-left of axes -% 'northoutside' Above the axes -% 'southoutside' Below the axes -% 'eastoutside' To the right of the axes -% 'westoutside' To the left of the axes -% 'northeastoutside' Outside top-right corner of the axes (default for 3-D axes) -% 'northwestoutside' Outside top-left corner of the axes -% 'southeastoutside' Outside bottom-right corner of the axes -% 'southwestoutside' Outside bottom-left corner of the axes -% 'best' Inside axes where least conflict occurs with the plot data at the time that you create the legend. If the plot data changes, you might need to reset the location to 'best'. -% 'bestoutside' Outside top-right corner of the axes (when the legend has a vertical orientation) or below the axes (when the legend has a horizontal orientation) -% - LegendReplace: ! buggy sometimes ! boolean, if you want the legend box to be replace by text -% directly plotted on the figure, next to the each subplot's -% line/point -% - LegendReorder: boolean, whether to reorder or not the legend elements -% according to their location on the graph -% - TitleFontSize: double, font size for titles -% - LabelFontSize: double, font size for x, y, z axis labels -% - GeneralFontSize: double, font size for other figure elements (legends, -% colorbars, x/y/z ticks, text elements, ...) -% - Font: string. See listfonts() for a list of all available fonts -% - PointSize: double, size for point elements -% - LineThickness: double, thickness value for lines -% - AxisTicks: string. Either 'out' (the tick marks come out of the axis) -% or 'in' (the tick marks go in of the axis) -% - TickLength: number, determines size of ticks -% - TickWidth: number, determines size of ticks -% - AxisBox: String. Either 'off' (no box) or 'on' (a box) -% - AxisAspectRatio: String. Either 'equal', 'square' or 'image' -% - AxisTightness: String. Either 'tickaligned', 'tight' or 'padded' -% - AxisUnits - not in use yet -% - ChangeColormaps: boolean, whether to adjust the colormaps or not -% - DivergingColormap: String corresponding to the brewermap colormap for -% sequential data. Options: 'BrBG', 'PRGn', 'PuOr', 'RdBu', 'RdGy', -% 'RdYlBu', 'RdYlGn', 'Spectral'. Add a * before to reverse (eg: '*RdBu') -% - SequentialColormap: String corresponding to the brewermap colormap for -% sequential data. Options: 'Blues', 'BuGn', 'BuPu', 'GnBu', 'Greens', -% 'Greys', 'OrRd', 'Oranges', 'PuBu', 'PuBuGn', 'PuRd', 'Purples', 'RdPu', -% 'Reds', 'YlGn', 'YlGnBu', 'YlOrBr', 'YlOrRd'. Add a * before to -% reverse (eg: '*Blues') -% - PairedColormap - not in use yet -% - QualitativeColormap - not in use yet -% ------ -% to do: -% - option to adjust vertical and horiz. lines -% - padding -% - fit data to plot (adjust lims) -% - padding / suptitles -% ------ -% Julie M. J. Fabre - -% Set default parameter values -options = struct('XLimits', 'keep', ... % set to 'keep' if you don't want any changes - 'YLimits', 'keep', ... % set to 'keep' if you don't want any changes - 'CLimits', 'all', ... % set to 'keep' if you don't want any changes - 'LimitsRound', 2, ... % set to NaN if you don't want any changes - 'SymmetricalCLimits', true, ... - 'FigureColor', [1, 1, 1], ... - 'TextColor', [0, 0, 0], ... - 'NeutralColor', [0.6, 0.6, 0.6], ... % used if figure background color is set to 'none' - 'LegendLocation', 'best', ... - 'LegendReplace', false, ... % BUGGY sometimes - 'LegendBox', 'off', ... - 'TitleFontSize', 15, ... - 'LabelFontSize', 15, ... - 'GeneralFontSize', 15, ... - 'Font', 'Arial', ... - 'BoldTitle', 'off', ... - 'PointSize', 8, ... - 'LineThickness', 2, ... - 'AxisTicks', 'out', ... - 'TickLength', 0.035, ... - 'TickWidth', 1.3, ... - 'AxisBox', 'off', ... - 'AxisGrid', 'off', ... - 'AxisAspectRatio', 'keep', ... % set to 'keep' if you don't want any changes - 'AxisTightness', 'keep', ... % BUGGY set to 'keep' if you don't want any changes - 'AxisUnits', 'points', ... - 'ChangeColormaps', false, ... % set to false if you don't want any changes - 'DivergingColormap', '*RdBu', ... - 'SequentialColormap', 'YlOrRd', ... - 'PairedColormap', 'Paired', ... - 'QualitativeColormap', 'Set1'); % - -% read the acceptable names -optionNames = fieldnames(options); - -% count arguments -nArgs = length(varargin); -if round(nArgs/2) ~= nArgs / 2 - error('prettify_plot() needs propertyName/propertyValue pairs') -end - -for iPair = reshape(varargin, 2, []) % pair is {propName;propValue} - %inputName = lower(iPair{1}); % make case insensitive - inputName = iPair{1}; - - if any(strcmp(inputName, optionNames)) - % overwrite options. If you want you can test for the right class here - % Also, if you find out that there is an option you keep getting wrong, - % you can use "if strcmp(inpName,'problemOption'),testMore,end"-statements - options.(inputName) = iPair{2}; - else - error('%s is not a recognized parameter name', inputName) - end -end - -% Check Name/Value pairs make sense -if (ischar(options.FigureColor) || isstring(options.FigureColor)) %convert to rgb - options.FigureColor = prettify_rgb(options.FigureColor); - - if strcmp(options.FigureColor, 'none') % use a neutral text color that will show up on most backgrounds - options.TextColor = options.NeutralColor; - end -end -if ischar(options.TextColor) || isstring(options.TextColor) %convert to rgb - options.TextColor = prettify_rgb(options.TextColor); -end -if ~strcmp(options.FigureColor, 'none') - if sum(options.FigureColor-options.TextColor) <= 1.5 %check background and text and sufficiently different - if sum(options.FigureColor) >= 1.5 % light - options.TextColor = [0, 0, 0]; - else - options.TextColor = [1, 1, 1]; - end - end -end -% Get handles for current figure and axis -currFig = gcf; - -% Set color properties for figure and axis -set(currFig, 'color', options.FigureColor); - -% update font -fontname(options.Font) - -% get axes children -currFig_children = currFig.Children; -all_axes = find(arrayfun(@(x) contains(currFig_children(x).Type, 'axes'), 1:size(currFig_children, 1))); - -% pre-allocate memory -xlims_subplot = nan(size(all_axes, 2), 2); -ylims_subplot = nan(size(all_axes, 2), 2); -clims_subplot = nan(size(all_axes, 2), 2); - -% set colors to replace and default text/axis colors -if strcmp(options.FigureColor, 'none') - colorsToReplace = [0, 0, 0; 1, 1, 1]; - mainColor = options.NeutralColor; -else - colorsToReplace = options.FigureColor; - mainColor = options.TextColor; -end - -% update axis limits -for iAx = 1:size(all_axes, 2) - thisAx = all_axes(iAx); - currAx = currFig_children(thisAx); - ax_pos = get(currAx, 'Position'); -end -prettify_axis_limits(all_axes, currFig_children, ... - ax_pos, xlims_subplot, ylims_subplot, clims_subplot, ... - options.XLimits, options.YLimits, options.CLimits, ... - options.LimitsRound, options.SymmetricalCLimits); - -% update colorbars -colorbars = findobj(currFig_children, 'Type', 'colorbar'); -prettify_colorbar(colorbars, colorsToReplace, mainColor, options.ChangeColormaps, options.DivergingColormap, ... - options.SequentialColormap); - -% update (sub)plot properties -for iAx = 1:size(all_axes, 2) - thisAx = all_axes(iAx); - currAx = currFig_children(thisAx); - set(currAx, 'color', options.FigureColor); - if ~isempty(currAx) - - % Set grid/box/tick options - set(currAx, 'TickDir', options.AxisTicks) - set(currAx, 'Box', options.AxisBox) - set(currAx, 'TickLength', [options.TickLength, options.TickLength]); % Make tick marks longer. - set(currAx, 'LineWidth', options.TickWidth); % Make tick marks and axis lines thicker. - - %set(currAx, 'Grid', options.AxisGrid) - if strcmp(options.AxisAspectRatio, 'keep') == 0 - axis(currAx, options.AxisAspectRatio) - end - if strcmp(options.AxisTightness, 'keep') == 0 - axis(currAx, options.AxisTightness) - end - - % Set text properties - set(currAx.XLabel, 'FontSize', options.LabelFontSize, 'Color', mainColor); - if strcmp(currAx.YAxisLocation, 'left') % if there is both a left and right yaxis, keep the colors - set(currAx.YLabel, 'FontSize', options.LabelFontSize); - else - set(currAx.YLabel, 'FontSize', options.LabelFontSize, 'Color', mainColor); - end - if strcmp(options.BoldTitle, 'on') - set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', mainColor, ... - 'FontWeight', 'Bold') - else - set(currAx.Title, 'FontSize', options.TitleFontSize, 'Color', mainColor, ... - 'FontWeight', 'Normal'); - end - %disp(currAx) - set(currAx, 'FontSize', options.GeneralFontSize, 'GridColor', mainColor, ... - 'YColor', mainColor, 'XColor', mainColor, ... - 'MinorGridColor',mainColor); - if ~isempty(currAx.Legend) - set(currAx.Legend, 'Color', options.FigureColor, 'TextColor', mainColor) - end - - % Adjust properties of line children within the plot - childLines = findall(currAx, 'Type', 'line'); - for thisLine = childLines' - % if any lines/points become the same as background, change - % these. - - if ismember(thisLine.Color, colorsToReplace, 'rows') - thisLine.Color = mainColor; - end - % adjust markersize - if sum(get(thisLine, 'Marker') == 'none') < 4 - set(thisLine, 'MarkerSize', options.PointSize); - set(thisLine, 'MarkerFaceColor', thisLine.Color); - end - % adjust line thickness - if strcmp('-', get(thisLine, 'LineStyle')) - set(thisLine, 'LineWidth', options.LineThickness); - end - end - - % Adjust properties of dots children within the plot - - childPoints = findall(currAx, 'Type', 'scatter'); - for thisPoint = childPoints' - % if any lines/points become the same as background, change - % these. - if size(thisPoint.CData, 1) == 1 % one uniform color - if ismember(thisPoint.CData, colorsToReplace, 'rows') - thisPoint.CData = mainColor; - end - else - - if ismember(thisPoint.CData, colorsToReplace, 'rows') - points_sub = ismember(thisPoint.CData == [0, 0, 0; 1, 1, 1], 'rows'); - if any(points_sub) - set(thisPoint, 'MarkerEdgeColor', mainColor) - end - end - - end - % adjust markersize - if sum(get(thisPoint, 'Marker') == 'none') < 4 - if thisPoint.SizeData < options.PointSize - set(thisPoint, 'SizeData', options.PointSize); - end - %set(thisPoint, 'MarkerFaceColor', thisPoint.CData); - end - end - - - % Adjust properties of errorbars children within the plot - childErrBars = findall(currAx, 'Type', 'ErrorBar'); - for thisErrBar = childErrBars' - if strcmp('.', get(thisErrBar, 'Marker')) - set(thisErrBar, 'MarkerSize', options.PointSize); - end - if strcmp('-', get(thisErrBar, 'LineStyle')) - set(thisErrBar, 'LineWidth', options.LineThickness); - end - end - - % Adjust properties of any plotted text - childTexts = findall(currAx, 'Type', 'Text'); - for thisText = childTexts' - set(thisText, 'FontSize', options.GeneralFontSize, 'Color', mainColor); - end - - % Get x and y limits - xlims_subplot(iAx, :) = currAx.XLim; - ylims_subplot(iAx, :) = currAx.YLim; - clims_subplot(iAx, :) = currAx.CLim; - - % adjust legend - if ~isempty(currAx.Legend) - prettify_legend(currAx, options.LegendReplace, options.LegendLocation, options.LegendBox) - end - - end -end diff --git a/prettify_plot/prettify_plot.m b/prettify_plot/prettify_plot.m index 0546fc3a..2d493b05 100644 --- a/prettify_plot/prettify_plot.m +++ b/prettify_plot/prettify_plot.m @@ -333,3 +333,5 @@ function prettify_plot(varargin) end end + + From 768f0893d8437844afc9fc29d14d9dca460bd142 Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Wed, 15 Nov 2023 15:34:43 +0000 Subject: [PATCH 08/10] update doc --- prettify_plot/prettify_plot.m | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/prettify_plot/prettify_plot.m b/prettify_plot/prettify_plot.m index 2d493b05..a2072fbe 100644 --- a/prettify_plot/prettify_plot.m +++ b/prettify_plot/prettify_plot.m @@ -68,8 +68,10 @@ function prettify_plot(varargin) % - TickLength: number, determines size of ticks % - TickWidth: number, determines size of ticks % - AxisBox: String. Either 'off' (no box) or 'on' (a box) -% - AxisAspectRatio: String. Either 'equal', 'square' or 'image' -% - AxisTightness: String. Either 'tickaligned', 'tight' or 'padded' +% - AxisAspectRatio: String. Either 'equal', 'square', or 'image'. Set as +% 'keep' if you don't want any changes. +% - AxisTightness: String. Either 'tickaligned', 'tight' or 'padded'.Set as +% 'keep' if you don't want any changes. % - AxisUnits - not in use yet % - ChangeColormaps: boolean, whether to adjust the colormaps or not % - DivergingColormap: String corresponding to the brewermap colormap for @@ -116,7 +118,7 @@ function prettify_plot(varargin) 'AxisBox', 'off', ... 'AxisGrid', 'off', ... 'AxisAspectRatio', 'keep', ... % set to 'keep' if you don't want any changes - 'AxisTightness', 'keep', ... % BUGGY set to 'keep' if you don't want any changes + 'AxisTightness', 'tight', ... % set to 'keep' if you don't want any changes 'AxisUnits', 'points', ... 'ChangeColormaps', false, ... % set to false if you don't want any changes 'DivergingColormap', '*RdBu', ... From b43f4f97db7740f87ea034d1bbf2e6dfbde6122b Mon Sep 17 00:00:00 2001 From: Julie Fabre Date: Wed, 15 Nov 2023 15:37:05 +0000 Subject: [PATCH 09/10] Update README.md --- README.md | 2 -- 1 file changed, 2 deletions(-) diff --git a/README.md b/README.md index 0851274a..14a07c58 100644 --- a/README.md +++ b/README.md @@ -43,8 +43,6 @@ Uses the matrices from: #### To do list - [ ] Perceptually-uniform, colorblind friendly colormaps. - [ ] Prettify colorbars and labels -- [ ] Add pvalue bars above plots - [ ] wrap titles/labels -- [ ] bar plots, violin plots - [ ] shaded, shaded gradual From 4ce460d92002370dc85312f9803e84acf5f3d821 Mon Sep 17 00:00:00 2001 From: Julie-Fabre Date: Mon, 4 Dec 2023 16:49:48 +0000 Subject: [PATCH 10/10] deal with empty legend handles --- prettify_plot/prettify_legend.m | 6 ++++-- prettify_stats/prettify_pvalues.m | 8 ++++---- 2 files changed, 8 insertions(+), 6 deletions(-) diff --git a/prettify_plot/prettify_legend.m b/prettify_plot/prettify_legend.m index 2e9367a2..30e540af 100644 --- a/prettify_plot/prettify_legend.m +++ b/prettify_plot/prettify_legend.m @@ -31,8 +31,10 @@ function prettify_legend(ax, LegendReplace, LegendLocation, LegendBox) end % Sort the labels based on their x-positions - [~, order] = sort(cellfun(@(x) find(strcmp(labels, x)), labels)); - legend(ax, handles(order)); + labels_empty = cellfun(@isempty, labels); + [~, order] = sort(cellfun(@(x) find(strcmp(labels(~labels_empty), x)), labels(~labels_empty))); + nonEmptyHandles = handles(~labels_empty); + legend(ax, nonEmptyHandles (order)); else % Define wdt and hgt diff --git a/prettify_stats/prettify_pvalues.m b/prettify_stats/prettify_pvalues.m index 303ffa05..8ed2e54e 100644 --- a/prettify_stats/prettify_pvalues.m +++ b/prettify_stats/prettify_pvalues.m @@ -23,9 +23,9 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) addParameter(p, 'TextFontSize', 10, @isnumeric); addParameter(p, 'LineColor', 'k'); addParameter(p, 'LineWidth', 1.5, @isnumeric); -addParameter(p, 'LineMargin', 0.0025, @isnumeric); +addParameter(p, 'LineMargin', 0.05, @isnumeric); addParameter(p, 'TickLength', 0.01, @isnumeric); -addParameter(p, 'TextMargin', 0.01, @isnumeric); +addParameter(p, 'TextMargin', 0.1, @isnumeric); % Plot type paramaters % addParameter(p, 'AxisForPvalues', 'Y'); % Y axis by default. Change to X % or Z if necessary %QQ to add @@ -101,8 +101,8 @@ function prettify_pvalues(ax, x1, x2, pvals, varargin) % Draw line for each p-value comparison line(ax, [x1(i), x2(i)], [y_line, y_line], 'Color', params.LineColor, 'LineWidth', params.LineWidth); - line(ax, [x1(i), x1(i)], [y_line + 0.015, y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); - line(ax, [x2(i), x2(i)], [y_line + 0.015, y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); + line(ax, [x1(i), x1(i)], [y_line , y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); + line(ax, [x2(i), x2(i)], [y_line , y_line - tickLength], 'Color', params.LineColor, 'LineWidth', params.LineWidth); % Format p-value text if pvals_sorted(i) >= params.NaNCutoff || isnan(pvals_sorted(i)) % plot non significant values as n.s.