Browse Source

Remove support for image banners

Closes gh-28883
pull/29661/head
Andy Wilkinson 4 years ago
parent
commit
f88b502f7e
  1. 2
      spring-boot-project/spring-boot-docs/src/docs/asciidoc/features/spring-application.adoc
  2. 312
      spring-boot-project/spring-boot/src/main/java/org/springframework/boot/ImageBanner.java
  3. 58
      spring-boot-project/spring-boot/src/main/java/org/springframework/boot/SpringApplicationBannerPrinter.java
  4. 41
      spring-boot-project/spring-boot/src/main/resources/META-INF/additional-spring-configuration-metadata.json
  5. 217
      spring-boot-project/spring-boot/src/test/java/org/springframework/boot/ImageBannerTests.java
  6. 27
      spring-boot-project/spring-boot/src/test/java/org/springframework/boot/SpringApplicationTests.java

2
spring-boot-project/spring-boot-docs/src/docs/asciidoc/features/spring-application.adoc

@ -108,8 +108,6 @@ TIP: If you want to disable lazy initialization for certain beans while using la @@ -108,8 +108,6 @@ TIP: If you want to disable lazy initialization for certain beans while using la
=== Customizing the Banner
The banner that is printed on start up can be changed by adding a `banner.txt` file to your classpath or by setting the configprop:spring.banner.location[] property to the location of such a file.
If the file has an encoding other than UTF-8, you can set `spring.banner.charset`.
In addition to a text file, you can also add a `banner.gif`, `banner.jpg`, or `banner.png` image file to your classpath or set the configprop:spring.banner.image.location[] property.
Images are converted into an ASCII art representation and printed above any text banner.
Inside your `banner.txt` file, you can use any of the following placeholders:

312
spring-boot-project/spring-boot/src/main/java/org/springframework/boot/ImageBanner.java

