Go 또는 Golang에서 배열의 일부 또는 섹션을 얻는 방법은 무엇입니까?
7865 단어 go
배열의 일부 또는 섹션을 가져오려면 Go 또는 Golang에서
Slices
개념을 사용해야 합니다. 슬라이스는 간단히 말해 배열 섹션의 보기일 뿐이며 해당 배열의 start
및 end
인덱스를 지정하여 구성됩니다.배열에서 슬라이스를 만들기 위해 열기 및 닫는 대괄호 기호(
start
) 안에 end
기호(콜론)로 구분된 배열의 :
및 []
인덱스를 지정할 수 있습니다.TL;DR
package main
import "fmt"
func main() {
// an array of names
names := [4]string{"John Doe", "Lily Roy", "Daniel Doe", "Embla Marina"}
// get the array values from the index `0`
// till the index of `2` using a slice
// and providing the `start` value as `0`
// and end value as `3`
namesSlice := names[0:3]
// log the contents of `namesSlice` to console
fmt.Println(namesSlice) // ✅ [John Doe Lily Roy Daniel Doe]
}
예를 들어 다음과 같은
names
의 배열이 있다고 가정해 보겠습니다.package main
func main(){
// an array of names
names := [4]string{"John Doe", "Lily Roy", "Daniel Doe", "Embla Marina"}
}
어레이 생성에 대한 자세한 내용은 How to create a fixed-size array in Go or Golang? 블로그를 참조하십시오.
이제
0
의 인덱스에서 2
의 인덱스까지 배열의 일부 또는 배열의 모든 값을 얻으려면. 이를 위해서는 Go에서 Slices라는 개념을 사용해야 합니다.먼저
[]
기호를 작성하여 슬라이스를 시작하고 괄호 안에 먼저 0
기호 다음에 시작 인덱스를 작성한 다음 :
종료 인덱스를 작성하여 시작할 수 있습니다. 3
대신 3
값을 입력한 이유를 의심할 수 있습니다. 조각에서 2
및 인덱스인 종료 인덱스의 값을 얻으려면 항목을 선택하는 동안 2
rd 인덱스까지 반복하지만 결과 조각에 값을 포함합니다.다음과 같이 할 수 있습니다.
package main
func main(){
// an array of names
names := [4]string{"John Doe", "Lily Roy", "Daniel Doe", "Embla Marina"}
// get the array values from the index `0`
// till the index of `2` using a slice
// and providing the `start` value as `0`
// and end value as `3`
names[0:3]
}
이제 슬라이스를 다음과 같이
3
라는 새 변수에 할당해 보겠습니다.package main
func main(){
// an array of names
names := [4]string{"John Doe", "Lily Roy", "Daniel Doe", "Embla Marina"}
// get the array values from the index `0`
// till the index of `2` using a slice
// and providing the `start` value as `0`
// and end value as `3`
namesSlice := names[0:3]
}
마지막으로
3
의 내용을 다음과 같이 콘솔에 기록할 수 있습니다.package main
import "fmt"
func main() {
// an array of names
names := [4]string{"John Doe", "Lily Roy", "Daniel Doe", "Embla Marina"}
// get the array values from the index `0`
// till the index of `2` using a slice
// and providing the `start` value as `0`
// and end value as `3`
namesSlice := names[0:3]
// log the contents of `namesSlice` to console
fmt.Println(namesSlice) // ✅ [John Doe Lily Roy Daniel Doe]
}
위의 코드에서 볼 수 있듯이
namesSlice
에는 namesSlice
번째 인덱스에서 우리가 원하는 인덱스namesSlice
까지의 값만 포함됩니다.The Go Playground에 있는 위의 코드를 참조하십시오.
그게 다야 😃!
이 정보가 유용하다고 생각되면 자유롭게 공유하세요 😃.
Reference
이 문제에 관하여(Go 또는 Golang에서 배열의 일부 또는 섹션을 얻는 방법은 무엇입니까?), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://dev.to/melvin2016/how-to-get-a-part-or-section-of-an-array-in-go-or-golang-180m텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
우수한 개발자 콘텐츠 발견에 전념 (Collection and Share based on the CC Protocol.)