牛牛有N个字符串,他想将这些字符串分类,他认为两个字符串A和B属于同一类需要满足以下条件:
A中交换任意位置的两个字符,最终可以得到B,交换的次数不限。比如:abc与bca就是同一类字符串。
现在牛牛想知道这N个字符串可以分成几类。
输入描述
首先输入一个正整数N(1 <= N <= 50),接下来输入N个字符串,每个字符串长度不超过50。
输出描述
输出一个整数表示分类的个数。
示例1
输入
4
abcd
abdc
dabc
bacd
输出
1
解题思路:
1)字符串种类、个数相同的总能通过移动次数变成相同。
2)用Set<Map<Character, Integer>> ,用map来装独一无二的字符串,最后set的size()就是结果。
代码:
import java.util.*;
public class Main{
public static void main(String[] args){
Scanner sc = new Scanner(System.in);
//String tmp1 = sc.nextLine();
String m = sc.nextLine();
int n = Integer.parseInt(m);
String[] s = new String[n];
for(int i = 0; i< n; i++){
s[i] = sc.nextLine();
}
Set<Map<Character, Integer>> set = new HashSet<Map<Character, Integer>>();
for(int i = 0; i < n; i++){
Map<Character, Integer> tmp = new HashMap<Character, Integer>();
for(int j = 0; j < s[i].length(); j++){
Character element = s[i].charAt(j);
if(!tmp.containsKey(element))
tmp.put(element, 1);
else
tmp.put(element, tmp.get(element)+1);
}
boolean include = false;
for(Map<Character, Integer> key: set){
if(tmp.equals(key))
include = true;
}
if(!include)
set.add(tmp);
}
System.out.print(set.size());
}
}