@ -1,312 +0,0 @@ @@ -1,312 +0,0 @@
/*
* Copyright 2012-2019 the original author or authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* https://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.springframework.boot;
import java.awt.Color;
import java.awt.Image;
import java.awt.image.BufferedImage;
import java.io.IOException;
import java.io.InputStream;
import java.io.PrintStream;
import java.util.Iterator;
import javax.imageio.ImageIO;
import javax.imageio.ImageReadParam;
import javax.imageio.ImageReader;
import javax.imageio.metadata.IIOMetadata;
import javax.imageio.metadata.IIOMetadataNode;
import javax.imageio.stream.ImageInputStream;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.springframework.boot.ansi.AnsiBackground;
import org.springframework.boot.ansi.AnsiColor;
import org.springframework.boot.ansi.AnsiColors;
import org.springframework.boot.ansi.AnsiColors.BitDepth;
import org.springframework.boot.ansi.AnsiElement;
import org.springframework.boot.ansi.AnsiOutput;
import org.springframework.core.env.Environment;
import org.springframework.core.io.Resource;
import org.springframework.core.log.LogMessage;
import org.springframework.util.Assert;
/**
* Banner implementation that prints ASCII art generated from an image resource
* {@link Resource}.
*
* @author Craig Burke
* @author Phillip Webb
* @author Madhura Bhave
* @author Raja Kolli
* @since 1.4.0
*/
public class ImageBanner implements Banner {
private static final String PROPERTY_PREFIX = "spring.banner.image.";
private static final Log logger = LogFactory.getLog(ImageBanner.class);
private static final double[] RGB_WEIGHT = { 0.2126d, 0.7152d, 0.0722d };
private final Resource image;
public ImageBanner(Resource image) {
Assert.notNull(image, "Image must not be null");
Assert.isTrue(image.exists(), "Image must exist");
this.image = image;
}
@Override
public void printBanner(Environment environment, Class<?> sourceClass, PrintStream out) {
String headless = System.getProperty("java.awt.headless");
try {
System.setProperty("java.awt.headless", "true");
printBanner(environment, out);
}
catch (Throwable ex) {
logger.warn(LogMessage.format("Image banner not printable: %s (%s: '%s')", this.image, ex.getClass(),
ex.getMessage()));
logger.debug("Image banner printing failure", ex);
}
finally {
if (headless == null) {
System.clearProperty("java.awt.headless");
}
else {
System.setProperty("java.awt.headless", headless);
}
}
}
private void printBanner(Environment environment, PrintStream out) throws IOException {
int width = getProperty(environment, "width", Integer.class, 76);
int height = getProperty(environment, "height", Integer.class, 0);
int margin = getProperty(environment, "margin", Integer.class, 2);
boolean invert = getProperty(environment, "invert", Boolean.class, false);
BitDepth bitDepth = getBitDepthProperty(environment);
PixelMode pixelMode = getPixelModeProperty(environment);
Frame[] frames = readFrames(width, height);
for (int i = 0; i < frames.length; i++) {
if (i > 0) {
resetCursor(frames[i - 1].getImage(), out);
}
printBanner(frames[i].getImage(), margin, invert, bitDepth, pixelMode, out);
sleep(frames[i].getDelayTime());
}
}
private BitDepth getBitDepthProperty(Environment environment) {
Integer bitDepth = getProperty(environment, "bitdepth", Integer.class, null);
return (bitDepth != null) ? BitDepth.of(bitDepth) : BitDepth.FOUR;
}
private PixelMode getPixelModeProperty(Environment environment) {
String pixelMode = getProperty(environment, "pixelmode", String.class, null);
return (pixelMode != null) ? PixelMode.valueOf(pixelMode.trim().toUpperCase()) : PixelMode.TEXT;
}
private <T> T getProperty(Environment environment, String name, Class<T> targetType, T defaultValue) {
return environment.getProperty(PROPERTY_PREFIX + name, targetType, defaultValue);
}
private Frame[] readFrames(int width, int height) throws IOException {
try (InputStream inputStream = this.image.getInputStream()) {
try (ImageInputStream imageStream = ImageIO.createImageInputStream(inputStream)) {
return readFrames(width, height, imageStream);
}
}
}
private Frame[] readFrames(int width, int height, ImageInputStream stream) throws IOException {
Iterator<ImageReader> readers = ImageIO.getImageReaders(stream);
Assert.state(readers.hasNext(), "Unable to read image banner source");
ImageReader reader = readers.next();
try {
ImageReadParam readParam = reader.getDefaultReadParam();
reader.setInput(stream);
int frameCount = reader.getNumImages(true);
Frame[] frames = new Frame[frameCount];
for (int i = 0; i < frameCount; i++) {
frames[i] = readFrame(width, height, reader, i, readParam);
}
return frames;
}
finally {
reader.dispose();
}
}
private Frame readFrame(int width, int height, ImageReader reader, int imageIndex, ImageReadParam readParam)
throws IOException {
BufferedImage image = reader.read(imageIndex, readParam);
BufferedImage resized = resizeImage(image, width, height);
int delayTime = getDelayTime(reader, imageIndex);
return new Frame(resized, delayTime);
}
private int getDelayTime(ImageReader reader, int imageIndex) throws IOException {
IIOMetadata metadata = reader.getImageMetadata(imageIndex);
IIOMetadataNode root = (IIOMetadataNode) metadata.getAsTree(metadata.getNativeMetadataFormatName());
IIOMetadataNode extension = findNode(root, "GraphicControlExtension");
String attribute = (extension != null) ? extension.getAttribute("delayTime") : null;
return (attribute != null) ? Integer.parseInt(attribute) * 10 : 0;
}
private static IIOMetadataNode findNode(IIOMetadataNode rootNode, String nodeName) {
if (rootNode == null) {
return null;
}
for (int i = 0; i < rootNode.getLength(); i++) {
if (rootNode.item(i).getNodeName().equalsIgnoreCase(nodeName)) {
return ((IIOMetadataNode) rootNode.item(i));
}
}
return null;
}
private BufferedImage resizeImage(BufferedImage image, int width, int height) {
if (width < 1) {
width = 1;
}
if (height <= 0) {
double aspectRatio = (double) width / image.getWidth() * 0.5;
height = (int) Math.ceil(image.getHeight() * aspectRatio);
}
BufferedImage resized = new BufferedImage(width, height, BufferedImage.TYPE_INT_RGB);
Image scaled = image.getScaledInstance(width, height, Image.SCALE_DEFAULT);
resized.getGraphics().drawImage(scaled, 0, 0, null);
return resized;
}
private void resetCursor(BufferedImage image, PrintStream out) {
int lines = image.getHeight() + 3;
out.print("\033[" + lines + "A\r");
}
private void printBanner(BufferedImage image, int margin, boolean invert, BitDepth bitDepth, PixelMode pixelMode,
PrintStream out) {
AnsiElement background = invert ? AnsiBackground.BLACK : AnsiBackground.DEFAULT;
out.print(AnsiOutput.encode(AnsiColor.DEFAULT));
out.print(AnsiOutput.encode(background));
out.println();
out.println();
AnsiElement lastColor = AnsiColor.DEFAULT;
AnsiColors colors = new AnsiColors(bitDepth);
for (int y = 0; y < image.getHeight(); y++) {
for (int i = 0; i < margin; i++) {
out.print(" ");
}
for (int x = 0; x < image.getWidth(); x++) {
Color color = new Color(image.getRGB(x, y), false);
AnsiElement ansiColor = colors.findClosest(color);
if (ansiColor != lastColor) {
out.print(AnsiOutput.encode(ansiColor));
lastColor = ansiColor;
}
out.print(getAsciiPixel(color, invert, pixelMode));
}
out.println();
}
out.print(AnsiOutput.encode(AnsiColor.DEFAULT));
out.print(AnsiOutput.encode(AnsiBackground.DEFAULT));
out.println();
}
private char getAsciiPixel(Color color, boolean dark, PixelMode pixelMode) {
char[] pixels = pixelMode.getPixels();
int increment = (10 / pixels.length) * 10;
int start = increment * pixels.length;
double luminance = getLuminance(color, dark);
for (int i = 0; i < pixels.length; i++) {
if (luminance >= (start - (i * increment))) {
return pixels[i];
}
}
return pixels[pixels.length - 1];
}
private int getLuminance(Color color, boolean inverse) {
double luminance = 0.0;
luminance += getLuminance(color.getRed(), inverse, RGB_WEIGHT[0]);
luminance += getLuminance(color.getGreen(), inverse, RGB_WEIGHT[1]);
luminance += getLuminance(color.getBlue(), inverse, RGB_WEIGHT[2]);
return (int) Math.ceil((luminance / 0xFF) * 100);
}
private double getLuminance(int component, boolean inverse, double weight) {
return (inverse ? 0xFF - component : component) * weight;
}
private void sleep(int delay) {
try {
Thread.sleep(delay);
}
catch (InterruptedException ex) {
Thread.currentThread().interrupt();
}
}
private static class Frame {
private final BufferedImage image;
private final int delayTime;
Frame(BufferedImage image, int delayTime) {
this.image = image;
this.delayTime = delayTime;
}
BufferedImage getImage() {
return this.image;
}
int getDelayTime() {
return this.delayTime;
}
}
/**
* Pixel modes supported by the image banner.
*/
public enum PixelMode {
/**
* Use text chars for pixels.
*/
TEXT(' ', '.', '*', ':', 'o', '&', '8', '#', '@'),
/**
* Use unicode block chars for pixels.
*/
BLOCK(' ', '\u2591', '\u2592', '\u2593', '\u2588');
private char[] pixels;
PixelMode(char... pixels) {
this.pixels = pixels;
}
char[] getPixels() {
return this.pixels;
}
}
}

