欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

剑指Offer-50. 第一个只出现一次的字符

程序员文章站 2022-03-05 13:29:48
...

题目描述

在一个字符串(0<=字符串长度<=10000,全部由字母组成)中找到第一个只出现一次的字符,并返回它的位置, 如果没有则返回 -1(需要区分大小写).

思路

public class Solution {
    public int FirstNotRepeatingChar(String str) {

        int[] count = new int[256];
        int len = str.length();

        for (int i = 0; i < len; i++) {
            count[str.charAt(i)]++;
        }

        for (int i = 0; i < len; i++) {
            if (count[str.charAt(i)] == 1)
                return i;
        }

        return -1;
    }
}