How many ways are possible to answer one or more questions out of three questions x y z

How to Use

1. Create Questions

Provide each student with a flash cards about the current unit of study. One side of the card has a question or vocabulary term and the other side provides the answer or definition.

2. Pair Up

Use the stand up/hands up/pair up method for students to find a partner.  Partner A holds up the flash card to show Partner B the question.  Partner B answers. Partner A praises if correct or coaches if incorrect.  They switch roles and Partner B asks Partner A the next question.

3. Hands Up

After thanking each other and switching cards, Partners A and B raise their hands to find a new partner and repeat the process for an allotted amount of time. 

*For elementary or intermediate students, the teacher can monitor the time for each interaction. For example, music can be played and stopped, at which time each student has to put their hand up and find a partner. They can be given only a minute (or more, depending on the group and the difficulty of the content) to answer and discuss the questions. They trade flash cards. Then, the music comes back on and when it goes off, students must find a new partner and repeat the same process.

When to Use

Use Quiz, Quiz, Trade at any point in the lesson to structure meaningful conversation.

  • Before introducing new material to tap into prior knowledge
  • After a unit to review terms
  • At the beginning of the school year as a way to review students' knowledge of  class rules and procedures
  • After a math unit to review shapes or problems
  • Before students begin an assignment, such as an essay, a set of word problems or a science activity/experiment, to gather ideas or formalize procedures
  • To remediate weak skills
  • To practice newly learned skills

Variations

Student-Created Quiz, Quiz, Trade

Have students create their own flashcards with questions and answers.  You might want to review the cards before allowing students to play so you can be sure that the students’ answers are accurate.

QQT/IOC (Quiz Quiz Trade/Inside Outside Circles)

To add structure to the process of finding a partner, divide the class into two equal groups.  Have one group make a circle and face out.  Have the other group make a circle around the first group and face in.  Students in both circles should stand face-to-face with the person across from them.  This person is their partner for the first round of Quiz Quiz Trade.  Partners ask and answer questions according to QQT procedure.  The teacher then gives a signal and students should move one step to their right.  The person they are now facing is their new partner.  Continue for several rounds.  

Print This Tool

Download Templates

Quiz, Quiz, Trade Elementary

For elementary, try this template in Grades 1-5.

Quiz, Quiz, Trade Secondary

Use this flashcard sheet to create cards to use in Quiz, Quiz, Trade.

Quiz, Quiz, Trade Spanish


Teachers Shown

Marco Villegas
5th grade Bilingual teacher.
Austin ISD, Texas

Pamela Harvey
High School English Language Arts teacher.
Pflugerville ISD, Texas

String is one of the most widely used Java Class. Here I am listing some important Java String Interview Questions and Answers. This will be very helpful to get complete knowledge of String and tackle any questions asked related to String in an interview.

Quizzes are fun, aren’t they! I recently published the Java String quiz of 21 questions. It has been taken by thousands of Java enthusiasts with an average score of 42.55%. You should take that and try to beat the average score and get your name into the leaderboard. Here is the link that opens in a new tab: Java String Quiz

Java String Interview Questions

  1. What is String in Java? String is a data type?
  2. What are different ways to create String Object?
  3. Write a method to check if input String is Palindrome?
  4. Write a method that will remove given character from the String?
  5. How can we make String upper case or lower case?
  6. What is String subSequence method?
  7. How to compare two Strings in java program?
  8. How to convert String to char and vice versa?
  9. How to convert String to byte array and vice versa?
  10. Can we use String in switch case?
  11. Write a program to print all permutations of String?
  12. Write a function to find out longest palindrome in a given string?
  13. Difference between String, StringBuffer and StringBuilder?
  14. Why String is immutable or final in Java
  15. How to Split String in java?
  16. Why Char array is preferred over String for storing password?
  17. How do you check if two Strings are equal in Java?
  18. What is String Pool?
  19. What does String intern() method do?
  20. Does String is thread-safe in Java?
  21. Why String is popular HashMap key in Java?
  22. String Programming Questions