58
spring-boot-project/spring-boot/src/main/java/org/springframework/boot/SpringApplicationBannerPrinter.java

@ -1,5 +1,5 @@ @@ -1,5 +1,5 @@
/*
* Copyright 2012-2020 the original author or authors.
* Copyright 2012-2022 the original author or authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
@ -20,15 +20,12 @@ import java.io.ByteArrayOutputStream; @@ -20,15 +20,12 @@ import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.io.PrintStream;
import java.io.UnsupportedEncodingException;
import java.util.ArrayList;
import java.util.List;
import org.apache.commons.logging.Log;
import org.springframework.core.env.Environment;
import org.springframework.core.io.Resource;
import org.springframework.core.io.ResourceLoader;
import org.springframework.util.StringUtils;
/**
* Class used by {@link SpringApplication} to print the application banner.
@ -39,12 +36,8 @@ class SpringApplicationBannerPrinter { @@ -39,12 +36,8 @@ class SpringApplicationBannerPrinter {
static final String BANNER_LOCATION_PROPERTY = "spring.banner.location";
static final String BANNER_IMAGE_LOCATION_PROPERTY = "spring.banner.image.location";
static final String DEFAULT_BANNER_LOCATION = "banner.txt";
static final String[] IMAGE_EXTENSION = { "gif", "jpg", "png" };
private static final Banner DEFAULT_BANNER = new SpringBootBanner();
private final ResourceLoader resourceLoader;
@ -74,11 +67,9 @@ class SpringApplicationBannerPrinter { @@ -74,11 +67,9 @@ class SpringApplicationBannerPrinter {
}
private Banner getBanner(Environment environment) {
Banners banners = new Banners();
banners.addIfNotNull(getImageBanner(environment));
banners.addIfNotNull(getTextBanner(environment));
if (banners.hasAtLeastOneBanner()) {
return banners;
Banner textBanner = getTextBanner(environment);
if (textBanner != null) {
return textBanner;
}
if (this.fallbackBanner != null) {
return this.fallbackBanner;
@ -100,21 +91,6 @@ class SpringApplicationBannerPrinter { @@ -100,21 +91,6 @@ class SpringApplicationBannerPrinter {
return null;
}
private Banner getImageBanner(Environment environment) {
String location = environment.getProperty(BANNER_IMAGE_LOCATION_PROPERTY);
if (StringUtils.hasLength(location)) {
Resource resource = this.resourceLoader.getResource(location);
return resource.exists() ? new ImageBanner(resource) : null;
}
for (String ext : IMAGE_EXTENSION) {
Resource resource = this.resourceLoader.getResource("banner." + ext);
if (resource.exists()) {
return new ImageBanner(resource);
}
}
return null;
}
private String createStringFromBanner(Banner banner, Environment environment, Class<?> mainApplicationClass)
throws UnsupportedEncodingException {
ByteArrayOutputStream baos = new ByteArrayOutputStream();
@ -123,32 +99,6 @@ class SpringApplicationBannerPrinter { @@ -123,32 +99,6 @@ class SpringApplicationBannerPrinter {
return baos.toString(charset);
}
/**
* {@link Banner} comprised of other {@link Banner Banners}.
*/
private static class Banners implements Banner {
private final List<Banner> banners = new ArrayList<>();
void addIfNotNull(Banner banner) {
if (banner != null) {
this.banners.add(banner);
}
}
boolean hasAtLeastOneBanner() {
return !this.banners.isEmpty();
}
@Override
public void printBanner(Environment environment, Class<?> sourceClass, PrintStream out) {
for (Banner banner : this.banners) {
banner.printBanner(environment, sourceClass, out);
}
}
}
/**
* Decorator that allows a {@link Banner} to be printed again without needing to
* specify the source class.

41
spring-boot-project/spring-boot/src/main/resources/META-INF/additional-spring-configuration-metadata.json

@ -227,43 +227,58 @@ @@ -227,43 +227,58 @@
{
"name": "spring.banner.image.bitdepth",
"type": "java.lang.Integer",
"description": "Bit depth to use for ANSI colors. Supported values are 4 (16 color) or 8 (256 color).",
"defaultValue": 4
"deprecation": {
"level": "error",
"reason": "Support for image banners has been removed."
}
},
{
"name": "spring.banner.image.height",
"type": "java.lang.Integer",
"description": "Height of the banner image in chars (default based on image height)."
"deprecation": {
"level": "error",
"reason": "Support for image banners has been removed."
}
},
{
"name": "spring.banner.image.invert",
"type": "java.lang.Boolean",
"description": "Whether images should be inverted for dark terminal themes.",
"defaultValue": false
"deprecation": {
"level": "error",
"reason": "Support for image banners has been removed."
}
},
{
"name": "spring.banner.image.location",
"type": "org.springframework.core.io.Resource",
"description": "Banner image file location (jpg or png can also be used).",
"defaultValue": "classpath:banner.gif"
"deprecation": {
"level": "error",
"reason": "Support for image banners has been removed."
}
},
{
"name": "spring.banner.image.margin",
"type": "java.lang.Integer",
"description": "Left hand image margin in chars.",
"defaultValue": 2
"deprecation": {
"level": "error",
"reason": "Support for image banners has been removed."
}
},
{
"name": "spring.banner.image.pixelmode",
"type": "org.springframework.boot.ImageBanner$PixelMode",
"description": "Pixel mode to use when rendering the image.",
"defaultValue": "TEXT"
"deprecation": {
"level": "error",
"reason": "Support for image banners has been removed."
}
},
{
"name": "spring.banner.image.width",
"type": "java.lang.Integer",
"description": "Width of the banner image in chars.",
"defaultValue": 76
"deprecation": {
"level": "error",
"reason": "Support for image banners has been removed."
}
},
{
"name": "spring.banner.location",

217
spring-boot-project/spring-boot/src/test/java/org/springframework/boot/ImageBannerTests.java

@ -1,217 +0,0 @@ @@ -1,217 +0,0 @@
/*
* Copyright 2012-2019 the original author or authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* https://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.springframework.boot;
import java.io.ByteArrayOutputStream;
import java.io.PrintStream;
import java.io.UnsupportedEncodingException;
import org.junit.jupiter.api.AfterEach;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.Test;
import org.springframework.boot.ansi.Ansi8BitColor;
import org.springframework.boot.ansi.AnsiBackground;
import org.springframework.boot.ansi.AnsiColor;
import org.springframework.boot.ansi.AnsiOutput;
import org.springframework.boot.ansi.AnsiOutput.Enabled;
import org.springframework.core.env.ConfigurableEnvironment;
import org.springframework.core.io.ClassPathResource;
import org.springframework.mock.env.MockEnvironment;
import org.springframework.test.context.support.TestPropertySourceUtils;
import static org.assertj.core.api.Assertions.assertThat;
/**
* Tests for {@link ImageBanner}.
*
* @author Craig Burke
* @author Phillip Webb
*/
class ImageBannerTests {
private static final char HIGH_LUMINANCE_CHARACTER = ' ';
private static final char LOW_LUMINANCE_CHARACTER = '@';
private static final String INVERT_TRUE = "spring.banner.image.invert=true";
@BeforeEach
void setup() {
AnsiOutput.setEnabled(AnsiOutput.Enabled.ALWAYS);
}
@AfterEach
void cleanup() {
AnsiOutput.setEnabled(Enabled.DETECT);
}
@Test
void printBannerShouldResetForegroundAndBackground() {
String banner = printBanner("black-and-white.gif");
String expected = AnsiOutput.encode(AnsiColor.DEFAULT) + AnsiOutput.encode(AnsiBackground.DEFAULT);
assertThat(banner).startsWith(expected);
}
@Test
void printBannerWhenInvertedShouldResetForegroundAndBackground() {
String banner = printBanner("black-and-white.gif", INVERT_TRUE);
String expected = AnsiOutput.encode(AnsiColor.DEFAULT) + AnsiOutput.encode(AnsiBackground.BLACK);
assertThat(banner).startsWith(expected);
}
@Test
void printBannerShouldPrintWhiteAsBrightWhiteHighLuminance() {
String banner = printBanner("black-and-white.gif");
String expected = AnsiOutput.encode(AnsiColor.BRIGHT_WHITE) + HIGH_LUMINANCE_CHARACTER;
assertThat(banner).contains(expected);
}
@Test
void printBannerWhenInvertedShouldPrintWhiteAsBrightWhiteLowLuminance() {
String banner = printBanner("black-and-white.gif", INVERT_TRUE);
String expected = AnsiOutput.encode(AnsiColor.BRIGHT_WHITE) + LOW_LUMINANCE_CHARACTER;
assertThat(banner).contains(expected);
}
@Test
void printBannerShouldPrintBlackAsBlackLowLuminance() {
String banner = printBanner("black-and-white.gif");
String expected = AnsiOutput.encode(AnsiColor.BLACK) + LOW_LUMINANCE_CHARACTER;
assertThat(banner).contains(expected);
}
@Test
void printBannerWhenInvertedShouldPrintBlackAsBlackHighLuminance() {
String banner = printBanner("black-and-white.gif", INVERT_TRUE);
String expected = AnsiOutput.encode(AnsiColor.BLACK) + HIGH_LUMINANCE_CHARACTER;
assertThat(banner).contains(expected);
}
@Test
void printBannerWhenShouldPrintAllColors() {
String banner = printBanner("colors.gif");
for (AnsiColor color : AnsiColor.values()) {
if (color != AnsiColor.DEFAULT) {
assertThat(banner).contains(AnsiOutput.encode(color));
}
}
}
@Test
void printBannerShouldRenderGradient() {
AnsiOutput.setEnabled(AnsiOutput.Enabled.NEVER);
String banner = printBanner("gradient.gif", "spring.banner.image.width=10", "spring.banner.image.margin=0");
assertThat(banner).contains("@#8&o:*. ");
}
@Test
void printBannerShouldCalculateHeight() {
String banner = printBanner("large.gif", "spring.banner.image.width=20");
assertThat(getBannerHeight(banner)).isEqualTo(10);
}
@Test
void printBannerWhenHasHeightPropertyShouldSetHeight() {
String banner = printBanner("large.gif", "spring.banner.image.width=20", "spring.banner.image.height=30");
assertThat(getBannerHeight(banner)).isEqualTo(30);
}
@Test
void printBannerShouldCapWidthAndCalculateHeight() {
AnsiOutput.setEnabled(AnsiOutput.Enabled.NEVER);
String banner = printBanner("large.gif", "spring.banner.image.margin=0");
assertThat(getBannerWidth(banner)).isEqualTo(76);
assertThat(getBannerHeight(banner)).isEqualTo(37);
}
@Test
void printBannerShouldPrintMargin() {
AnsiOutput.setEnabled(AnsiOutput.Enabled.NEVER);
String banner = printBanner("large.gif");
String[] lines = banner.split(System.lineSeparator());
for (int i = 2; i < lines.length - 1; i++) {
assertThat(lines[i]).startsWith(" @");
}
}
@Test
void printBannerWhenHasMarginPropertyShouldPrintSizedMargin() {
AnsiOutput.setEnabled(AnsiOutput.Enabled.NEVER);
String banner = printBanner("large.gif", "spring.banner.image.margin=4");
String[] lines = banner.split(System.lineSeparator());
for (int i = 2; i < lines.length - 1; i++) {
assertThat(lines[i]).startsWith(" @");
}
}
@Test
void printBannerWhenAnimatesShouldPrintAllFrames() {
AnsiOutput.setEnabled(AnsiOutput.Enabled.NEVER);
String banner = printBanner("animated.gif");
String[] lines = banner.split(System.lineSeparator());
int frames = 138;
int linesPerFrame = 36;
assertThat(banner).contains("\r");
assertThat(lines).hasSize(frames * linesPerFrame - 1);
}
@Test
void printBannerWhenBitDepthIs8ShouldUseColors() {
String banner = printBanner("colors.gif", "spring.banner.image.bitdepth=8");
assertThat(banner).contains(AnsiOutput.encode(Ansi8BitColor.foreground(124)));
assertThat(banner).contains(AnsiOutput.encode(Ansi8BitColor.foreground(130)));
assertThat(banner).contains(AnsiOutput.encode(Ansi8BitColor.foreground(19)));
assertThat(banner).contains(AnsiOutput.encode(Ansi8BitColor.foreground(127)));
assertThat(banner).contains(AnsiOutput.encode(Ansi8BitColor.foreground(37)));
}
@Test
void printBannerWhenPixelModeIsBlockShouldRenderBlocks() {
AnsiOutput.setEnabled(AnsiOutput.Enabled.NEVER);
String banner = printBanner("gradient.gif", "spring.banner.image.width=6", "spring.banner.image.margin=0",
"spring.banner.image.pixelmode=block");
assertThat(banner).inHexadecimal().contains("\u2588\u2593\u2592\u2591 ");
}
private int getBannerHeight(String banner) {
return banner.split(System.lineSeparator()).length - 3;
}
private int getBannerWidth(String banner) {
int width = 0;
for (String line : banner.split(System.lineSeparator())) {
width = Math.max(width, line.length());
}
return width;
}
private String printBanner(String path, String... properties) {
ImageBanner banner = new ImageBanner(new ClassPathResource(path, getClass()));
ConfigurableEnvironment environment = new MockEnvironment();
TestPropertySourceUtils.addInlinedPropertiesToEnvironment(environment, properties);
ByteArrayOutputStream out = new ByteArrayOutputStream();
try {
banner.printBanner(environment, getClass(), new PrintStream(out, false, "UTF-8"));
return out.toString("UTF-8");
}
catch (UnsupportedEncodingException ex) {
throw new IllegalStateException(ex);
}
}
}

