Major refactoring - created auth, config, models, controllers, and middleware packages. Should help provide modularity and a clean architecture.

Added doc.go for each package
pull/24/head
Jordan 2014-01-09 00:42:05 -06:00
parent 326ab52146
commit 7f084760f9
14 changed files with 267 additions and 113 deletions

53
auth/auth.go Normal file
View File

@ -0,0 +1,53 @@
package auth
import (
"database/sql"
"net/http"
"code.google.com/p/go.crypto/bcrypt"
ctx "github.com/gorilla/context"
"github.com/gorilla/securecookie"
"github.com/gorilla/sessions"
"github.com/jordan-wright/gophish/models"
)
var Store = sessions.NewCookieStore([]byte(securecookie.GenerateRandomKey(64)))
// CheckLogin attempts to request a SQL record with the given username.
// If successful, it then compares the received bcrypt hash.
// If all checks pass, this function sets the session id for later use.
func CheckLogin(r *http.Request) (bool, error) {
username, password := r.FormValue("username"), r.FormValue("password")
session, _ := Store.Get(r, "gophish")
stmt, err := db.Prepare("SELECT * FROM Users WHERE username=?")
if err != nil {
return false, err
}
hash, err := bcrypt.GenerateFromPassword(password, bcrypt.DefaultCost)
if err != nil {
return false, err
}
u := models.User{}
err = stmt.QueryRow(username).Scan(&u.Id, &u.Username, &u.Hash, &u.APIKey)
if err == sql.ErrNoRows {
return false, err
}
//If we've made it here, we should have a valid user stored in u
//Let's check the password
err = bcrypt.CompareHashAndPassword(u.Hash, hash)
if err != nil {
ctx.Set(r, User, nil)
//Return false, but don't return an error
return false, nil
}
ctx.Set(r, models.User, u)
session.Values["id"] = GetUser(r).Id
return true, nil
}
func GetUser(r *http.Request) User {
if rv := ctx.Get(r, models.User); rv != nil {
return rv.(models.User)
}
return nil
}

View File

@ -1,5 +1,3 @@
package main
/* /*
gophish - Open-Source Phishing Framework gophish - Open-Source Phishing Framework
@ -26,15 +24,5 @@ OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE. THE SOFTWARE.
*/ */
import "net/http" // Package auth implements the authentication in use for gophish.
package auth
//Use allows us to stack middleware to process the request
//Example taken from https://github.com/gorilla/mux/pull/36#issuecomment-25849172
func Use(handler http.Handler, middleware ...func(http.Handler) http.Handler) http.Handler {
for _, m := range middleware {
handler = m(handler)
}
return handler
}
//TODO: Add RequireLogin() Middleware

22
config/config.go Normal file
View File

@ -0,0 +1,22 @@
package config
import (
"encoding/json"
"fmt"
"io/ioutil"
"os"
"github.com/jordan-wright/gophish/models"
)
var Conf models.Config
func init() {
// Get the config file
config_file, err := ioutil.ReadFile("./config.json")
if err != nil {
fmt.Printf("File error: %v\n", err)
os.Exit(1)
}
json.Unmarshal(config_file, &Conf)
}

View File

@ -1,5 +1,3 @@
package main
/* /*
gophish - Open-Source Phishing Framework gophish - Open-Source Phishing Framework
@ -26,45 +24,5 @@ OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE. THE SOFTWARE.
*/ */
import ( // Package config implements a global configuration to be used with gophish.
"database/sql" package config
"net/http"
"code.google.com/p/go.crypto/bcrypt"
ctx "github.com/gorilla/context"
)
func CheckLogin(r *http.Request) (bool, error) {
username, password := r.FormValue("username"), r.FormValue("password")
session, _ := store.Get(r, "gophish")
stmt, err := db.Prepare("SELECT * FROM Users WHERE username=?")
if err != nil {
return false, err
}
hash, err := bcrypt.GenerateFromPassword(password, bcrypt.DefaultCost)
if err != nil {
return false, err
}
err = stmt.QueryRow(username).Scan(&u.Id, &u.Username, &u.Hash, &u.APIKey)
if err == sql.ErrNoRows {
return false, err
}
//If we've made it here, we should have a valid user stored in u
//Let's check the password
err = bcrypt.CompareHashAndPassword(u.Hash, hash)
if err != nil {
ctx.Set(r, User, nil)
//Return false, but don't return an error
return false, nil
}
ctx.Set(r, User, u)
session.Values["id"] = GetUser(r).Id
return true, nil
}
func GetUser(r *http.Request) User {
if rv := ctx.Get(r, User); rv != nil {
return rv.(User)
}
return nil
}

