Sort on a string that may contain a number

前端 未结 23 2047
走了就别回头了
走了就别回头了 2020-11-22 02:59

I need to write a Java Comparator class that compares Strings, however with one twist. If the two strings it is comparing are the same at the beginning and end of the strin

相关标签:
23条回答
  • 2020-11-22 03:26

    Prior to discovering this thread, I implemented a similar solution in javascript. Perhaps my strategy will find you well, despite different syntax. Similar to above, I parse the two strings being compared, and split them both into arrays, dividing the strings at continuous numbers.

    ...
    var regex = /(\d+)/g,
        str1Components = str1.split(regex),
        str2Components = str2.split(regex),
    ...
    

    I.e., 'hello22goodbye 33' => ['hello', 22, 'goodbye ', 33]; Thus, you can walk through the arrays' elements in pairs between string1 and string2, do some type coercion (such as, is this element really a number?), and compare as you walk.

    Working example here: http://jsfiddle.net/F46s6/3/

    Note, I currently only support integer types, though handling decimal values wouldn't be too hard of a modification.

    0 讨论(0)
  • 2020-11-22 03:27

    If you're writing a comparator class, you should implement your own compare method that will compare two strings character by character. This compare method should check if you're dealing with alphabetic characters, numeric characters, or mixed types (including spaces). You'll have to define how you want a mixed type to act, whether numbers come before alphabetic characters or after, and where spaces fit in etc.

    0 讨论(0)
  • 2020-11-22 03:28

    Adding on to the answer made by @stanislav. A few problems I faced while using the answer provided was:

    1. Capital and small letters are separated by the characters between their ASCII codes. This breaks the flow when the strings being sorted have _ or other characters which are between small letters and capital letters in ASCII.
    2. If two strings are the same except for the leading zeroes count being different, the function returns 0 which will make the sort depend on the original positions of the string in the list.

    These two issues have been fixed in the new code. And I made a few function instead of a few repetitive set of code. The differentCaseCompared variable keeps track of whether if two strings are the same except for the cases being different. If so the value of the first different case characters subtracted is returned. This is done to avoid the issue of having two strings differing by case returned as 0.

    
    public class NaturalSortingComparator implements Comparator<String> {
    
        @Override
        public int compare(String string1, String string2) {
            int lengthOfString1 = string1.length();
            int lengthOfString2 = string2.length();
            int iteratorOfString1 = 0;
            int iteratorOfString2 = 0;
            int differentCaseCompared = 0;
            while (true) {
                if (iteratorOfString1 == lengthOfString1) {
                    if (iteratorOfString2 == lengthOfString2) {
                        if (lengthOfString1 == lengthOfString2) {
                            // If both strings are the same except for the different cases, the differentCaseCompared will be returned
                            return differentCaseCompared;
                        }
                        //If the characters are the same at the point, returns the difference between length of the strings
                        else {
                            return lengthOfString1 - lengthOfString2;
                        }
                    }
                    //If String2 is bigger than String1
                    else
                        return -1;
                }
                //Check if String1 is bigger than string2
                if (iteratorOfString2 == lengthOfString2) {
                    return 1;
                }
    
                char ch1 = string1.charAt(iteratorOfString1);
                char ch2 = string2.charAt(iteratorOfString2);
    
                if (Character.isDigit(ch1) && Character.isDigit(ch2)) {
                    // skip leading zeros
                    iteratorOfString1 = skipLeadingZeroes(string1, lengthOfString1, iteratorOfString1);
                    iteratorOfString2 = skipLeadingZeroes(string2, lengthOfString2, iteratorOfString2);
    
                    // find the ends of the numbers
                    int endPositionOfNumbersInString1 = findEndPositionOfNumber(string1, lengthOfString1, iteratorOfString1);
                    int endPositionOfNumbersInString2 = findEndPositionOfNumber(string2, lengthOfString2, iteratorOfString2);
    
                    int lengthOfDigitsInString1 = endPositionOfNumbersInString1 - iteratorOfString1;
                    int lengthOfDigitsInString2 = endPositionOfNumbersInString2 - iteratorOfString2;
    
                    // if the lengths are different, then the longer number is bigger
                    if (lengthOfDigitsInString1 != lengthOfDigitsInString2)
                        return lengthOfDigitsInString1 - lengthOfDigitsInString2;
    
                    // compare numbers digit by digit
                    while (iteratorOfString1 < endPositionOfNumbersInString1) {
    
                        if (string1.charAt(iteratorOfString1) != string2.charAt(iteratorOfString2))
                            return string1.charAt(iteratorOfString1) - string2.charAt(iteratorOfString2);
    
                        iteratorOfString1++;
                        iteratorOfString2++;
                    }
                } else {
                    // plain characters comparison
                    if (ch1 != ch2) {
                        if (!ignoreCharacterCaseEquals(ch1, ch2))
                            return Character.toLowerCase(ch1) - Character.toLowerCase(ch2);
    
                        // Set a differentCaseCompared if the characters being compared are different case.
                        // Should be done only once, hence the check with 0
                        if (differentCaseCompared == 0) {
                            differentCaseCompared = ch1 - ch2;
                        }
                    }
    
                    iteratorOfString1++;
                    iteratorOfString2++;
                }
            }
        }
    
        private boolean ignoreCharacterCaseEquals(char character1, char character2) {
    
            return Character.toLowerCase(character1) == Character.toLowerCase(character2);
        }
    
        private int findEndPositionOfNumber(String string, int lengthOfString, int end) {
    
            while (end < lengthOfString && Character.isDigit(string.charAt(end)))
                end++;
    
            return end;
        }
    
        private int skipLeadingZeroes(String string, int lengthOfString, int iteratorOfString) {
    
            while (iteratorOfString < lengthOfString && string.charAt(iteratorOfString) == '0')
                iteratorOfString++;
    
            return iteratorOfString;
        }
    }
    

    The following is a unit test I used.

    
    public class NaturalSortingComparatorTest {
    
        private int NUMBER_OF_TEST_CASES = 100000;
    
        @Test
        public void compare() {
    
            NaturalSortingComparator naturalSortingComparator = new NaturalSortingComparator();
    
            List<String> expectedStringList = getCorrectStringList();
            List<String> testListOfStrings = createTestListOfStrings();
            runTestCases(expectedStringList, testListOfStrings, NUMBER_OF_TEST_CASES, naturalSortingComparator);
    
        }
    
        private void runTestCases(List<String> expectedStringList, List<String> testListOfStrings,
                                  int numberOfTestCases, Comparator<String> comparator) {
    
            for (int testCase = 0; testCase < numberOfTestCases; testCase++) {
                Collections.shuffle(testListOfStrings);
                testListOfStrings.sort(comparator);
                Assert.assertEquals(expectedStringList, testListOfStrings);
            }
        }
    
        private List<String> getCorrectStringList() {
            return Arrays.asList(
                    "1", "01", "001", "2", "02", "10", "10", "010",
                    "20", "100", "_1", "_01", "_2", "_200", "A 02",
                    "A01", "a2", "A20", "t1A", "t1a", "t1AB", "t1Ab",
                    "t1aB", "t1ab", "T010T01", "T0010T01");
        }
    
        private List<String> createTestListOfStrings() {
            return Arrays.asList(
                    "10", "20", "A20", "2", "t1ab", "01", "T010T01", "t1aB",
                    "_2", "001", "_200", "1", "A 02", "t1Ab", "a2", "_1", "t1A", "_01",
                    "100", "02", "T0010T01", "t1AB", "10", "A01", "010", "t1a");
        }
    
    }
    

    Suggestions welcome! I am not sure whether adding the functions changes anything other than the readability part of things.

    P.S: Sorry to add another answer to this question. But I don't have enough reps to comment on the answer which I modified for my use.

    0 讨论(0)
  • 2020-11-22 03:28

    My problem was that I have lists consisting of a combination of alpha numeric strings (eg C22, C3, C5 etc), alpha strings (eg A, H, R etc) and just digits (eg 99, 45 etc) that need sorting in the order A, C3, C5, C22, H, R, 45, 99. I also have duplicates that need removing so I only get a single entry.

    I'm also not just working with Strings, I'm ordering an Object and using a specific field within the Object to get the correct order.

    A solution that seems to work for me is :

    SortedSet<Code> codeSet;
    codeSet = new TreeSet<Code>(new Comparator<Code>() {
    
    private boolean isThereAnyNumber(String a, String b) {
        return isNumber(a) || isNumber(b);
    }
    
    private boolean isNumber(String s) {
        return s.matches("[-+]?\\d*\\.?\\d+");
    }
    
    private String extractChars(String s) {
        String chars = s.replaceAll("\\d", "");
        return chars;
    }
    
    private int extractInt(String s) {
        String num = s.replaceAll("\\D", "");
        return num.isEmpty() ? 0 : Integer.parseInt(num);
    }
    
    private int compareStrings(String o1, String o2) {
    
        if (!extractChars(o1).equals(extractChars(o2))) {
            return o1.compareTo(o2);
        } else
            return extractInt(o1) - extractInt(o2);
    }
    
    @Override
    public int compare(Code a, Code b) {
    
        return isThereAnyNumber(a.getPrimaryCode(), b.getPrimaryCode()) 
                ? isNumber(a.getPrimaryCode()) ? 1 : -1 
                    : compareStrings(a.getPrimaryCode(), b.getPrimaryCode());
                    }
                });
    

    It 'borrows' some code that I found here on Stackoverflow plus some tweaks of my own to get it working just how I needed it too.

    Due to trying to order Objects, needing a comparator as well as duplicate removal, one negative fudge I had to employ was I first have to write my Objects to a TreeMap before writing them to a Treeset. It may impact performance a little but given that the lists will be a max of about 80 Codes, it shouldn't be a problem.

    0 讨论(0)
  • 2020-11-22 03:29

    Interesting little challenge, I enjoyed solving it.

    Here is my take at the problem:

    String[] strs =
    {
      "eee 5 ffffd jpeg2001 eee",
      "eee 123 ffffd jpeg2000 eee",
      "ffffd",
      "aaa 5 yy 6",
      "ccc 555",
      "bbb 3 ccc",
      "bbb 9 a",
      "",
      "eee 4 ffffd jpeg2001 eee",
      "ccc 11",
      "bbb 12 ccc",
      "aaa 5 yy 22",
      "aaa",
      "eee 3 ffffd jpeg2000 eee",
      "ccc 5",
    };
    
    Pattern splitter = Pattern.compile("(\\d+|\\D+)");
    
    public class InternalNumberComparator implements Comparator
    {
      public int compare(Object o1, Object o2)
      {
        // I deliberately use the Java 1.4 syntax, 
        // all this can be improved with 1.5's generics
        String s1 = (String)o1, s2 = (String)o2;
        // We split each string as runs of number/non-number strings
        ArrayList sa1 = split(s1);
        ArrayList sa2 = split(s2);
        // Nothing or different structure
        if (sa1.size() == 0 || sa1.size() != sa2.size())
        {
          // Just compare the original strings
          return s1.compareTo(s2);
        }
        int i = 0;
        String si1 = "";
        String si2 = "";
        // Compare beginning of string
        for (; i < sa1.size(); i++)
        {
          si1 = (String)sa1.get(i);
          si2 = (String)sa2.get(i);
          if (!si1.equals(si2))
            break;  // Until we find a difference
        }
        // No difference found?
        if (i == sa1.size())
          return 0; // Same strings!
    
        // Try to convert the different run of characters to number
        int val1, val2;
        try
        {
          val1 = Integer.parseInt(si1);
          val2 = Integer.parseInt(si2);
        }
        catch (NumberFormatException e)
        {
          return s1.compareTo(s2);  // Strings differ on a non-number
        }
    
        // Compare remainder of string
        for (i++; i < sa1.size(); i++)
        {
          si1 = (String)sa1.get(i);
          si2 = (String)sa2.get(i);
          if (!si1.equals(si2))
          {
            return s1.compareTo(s2);  // Strings differ
          }
        }
    
        // Here, the strings differ only on a number
        return val1 < val2 ? -1 : 1;
      }
    
      ArrayList split(String s)
      {
        ArrayList r = new ArrayList();
        Matcher matcher = splitter.matcher(s);
        while (matcher.find())
        {
          String m = matcher.group(1);
          r.add(m);
        }
        return r;
      }
    }
    
    Arrays.sort(strs, new InternalNumberComparator());
    

    This algorithm need much more testing, but it seems to behave rather nicely.

    [EDIT] I added some more comments to be clearer. I see there are much more answers than when I started to code this... But I hope I provided a good starting base and/or some ideas.

    0 讨论(0)
  • 2020-11-22 03:30

    interesting problem, and here my proposed solution:

    import java.util.Collections;
    import java.util.Vector;
    
    public class CompareToken implements Comparable<CompareToken>
    {
        int valN;
        String valS;
        String repr;
    
        public String toString() {
        return repr;
        }
    
        public CompareToken(String s) {
        int l = 0;
        char data[] = new char[s.length()];
        repr = s;
        valN = 0;
        for (char c : s.toCharArray()) {
            if(Character.isDigit(c))
            valN = valN * 10 + (c - '0');
            else
            data[l++] = c;
        }
    
        valS = new String(data, 0, l);
        }
    
        public int compareTo(CompareToken b) {
        int r = valS.compareTo(b.valS);
        if (r != 0)
            return r;
    
        return valN - b.valN;
        }
    
    
        public static void main(String [] args) {
        String [] strings = {
            "aaa",
            "bbb3ccc",
            "bbb12ccc",
            "ccc 11",
            "ffffd",
            "eee3ffffdjpeg2000eee",
            "eee12ffffdjpeg2000eee"
        };
    
        Vector<CompareToken> data = new Vector<CompareToken>();
        for(String s : strings)
            data.add(new CompareToken(s));
        Collections.shuffle(data);
    
        Collections.sort(data);
        for (CompareToken c : data)
            System.out.println ("" + c);
        }
    
    }
    
    0 讨论(0)
提交回复
热议问题