StringBuffer

StringBuffer append method

This is an example of how to use append method of StringBuffer. A StringBuffer is a thread-safe, mutable sequence of characters. A string buffer is like a String, but can be modified. At any point in time it contains some particular sequence of characters, but the length and content of the sequence can be changed through certain method calls. Appending with a StringBuffer implies that you should:

  • Create a new StringBuffer initialized to the contents of the specified string.
  • Use append(String str) API method of StringBuffer. This method appends the specified string to this character sequence.
  • The method can also be used to append a boolean, a char, a char array, a double, a float, an int and an Object.

Let’s take a look at the code snippet that follows:

package com.javacodegeeks.snippets.core;

public class StringBufferAppendMethod {
	
	public static void main(String[] args) {
		
		StringBuffer sb = new StringBuffer();
		
		sb.append("Append String: ");
		String str = "JCG";
		sb.append(str);
		sb.append("n");
		
		sb.append("Append boolean: ");
		boolean b = true;
		sb.append(b);
		sb.append("n");
		 
		sb.append("Append char: ");
		char c = 'a';
		sb.append(c);
		sb.append("n");
		 
		sb.append("Append char array: ");
		char[] ca = new char[] {'J','C','G'};
		sb.append(ca);
		sb.append("n");
		 
		sb.append("Append double: ");
		double d = 1.0;
		sb.append(d);
		sb.append("n");
		 
		sb.append("Append float: ");
		float f = 1.0f;
		sb.append(f);
		sb.append("n");
		 
		sb.append("Append int: ");
		int i = 1;
		sb.append(i);
		sb.append("n");
		 
		sb.append("Append Object: ");
		Object obj = new String("JCG");
		sb.append(obj);
		sb.append("n");
		
		System.out.println(sb.toString());
		
	}

}

Output:

Append String: JCG
Append boolean: true
Append char: a
Append char array: JCG
Append double: 1.0
Append float: 1.0
Append int: 1
Append Object: JCG

 
This was an example of how to append method of StringBuffer in Java.

Ilias Tsagklis

Ilias is a software developer turned online entrepreneur. He is co-founder and Executive Editor at Java Code Geeks.
Subscribe
Notify of
guest

This site uses Akismet to reduce spam. Learn how your comment data is processed.

1 Comment
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
Griogre
Griogre
4 years ago

You know all those sb.append(“n”);s should be sb.append(“backslash-n”); you need to escape the backslashes in the sample code

Back to top button