37
controllers/api.go Normal file
View File

@ -0,0 +1,37 @@
package controllers
import (
"fmt"
"net/http"
"github.com/gorilla/mux"
)
func API(w http.ResponseWriter, r *http.Request) {
fmt.Fprintf(w, "Hello api")
}
//API_Campaigns returns a list of campaigns if requested via GET.
//If requested via POST, API_Campaigns creates a new campaign and returns a reference to it.
func API_Campaigns(w http.ResponseWriter, r *http.Request) {
switch {
case r.Method == "GET":
case r.Method == "POST":
fmt.Fprintf(w, "Hello POST!")
}
fmt.Fprintf(w, "Hello api")
}
//API_Campaigns_Id returns details about the requested campaign. If the campaign is not
//valid, API_Campaigns_Id returns null.
func API_Campaigns_Id(w http.ResponseWriter, r *http.Request) {
w.Header().Set("Content-Type", "application/json")
vars := mux.Vars(r)
fmt.Fprintf(w, "{\"method\" : \""+r.Method+"\", \"id\" : "+vars["id"]+"}")
}
//API_Doc renders a template describing the API documentation.
func API_Doc(w http.ResponseWriter, r *http.Request) {
renderTemplate(w, "api_doc")
}

28
controllers/doc.go Normal file
View File

@ -0,0 +1,28 @@
/*
gophish - Open-Source Phishing Framework
The MIT License (MIT)
Copyright (c) 2013 Jordan Wright
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
*/
// Package controllers is responsible for setting up the routing and controllers (http.Handlers) for gophish.
package controllers

View File

@ -1,4 +1,4 @@
package main package controllers
/* /*
gophish - Open-Source Phishing Framework gophish - Open-Source Phishing Framework
@ -31,13 +31,10 @@ import (
"net/http" "net/http"
"github.com/gorilla/mux" "github.com/gorilla/mux"
"github.com/gorilla/securecookie" "github.com/jordan-wright/gophish/auth"
"github.com/gorilla/sessions"
) )
var store = sessions.NewCookieStore([]byte(securecookie.GenerateRandomKey(64))) func CreateRouter() http.Handler {
func createRouter() http.Handler {
router := mux.NewRouter() router := mux.NewRouter()
// Base Front-end routes // Base Front-end routes
router.HandleFunc("/", Base) router.HandleFunc("/", Base)
@ -66,7 +63,7 @@ func Register(w http.ResponseWriter, r *http.Request) {
} }
func Base(w http.ResponseWriter, r *http.Request) { func Base(w http.ResponseWriter, r *http.Request) {
session, _ := store.Get(r, "gophish") session, _ := auth.Store.Get(r, "gophish")
// Example of using session - will be removed. // Example of using session - will be removed.
session.Save(r, w) session.Save(r, w)
renderTemplate(w, "dashboard") renderTemplate(w, "dashboard")
@ -81,7 +78,7 @@ func Settings(w http.ResponseWriter, r *http.Request) {
} }
func Base_Campaigns(w http.ResponseWriter, r *http.Request) { func Base_Campaigns(w http.ResponseWriter, r *http.Request) {
//session, _ := store.Get(r, "gophish") //session, _ := auth.Store.Get(r, "gophish")
renderTemplate(w, "dashboard") renderTemplate(w, "dashboard")
} }
@ -90,12 +87,12 @@ func Login(w http.ResponseWriter, r *http.Request) {
case r.Method == "GET": case r.Method == "GET":
renderTemplate(w, "login") renderTemplate(w, "login")
case r.Method == "POST": case r.Method == "POST":
session, _ := store.Get(r, "gophish") session, _ := auth.Store.Get(r, "gophish")
//Attempt to login //Attempt to login
if err := r.ParseForm(); err != nil { if err := r.ParseForm(); err != nil {
http.Error(w, "Error parsing request", http.StatusInternalServerError) http.Error(w, "Error parsing request", http.StatusInternalServerError)
} }
succ, err := login(r) succ, err := auth.CheckLogin(r)
if err != nil { if err != nil {
http.Error(w, "Error logging in", http.StatusInternalServerError) http.Error(w, "Error logging in", http.StatusInternalServerError)
} }

View File

@ -26,39 +26,23 @@ OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE. THE SOFTWARE.
*/ */
import ( import (
"database/sql"
"encoding/gob"
"encoding/json"
"flag" "flag"
"fmt" "fmt"
"io/ioutil"
"net/http" "net/http"
"os"
"github.com/jordan-wright/gophish/controllers"
"github.com/jordan-wright/gophish/middleware"
) )
var config Config
var db sql.DB
var setupFlag = flag.Bool("setup", false, "Starts the initial setup process for Gophish") var setupFlag = flag.Bool("setup", false, "Starts the initial setup process for Gophish")
//init registers the necessary models to be saved in the session later
func init() {
gob.Register(&User{})
}
func main() { func main() {
// Get the config file //Setup the global variables and settings
config_file, err := ioutil.ReadFile("./config.json")
defer db.Close()
if err != nil {
fmt.Printf("File error: %v\n", err)
os.Exit(1)
}
json.Unmarshal(config_file, &config)
_, err = Setup() _, err = Setup()
if err != nil { if err != nil {
fmt.Println(err) fmt.Println(err)
} }
fmt.Printf("Gophish server started at http://%s\n", config.URL) fmt.Printf("Gophish server started at http://%s\n", config.Conf.URL)
http.Handle("/", createRouter()) http.Handle("/", middleware.Use(controllers.CreateRouter(), middleware.GetContext))
http.ListenAndServe(config.URL, nil) http.ListenAndServe(config.URL, nil)
} }