What is String in Java? String is a data type?

String is a Class in java and defined in java.lang package. It’s not a primitive data type like int and long. String class represents character Strings. String is used in almost all the Java applications and there are some interesting facts we should know about String. String in immutable and final in Java and JVM uses String Pool to store all the String objects. Some other interesting things about String is the way we can instantiate a String object using double quotes and overloading of “+” operator for concatenation.

What are different ways to create String Object?

We can create String object using new operator like any normal java class or we can use double quotes to create a String object. There are several constructors available in String class to get String from char array, byte array, StringBuffer and StringBuilder.

String str = new String("abc");
String str1 = "abc";

When we create a String using double quotes, JVM looks in the String pool to find if any other String is stored with the same value. If found, it just returns the reference to that String object else it creates a new String object with given value and stores it in the String pool. When we use the new operator, JVM creates the String object but don’t store it into the String Pool. We can use intern() method to store the String object into String pool or return the reference if there is already a String with equal value present in the pool.

Write a method to check if input String is Palindrome?

A String is said to be Palindrome if it’s value is same when reversed. For example “aba” is a Palindrome String. String class doesn’t provide any method to reverse the String but StringBuffer and StringBuilder class has reverse method that we can use to check if String is palindrome or not.

    private static boolean isPalindrome(String str) {
        if (str == null)
            return false;
        StringBuilder strBuilder = new StringBuilder(str);
        strBuilder.reverse();
        return strBuilder.toString().equals(str);
    }

Sometimes interviewer asks not to use any other class to check this, in that case, we can compare characters in the String from both ends to find out if it’s palindrome or not.

    private static boolean isPalindromeString(String str) {
        if (str == null)
            return false;
        int length = str.length();
        System.out.println(length / 2);
        for (int i = 0; i < length / 2; i++) {

            if (str.charAt(i) != str.charAt(length - i - 1))
                return false;
        }
        return true;
    }

Write a method that will remove given character from the String?

We can use replaceAll method to replace all the occurance of a String with another String. The important point to note is that it accepts String as argument, so we will use Character class to create String and use it to replace all the characters with empty String.

    private static String removeChar(String str, char c) {
        if (str == null)
            return null;
        return str.replaceAll(Character.toString(c), "");
    }

How can we make String upper case or lower case?

We can use String class toUpperCase and toLowerCase methods to get the String in all upper case or lower case. These methods have a variant that accepts Locale argument and use that locale rules to convert String to upper or lower case.

What is String subSequence method?

Java 1.4 introduced CharSequence interface and String implements this interface, this is the only reason for the implementation of subSequence method in String class. Internally it invokes the String substring method. Check this post for String subSequence example.

How to compare two Strings in java program?

Java String implements Comparable interface and it has two variants of compareTo() methods. compareTo(String anotherString) method compares the String object with the String argument passed lexicographically. If String object precedes the argument passed, it returns negative integer and if String object follows the argument String passed, it returns a positive integer. It returns zero when both the String have the same value, in this case equals(String str) method will also return true. compareToIgnoreCase(String str): This method is similar to the first one, except that it ignores the case. It uses String CASE_INSENSITIVE_ORDER Comparator for case insensitive comparison. If the value is zero then equalsIgnoreCase(String str) will also return true. Check this post for String compareTo example.

How to convert String to char and vice versa?

This is a tricky question because String is a sequence of characters, so we can’t convert it to a single character. We can use use charAt method to get the character at given index or we can use toCharArray() method to convert String to character array. Check this post for sample program on converting String to character array to String.

How to convert String to byte array and vice versa?

We can use String getBytes() method to convert String to byte array and we can use String constructor new String(byte[] arr) to convert byte array to String. Check this post for String to byte array example.

Can we use String in switch case?

