📜  Golang 中的多个接口

📅  最后修改于: 2021-10-25 02:30:04             🧑  作者: Mango

在 Go 语言中,接口是方法签名的集合,它也是一种类型,意味着您可以创建接口类型的变量。在 Go 语言中,您可以借助给定的语法在程序中创建多个接口:

type interface_name interface{

// Method signatures

}

注意:在 Go 语言中,不允许在两个或多个接口中创建同名方法。如果您尝试这样做,那么您的程序将会崩溃。让我们借助一个示例来讨论多个接口。

例子:

// Go program to illustrate the 
// concept of multiple interfaces
package main
  
import "fmt"
  
// Interface 1
type AuthorDetails interface {
    details()
}
  
// Interface 2
type AuthorArticles interface {
    articles()
}
  
// Structure
type author struct {
    a_name    string
    branch    string
    college   string
    year      int
    salary    int
    particles int
    tarticles int
}
  
// Implementing method 
// of the interface 1
func (a author) details() {
  
    fmt.Printf("Author Name: %s", a.a_name)
    fmt.Printf("\nBranch: %s and passing year: %d", a.branch, a.year)
    fmt.Printf("\nCollege Name: %s", a.college)
    fmt.Printf("\nSalary: %d", a.salary)
    fmt.Printf("\nPublished articles: %d", a.particles)
  
}
  
// Implementing method
// of the interface 2
func (a author) articles() {
  
    pendingarticles := a.tarticles - a.particles
    fmt.Printf("\nPending articles: %d", pendingarticles)
}
  
// Main value
func main() {
  
    // Assigning values 
    // to the structure
    values := author{
        a_name:    "Mickey",
        branch:    "Computer science",
        college:   "XYZ",
        year:      2012,
        salary:    50000,
        particles: 209,
        tarticles: 309,
    }
  
    // Accessing the method
    // of the interface 1
    var i1 AuthorDetails = values
    i1.details()
  
    // Accessing the method
    // of the interface 2
    var i2 AuthorArticles = values
    i2.articles()
  
}

输出:

Author Name: Mickey
Branch: Computer science and passing year: 2012
College Name: XYZ
Salary: 50000
Published articles: 209
Pending articles: 100

说明:如上例所示,我们有两个带有方法的接口,即details() 和articles()。在这里, details() 方法提供作者的基本详细信息,而articles() 方法提供作者的待处理文章。

还有一个名为 author 的结构,其中包含一些变量集,其值在接口中使用。在 main 方法中,我们分配存在于 author 结构中的变量的值,以便它们将在接口中使用并创建接口类型变量以访问AuthorDetailsAuthorArticles接口的方法。