123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299 |
- package ingress
- import (
- "fmt"
- "net"
- "net/url"
- "regexp"
- "strconv"
- "strings"
- "sync"
- "github.com/pkg/errors"
- "github.com/rs/zerolog"
- "github.com/urfave/cli/v2"
- "github.com/cloudflare/cloudflared/config"
- "github.com/cloudflare/cloudflared/ipaccess"
- )
- var (
- ErrNoIngressRules = errors.New("The config file doesn't contain any ingress rules")
- errLastRuleNotCatchAll = errors.New("The last ingress rule must match all URLs (i.e. it should not have a hostname or path filter)")
- errBadWildcard = errors.New("Hostname patterns can have at most one wildcard character (\"*\") and it can only be used for subdomains, e.g. \"*.example.com\"")
- errHostnameContainsPort = errors.New("Hostname cannot contain a port")
- ErrURLIncompatibleWithIngress = errors.New("You can't set the --url flag (or $TUNNEL_URL) when using multiple-origin ingress rules")
- )
- const (
- ServiceBastion = "bastion"
- ServiceSocksProxy = "socks-proxy"
- ServiceWarpRouting = "warp-routing"
- )
- // FindMatchingRule returns the index of the Ingress Rule which matches the given
- // hostname and path. This function assumes the last rule matches everything,
- // which is the case if the rules were instantiated via the ingress#Validate method
- func (ing Ingress) FindMatchingRule(hostname, path string) (*Rule, int) {
- // The hostname might contain port. We only want to compare the host part with the rule
- host, _, err := net.SplitHostPort(hostname)
- if err == nil {
- hostname = host
- }
- for i, rule := range ing.Rules {
- if rule.Matches(hostname, path) {
- return &rule, i
- }
- }
- i := len(ing.Rules) - 1
- return &ing.Rules[i], i
- }
- func matchHost(ruleHost, reqHost string) bool {
- if ruleHost == reqHost {
- return true
- }
- // Validate hostnames that use wildcards at the start
- if strings.HasPrefix(ruleHost, "*.") {
- toMatch := strings.TrimPrefix(ruleHost, "*.")
- return strings.HasSuffix(reqHost, toMatch)
- }
- return false
- }
- // Ingress maps eyeball requests to origins.
- type Ingress struct {
- Rules []Rule
- defaults OriginRequestConfig
- }
- // NewSingleOrigin constructs an Ingress set with only one rule, constructed from
- // legacy CLI parameters like --url or --no-chunked-encoding.
- func NewSingleOrigin(c *cli.Context, allowURLFromArgs bool) (Ingress, error) {
- service, err := parseSingleOriginService(c, allowURLFromArgs)
- if err != nil {
- return Ingress{}, err
- }
- // Construct an Ingress with the single rule.
- defaults := originRequestFromSingeRule(c)
- ing := Ingress{
- Rules: []Rule{
- {
- Service: service,
- Config: setConfig(defaults, config.OriginRequestConfig{}),
- },
- },
- defaults: defaults,
- }
- return ing, err
- }
- // WarpRoutingService starts a tcp stream between the origin and requests from
- // warp clients.
- type WarpRoutingService struct {
- Proxy StreamBasedOriginProxy
- }
- func NewWarpRoutingService() *WarpRoutingService {
- return &WarpRoutingService{Proxy: &rawTCPService{name: ServiceWarpRouting}}
- }
- // Get a single origin service from the CLI/config.
- func parseSingleOriginService(c *cli.Context, allowURLFromArgs bool) (originService, error) {
- if c.IsSet("hello-world") {
- return new(helloWorld), nil
- }
- if c.IsSet(config.BastionFlag) {
- return newBastionService(), nil
- }
- if c.IsSet("url") {
- originURL, err := config.ValidateUrl(c, allowURLFromArgs)
- if err != nil {
- return nil, errors.Wrap(err, "Error validating origin URL")
- }
- if isHTTPService(originURL) {
- return &httpService{
- url: originURL,
- }, nil
- }
- return newTCPOverWSService(originURL), nil
- }
- if c.IsSet("unix-socket") {
- path, err := config.ValidateUnixSocket(c)
- if err != nil {
- return nil, errors.Wrap(err, "Error validating --unix-socket")
- }
- return &unixSocketPath{path: path}, nil
- }
- u, err := url.Parse("http://localhost:8080")
- return &httpService{url: u}, err
- }
- // IsEmpty checks if there are any ingress rules.
- func (ing Ingress) IsEmpty() bool {
- return len(ing.Rules) == 0
- }
- // IsSingleRule checks if the user only specified a single ingress rule.
- func (ing Ingress) IsSingleRule() bool {
- return len(ing.Rules) == 1
- }
- // StartOrigins will start any origin services managed by cloudflared, e.g. proxy servers or Hello World.
- func (ing Ingress) StartOrigins(
- wg *sync.WaitGroup,
- log *zerolog.Logger,
- shutdownC <-chan struct{},
- errC chan error,
- ) error {
- for _, rule := range ing.Rules {
- if err := rule.Service.start(wg, log, shutdownC, errC, rule.Config); err != nil {
- return errors.Wrapf(err, "Error starting local service %s", rule.Service)
- }
- }
- return nil
- }
- // CatchAll returns the catch-all rule (i.e. the last rule)
- func (ing Ingress) CatchAll() *Rule {
- return &ing.Rules[len(ing.Rules)-1]
- }
- func validate(ingress []config.UnvalidatedIngressRule, defaults OriginRequestConfig) (Ingress, error) {
- rules := make([]Rule, len(ingress))
- for i, r := range ingress {
- cfg := setConfig(defaults, r.OriginRequest)
- var service originService
- if prefix := "unix:"; strings.HasPrefix(r.Service, prefix) {
- // No validation necessary for unix socket filepath services
- path := strings.TrimPrefix(r.Service, prefix)
- service = &unixSocketPath{path: path}
- } else if prefix := "http_status:"; strings.HasPrefix(r.Service, prefix) {
- status, err := strconv.Atoi(strings.TrimPrefix(r.Service, prefix))
- if err != nil {
- return Ingress{}, errors.Wrap(err, "invalid HTTP status")
- }
- srv := newStatusCode(status)
- service = &srv
- } else if r.Service == "hello_world" || r.Service == "hello-world" || r.Service == "helloworld" {
- service = new(helloWorld)
- } else if r.Service == ServiceSocksProxy {
- rules := make([]ipaccess.Rule, len(r.OriginRequest.IPRules))
- for i, ipRule := range r.OriginRequest.IPRules {
- rule, err := ipaccess.NewRuleByCIDR(ipRule.Prefix, ipRule.Ports, ipRule.Allow)
- if err != nil {
- return Ingress{}, fmt.Errorf("unable to create ip rule for %s: %s", r.Service, err)
- }
- rules[i] = rule
- }
- accessPolicy, err := ipaccess.NewPolicy(false, rules)
- if err != nil {
- return Ingress{}, fmt.Errorf("unable to create ip access policy for %s: %s", r.Service, err)
- }
- service = newSocksProxyOverWSService(accessPolicy)
- } else if r.Service == ServiceBastion || cfg.BastionMode {
- // Bastion mode will always start a Websocket proxy server, which will
- // overwrite the localService.URL field when `start` is called. So,
- // leave the URL field empty for now.
- cfg.BastionMode = true
- service = newBastionService()
- } else {
- // Validate URL services
- u, err := url.Parse(r.Service)
- if err != nil {
- return Ingress{}, err
- }
- if u.Scheme == "" || u.Hostname() == "" {
- return Ingress{}, fmt.Errorf("%s is an invalid address, please make sure it has a scheme and a hostname", r.Service)
- }
- if u.Path != "" {
- return Ingress{}, fmt.Errorf("%s is an invalid address, ingress rules don't support proxying to a different path on the origin service. The path will be the same as the eyeball request's path", r.Service)
- }
- if isHTTPService(u) {
- service = &httpService{url: u}
- } else {
- service = newTCPOverWSService(u)
- }
- }
- if err := validateHostname(r, i, len(ingress)); err != nil {
- return Ingress{}, err
- }
- var pathRegex *regexp.Regexp
- if r.Path != "" {
- var err error
- pathRegex, err = regexp.Compile(r.Path)
- if err != nil {
- return Ingress{}, errors.Wrapf(err, "Rule #%d has an invalid regex", i+1)
- }
- }
- rules[i] = Rule{
- Hostname: r.Hostname,
- Service: service,
- Path: pathRegex,
- Config: cfg,
- }
- }
- return Ingress{Rules: rules, defaults: defaults}, nil
- }
- func validateHostname(r config.UnvalidatedIngressRule, ruleIndex, totalRules int) error {
- // Ensure that the hostname doesn't contain port
- _, _, err := net.SplitHostPort(r.Hostname)
- if err == nil {
- return errHostnameContainsPort
- }
- // Ensure that there are no wildcards anywhere except the first character
- // of the hostname.
- if strings.LastIndex(r.Hostname, "*") > 0 {
- return errBadWildcard
- }
- // The last rule should catch all hostnames.
- isCatchAllRule := (r.Hostname == "" || r.Hostname == "*") && r.Path == ""
- isLastRule := ruleIndex == totalRules-1
- if isLastRule && !isCatchAllRule {
- return errLastRuleNotCatchAll
- }
- // ONLY the last rule should catch all hostnames.
- if !isLastRule && isCatchAllRule {
- return errRuleShouldNotBeCatchAll{index: ruleIndex, hostname: r.Hostname}
- }
- return nil
- }
- type errRuleShouldNotBeCatchAll struct {
- index int
- hostname string
- }
- func (e errRuleShouldNotBeCatchAll) Error() string {
- return fmt.Sprintf("Rule #%d is matching the hostname '%s', but "+
- "this will match every hostname, meaning the rules which follow it "+
- "will never be triggered.", e.index+1, e.hostname)
- }
- // ParseIngress parses ingress rules, but does not send HTTP requests to the origins.
- func ParseIngress(conf *config.Configuration) (Ingress, error) {
- if len(conf.Ingress) == 0 {
- return Ingress{}, ErrNoIngressRules
- }
- return validate(conf.Ingress, originRequestFromYAML(conf.OriginRequest))
- }
- func isHTTPService(url *url.URL) bool {
- return url.Scheme == "http" || url.Scheme == "https" || url.Scheme == "ws" || url.Scheme == "wss"
- }
|