27
spring-boot-project/spring-boot/src/test/java/org/springframework/boot/SpringApplicationTests.java

@ -227,29 +227,6 @@ class SpringApplicationTests { @@ -227,29 +227,6 @@ class SpringApplicationTests {
assertThat(output).containsPattern("Running a Test!\\s+123456");
}
@Test
void imageBannerAndTextBanner(CapturedOutput output) {
SpringApplication application = new SpringApplication(ExampleConfig.class);
MockResourceLoader resourceLoader = new MockResourceLoader();
resourceLoader.addResource("banner.gif", "black-and-white.gif");
resourceLoader.addResource("banner.txt", "foobar.txt");
application.setWebApplicationType(WebApplicationType.NONE);
application.setResourceLoader(resourceLoader);
application.run();
assertThat(output).contains("@@@@").contains("Foo Bar");
}
@Test
void imageBannerLoads(CapturedOutput output) {
SpringApplication application = new SpringApplication(ExampleConfig.class);
MockResourceLoader resourceLoader = new MockResourceLoader();
resourceLoader.addResource("banner.gif", "black-and-white.gif");
application.setWebApplicationType(WebApplicationType.NONE);
application.setResourceLoader(resourceLoader);
application.run();
assertThat(output).contains("@@@@@@");
}
@Test
void logsNoActiveProfiles(CapturedOutput output) {
SpringApplication application = new SpringApplication(ExampleConfig.class);
@ -1263,7 +1240,7 @@ class SpringApplicationTests { @@ -1263,7 +1240,7 @@ class SpringApplicationTests {
private Condition<ConfigurableEnvironment> matchingPropertySource(final Class<?> propertySourceClass,
final String name) {
return new Condition<ConfigurableEnvironment>("has property source") {
return new Condition<>("has property source") {
@Override
public boolean matches(ConfigurableEnvironment value) {
@ -1279,7 +1256,7 @@ class SpringApplicationTests { @@ -1279,7 +1256,7 @@ class SpringApplicationTests {
}
private Condition<ConfigurableApplicationContext> runTestRunnerBean(final String name) {
return new Condition<ConfigurableApplicationContext>("run testrunner bean") {
return new Condition<>("run testrunner bean") {
@Override
public boolean matches(ConfigurableApplicationContext value) {

Loading…
Cancel
Save