nuclei/v2/internal/runner/runner.go

539 lines
14 KiB
Go
Raw Normal View History

package runner
import (
"bufio"
2020-06-26 08:23:54 +00:00
"context"
2020-06-29 12:13:08 +00:00
"errors"
"fmt"
"io"
"io/ioutil"
2020-07-16 14:32:42 +00:00
"net/http/cookiejar"
"os"
2020-07-23 18:06:58 +00:00
"path/filepath"
"strings"
"sync"
2020-07-10 07:04:38 +00:00
tengo "github.com/d5/tengo/v2"
"github.com/d5/tengo/v2/stdlib"
"github.com/karrick/godirwalk"
"github.com/projectdiscovery/gologger"
2020-07-16 08:57:28 +00:00
"github.com/projectdiscovery/nuclei/v2/pkg/executer"
2020-07-01 10:47:24 +00:00
"github.com/projectdiscovery/nuclei/v2/pkg/requests"
"github.com/projectdiscovery/nuclei/v2/pkg/templates"
"github.com/projectdiscovery/nuclei/v2/pkg/workflows"
)
// Runner is a client for running the enumeration process.
type Runner struct {
2020-04-04 12:51:05 +00:00
// output is the output file to write if any
output *os.File
outputMutex *sync.Mutex
2020-06-24 22:23:37 +00:00
tempFile string
templatesConfig *nucleiConfig
2020-04-04 12:51:05 +00:00
// options contains configuration options for runner
options *Options
}
// New creates a new client for running enumeration process.
func New(options *Options) (*Runner, error) {
runner := &Runner{
2020-04-04 12:51:05 +00:00
outputMutex: &sync.Mutex{},
options: options,
}
2020-04-04 11:42:29 +00:00
2020-06-24 22:23:37 +00:00
if err := runner.updateTemplates(); err != nil {
2020-07-06 07:00:02 +00:00
gologger.Warningf("Could not update templates: %s\n", err)
2020-06-24 22:23:37 +00:00
}
if (len(options.Templates) == 0 || (options.Targets == "" && !options.Stdin && options.Target == "")) && options.UpdateTemplates {
2020-06-24 22:23:37 +00:00
os.Exit(0)
}
// If we have stdin, write it to a new file
if options.Stdin {
tempInput, err := ioutil.TempFile("", "stdin-input-*")
if err != nil {
return nil, err
}
2020-04-26 01:30:28 +00:00
if _, err := io.Copy(tempInput, os.Stdin); err != nil {
return nil, err
}
runner.tempFile = tempInput.Name()
tempInput.Close()
}
// If we have single target, write it to a new file
if options.Target != "" {
tempInput, err := ioutil.TempFile("", "stdin-input-*")
if err != nil {
return nil, err
}
tempInput.WriteString(options.Target)
runner.tempFile = tempInput.Name()
tempInput.Close()
}
2020-04-04 12:51:05 +00:00
// Create the output file if asked
if options.Output != "" {
output, err := os.Create(options.Output)
if err != nil {
gologger.Fatalf("Could not create output file '%s': %s\n", options.Output, err)
}
runner.output = output
}
return runner, nil
}
// Close releases all the resources and cleans up
2020-04-04 12:51:05 +00:00
func (r *Runner) Close() {
r.output.Close()
os.Remove(r.tempFile)
2020-04-04 12:51:05 +00:00
}
func isFilePath(path string) (bool, error) {
info, err := os.Stat(path)
if err != nil {
return false, err
}
return info.Mode().IsRegular(), nil
}
2020-07-19 12:24:43 +00:00
func (r *Runner) resolvePathIfRelative(path string) (string, error) {
if r.isRelative(path) {
newPath, err := r.resolvePath(path)
if err != nil {
return "", err
}
return newPath, nil
}
return path, nil
}
func isNewPath(path string, pathMap map[string]bool) bool {
if _, already := pathMap[path]; already {
gologger.Warningf("Skipping already specified path '%s'", path)
return false
}
return true
}
2020-04-04 19:48:57 +00:00
// RunEnumeration sets up the input layer for giving input nuclei.
// binary and runs the actual enumeration
func (r *Runner) RunEnumeration() {
// keeps track of processed dirs and files
processed := make(map[string]bool)
allTemplates := []string{}
// parses user input, handle file/directory cases and produce a list of unique templates
for _, t := range r.options.Templates {
// resolve and convert relative to absolute path
2020-07-19 12:24:43 +00:00
absPath, err := r.resolvePathIfRelative(t)
2020-07-23 18:06:58 +00:00
if err != nil && !strings.Contains(t, "*") {
gologger.Errorf("Could not find template file '%s': %s\n", t, err)
continue
}
2020-07-23 18:06:58 +00:00
// Template input includes a wildcard
if strings.Contains(t, "*") {
matches := []string{}
2020-07-23 18:06:58 +00:00
matches, err = filepath.Glob(t)
if err != nil {
2020-07-23 18:06:58 +00:00
gologger.Labelf("Wildcard found, but unable to glob '%s': %s\n", t, err)
continue
}
2020-04-22 20:45:02 +00:00
2020-07-23 18:06:58 +00:00
for _, i := range matches {
processed[i] = true
}
// couldn't find templates in directory
if len(matches) == 0 {
2020-07-23 18:06:58 +00:00
gologger.Labelf("Error, no templates were found with '%s'.\n", t)
continue
2020-07-23 18:06:58 +00:00
} else {
gologger.Labelf("Identified %d templates\n", len(matches))
2020-06-26 12:37:55 +00:00
}
allTemplates = append(allTemplates, matches...)
2020-07-23 18:06:58 +00:00
} else {
// determine file/directory
isFile, err := isFilePath(absPath)
if err != nil {
gologger.Errorf("Could not stat '%s': %s\n", absPath, err)
continue
}
// test for uniqueness
if !isNewPath(absPath, processed) {
continue
}
// mark this absolute path as processed
// - if it's a file, we'll never process it again
// - if it's a dir, we'll never walk it again
processed[absPath] = true
if isFile {
allTemplates = append(allTemplates, absPath)
} else {
matches := []string{}
// Recursively walk down the Templates directory and run all the template file checks
err = godirwalk.Walk(absPath, &godirwalk.Options{
Callback: func(path string, d *godirwalk.Dirent) error {
if !d.IsDir() && strings.HasSuffix(path, ".yaml") {
if isNewPath(path, processed) {
matches = append(matches, path)
processed[path] = true
}
}
return nil
},
ErrorCallback: func(path string, err error) godirwalk.ErrorAction {
return godirwalk.SkipNode
},
Unsorted: true,
})
// directory couldn't be walked
if err != nil {
gologger.Labelf("Could not find templates in directory '%s': %s\n", absPath, err)
continue
}
// couldn't find templates in directory
if len(matches) == 0 {
gologger.Labelf("Error, no templates were found in '%s'.\n", absPath)
continue
}
allTemplates = append(allTemplates, matches...)
}
}
}
2020-06-26 12:37:55 +00:00
// 0 matches means no templates were found in directory
if len(allTemplates) == 0 {
gologger.Fatalf("Error, no templates were found.\n")
}
// run with the specified templates
var results bool
for _, match := range allTemplates {
2020-06-30 16:57:52 +00:00
t, err := r.parse(match)
2020-06-26 12:37:55 +00:00
switch t.(type) {
case *templates.Template:
template := t.(*templates.Template)
for _, request := range template.RequestsDNS {
dnsResults := r.processTemplateRequest(template, request)
if dnsResults {
results = dnsResults
}
}
2020-07-18 19:42:23 +00:00
for _, request := range template.BulkRequestsHTTP {
2020-06-26 12:37:55 +00:00
httpResults := r.processTemplateRequest(template, request)
if httpResults {
results = httpResults
}
}
2020-06-26 12:37:55 +00:00
case *workflows.Workflow:
workflow := t.(*workflows.Workflow)
r.ProcessWorkflowWithList(workflow)
default:
gologger.Errorf("Could not parse file '%s': %s\n", match, err)
}
}
if !results {
if r.output != nil {
outputFile := r.output.Name()
r.output.Close()
os.Remove(outputFile)
}
gologger.Infof("No results found. Happy hacking!")
}
return
}
// processTemplate processes a template and runs the enumeration on all the targets
func (r *Runner) processTemplateRequest(template *templates.Template, request interface{}) bool {
var file *os.File
var err error
// Handle a list of hosts as argument
if r.options.Targets != "" {
file, err = os.Open(r.options.Targets)
} else if r.options.Stdin || r.options.Target != "" {
file, err = os.Open(r.tempFile)
}
if err != nil {
gologger.Fatalf("Could not open targets file '%s': %s\n", r.options.Targets, err)
}
results := r.processTemplateWithList(template, request, file)
file.Close()
return results
}
// processDomain processes the list with a template
func (r *Runner) processTemplateWithList(template *templates.Template, request interface{}, reader io.Reader) bool {
// Display the message for the template
message := fmt.Sprintf("[%s] Loaded template %s (@%s)", template.ID, template.Info.Name, template.Info.Author)
if template.Info.Severity != "" {
message += " [" + template.Info.Severity + "]"
}
gologger.Infof("%s\n", message)
2020-04-04 12:51:05 +00:00
var writer *bufio.Writer
if r.output != nil {
writer = bufio.NewWriter(r.output)
defer writer.Flush()
}
2020-07-16 08:57:28 +00:00
var httpExecuter *executer.HTTPExecuter
var dnsExecuter *executer.DNSExecuter
2020-04-27 18:19:53 +00:00
var err error
2020-07-16 08:57:28 +00:00
// Create an executer based on the request type.
switch value := request.(type) {
case *requests.DNSRequest:
2020-07-16 08:57:28 +00:00
dnsExecuter = executer.NewDNSExecuter(&executer.DNSOptions{
2020-06-22 14:00:01 +00:00
Debug: r.options.Debug,
Template: template,
DNSRequest: value,
Writer: writer,
2020-06-27 14:49:43 +00:00
JSON: r.options.JSON,
})
2020-07-18 19:42:23 +00:00
case *requests.BulkHTTPRequest:
2020-07-16 08:57:28 +00:00
httpExecuter, err = executer.NewHTTPExecuter(&executer.HTTPOptions{
2020-07-18 19:42:23 +00:00
Debug: r.options.Debug,
Template: template,
BulkHttpRequest: value,
Writer: writer,
Timeout: r.options.Timeout,
Retries: r.options.Retries,
ProxyURL: r.options.ProxyURL,
ProxySocksURL: r.options.ProxySocksURL,
CustomHeaders: r.options.CustomHeaders,
JSON: r.options.JSON,
JSONRequests: r.options.JSONRequests,
2020-07-18 19:42:23 +00:00
CookieReuse: value.CookieReuse,
})
}
2020-04-27 18:19:53 +00:00
if err != nil {
gologger.Warningf("Could not create http client: %s\n", err)
return false
2020-04-27 18:19:53 +00:00
}
limiter := make(chan struct{}, r.options.Threads)
wg := &sync.WaitGroup{}
scanner := bufio.NewScanner(reader)
for scanner.Scan() {
text := scanner.Text()
if text == "" {
continue
}
limiter <- struct{}{}
wg.Add(1)
go func(URL string) {
2020-07-16 08:57:28 +00:00
var result executer.Result
2020-07-16 08:57:28 +00:00
if httpExecuter != nil {
result = httpExecuter.ExecuteHTTP(URL)
}
2020-07-16 08:57:28 +00:00
if dnsExecuter != nil {
result = dnsExecuter.ExecuteDNS(URL)
}
2020-07-10 07:04:38 +00:00
if result.Error != nil {
gologger.Warningf("Could not execute step: %s\n", result.Error)
}
<-limiter
wg.Done()
}(text)
}
close(limiter)
wg.Wait()
2020-07-16 08:57:28 +00:00
// See if we got any results from the executers
var results bool
2020-07-16 08:57:28 +00:00
if httpExecuter != nil {
2020-07-18 19:42:23 +00:00
results = httpExecuter.Results
}
2020-07-16 08:57:28 +00:00
if dnsExecuter != nil {
if !results {
2020-07-18 19:42:23 +00:00
results = dnsExecuter.Results
}
}
return results
}
2020-06-26 08:23:54 +00:00
// ProcessWorkflowWithList coming from stdin or list of targets
func (r *Runner) ProcessWorkflowWithList(workflow *workflows.Workflow) {
var file *os.File
var err error
// Handle a list of hosts as argument
if r.options.Targets != "" {
file, err = os.Open(r.options.Targets)
} else if r.options.Stdin {
file, err = os.Open(r.tempFile)
}
if err != nil {
gologger.Fatalf("Could not open targets file '%s': %s\n", r.options.Targets, err)
}
defer file.Close()
scanner := bufio.NewScanner(file)
for scanner.Scan() {
text := scanner.Text()
if text == "" {
continue
}
2020-06-29 12:13:08 +00:00
if err := r.ProcessWorkflow(workflow, text); err != nil {
gologger.Warningf("Could not run workflow for %s: %s\n", text, err)
}
2020-06-26 08:23:54 +00:00
}
}
// ProcessWorkflow towards an URL
func (r *Runner) ProcessWorkflow(workflow *workflows.Workflow, URL string) error {
script := tengo.NewScript([]byte(workflow.Logic))
2020-07-10 07:04:38 +00:00
script.SetImports(stdlib.GetModuleMap(stdlib.AllModuleNames()...))
2020-07-16 14:32:42 +00:00
var jar *cookiejar.Jar
if workflow.CookieReuse {
var err error
jar, err = cookiejar.New(nil)
if err != nil {
return err
}
}
2020-06-26 08:23:54 +00:00
for name, value := range workflow.Variables {
var writer *bufio.Writer
if r.output != nil {
writer = bufio.NewWriter(r.output)
defer writer.Flush()
}
2020-06-29 12:13:08 +00:00
// Check if the template is an absolute path or relative path.
// If the path is absolute, use it. Otherwise,
if r.isRelative(value) {
newPath, err := r.resolvePath(value)
if err != nil {
return err
}
value = newPath
2020-06-26 08:23:54 +00:00
}
2020-06-29 12:13:08 +00:00
// Single yaml provided
var templatesList []*workflows.Template
if strings.HasSuffix(value, ".yaml") {
t, err := templates.Parse(value)
if err != nil {
return err
}
template := &workflows.Template{}
2020-07-18 19:42:23 +00:00
if len(t.BulkRequestsHTTP) > 0 {
2020-07-16 08:57:28 +00:00
template.HTTPOptions = &executer.HTTPOptions{
2020-06-29 12:13:08 +00:00
Debug: r.options.Debug,
Writer: writer,
Template: t,
Timeout: r.options.Timeout,
Retries: r.options.Retries,
ProxyURL: r.options.ProxyURL,
ProxySocksURL: r.options.ProxySocksURL,
CustomHeaders: r.options.CustomHeaders,
2020-07-16 14:32:42 +00:00
CookieJar: jar,
2020-06-29 12:13:08 +00:00
}
} else if len(t.RequestsDNS) > 0 {
2020-07-16 08:57:28 +00:00
template.DNSOptions = &executer.DNSOptions{
2020-06-29 12:13:08 +00:00
Debug: r.options.Debug,
Template: t,
Writer: writer,
}
}
if template.DNSOptions != nil || template.HTTPOptions != nil {
templatesList = append(templatesList, template)
}
} else {
matches := []string{}
err := godirwalk.Walk(value, &godirwalk.Options{
Callback: func(path string, d *godirwalk.Dirent) error {
if !d.IsDir() && strings.HasSuffix(path, ".yaml") {
matches = append(matches, path)
}
return nil
},
ErrorCallback: func(path string, err error) godirwalk.ErrorAction {
return godirwalk.SkipNode
},
Unsorted: true,
})
if err != nil {
return err
}
// 0 matches means no templates were found in directory
if len(matches) == 0 {
return errors.New("no match found in the directory")
}
for _, match := range matches {
t, err := templates.Parse(match)
if err != nil {
return err
}
template := &workflows.Template{}
2020-07-18 19:42:23 +00:00
if len(t.BulkRequestsHTTP) > 0 {
2020-07-16 08:57:28 +00:00
template.HTTPOptions = &executer.HTTPOptions{
2020-06-29 12:13:08 +00:00
Debug: r.options.Debug,
Writer: writer,
Template: t,
Timeout: r.options.Timeout,
Retries: r.options.Retries,
ProxyURL: r.options.ProxyURL,
ProxySocksURL: r.options.ProxySocksURL,
CustomHeaders: r.options.CustomHeaders,
2020-07-16 14:32:42 +00:00
CookieJar: jar,
2020-06-29 12:13:08 +00:00
}
} else if len(t.RequestsDNS) > 0 {
2020-07-16 08:57:28 +00:00
template.DNSOptions = &executer.DNSOptions{
2020-06-29 12:13:08 +00:00
Debug: r.options.Debug,
Template: t,
Writer: writer,
}
}
if template.DNSOptions != nil || template.HTTPOptions != nil {
templatesList = append(templatesList, template)
}
}
2020-06-26 13:10:42 +00:00
}
2020-06-29 12:13:08 +00:00
script.Add(name, &workflows.NucleiVar{Templates: templatesList, URL: URL})
2020-06-26 08:23:54 +00:00
}
_, err := script.RunContext(context.Background())
if err != nil {
gologger.Errorf("Could not execute workflow '%s': %s\n", workflow.ID, err)
return err
}
return nil
}
2020-06-26 12:37:55 +00:00
2020-06-30 16:57:52 +00:00
func (r *Runner) parse(file string) (interface{}, error) {
2020-06-26 12:37:55 +00:00
// check if it's a template
2020-06-30 16:57:52 +00:00
template, errTemplate := templates.Parse(file)
2020-06-26 12:37:55 +00:00
if errTemplate == nil {
2020-06-30 16:57:52 +00:00
return template, nil
2020-06-26 12:37:55 +00:00
}
// check if it's a workflow
2020-06-30 16:57:52 +00:00
workflow, errWorkflow := workflows.Parse(file)
2020-06-26 12:37:55 +00:00
if errWorkflow == nil {
2020-06-30 16:57:52 +00:00
return workflow, nil
2020-06-26 12:37:55 +00:00
}
2020-06-30 16:57:52 +00:00
if errTemplate != nil {
return nil, errTemplate
}
if errWorkflow != nil {
return nil, errWorkflow
}
return nil, errors.New("unknown error occured")
2020-06-26 12:37:55 +00:00
}