剑指Offer LeetCode 面试题50. 第一个只出现一次的字符

96 阅读1分钟

面试题50. 第一个只出现一次的字符

在字符串 s 中找出第一个只出现一次的字符。如果没有,返回一个单空格。 s 只包含小写字母。

示例:

s = “abaccdeff”
返回 “b”

s = “”
返回 " "

解题

import java.util.HashMap;
import java.util.Map;

/**
 * @Auther: truedei
 * @Date: 2020 /20-5-20 08:45
 * @Description:
 */
public class Test {

    static  public char firstUniqChar(String s) {

        Map<Character,Boolean> dic = new HashMap<>();

        char[] array = s.toCharArray();

        for (char c : array) {
            dic.put(c, !dic.containsKey(c));
        }

        for (char c : array) {
            if (dic.get(c)) return c;
        }

        return ' ';
    }

    public static void main(String[] args) {

        System.out.println(firstUniqChar("leetcode"));
    }
}