The challenge

Find the total sum of internal angles (in degrees) in an n-sided simple polygon.

N will be greater than 2.

The solution in Golang

Option 1:

1
2
3
4
package solution
func Angle(n int) int {
    return (n - 2) * 180
}

Option 2:

1
2
3
4
5
package solution
func Angle(n int) (r int) {
    r = (n-2)*180
    return
}

Option 3:

1
2
3
4
package solution
func Angle(n int) int {
    return (n/2-1) * 360 + n%2 * 180
}

Test cases to validate our solution

1
2
3
4
5
6
7
8
9
package solution_test
import (
  . "github.com/onsi/ginkgo"
  . "github.com/onsi/gomega"
)
var _ = Describe("Basic tests", func() {
    It("Angle(3)", func() { Expect(Angle(3)).To(Equal(180)) })
    It("Angle(4)", func() { Expect(Angle(4)).To(Equal(360)) })
})