View File

@ -1,16 +0,0 @@
package main
import (
"net/smtp"
)
//Send sends an Email using a connection to Server.
//If a Username and Password are set for the Server, authentication will be attempted
//However, to support open-relays, authentication is optional.
func Send(email Email, server Server) {
auth := nil
if server.User != nil && server.Password != nil {
auth := smtp.PlainAuth("", server.User, server.Password, server.Host)
}
smtp.SendMail(server.Host, auth, email.From, email.To, Email.Body)
}

29
middleware/doc.go Normal file
View File

@ -0,0 +1,29 @@
/*
gophish - Open-Source Phishing Framework
The MIT License (MIT)
Copyright (c) 2013 Jordan Wright
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
*/
// Package middleware is responsible for the definition/implementation of middleware functionality.
// This package will also handle maintaining request Context and Session.
package middleware

34
middleware/middleware.go Normal file
View File

@ -0,0 +1,34 @@
package middleware
import (
"fmt"
"net/http"
)
// Use allows us to stack middleware to process the request
// Example taken from https://github.com/gorilla/mux/pull/36#issuecomment-25849172
func Use(handler http.Handler, middleware ...func(http.Handler) http.Handler) http.Handler {
for _, m := range middleware {
handler = m(handler)
}
return handler
}
// GetContext wraps each request in a function which fills in the context for a given request.
// This includes setting the User and Session keys and values as necessary for use in later functions.
func GetContext(handler http.Handler) http.Handler {
// Set the context here
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
fmt.Println("Get context called!")
handler.ServeHTTP(w, r)
})
}
// RequireLogin is a simple middleware which checks to see if the user is currently logged in.
// If not, the function returns a 302 redirect to the login page.
func RequireLogin(handler http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
fmt.Println("RequireLogin called!!")
handler.ServeHTTP(w, r)
})
}

28
models/doc.go Normal file
View File

@ -0,0 +1,28 @@
/*
gophish - Open-Source Phishing Framework
The MIT License (MIT)
Copyright (c) 2013 Jordan Wright
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
*/
// Package models implements the types and structs needed in gophish.
package models

View File

@ -1,4 +1,4 @@
package main package models
type SMTPServer struct { type SMTPServer struct {
Host string `json:"host"` Host string `json:"host"`

View File

@ -2,20 +2,32 @@ package main
import ( import (
"database/sql" "database/sql"
"encoding/gob"
"fmt" "fmt"
"os" "os"
"github.com/jordan-wright/gophish/config"
"github.com/jordan-wright/gophish/models"
_ "github.com/mattn/go-sqlite3" _ "github.com/mattn/go-sqlite3"
) )
//Setup creates and returns the database needed by Gophish var Db sql.DB
func Setup() (*sql.DB, error) {
//init registers the necessary models to be saved in the session later
func init() {
gob.Register(&models.User{})
Setup()
}
// Setup creates and returns the database needed by Gophish.
// It also populates the Gophish Config object
func Setup() {
//If the file already exists, delete it and recreate it //If the file already exists, delete it and recreate it
if _, err := os.Stat(config.DBPath); err == nil { if _, err := os.Stat(config.Conf.DBPath); err == nil {
os.Remove(config.DBPath) os.Remove(Conf.DBPath)
} }
fmt.Println("Creating db at " + config.DBPath) fmt.Println("Creating db at " + config.Conf.DBPath)
db, err := sql.Open("sqlite3", config.DBPath) db, err := sql.Open("sqlite3", config.Conf.DBPath)
if err != nil { if err != nil {
return nil, err return nil, err
} }