 
 Data Structure Data Structure
 Networking Networking
 RDBMS RDBMS
 Operating System Operating System
 Java Java
 MS Excel MS Excel
 iOS iOS
 HTML HTML
 CSS CSS
 Android Android
 Python Python
 C Programming C Programming
 C++ C++
 C# C#
 MongoDB MongoDB
 MySQL MySQL
 Javascript Javascript
 PHP PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
Concatenated string with uncommon characters in Python?
In Python, Strings are one of the commonly used data types that are used to store sequences of characters. In this article, we are going to learn to concatenate strings with uncommon characters in Python.
The uncommon characters are the characters that appear in one string but not in the other string. For example, if str1="ABC" and str2="BCD", the uncommon characters are 'A' and 'D', and the concatenated result is "AD".
Using set.symmetric_difference() Method
The python set.symmetric_difference() method is used to return the new set that contains the elements that are in either of the sets, but not in both. Following is the syntax of Python set.symmetric_difference() method -
set.symmetric_difference(other)
Example
In the following example, we are concatenating a string with uncommon characters to construct a 3D list of size 2*3*4 filled with zeros.
def demo(x, y):
    a = set(x)
    b = set(y)
    result = a.symmetric_difference(b)
    return ''.join(sorted(result))
print(demo("Hello", "Hi"))
The output of the above program is as follows -
eilo
Using Python Loops
We can check the uncommon characters that are in the string and concatenate them by running a loop and collecting the characters manually.
Example
In the following example, we are going to use the loops to check and collect the characters manually that are not common.
def demo(a, b):
   result = ''
   for ch in a:
      if ch not in b:
         result += ch
   for ch in b:
      if ch not in a:
         result += ch
   return result
print(demo("ciaz", "cruze"))
The output of the above program is as follows -
iarue
