문자열에서 대문자 앞에 공백 삽입
"ThisStringHasNoSpacesButItDoesHaveCapitals"와 같은 문자열이 주어지면 많은 개발자가 대문자 앞에 공백을 삽입하는 방법을 찾습니다. 이를 "이 문자열에는 공백이 없지만 공백이 있습니다"로 변환합니다. Capitals."
System.Text.RegularExpressions.Regex.Replace(value, "[A-Z]", " $0")와 같은 정규식을 활용할 수 있지만 성능상의 단점이 있습니다.
대체 접근 방식은 다음과 같은 사용자 정의 함수를 사용하는 것입니다.
string AddSpacesToSentence(string text) { if (string.IsNullOrWhiteSpace(text)) return ""; StringBuilder newText = new StringBuilder(text.Length * 2); newText.Append(text[0]); for (int i = 1; i < text.Length; i++) { if (char.IsUpper(text[i]) && text[i - 1] != ' ') newText.Append(' '); newText.Append(text[i]); } return newText.ToString(); }
이 함수는 정규식 접근 방식보다 성능이 뛰어납니다. 7.6%의 시간 동안 100번 반복된 문자열 "Abbbbbbbbbb"의 100,000번의 변환을 완료합니다.
약어 처리
약어에 대한 잠재적인 우려를 해결하기 위해 이 함수는 다음을 수행할 수 있습니다. 다음과 같이 수정하세요:
string AddSpacesToSentence(string text, bool preserveAcronyms) { if (string.IsNullOrWhiteSpace(text)) return ""; StringBuilder newText = new StringBuilder(text.Length * 2); newText.Append(text[0]); for (int i = 1; i < text.Length; i++) { if (char.IsUpper(text[i])) if ((text[i - 1] != ' ' && !char.IsUpper(text[i - 1])) || (preserveAcronyms && char.IsUpper(text[i - 1]) && i < text.Length - 1 && !char.IsUpper(text[i + 1]))) newText.Append(' '); newText.Append(text[i]); } return newText.ToString(); }
이 업데이트됨 함수는 형식이 지정된 문자열의 약어를 올바르게 보존합니다.
위 내용은 약어를 처리하는 동안 문자열의 대문자 앞에 공백을 효율적으로 삽입하려면 어떻게 해야 합니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!