This is a tricky question used to check your knowledge of current Java developments. Java 7 extended the capability of switch case to use Strings also, earlier Java versions don’t support this. If you are implementing conditional flow for Strings, you can use if-else conditions and you can use switch case if you are using Java 7 or higher versions. Check this post for Java Switch Case String example.

Write a program to print all permutations of String?

This is a tricky question and we need to use recursion to find all the permutations of a String, for example “AAB” permutations will be “AAB”, “ABA” and “BAA”. We also need to use Set to make sure there are no duplicate values. Check this post for complete program to find all permutations of String.

Write a function to find out longest palindrome in a given string?

A String can contain palindrome strings in it and to find longest palindrome in given String is a programming question. Check this post for complete program to find longest palindrome in a String.

Difference between String, StringBuffer and StringBuilder?

The string is immutable and final in Java, so whenever we do String manipulation, it creates a new String. String manipulations are resource consuming, so java provides two utility classes for String manipulations - StringBuffer and StringBuilder. StringBuffer and StringBuilder are mutable classes. StringBuffer operations are thread-safe and synchronized where StringBuilder operations are not thread-safe. So in a multi-threaded environment, we should use StringBuffer but in the single-threaded environment, we should use StringBuilder. StringBuilder performance is fast than StringBuffer because of no overhead of synchronization. Check this post for extensive details about String vs StringBuffer vs StringBuilder. Read this post for benchmarking of StringBuffer vs StringBuilder.

Why String is immutable or final in Java

There are several benefits of String because it’s immutable and final.

  • String Pool is possible because String is immutable in java.
  • It increases security because any hacker can’t change its value and it’s used for storing sensitive information such as database username, password etc.
  • Since String is immutable, it’s safe to use in multi-threading and we don’t need any synchronization.
  • Strings are used in java classloader and immutability provides security that correct class is getting loaded by Classloader.

Check this post to get more details why String is immutable in java.

How to Split String in java?

We can use split(String regex) to split the String into String array based on the provided regular expression. Learn more at java String split.

Why Char array is preferred over String for storing password?

String is immutable in Java and stored in String pool. Once it’s created it stays in the pool until unless garbage collected, so even though we are done with password it’s available in memory for longer duration and there is no way to avoid it. It’s a security risk because anyone having access to memory dump can find the password as clear text. If we use a char array to store password, we can set it to blank once we are done with it. So we can control for how long it’s available in memory that avoids the security threat with String.

How do you check if two Strings are equal in Java?

There are two ways to check if two Strings are equal or not - using “==” operator or using equals method. When we use “==” operator, it checks for the value of String as well as the reference but in our programming, most of the time we are checking equality of String for value only. So we should use the equals method to check if two Strings are equal or not. There is another function equalsIgnoreCase that we can use to ignore case.

        String s1 = "abc";
        String s2 = "abc";
        String s3= new String("abc");
        System.out.println("s1 == s2 ? "+(s1==s2)); //true
        System.out.println("s1 == s3 ? "+(s1==s3)); //false
        System.out.println("s1 equals s3 ? "+(s1.equals(s3))); //true

What is String Pool?

As the name suggests, String Pool is a pool of Strings stored in Java heap memory. We know that String is a special class in Java and we can create String object using new operator as well as providing values in double quotes. Check this post for more details about String Pool.

What does String intern() method do?

When the intern method is invoked, if the pool already contains a string equal to this String object as determined by the equals(Object) method, then the string from the pool is returned. Otherwise, this String object is added to the pool and a reference to this String object is returned. This method always returns a String that has the same contents as this string but is guaranteed to be from a pool of unique strings.

Does String is thread-safe in Java?

Strings are immutable, so we can’t change it’s value in program. Hence it’s thread-safe and can be safely used in multi-threaded environment. Check this post for Thread Safety in Java.

