service.go 8.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336
  1. package main
  2. import (
  3. "context"
  4. "crypto/md5"
  5. "encoding/json"
  6. "fmt"
  7. "io/ioutil"
  8. "net/http"
  9. "net/url"
  10. "os"
  11. "os/signal"
  12. "path/filepath"
  13. "strconv"
  14. "strings"
  15. "time"
  16. api "github.com/willie68/schematic-service-go/api"
  17. "github.com/willie68/schematic-service-go/health"
  18. "github.com/willie68/schematic-service-go/internal/crypt"
  19. consulApi "github.com/hashicorp/consul/api"
  20. config "github.com/willie68/schematic-service-go/config"
  21. "github.com/willie68/schematic-service-go/dao"
  22. "github.com/willie68/schematic-service-go/logging"
  23. "github.com/willie68/schematic-service-go/model"
  24. "github.com/go-chi/chi"
  25. "github.com/go-chi/chi/middleware"
  26. "github.com/go-chi/render"
  27. flag "github.com/spf13/pflag"
  28. )
  29. /*
  30. apiVersion implementing api version for this service
  31. */
  32. const apiVersion = "1"
  33. const servicename = "gomicro"
  34. var port int
  35. var sslport int
  36. var system string
  37. var serviceURL string
  38. var registryURL string
  39. var apikey string
  40. var ssl bool
  41. var configFile string
  42. var serviceConfig config.Config
  43. var consulAgent *consulApi.Agent
  44. var log logging.ServiceLogger
  45. func init() {
  46. // variables for parameter override
  47. ssl = false
  48. log.Info("init service")
  49. flag.IntVarP(&port, "port", "p", 0, "port of the http server.")
  50. flag.IntVarP(&sslport, "sslport", "t", 0, "port of the https server.")
  51. flag.StringVarP(&system, "systemid", "s", "", "this is the systemid of this service. Used for the apikey generation")
  52. flag.StringVarP(&configFile, "config", "c", config.File, "this is the path and filename to the config file")
  53. flag.StringVarP(&serviceURL, "serviceURL", "u", "", "service url from outside")
  54. flag.StringVarP(&registryURL, "registryURL", "r", "", "registry url where to connect to consul")
  55. }
  56. func routes() *chi.Mux {
  57. myHandler := api.NewSysAPIHandler(serviceConfig.SystemID, apikey)
  58. baseURL := fmt.Sprintf("/api/v%s", apiVersion)
  59. router := chi.NewRouter()
  60. router.Use(
  61. render.SetContentType(render.ContentTypeJSON),
  62. middleware.Logger,
  63. middleware.DefaultCompress,
  64. middleware.Recoverer,
  65. myHandler.Handler,
  66. )
  67. router.Route("/", func(r chi.Router) {
  68. r.Mount(baseURL+"/config", api.ConfigRoutes())
  69. r.Mount("/health", health.Routes())
  70. })
  71. return router
  72. }
  73. func healthRoutes() *chi.Mux {
  74. router := chi.NewRouter()
  75. router.Use(
  76. render.SetContentType(render.ContentTypeJSON),
  77. middleware.Logger,
  78. middleware.DefaultCompress,
  79. middleware.Recoverer,
  80. )
  81. router.Route("/", func(r chi.Router) {
  82. r.Mount("/health", health.Routes())
  83. })
  84. return router
  85. }
  86. func main() {
  87. log.Info("starting server")
  88. flag.Parse()
  89. config.File = configFile
  90. if err := config.Load(); err != nil {
  91. log.Alertf("can't load config file: %s", err.Error())
  92. }
  93. serviceConfig = config.Get()
  94. initConfig()
  95. initGraylog()
  96. healthCheckConfig := health.CheckConfig(serviceConfig.HealthCheck)
  97. health.InitHealthSystem(healthCheckConfig)
  98. defer log.Close()
  99. if serviceConfig.SystemID == "" {
  100. log.Fatal("system id not given, can't start! Please use config file or -s parameter")
  101. }
  102. gc := crypt.GenerateCertificate{
  103. Organization: "MCS Media Computer Spftware",
  104. Host: "127.0.0.1",
  105. ValidFor: 10 * 365 * 24 * time.Hour,
  106. IsCA: false,
  107. EcdsaCurve: "P256",
  108. Ed25519Key: true,
  109. }
  110. if serviceConfig.Sslport > 0 {
  111. ssl = true
  112. log.Info("ssl active")
  113. }
  114. dao.InitDB(config.Get().MongoDB)
  115. importData()
  116. api.SystemID = serviceConfig.SystemID
  117. apikey = getApikey()
  118. api.APIKey = apikey
  119. log.Infof("systemid: %s", serviceConfig.SystemID)
  120. log.Infof("apikey: %s", apikey)
  121. log.Infof("ssl: %t", ssl)
  122. log.Infof("serviceURL: %s", serviceConfig.ServiceURL)
  123. if serviceConfig.RegistryURL != "" {
  124. log.Infof("registryURL: %s", serviceConfig.RegistryURL)
  125. }
  126. router := routes()
  127. walkFunc := func(method string, route string, handler http.Handler, middlewares ...func(http.Handler) http.Handler) error {
  128. log.Infof("%s %s", method, route)
  129. return nil
  130. }
  131. if err := chi.Walk(router, walkFunc); err != nil {
  132. log.Alertf("Logging err: %s", err.Error())
  133. }
  134. log.Info("Health routes")
  135. healthRouter := healthRoutes()
  136. if err := chi.Walk(healthRouter, walkFunc); err != nil {
  137. log.Alertf("Logging err: %s", err.Error())
  138. }
  139. var sslsrv *http.Server
  140. if ssl {
  141. tlsConfig, err := gc.GenerateTLSConfig()
  142. if err != nil {
  143. log.Alertf("logging err: %s", err.Error())
  144. }
  145. sslsrv = &http.Server{
  146. Addr: "0.0.0.0:" + strconv.Itoa(serviceConfig.Sslport),
  147. WriteTimeout: time.Second * 15,
  148. ReadTimeout: time.Second * 15,
  149. IdleTimeout: time.Second * 60,
  150. Handler: router,
  151. TLSConfig: tlsConfig,
  152. }
  153. go func() {
  154. log.Infof("starting https server on address: %s", sslsrv.Addr)
  155. if err := sslsrv.ListenAndServeTLS("", ""); err != nil {
  156. log.Alertf("error starting server: %s", err.Error())
  157. }
  158. }()
  159. }
  160. // own http server for the healthchecks
  161. srv := &http.Server{
  162. Addr: "0.0.0.0:" + strconv.Itoa(serviceConfig.Port),
  163. WriteTimeout: time.Second * 15,
  164. ReadTimeout: time.Second * 15,
  165. IdleTimeout: time.Second * 60,
  166. Handler: healthRouter,
  167. }
  168. go func() {
  169. log.Infof("starting http server on address: %s", srv.Addr)
  170. if err := srv.ListenAndServe(); err != nil {
  171. log.Alertf("error starting server: %s", err.Error())
  172. }
  173. }()
  174. if serviceConfig.RegistryURL != "" {
  175. initRegistry()
  176. }
  177. c := make(chan os.Signal, 1)
  178. signal.Notify(c, os.Interrupt)
  179. <-c
  180. log.Info("waiting for clients")
  181. ctx, cancel := context.WithTimeout(context.Background(), time.Second*15)
  182. defer cancel()
  183. srv.Shutdown(ctx)
  184. if ssl {
  185. sslsrv.Shutdown(ctx)
  186. }
  187. log.Info("finished")
  188. os.Exit(0)
  189. }
  190. func initGraylog() {
  191. log.GelfURL = serviceConfig.Logging.Gelfurl
  192. log.GelfPort = serviceConfig.Logging.Gelfport
  193. log.SystemID = serviceConfig.SystemID
  194. log.InitGelf()
  195. }
  196. func initRegistry() {
  197. //register to consul, if configured
  198. consulConfig := consulApi.DefaultConfig()
  199. consulURL, err := url.Parse(serviceConfig.RegistryURL)
  200. consulConfig.Scheme = consulURL.Scheme
  201. consulConfig.Address = fmt.Sprintf("%s:%s", consulURL.Hostname(), consulURL.Port())
  202. consulClient, err := consulApi.NewClient(consulConfig)
  203. if err != nil {
  204. log.Alertf("can't connect to consul. %v", err)
  205. }
  206. consulAgent = consulClient.Agent()
  207. check := new(consulApi.AgentServiceCheck)
  208. check.HTTP = fmt.Sprintf("%s/health/health", serviceConfig.ServiceURL)
  209. check.Timeout = (time.Minute * 1).String()
  210. check.Interval = (time.Second * 30).String()
  211. check.TLSSkipVerify = true
  212. serviceDef := &consulApi.AgentServiceRegistration{
  213. Name: servicename,
  214. Check: check,
  215. }
  216. err = consulAgent.ServiceRegister(serviceDef)
  217. if err != nil {
  218. log.Alertf("can't register to consul. %s", err)
  219. time.Sleep(time.Second * 60)
  220. }
  221. }
  222. func initConfig() {
  223. if port > 0 {
  224. serviceConfig.Port = port
  225. }
  226. if sslport > 0 {
  227. serviceConfig.Sslport = sslport
  228. }
  229. if system != "" {
  230. serviceConfig.SystemID = system
  231. }
  232. if serviceURL != "" {
  233. serviceConfig.ServiceURL = serviceURL
  234. }
  235. }
  236. func getApikey() string {
  237. value := fmt.Sprintf("%s_%s", servicename, serviceConfig.SystemID)
  238. apikey := fmt.Sprintf("%x", md5.Sum([]byte(value)))
  239. return strings.ToLower(apikey)
  240. }
  241. func importData() {
  242. count := 0
  243. dir := "E:/temp/backup/schematic/LIVE/"
  244. err := filepath.Walk(dir, func(path string, info os.FileInfo, err error) error {
  245. if info != nil {
  246. if info.IsDir() {
  247. filepath := path + "/schematic.json"
  248. _, err := os.Stat(filepath)
  249. if !os.IsNotExist(err) {
  250. count++
  251. schematic := getSchematic(filepath)
  252. fileids := make([]string, 0)
  253. for _, f := range schematic.Files {
  254. fileid, err := dao.AddFile(path + "/" + f)
  255. if err != nil {
  256. fmt.Printf("%v\n", err)
  257. } else {
  258. fmt.Printf("fileid: %s\n", fileid)
  259. fileids = append(fileids, fileid)
  260. }
  261. }
  262. schematic.Files = fileids
  263. id, err := dao.CreateSchematic(schematic)
  264. fmt.Printf("%v\n", err)
  265. fmt.Printf("%d: found %s: man: %s, model: %s\n", count, id, schematic.Manufacturer, schematic.Model)
  266. }
  267. }
  268. }
  269. return nil
  270. })
  271. if err != nil {
  272. fmt.Printf("%v\n", err)
  273. }
  274. }
  275. func getSchematic(file string) model.Schematic {
  276. jsonFile, err := os.Open(file)
  277. // if we os.Open returns an error then handle it
  278. if err != nil {
  279. fmt.Printf("%v\n", err)
  280. }
  281. // defer the closing of our jsonFile so that we can parse it later on
  282. defer jsonFile.Close()
  283. byteValue, _ := ioutil.ReadAll(jsonFile)
  284. // fmt.Println(string(byteValue))
  285. var schematic model.Schematic
  286. err = json.Unmarshal(byteValue, &schematic)
  287. if err != nil {
  288. fmt.Printf("%v\n", err)
  289. }
  290. return schematic
  291. }