Example code:
type IClient interface {
UploadFile(sourcePath, host string) error
CopyFile(sourcePath, destPath string) error
DeleteFile(sourcePath, option string) error
GetChecksum(sourcePath string) (*string, error)
GetSize(sourcePath string) (*float32, error)
}
type FileWorker struct {
Extension string
Host string
}
func NewFileWorker(fileExtension, host string) IClient {
var fileWorker = &FileWorker {
Extension: extension,
Host: host,
}
return fileWorker
}
//NOTE: type FileWorker is the receiver of all methods implementing the IClient interface
I have seen other "New" (or "Get") function returning interface like above. But it does not actually return the interface, but instead a struct that implements said interface. In turn, that struct type is the receiver of various methods implementing said interface.
Question: When and why do we return interfaces? Currently I see this is a roundabout way of doing things, resulting in one having to trace back through multiple files while trying to understand some codes.
Interfaces are a way to achieve code reuse. Often times, what matters is not what an object is, but what it does. Consider the following method:
The function
Grade
takes in a collection of questions and grades the user's answers.What if we wanted to add true or false questions? Right now
Grade
only accepts MultipleChoiceQuestions, which means that we would have to make a whole new function, sayGradeTrueOrFalse(questions []TrueOrFalseQuestions)
in order to have a test with true or false questions. Furthermore, we would be unable to have a test composed of both multiple choice and true or false questions.However, we should be able to copmbine questions in a single test. The original function doesn't care about what kind of question it is, only that the question can Test() the user's answer. This is where interfaces come in.
By abstracting away the
Test
method into an interface we can useGrade
for any kind of question.Now Grade can take in any kind of question. Furthermore,
questions []Tester
can be a mix of multiple choice and true or false questions.When used properly, you should rarely have to perform a type assertion or "trace back through multiple files" to understand what is going on.