Since String is immutable, its hashcode is cached at the time of creation and it doesn’t need to be calculated again. This makes it a great candidate for the key in a Map and it’s processing is fast than other HashMap key objects. This is why String is mostly used Object as HashMap keys.

String Programming Questions

  1. What is the output of below program?

    package com.journaldev.strings;
    
    public class StringTest {
    
    	public static void main(String[] args) {
    		String s1 = new String("pankaj");
    		String s2 = new String("PANKAJ");
    		System.out.println(s1 = s2);
    	}
    
    }
    

    It’s a simple yet tricky program, it will print “PANKAJ” because we are assigning s2 String to s1. Don’t get confused with == comparison operator.

  2. What is the output of below program?

    package com.journaldev.strings;
    
    public class Test {
    
    	 public void foo(String s) {
    	 System.out.println("String");
    	 }
    
    	 public void foo(StringBuffer sb){
    	 System.out.println("StringBuffer");
    	 }
    
    	 public static void main(String[] args) {
    		new Test().foo(null);
    	}
    
    }
    

    The above program will not compile with error as “The method foo(String) is ambiguous for the type Test”. For complete clarification read Understanding the method X is ambiguous for the type Y error.

  3. What is the output of below code snippet?

    String s1 = new String("abc");
    String s2 = new String("abc");
    System.out.println(s1 == s2);
    

    It will print false because we are using new operator to create String, so it will be created in the heap memory and both s1, s2 will have different reference. If we create them using double quotes, then they will be part of string pool and it will print true.

  4. What will be output of below code snippet?

    String s1 = "abc";
    StringBuffer s2 = new StringBuffer(s1);
    System.out.println(s1.equals(s2));
    

    It will print false because s2 is not of type String. If you will look at the equals method implementation in the String class, you will find a check using instanceof operator to check if the type of passed object is String? If not, then return false.

  5. What will be the output of below program?

    String s1 = "abc";
    String s2 = new String("abc");
    s2.intern();
    System.out.println(s1 ==s2);
    

    It’s a tricky question and output will be false. We know that intern() method will return the String object reference from the string pool, but since we didn’t assigned it back to s2, there is no change in s2 and hence both s1 and s2 are having different reference. If we change the code in line 3 to s2 = s2.intern(); then output will be true.

  6. How many String objects got created in below code snippet?

    String s1 = new String("Hello");  
    String s2 = new String("Hello");
    

    The answer is 3. First - line 1, “Hello” object in the string pool. Second - line 1, new String with value “Hello” in the heap memory. Third - line 2, new String with value “Hello” in the heap memory. Here “Hello” string from string pool is reused.

I hope that the questions listed here will help you in Java interviews, please let me know if I have missed anything.

Further Reading

  1. Java Programming Questions
  2. String Programs in Java
  3. Core Java Interview Questions
  4. Java Interview Questions

What are the 7 most common interview questions and answers?

How to master these 7 common interview questions.
Where do you see yourself in five years time? ... .
What are your strengths/weaknesses? ... .
Why should I hire you? ... .
Tell me about yourself/your work experience. ... .
Why do you want this job? ... .
What are your salary expectations? ... .
Why are you the right fit to succeed in this role?.

How do you know if a hiring manager likes you?

The discussion extends beyond what you had anticipated. ... .
They're not at all distracted. ... .
Your interviewer asks you questions about your long-term objectives. ... .
The interviewer speaks specifically about salary and other compensation. ... .
At the end of the interview, the hiring manager offers positive information about the next step..

How many questions are on the Series 7 top off?

The Series 7 top-off exam typically includes 10-15 options questions. That's about 10% of the 125 questions that comprise the exam. While most options questions are straightforward, you can expect a handful to demand a higher level of options skill.

What are the 10 most common interview questions and answers?

10 most common interview questions and answers.
Tell me about yourself..
What attracted you to our company?.
Tell me about your strengths..
Tell me about your strengths..
Where do you see yourself in five years?.
Tell me about a time where you encountered a business challenge?.