사용자 지정 비교를 통해 문자열을 알파벳 및 숫자순으로 정렬
이 질문은 숫자 값을 고려하면서 문자열 번호 배열을 알파벳순으로 정렬하는 데 어려움을 겪습니다. . 이를 달성하려면 기본 문자열 비교를 재정의하도록 사용자 지정 비교자를 구현해야 합니다.
구현 세부 정보
아래 코드는 이 정렬을 구현하는 방법을 보여줍니다.
using System; using System.Collections.Generic; using System.Linq; namespace StringSort { class Program { static void Main(string[] args) { // Input array of string numbers string[] things = new string[] { "105", "101", "102", "103", "90" }; // Sort using custom comparer IEnumerable<string> sortedThings = things.OrderBy(x => x, new SemiNumericComparer()); // Print sorted array foreach (var thing in sortedThings) { Console.WriteLine(thing); } } public class SemiNumericComparer : IComparer<string> { // Check if a string is numeric public bool IsNumeric(string value) { return int.TryParse(value, out _); } // Compare two strings public int Compare(string s1, string s2) { const int S1GreaterThanS2 = 1; const int S2GreaterThanS1 = -1; // Check if both strings are numeric var IsNumeric1 = IsNumeric(s1); var IsNumeric2 = IsNumeric(s2); if (IsNumeric1 && IsNumeric2) { int i1 = Convert.ToInt32(s1); int i2 = Convert.ToInt32(s2); return i1.CompareTo(i2); } // If one string is numeric and the other is not, consider the numeric string greater if (IsNumeric1) return S2GreaterThanS1; if (IsNumeric2) return S1GreaterThanS2; // Otherwise, perform a case-insensitive alphabetical comparison return string.Compare(s1, s2, true, CultureInfo.InvariantCulture); } } } }
사용자 정의 비교기 논리
SemiNumericComparer 클래스는 문자열에 대한 비교 논리를 정의합니다. 먼저 IsNumeric 메서드를 사용하여 두 문자열이 모두 숫자인지 확인합니다. 둘 다 숫자이면 숫자로 비교합니다. 하나의 문자열만 숫자인 경우 숫자 문자열이 더 큰 것으로 간주됩니다. 숫자가 아닌 문자열의 경우 대소문자를 구분하지 않고 알파벳순 비교를 수행합니다.
Enumerable.OrderBy와 함께 이 비교자를 사용할 때 문자열 번호 배열은 먼저 숫자 값을 기준으로 정렬된 다음 숫자가 아닌 문자열의 경우 알파벳순으로 정렬됩니다. . 위 예의 출력은 다음과 같습니다.
90 101 102 103 105
위 내용은 C#에서 사용자 지정 비교자를 사용하여 문자열을 알파벳순과 숫자순으로 정렬하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!