Go 1.18에서 제네릭으로 작업할 때 일반 함수 내 사용자 정의 유형의 새 인스턴스. 다음 문제는 이 과제를 보여줍니다.
제공된 코드 예제에서 FruitFactory 구조체의 Create 함수는 T 유형의 새 인스턴스를 생성하기 위한 것이지만 현재는 nil을 반환합니다. 이로 인해 객체의 속성에 액세스하려고 시도할 때 분할 오류가 발생합니다.
type FruitFactory[T any] struct{} func (f FruitFactory[T]) Create() *T { // How to create non-nil fruit here? return nil } type Apple struct { color string } func example() { appleFactory := FruitFactory[Apple]{} apple := appleFactory.Create() // Panics because nil pointer access apple.color = "red" }
문제를 해결하려면 유형의 유효한 인스턴스를 반환하도록 Create 함수를 수정해야 합니다. T. 이를 달성하기 위한 두 가지 접근 방식이 있습니다.
접근 방식 1(비포인터 유형)
사용자 정의 유형이 포인터 유형(예: Apple 구조체)이 아닌 경우 유형이 지정된 변수를 선언하고 해당 주소를 반환할 수 있습니다.
func (f FruitFactory[T]) Create() *T { var a T return &a }
접근법 2(포인터 유형)
사용자 정의 유형이 포인터 유형(예: *Apple)인 경우 솔루션이 더 복잡합니다. 유형 추론의 힘을 활용하여 팩토리 유형을 포인터 유형으로 제한할 수 있습니다.
// Constraining a type to its pointer type type Ptr[T any] interface { *T } // The first type param will match pointer types and infer U type FruitFactory[T Ptr[U], U any] struct{} func (f FruitFactory[T,U]) Create() T { // Declare var of non-pointer type. This is not nil! var a U // Address it and convert to pointer type (still not nil) return T(&a) } type Apple struct { color string } func example() { // Instantiating with ptr type appleFactory := FruitFactory[*Apple, Apple]{} apple := appleFactory.Create() // All good apple.color = "red" fmt.Println(apple) // &{red} }
참고: 접근 방식 2의 경우 Go 1.18에서 유형 추론이 비활성화되었으므로 FruitFactory[*Apple, Apple]{}과 같은 모든 유형 매개변수를 수동으로 지정해야 합니다.
이러한 수정을 통해 Create 함수는 T(또는 *T) 유형의 유효한 인스턴스를 반환하므로 분할 오류 없이 해당 속성에 액세스할 수 있습니다.
위 내용은 Go 1.18 Generics에서 입력된 값의 Nil이 아닌 개체를 만드는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!