func main() { flag.Parse() // Set up profiling, if requested. if cpuprofile != "" { log.Info("Profiling enabled") f, err := os.Create(cpuprofile) if err != nil { log.Errorf("Unable to create path: %s", err.Error()) } defer closeFile(f) err = pprof.StartCPUProfile(f) if err != nil { log.Errorf("Unable to start CPU Profile: %s", err.Error()) } defer pprof.StopCPUProfile() } // Set logging log.SetLevel(logLevel) if logFile != "stdout" { f := createFile(logFile) defer closeFile(f) log.Infof("Redirecting logging to %s", logFile) log.SetOutput(f) } // Set the data directory. if flag.NArg() == 0 { flag.Usage() println("Data path argument required") log.Error("No data path supplied -- aborting") os.Exit(1) } dataPath := flag.Arg(0) createDir(dataPath) s := server.NewServer(dataPath, dbfile, snapAfter, host, port) go func() { log.Error(s.ListenAndServe(join).Error()) }() if !disableReporting { reportLaunch() } terminate := make(chan os.Signal, 1) signal.Notify(terminate, os.Interrupt) <-terminate log.Info("rqlite server stopped") }
// NewServer creates a new server. func NewServer(dataDir string, dbfile string, snapAfter int, host string, port int) *Server { dbPath := path.Join(dataDir, dbfile) // Raft requires randomness. rand.Seed(time.Now().UnixNano()) log.Info("Raft random seed initialized") // Setup commands. raft.RegisterCommand(&command.ExecuteCommand{}) raft.RegisterCommand(&command.TransactionExecuteCommandSet{}) log.Info("Raft commands registered") s := &Server{ host: host, port: port, path: dataDir, dbPath: dbPath, db: db.New(dbPath), snapConf: &SnapshotConf{snapshotAfter: uint64(snapAfter)}, metrics: NewMetrics(), diagnostics: NewDiagnostics(), router: mux.NewRouter(), } // Read existing name or generate a new one. if b, err := ioutil.ReadFile(filepath.Join(dataDir, "name")); err == nil { s.name = string(b) } else { s.name = fmt.Sprintf("%07x", rand.Int())[0:7] if err = ioutil.WriteFile(filepath.Join(dataDir, "name"), []byte(s.name), 0644); err != nil { panic(err) } } return s }
func (s *Server) writeHandler(w http.ResponseWriter, req *http.Request) { s.mutex.Lock() defer s.mutex.Unlock() if s.raftServer.State() != "leader" { s.leaderRedirect(w, req) return } log.Tracef("writeHandler for URL: %s", req.URL) s.metrics.executeReceived.Inc(1) currentIndex := s.raftServer.CommitIndex() count := currentIndex - s.snapConf.lastIndex if uint64(count) > s.snapConf.snapshotAfter { log.Info("Committed log entries snapshot threshold reached, starting snapshot") err := s.raftServer.TakeSnapshot() s.logSnapshot(err, currentIndex, count) s.snapConf.lastIndex = currentIndex s.metrics.snapshotCreated.Inc(1) } // Read the value from the POST body. b, err := ioutil.ReadAll(req.Body) if err != nil { log.Tracef("Bad HTTP request: %s", err.Error()) s.metrics.executeFail.Inc(1) w.WriteHeader(http.StatusBadRequest) return } stmts := strings.Split(string(b), ";") if stmts[len(stmts)-1] == "" { stmts = stmts[:len(stmts)-1] } log.Tracef("Execute statement contains %d commands", len(stmts)) if len(stmts) == 0 { log.Trace("No database execute commands supplied") s.metrics.executeFail.Inc(1) w.WriteHeader(http.StatusBadRequest) return } transaction, _ := isTransaction(req) startTime := time.Now() failures, err := s.execute(transaction, stmts) if err != nil { log.Errorf("Database mutation failed: %s", err.Error()) http.Error(w, err.Error(), http.StatusInternalServerError) return } duration := time.Since(startTime) wr := StmtResponse{Failures: failures} if e, _ := isExplain(req); e { wr.Time = duration.String() } pretty, _ := isPretty(req) if pretty { b, err = json.MarshalIndent(wr, "", " ") } else { b, err = json.Marshal(wr) } if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) } else { _, err = w.Write([]byte(b)) if err != nil { log.Errorf("Error writting JSON data: %s", err.Error()) } } }
// ListenAndServe starts the server. func (s *Server) ListenAndServe(leader string) error { var err error log.Infof("Initializing Raft Server: %s", s.path) // Initialize and start Raft server. transporter := raft.NewHTTPTransporter("/raft", 200*time.Millisecond) stateMachine := NewDbStateMachine(s.dbPath) s.raftServer, err = raft.NewServer(s.name, s.path, transporter, stateMachine, s.db, "") if err != nil { log.Errorf("Failed to create new Raft server: %s", err.Error()) return err } log.Info("Loading latest snapshot, if any, from disk") if err := s.raftServer.LoadSnapshot(); err != nil && os.IsNotExist(err) { log.Info("no snapshot found") } else if err != nil { log.Errorf("Error loading snapshot: %s", err.Error()) } transporter.Install(s.raftServer, s) if err := s.raftServer.Start(); err != nil { log.Errorf("Error starting raft server: %s", err.Error()) } if leader != "" { // Join to leader if specified. log.Infof("Attempting to join leader at %s", leader) if !s.raftServer.IsLogEmpty() { log.Error("Cannot join with an existing log") return errors.New("Cannot join with an existing log") } if err := s.Join(leader); err != nil { log.Errorf("Failed to join leader: %s", err.Error()) return err } } else if s.raftServer.IsLogEmpty() { // Initialize the server by joining itself. log.Info("Initializing new cluster") _, err := s.raftServer.Do(&raft.DefaultJoinCommand{ Name: s.raftServer.Name(), ConnectionString: s.connectionString(), }) if err != nil { log.Errorf("Failed to join to self: %s", err.Error()) } } else { log.Info("Recovered from log") } log.Info("Initializing HTTP server") // Initialize and start HTTP server. s.httpServer = &http.Server{ Addr: fmt.Sprintf(":%d", s.port), Handler: s.router, } s.router.HandleFunc("/statistics", s.serveStatistics).Methods("GET") s.router.HandleFunc("/diagnostics", s.serveDiagnostics).Methods("GET") s.router.HandleFunc("/raft", s.serveRaftInfo).Methods("GET") s.router.HandleFunc("/db", s.readHandler).Methods("GET") s.router.HandleFunc("/db", s.writeHandler).Methods("POST") s.router.HandleFunc("/join", s.joinHandler).Methods("POST") log.Infof("Listening at %s", s.connectionString()) return s.httpServer.ListenAndServe() }