Go 언어에서 문자열을 비교하는 방법

青灯夜游
풀어 주다: 2023-01-14 13:06:28
원래의
4761명이 탐색했습니다.
<blockquote><p>비교 방법: 1. "==" 연산자를 직접 사용하여 비교합니다. 구문은 "str1 == str2"이며 이 방법은 대소문자를 구분합니다. 2. "strings.Compare(a,b)" 구문을 사용하여 문자열 패키지의 Compare() 함수를 사용하여 비교합니다. 반환 값은 int 유형입니다. 0은 두 숫자가 같음을 의미하고, 1은 a가 b보다 크다는 것을 의미합니다. , "-1"은 a가 b보다 작음을 의미합니다. 3. "strings.EqualFold(a,b)" 구문을 사용하여 문자열 패키지의 EqualFold() 비교를 사용합니다. </p></blockquote> <p><img src="https://img.php.cn/upload/article/000/000/024/63c224119dee6813.jpg" alt="Go 언어에서 문자열을 비교하는 방법" ></p> <p>이 튜토리얼의 운영 환경: Windows 7 시스템, GO 버전 1.18, Dell G3 컴퓨터. </p> <h2><strong>Go 언어의 문자열 비교 방법</strong></h2> <p>Go 언어에서 문자열을 비교하는 세 가지 방법이 있습니다: </p> <ul class="ul-level-0"> <li> <code>==</code> 직접 비교, 대소문자 구분</li> <code>==</code> 直接比较,区分大小写<li> <code>strings.Compare(a,b)</code> 该函数返回值为 int, 0 表示两数相等,1 表示 a>b, -1 表示 a<b><li> <code>strings.EqualFold(a,b)</code> 直接返回是否相等,不区分大小写。</li></b> </li> </ul> <p>示例如下:<span style="background-color: rgb(248, 248, 248);">// 1-使用等号比较——区分大消息</span></p> <div class="developer-code-block"><div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:js;toolbar:false;">func Equal(s1, s2 string) bool { return s1 == s2 } // 2-使用 compare 比较——区分大小写 func Compare(s1, s2 string) bool { return strings.Compare(s1, s2) == 0 // } //3-EqualFold 比较——不区分大小写. case-fold 即大小写同一处理 func EqualFold(s1, s2 string) bool { return strings.EqualFold(s1, s2) } // 使用等号比较——忽略大小写 func Equal2(s1, s2 string) bool { return strings.ToLower(s1) == strings.ToLower(s2) } // 使用 compare 比较——不区分大小写 func Compare2(s1, s2 string) bool { return strings.Compare(strings.ToLower(s1), strings.ToLower(s2)) == 0 } func StringCompareTest() { fmt.Println("== 区分大小写", Equal("go", "Go")) //false fmt.Println("== 忽略大小写",Equal2("go", "Go")) //true fmt.Println("compare 区分大小写",Compare("go", "Go")) //false fmt.Println("compare 忽略大小写",Compare2("go", "Go")) //true fmt.Println("EqualFold 忽略大小写",EqualFold("go", "Go")) // true }</pre><div class="contentsignin">로그인 후 복사</div></div></div><h2><strong>性能比较</strong></h2><p>下面的代码使用 Benchmark 做简单的性能比较,测试项目的目录结构为:</p><p><img src="https://img.php.cn/upload/image/916/800/564/167367265364778Go 언어에서 문자열을 비교하는 방법" title="167367265364778Go 언어에서 문자열을 비교하는 방법" alt="Go 언어에서 문자열을 비교하는 방법"/></p><p>详细代码:</p><div class="developer-code-block"><div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:js;toolbar:false;">package test import ( "../str" "testing" ) func BenchmarkStrEqual(b *testing.B) { for i := 0; i < b.N; i++ { str.Equal("go", "Go") } } func BenchmarkStrEqual2(b *testing.B) { for i := 0; i < b.N; i++ { str.Equal2("go", "Go") } } func BenchmarkStrCompare(b *testing.B) { for i := 0; i < b.N; i++ { str.Compare("go", "Go") } } func BenchmarkStrCompare2(b *testing.B) { for i := 0; i < b.N; i++ { str.Compare2("go", "Go") } } func BenchmarkStrEqualFold(b *testing.B) { for i := 0; i < b.N; i++ { str.EqualFold("go", "Go") } }</pre><div class="contentsignin">로그인 후 복사</div></div></div><p>测试结果如下:</p><p><img src="https://img.php.cn/upload/image/725/103/124/1673672666716944.png" title="1673672666716944.png" alt="Go 언어에서 문자열을 비교하는 방법"/></p><p>通过上图可以看出,效率最高的还是 ==</p><h2><strong>源码简单分析</strong></h2><h4 id="3.1-strings.Compare" name="3.1-strings.Compare"><strong>1、strings.Compare</strong></h4><div class="developer-code-block"><div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:js;toolbar:false;">package strings // Compare returns an integer comparing two strings lexicographically. // The result will be 0 if a==b, -1 if a < b, and +1 if a > b. // // Compare is included only for symmetry with package bytes. // It is usually clearer and always faster to use the built-in // string comparison operators ==, <, >, and so on. func Compare(a, b string) int { // NOTE(rsc): This function does NOT call the runtime cmpstring function, // because we do not want to provide any performance justification for // using strings.Compare. Basically no one should use strings.Compare. // As the comment above says, it is here only for symmetry with package bytes. // If performance is important, the compiler should be changed to recognize // the pattern so that all code doing three-way comparisons, not just code // using strings.Compare, can benefit. if a == b { return 0 } if a < b { return -1 } return +1 }</pre><div class="contentsignin">로그인 후 복사</div></div></div><p>如上所示,我们发现,Compare 内部也是调用了 <code>==</code> , 而且该函数的注释中也说了,这个函数 only for symmetry with package bytes。而且推荐我们直接使用 <code>==</code> 和 <code>></code>、<code><</code>。</p><h4 id="3.2-strings.EqualFold" name="3.2-strings.EqualFold"><strong>2、strings.EqualFold</strong></h4><div class="developer-code-block"><div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:js;toolbar:false;">// EqualFold reports whether s and t, interpreted as UTF-8 strings, // are equal under Unicode case-folding, which is a more general // form of case-insensitivity. func EqualFold(s, t string) bool { for s != "" && t != "" { // Extract first rune from each string. var sr, tr rune if s[0] < utf8.RuneSelf { sr, s = rune(s[0]), s[1:] } else { r, size := utf8.DecodeRuneInString(s) sr, s = r, s[size:] } if t[0] < utf8.RuneSelf { tr, t = rune(t[0]), t[1:] } else { r, size := utf8.DecodeRuneInString(t) tr, t = r, t[size:] } // If they match, keep going; if not, return false. // Easy case. if tr == sr { continue } // Make sr < tr to simplify what follows. if tr < sr { tr, sr = sr, tr } // Fast check for ASCII. if tr < utf8.RuneSelf { // ASCII only, sr/tr must be upper/lower case if &#39;A&#39; <= sr && sr <= &#39;Z&#39; && tr == sr+&#39;a&#39;-&#39;A&#39; { continue } return false } // General case. SimpleFold(x) returns the next equivalent rune > x // or wraps around to smaller values. r := unicode.SimpleFold(sr) for r != sr && r < tr { r = unicode.SimpleFold(r) } if r == tr { continue } return false } // One string is empty. Are both? return s == t }</pre><div class="contentsignin">로그인 후 복사</div></div></div> <p>这个函数中做了一系列操作,将两个字符串转换成 <code>utf-8</code>문자열 .Compare(a,b) 이 함수의 반환 값은 int입니다. 0은 두 숫자가 같음을 의미하고, 1은 a>b를 의미하고, -1은 a<b></b></p> <code>strings.EqualFold(a,b)</code> 대소문자를 구분하지 않고 동일한지 여부를 직접 반환합니다. <h2>예제는 다음과 같습니다: <span style="Background-color: rgb(248, 248, 248);">// 1-등호 비교 사용 - 대용량 메시지 구분</span><strong> <div class="developer-code-block">rrreee</div></strong> </h2>성능 비교<p></p> <p>다음 코드는 Benchmark를 사용하여 간단한 성능 비교를 수행합니다.<a href="http://www.php.cn/course/list/44.html" target="_blank"></a><a href="https://www.php.cn/course.html" target="_blank" textvalue="编程教学"></a>상세 코드: </p> <div class="developer-code-block">rrreee</div>🎜테스트 결과는 다음과 같습니다. 🎜🎜<img src="https://img.php.cn/upload/image/725/103/%20124/1673672666716944.png" title="1673672666716944.png" alt="Go 언어에서 문자열을 비교하는 방법">🎜🎜위 그림에서 볼 수 있듯이 가장 효율적인 것은 ==🎜🎜🎜간단한 소스코드 분석🎜 🎜<h4 id="3.1-strings.Compare" name="3.1-strings.Compare">🎜1, strings.Compare🎜</h4> <div class="developer-code-block">rrreee</div> 🎜위에서 본 것처럼 Compare는 내부적으로==라고도 불리며, 이 함수의 주석에도 이 함수가 패키지 바이트와의 대칭만을 위한 것이라고 나와 있습니다. 그리고 <code>==</code>, <code>></code>, <code>를 직접 사용하는 것이 좋습니다. 🎜<h4 id="3.2-strings.EqualFold" name="3.2-strings.EqualFold">🎜2, strings.EqualFold🎜</h4> <div class="developer-code-block">rrreee</div> 🎜이 함수는 일련의 작업을 수행하여 비교를 위해 두 문자열을 <code>utf-8</code> 문자열로 변환하고 비교할 때 대/소문자를 무시합니다. 🎜🎜🎜요약🎜🎜🎜위의 간단한 요약과 분석을 통해 문자열 비교에는 간단하고 빠르며 효율적인 ==, >, </code>

위 내용은 Go 언어에서 문자열을 비교하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

관련 라벨:
원천:php.cn
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