Golang では、構造体はデータの単純なコンテナーです。
以下は、Ruby と GoLang で同等の単純な Book クラスを示しています。
class Book attr_reader(:title, :author) def initalize(title, author) @title = title @author = authoer end end # usage book = Book.new('Title', 'Jon Snow')
// Equivalent to `class Book` in ruby type Book struct { Title string, Author string }
複合リテラルは、複合型を 1 ステップで初期化するための構文です。次の型をインスタンス化できます:
ここでは、新しい Book インスタンスを変数 book に割り当てています
// Composite Literal book := Book{ Title: "Title", Author: "Author" }
より長い形式では、新しいキーワードを使用します。これは、Ruby で book = Book.new(..)
を使用してクラスをインスタンス化する方法に似ています。= 記号を使用して本の属性 (つまり、タイトルと著者) を割り当てます。
// Using the `new` keyword book := new(Book) book.Title = "Book Title" book.Author = "John Snow"
最初の例で記号 := を使用したことに注意してください?
これは、変数を宣言して値を割り当てる次の冗長な方法の糖衣構文です。
// Without Short Virable Declaration // Example 1 var book Book // Declare variable `book` of type `Book` book.Title = "Book Title" // Assign the value to book variable book.Author = "John Snow" // Example 2 var count int count = 20
次のような場合に、ファクトリ パターンを使用して構造体の初期化を簡単にすることもできます。
本のタイトルと著者トークンの最初の文字を大文字にしたいと仮定します。
// Factory Function func NewBook(title string, author string) Book { return Book{ Title: titlelise(title), // default logic to "titlelise" Author: titlelist(author) } } func titlelise(str string) { caser := cases.Title(lanaguage.English) return caser.String(str) }
Ruby では、単純にクラス内に関数を定義します。ここでは、本のタイトル名、著者名を出力するための to_string() という関数を定義しています。
class Book attr_reader(:title, :author) def initalize(title, author) @title = title @author = authoer end # new function we added def to_string() put "#{title} by #{string}" end end
GoLang では、関数に構造体を渡すことによって関数を「アタッチ」します。
// Equivalent to `class Book` in ruby type Book struct { Title string, Author string } // Attaching the function to the `struct` func (book Book) ToString() string { return fmt.Sprintf("%s by %s", book.Title, book.Author) } // Usage book := Book{ Title: "Title", Author: "Author" } book.ToString() // => Title by Author
説明:
func (book Book) ToString() string
Token | Description |
---|---|
func | function keyword |
(book Book) | Attaching the function to the type Book struct - book: variable to access the struct within the function - Book: type of the struct |
ToString() | name of the function |
string | return type of the function |
以上がGoLang 構造体の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。