You are viewing a plain text version of this content. The canonical link for it is here.
Posted to commits@airavata.apache.org by nd...@apache.org on 2015/05/01 23:32:50 UTC

[03/57] [partial] airavata-php-gateway git commit: AIRAVATA 1632 + Job Description for Admin Dashboard

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/01413d65/vendor/laravel/framework/src/Illuminate/Validation/Factory.php
----------------------------------------------------------------------
diff --git a/vendor/laravel/framework/src/Illuminate/Validation/Factory.php b/vendor/laravel/framework/src/Illuminate/Validation/Factory.php
new file mode 100755
index 0000000..f1e50c3
--- /dev/null
+++ b/vendor/laravel/framework/src/Illuminate/Validation/Factory.php
@@ -0,0 +1,237 @@
+<?php namespace Illuminate\Validation;
+
+use Closure;
+use Illuminate\Container\Container;
+use Symfony\Component\Translation\TranslatorInterface;
+
+class Factory {
+
+	/**
+	 * The Translator implementation.
+	 *
+	 * @var \Symfony\Component\Translation\TranslatorInterface
+	 */
+	protected $translator;
+
+	/**
+	 * The Presence Verifier implementation.
+	 *
+	 * @var \Illuminate\Validation\PresenceVerifierInterface
+	 */
+	protected $verifier;
+
+	/**
+	 * The IoC container instance.
+	 *
+	 * @var \Illuminate\Container\Container
+	 */
+	protected $container;
+
+	/**
+	 * All of the custom validator extensions.
+	 *
+	 * @var array
+	 */
+	protected $extensions = array();
+
+	/**
+	 * All of the custom implicit validator extensions.
+	 *
+	 * @var array
+	 */
+	protected $implicitExtensions = array();
+
+	/**
+	 * All of the custom validator message replacers.
+	 *
+	 * @var array
+	 */
+	protected $replacers = array();
+
+	/**
+	 * All of the fallback messages for custom rules.
+	 *
+	 * @var array
+	 */
+	protected $fallbackMessages = array();
+
+	/**
+	 * The Validator resolver instance.
+	 *
+	 * @var Closure
+	 */
+	protected $resolver;
+
+	/**
+	 * Create a new Validator factory instance.
+	 *
+	 * @param  \Symfony\Component\Translation\TranslatorInterface  $translator
+	 * @param  \Illuminate\Container\Container  $container
+	 * @return void
+	 */
+	public function __construct(TranslatorInterface $translator, Container $container = null)
+	{
+		$this->container = $container;
+		$this->translator = $translator;
+	}
+
+	/**
+	 * Create a new Validator instance.
+	 *
+	 * @param  array  $data
+	 * @param  array  $rules
+	 * @param  array  $messages
+	 * @param  array  $customAttributes
+	 * @return \Illuminate\Validation\Validator
+	 */
+	public function make(array $data, array $rules, array $messages = array(), array $customAttributes = array())
+	{
+		// The presence verifier is responsible for checking the unique and exists data
+		// for the validator. It is behind an interface so that multiple versions of
+		// it may be written besides database. We'll inject it into the validator.
+		$validator = $this->resolve($data, $rules, $messages, $customAttributes);
+
+		if ( ! is_null($this->verifier))
+		{
+			$validator->setPresenceVerifier($this->verifier);
+		}
+
+		// Next we'll set the IoC container instance of the validator, which is used to
+		// resolve out class based validator extensions. If it is not set then these
+		// types of extensions will not be possible on these validation instances.
+		if ( ! is_null($this->container))
+		{
+			$validator->setContainer($this->container);
+		}
+
+		$this->addExtensions($validator);
+
+		return $validator;
+	}
+
+	/**
+	 * Add the extensions to a validator instance.
+	 *
+	 * @param  \Illuminate\Validation\Validator  $validator
+	 * @return void
+	 */
+	protected function addExtensions(Validator $validator)
+	{
+		$validator->addExtensions($this->extensions);
+
+		// Next, we will add the implicit extensions, which are similar to the required
+		// and accepted rule in that they are run even if the attributes is not in a
+		// array of data that is given to a validator instances via instantiation.
+		$implicit = $this->implicitExtensions;
+
+		$validator->addImplicitExtensions($implicit);
+
+		$validator->addReplacers($this->replacers);
+
+		$validator->setFallbackMessages($this->fallbackMessages);
+	}
+
+	/**
+	 * Resolve a new Validator instance.
+	 *
+	 * @param  array  $data
+	 * @param  array  $rules
+	 * @param  array  $messages
+	 * @param  array  $customAttributes
+	 * @return \Illuminate\Validation\Validator
+	 */
+	protected function resolve(array $data, array $rules, array $messages, array $customAttributes)
+	{
+		if (is_null($this->resolver))
+		{
+			return new Validator($this->translator, $data, $rules, $messages, $customAttributes);
+		}
+
+		return call_user_func($this->resolver, $this->translator, $data, $rules, $messages, $customAttributes);
+	}
+
+	/**
+	 * Register a custom validator extension.
+	 *
+	 * @param  string  $rule
+	 * @param  \Closure|string  $extension
+	 * @param  string  $message
+	 * @return void
+	 */
+	public function extend($rule, $extension, $message = null)
+	{
+		$this->extensions[$rule] = $extension;
+
+		if ($message) $this->fallbackMessages[snake_case($rule)] = $message;
+	}
+
+	/**
+	 * Register a custom implicit validator extension.
+	 *
+	 * @param  string   $rule
+	 * @param  \Closure|string  $extension
+	 * @param  string  $message
+	 * @return void
+	 */
+	public function extendImplicit($rule, $extension, $message = null)
+	{
+		$this->implicitExtensions[$rule] = $extension;
+
+		if ($message) $this->fallbackMessages[snake_case($rule)] = $message;
+	}
+
+	/**
+	 * Register a custom implicit validator message replacer.
+	 *
+	 * @param  string   $rule
+	 * @param  \Closure|string  $replacer
+	 * @return void
+	 */
+	public function replacer($rule, $replacer)
+	{
+		$this->replacers[$rule] = $replacer;
+	}
+
+	/**
+	 * Set the Validator instance resolver.
+	 *
+	 * @param  \Closure  $resolver
+	 * @return void
+	 */
+	public function resolver(Closure $resolver)
+	{
+		$this->resolver = $resolver;
+	}
+
+	/**
+	 * Get the Translator implementation.
+	 *
+	 * @return \Symfony\Component\Translation\TranslatorInterface
+	 */
+	public function getTranslator()
+	{
+		return $this->translator;
+	}
+
+	/**
+	 * Get the Presence Verifier implementation.
+	 *
+	 * @return \Illuminate\Validation\PresenceVerifierInterface
+	 */
+	public function getPresenceVerifier()
+	{
+		return $this->verifier;
+	}
+
+	/**
+	 * Set the Presence Verifier implementation.
+	 *
+	 * @param  \Illuminate\Validation\PresenceVerifierInterface  $presenceVerifier
+	 * @return void
+	 */
+	public function setPresenceVerifier(PresenceVerifierInterface $presenceVerifier)
+	{
+		$this->verifier = $presenceVerifier;
+	}
+
+}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/01413d65/vendor/laravel/framework/src/Illuminate/Validation/PresenceVerifierInterface.php
----------------------------------------------------------------------
diff --git a/vendor/laravel/framework/src/Illuminate/Validation/PresenceVerifierInterface.php b/vendor/laravel/framework/src/Illuminate/Validation/PresenceVerifierInterface.php
new file mode 100755
index 0000000..32fd3f4
--- /dev/null
+++ b/vendor/laravel/framework/src/Illuminate/Validation/PresenceVerifierInterface.php
@@ -0,0 +1,29 @@
+<?php namespace Illuminate\Validation;
+
+interface PresenceVerifierInterface {
+
+	/**
+	 * Count the number of objects in a collection having the given value.
+	 *
+	 * @param  string  $collection
+	 * @param  string  $column
+	 * @param  string  $value
+	 * @param  int     $excludeId
+	 * @param  string  $idColumn
+	 * @param  array   $extra
+	 * @return int
+	 */
+	public function getCount($collection, $column, $value, $excludeId = null, $idColumn = null, array $extra = array());
+
+	/**
+	 * Count the number of objects in a collection with the given values.
+	 *
+	 * @param  string  $collection
+	 * @param  string  $column
+	 * @param  array   $values
+	 * @param  array   $extra
+	 * @return int
+	 */
+	public function getMultiCount($collection, $column, array $values, array $extra = array());
+
+}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/01413d65/vendor/laravel/framework/src/Illuminate/Validation/ValidationServiceProvider.php
----------------------------------------------------------------------
diff --git a/vendor/laravel/framework/src/Illuminate/Validation/ValidationServiceProvider.php b/vendor/laravel/framework/src/Illuminate/Validation/ValidationServiceProvider.php
new file mode 100755
index 0000000..cf71842
--- /dev/null
+++ b/vendor/laravel/framework/src/Illuminate/Validation/ValidationServiceProvider.php
@@ -0,0 +1,62 @@
+<?php namespace Illuminate\Validation;
+
+use Illuminate\Support\ServiceProvider;
+
+class ValidationServiceProvider extends ServiceProvider {
+
+	/**
+	 * Indicates if loading of the provider is deferred.
+	 *
+	 * @var bool
+	 */
+	protected $defer = true;
+
+	/**
+	 * Register the service provider.
+	 *
+	 * @return void
+	 */
+	public function register()
+	{
+		$this->registerPresenceVerifier();
+
+		$this->app->bindShared('validator', function($app)
+		{
+			$validator = new Factory($app['translator'], $app);
+
+			// The validation presence verifier is responsible for determining the existence
+			// of values in a given data collection, typically a relational database or
+			// other persistent data stores. And it is used to check for uniqueness.
+			if (isset($app['validation.presence']))
+			{
+				$validator->setPresenceVerifier($app['validation.presence']);
+			}
+
+			return $validator;
+		});
+	}
+
+	/**
+	 * Register the database presence verifier.
+	 *
+	 * @return void
+	 */
+	protected function registerPresenceVerifier()
+	{
+		$this->app->bindShared('validation.presence', function($app)
+		{
+			return new DatabasePresenceVerifier($app['db']);
+		});
+	}
+
+	/**
+	 * Get the services provided by the provider.
+	 *
+	 * @return array
+	 */
+	public function provides()
+	{
+		return array('validator', 'validation.presence');
+	}
+
+}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/01413d65/vendor/laravel/framework/src/Illuminate/Validation/Validator.php
----------------------------------------------------------------------
diff --git a/vendor/laravel/framework/src/Illuminate/Validation/Validator.php b/vendor/laravel/framework/src/Illuminate/Validation/Validator.php
new file mode 100755
index 0000000..1c1c64f
--- /dev/null
+++ b/vendor/laravel/framework/src/Illuminate/Validation/Validator.php
@@ -0,0 +1,2567 @@
+<?php namespace Illuminate\Validation;
+
+use Closure;
+use DateTime;
+use DateTimeZone;
+use Illuminate\Support\Fluent;
+use Illuminate\Support\MessageBag;
+use Illuminate\Container\Container;
+use Symfony\Component\HttpFoundation\File\File;
+use Symfony\Component\Translation\TranslatorInterface;
+use Symfony\Component\HttpFoundation\File\UploadedFile;
+use Illuminate\Support\Contracts\MessageProviderInterface;
+
+class Validator implements MessageProviderInterface {
+
+	/**
+	 * The Translator implementation.
+	 *
+	 * @var \Symfony\Component\Translation\TranslatorInterface
+	 */
+	protected $translator;
+
+	/**
+	 * The Presence Verifier implementation.
+	 *
+	 * @var \Illuminate\Validation\PresenceVerifierInterface
+	 */
+	protected $presenceVerifier;
+
+	/**
+	 * The failed validation rules.
+	 *
+	 * @var array
+	 */
+	protected $failedRules = array();
+
+	/**
+	 * The message bag instance.
+	 *
+	 * @var \Illuminate\Support\MessageBag
+	 */
+	protected $messages;
+
+	/**
+	 * The data under validation.
+	 *
+	 * @var array
+	 */
+	protected $data;
+
+	/**
+	 * The files under validation.
+	 *
+	 * @var array
+	 */
+	protected $files = array();
+
+	/**
+	 * The rules to be applied to the data.
+	 *
+	 * @var array
+	 */
+	protected $rules;
+
+	/**
+	 * The array of custom error messages.
+	 *
+	 * @var array
+	 */
+	protected $customMessages = array();
+
+	/**
+	 * The array of fallback error messages.
+	 *
+	 * @var array
+	 */
+	protected $fallbackMessages = array();
+
+	/**
+	 * The array of custom attribute names.
+	 *
+	 * @var array
+	 */
+	protected $customAttributes = array();
+
+	/**
+	 * The array of custom displayabled values.
+	 *
+	 * @var array
+	 */
+	protected $customValues = array();
+
+	/**
+	 * All of the custom validator extensions.
+	 *
+	 * @var array
+	 */
+	protected $extensions = array();
+
+	/**
+	 * All of the custom replacer extensions.
+	 *
+	 * @var array
+	 */
+	protected $replacers = array();
+
+	/**
+	 * The size related validation rules.
+	 *
+	 * @var array
+	 */
+	protected $sizeRules = array('Size', 'Between', 'Min', 'Max');
+
+	/**
+	 * The numeric related validation rules.
+	 *
+	 * @var array
+	 */
+	protected $numericRules = array('Numeric', 'Integer');
+
+	/**
+	 * The validation rules that imply the field is required.
+	 *
+	 * @var array
+	 */
+	protected $implicitRules = array(
+		'Required', 'RequiredWith', 'RequiredWithAll', 'RequiredWithout', 'RequiredWithoutAll', 'RequiredIf', 'Accepted'
+	);
+
+	/**
+	 * Create a new Validator instance.
+	 *
+	 * @param  \Symfony\Component\Translation\TranslatorInterface  $translator
+	 * @param  array  $data
+	 * @param  array  $rules
+	 * @param  array  $messages
+	 * @param  array  $customAttributes
+	 * @return void
+	 */
+	public function __construct(TranslatorInterface $translator, array $data, array $rules, array $messages = array(), array $customAttributes = array())
+	{
+		$this->translator = $translator;
+		$this->customMessages = $messages;
+		$this->data = $this->parseData($data);
+		$this->rules = $this->explodeRules($rules);
+		$this->customAttributes = $customAttributes;
+	}
+
+	/**
+	 * Parse the data and hydrate the files array.
+	 *
+	 * @param  array   $data
+	 * @param  string  $arrayKey
+	 * @return array
+	 */
+	protected function parseData(array $data, $arrayKey = null)
+	{
+		if (is_null($arrayKey))
+		{
+			$this->files = array();
+		}
+
+		foreach ($data as $key => $value)
+		{
+			$key = ($arrayKey) ? "$arrayKey.$key" : $key;
+
+			// If this value is an instance of the HttpFoundation File class we will
+			// remove it from the data array and add it to the files array, which
+			// we use to conveniently separate out these files from other data.
+			if ($value instanceof File)
+			{
+				$this->files[$key] = $value;
+
+				unset($data[$key]);
+			}
+			elseif (is_array($value))
+			{
+				$this->parseData($value, $key);
+			}
+		}
+
+		return $data;
+	}
+
+	/**
+	 * Explode the rules into an array of rules.
+	 *
+	 * @param  string|array  $rules
+	 * @return array
+	 */
+	protected function explodeRules($rules)
+	{
+		foreach ($rules as $key => &$rule)
+		{
+			$rule = (is_string($rule)) ? explode('|', $rule) : $rule;
+		}
+
+		return $rules;
+	}
+
+	/**
+	 * Add conditions to a given field based on a Closure.
+	 *
+	 * @param  string  $attribute
+	 * @param  string|array  $rules
+	 * @param  callable  $callback
+	 * @return void
+	 */
+	public function sometimes($attribute, $rules, callable $callback)
+	{
+		$payload = new Fluent(array_merge($this->data, $this->files));
+
+		if (call_user_func($callback, $payload))
+		{
+			foreach ((array) $attribute as $key)
+			{
+				$this->mergeRules($key, $rules);
+			}
+		}
+	}
+
+	/**
+	 * Define a set of rules that apply to each element in an array attribute.
+	 *
+	 * @param  string  $attribute
+	 * @param  string|array  $rules
+	 * @return void
+	 *
+	 * @throws \InvalidArgumentException
+	 */
+	public function each($attribute, $rules)
+	{
+		$data = array_get($this->data, $attribute);
+
+		if ( ! is_array($data))
+		{
+			if ($this->hasRule($attribute, 'Array')) return;
+
+			throw new \InvalidArgumentException('Attribute for each() must be an array.');
+		}
+
+		foreach ($data as $dataKey => $dataValue)
+		{
+			foreach ($rules as $ruleValue)
+			{
+				$this->mergeRules("$attribute.$dataKey", $ruleValue);
+			}
+		}
+	}
+
+	/**
+	 * Merge additional rules into a given attribute.
+	 *
+	 * @param  string  $attribute
+	 * @param  string|array  $rules
+	 * @return void
+	 */
+	public function mergeRules($attribute, $rules)
+	{
+		$current = isset($this->rules[$attribute]) ? $this->rules[$attribute] : [];
+
+		$merge = head($this->explodeRules(array($rules)));
+
+		$this->rules[$attribute] = array_merge($current, $merge);
+	}
+
+	/**
+	 * Determine if the data passes the validation rules.
+	 *
+	 * @return bool
+	 */
+	public function passes()
+	{
+		$this->messages = new MessageBag;
+
+		// We'll spin through each rule, validating the attributes attached to that
+		// rule. Any error messages will be added to the containers with each of
+		// the other error messages, returning true if we don't have messages.
+		foreach ($this->rules as $attribute => $rules)
+		{
+			foreach ($rules as $rule)
+			{
+				$this->validate($attribute, $rule);
+			}
+		}
+
+		return count($this->messages->all()) === 0;
+	}
+
+	/**
+	 * Determine if the data fails the validation rules.
+	 *
+	 * @return bool
+	 */
+	public function fails()
+	{
+		return ! $this->passes();
+	}
+
+	/**
+	 * Validate a given attribute against a rule.
+	 *
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @return void
+	 */
+	protected function validate($attribute, $rule)
+	{
+		list($rule, $parameters) = $this->parseRule($rule);
+
+		if ($rule == '') return;
+
+		// We will get the value for the given attribute from the array of data and then
+		// verify that the attribute is indeed validatable. Unless the rule implies
+		// that the attribute is required, rules are not run for missing values.
+		$value = $this->getValue($attribute);
+
+		$validatable = $this->isValidatable($rule, $attribute, $value);
+
+		$method = "validate{$rule}";
+
+		if ($validatable && ! $this->$method($attribute, $value, $parameters, $this))
+		{
+			$this->addFailure($attribute, $rule, $parameters);
+		}
+	}
+
+	/**
+	 * Returns the data which was valid.
+	 *
+	 * @return array
+	 */
+	public function valid()
+	{
+		if ( ! $this->messages) $this->passes();
+
+		return array_diff_key($this->data, $this->messages()->toArray());
+	}
+
+	/**
+	 * Returns the data which was invalid.
+	 *
+	 * @return array
+	 */
+	public function invalid()
+	{
+		if ( ! $this->messages) $this->passes();
+
+		return array_intersect_key($this->data, $this->messages()->toArray());
+	}
+
+	/**
+	 * Get the value of a given attribute.
+	 *
+	 * @param  string  $attribute
+	 * @return mixed
+	 */
+	protected function getValue($attribute)
+	{
+		if ( ! is_null($value = array_get($this->data, $attribute)))
+		{
+			return $value;
+		}
+		elseif ( ! is_null($value = array_get($this->files, $attribute)))
+		{
+			return $value;
+		}
+	}
+
+	/**
+	 * Determine if the attribute is validatable.
+	 *
+	 * @param  string  $rule
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function isValidatable($rule, $attribute, $value)
+	{
+		return $this->presentOrRuleIsImplicit($rule, $attribute, $value) &&
+               $this->passesOptionalCheck($attribute) &&
+               $this->hasNotFailedPreviousRuleIfPresenceRule($rule, $attribute);
+	}
+
+	/**
+	 * Determine if the field is present, or the rule implies required.
+	 *
+	 * @param  string  $rule
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function presentOrRuleIsImplicit($rule, $attribute, $value)
+	{
+		return $this->validateRequired($attribute, $value) || $this->isImplicit($rule);
+	}
+
+	/**
+	 * Determine if the attribute passes any optional check.
+	 *
+	 * @param  string  $attribute
+	 * @return bool
+	 */
+	protected function passesOptionalCheck($attribute)
+	{
+		if ($this->hasRule($attribute, array('Sometimes')))
+		{
+			return array_key_exists($attribute, array_dot($this->data))
+				|| in_array($attribute, array_keys($this->data))
+				|| array_key_exists($attribute, $this->files);
+		}
+
+		return true;
+	}
+
+	/**
+	 * Determine if a given rule implies the attribute is required.
+	 *
+	 * @param  string  $rule
+	 * @return bool
+	 */
+	protected function isImplicit($rule)
+	{
+		return in_array($rule, $this->implicitRules);
+	}
+
+	/**
+	 * Determine if it's a necessary presence validation.
+	 *
+	 * This is to avoid possible database type comparison errors.
+	 *
+	 * @param  string  $rule
+	 * @param  string  $attribute
+	 * @return bool
+	 */
+	protected function hasNotFailedPreviousRuleIfPresenceRule($rule, $attribute)
+	{
+		return in_array($rule, ['Unique', 'Exists'])
+						? ! $this->messages->has($attribute): true;
+	}
+
+	/**
+	 * Add a failed rule and error message to the collection.
+	 *
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return void
+	 */
+	protected function addFailure($attribute, $rule, $parameters)
+	{
+		$this->addError($attribute, $rule, $parameters);
+
+		$this->failedRules[$attribute][$rule] = $parameters;
+	}
+
+	/**
+	 * Add an error message to the validator's collection of messages.
+	 *
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return void
+	 */
+	protected function addError($attribute, $rule, $parameters)
+	{
+		$message = $this->getMessage($attribute, $rule);
+
+		$message = $this->doReplacements($message, $attribute, $rule, $parameters);
+
+		$this->messages->add($attribute, $message);
+	}
+
+	/**
+	 * "Validate" optional attributes.
+	 *
+	 * Always returns true, just lets us put sometimes in rules.
+	 *
+	 * @return bool
+	 */
+	protected function validateSometimes()
+	{
+		return true;
+	}
+
+	/**
+	 * Validate that a required attribute exists.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateRequired($attribute, $value)
+	{
+		if (is_null($value))
+		{
+			return false;
+		}
+		elseif (is_string($value) && trim($value) === '')
+		{
+			return false;
+		}
+		elseif ((is_array($value) || $value instanceof \Countable) && count($value) < 1)
+		{
+			return false;
+		}
+		elseif ($value instanceof File)
+		{
+			return (string) $value->getPath() != '';
+		}
+
+		return true;
+	}
+
+	/**
+	 * Validate the given attribute is filled if it is present.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateFilled($attribute, $value)
+	{
+		if (array_key_exists($attribute, $this->data) || array_key_exists($attribute, $this->files))
+		{
+			return $this->validateRequired($attribute, $value);
+		}
+
+		return true;
+	}
+
+	/**
+	 * Determine if any of the given attributes fail the required test.
+	 *
+	 * @param  array  $attributes
+	 * @return bool
+	 */
+	protected function anyFailingRequired(array $attributes)
+	{
+		foreach ($attributes as $key)
+		{
+			if ( ! $this->validateRequired($key, $this->getValue($key)))
+			{
+				return true;
+			}
+		}
+
+		return false;
+	}
+
+	/**
+	 * Determine if all of the given attributes fail the required test.
+	 *
+	 * @param  array  $attributes
+	 * @return bool
+	 */
+	protected function allFailingRequired(array $attributes)
+	{
+		foreach ($attributes as $key)
+		{
+			if ($this->validateRequired($key, $this->getValue($key)))
+			{
+				return false;
+			}
+		}
+
+		return true;
+	}
+
+	/**
+	 * Validate that an attribute exists when any other attribute exists.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  mixed   $parameters
+	 * @return bool
+	 */
+	protected function validateRequiredWith($attribute, $value, $parameters)
+	{
+		if ( ! $this->allFailingRequired($parameters))
+		{
+			return $this->validateRequired($attribute, $value);
+		}
+
+		return true;
+	}
+
+	/**
+	 * Validate that an attribute exists when all other attributes exists.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  mixed   $parameters
+	 * @return bool
+	 */
+	protected function validateRequiredWithAll($attribute, $value, $parameters)
+	{
+		if ( ! $this->anyFailingRequired($parameters))
+		{
+			return $this->validateRequired($attribute, $value);
+		}
+
+		return true;
+	}
+
+	/**
+	 * Validate that an attribute exists when another attribute does not.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  mixed   $parameters
+	 * @return bool
+	 */
+	protected function validateRequiredWithout($attribute, $value, $parameters)
+	{
+		if ($this->anyFailingRequired($parameters))
+		{
+			return $this->validateRequired($attribute, $value);
+		}
+
+		return true;
+	}
+
+	/**
+	 * Validate that an attribute exists when all other attributes do not.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  mixed   $parameters
+	 * @return bool
+	 */
+	protected function validateRequiredWithoutAll($attribute, $value, $parameters)
+	{
+		if ($this->allFailingRequired($parameters))
+		{
+			return $this->validateRequired($attribute, $value);
+		}
+
+		return true;
+	}
+
+	/**
+	 * Validate that an attribute exists when another attribute has a given value.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  mixed   $parameters
+	 * @return bool
+	 */
+	protected function validateRequiredIf($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(2, $parameters, 'required_if');
+
+		$data = array_get($this->data, $parameters[0]);
+
+		$values = array_slice($parameters, 1);
+
+		if (in_array($data, $values))
+		{
+			return $this->validateRequired($attribute, $value);
+		}
+
+		return true;
+	}
+
+	/**
+	 * Get the number of attributes in a list that are present.
+	 *
+	 * @param  array  $attributes
+	 * @return int
+	 */
+	protected function getPresentCount($attributes)
+	{
+		$count = 0;
+
+		foreach ($attributes as $key)
+		{
+			if (array_get($this->data, $key) || array_get($this->files, $key))
+			{
+				$count++;
+			}
+		}
+
+		return $count;
+	}
+
+	/**
+	 * Validate that an attribute has a matching confirmation.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateConfirmed($attribute, $value)
+	{
+		return $this->validateSame($attribute, $value, array($attribute.'_confirmation'));
+	}
+
+	/**
+	 * Validate that two attributes match.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateSame($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'same');
+
+		$other = array_get($this->data, $parameters[0]);
+
+		return (isset($other) && $value == $other);
+	}
+
+	/**
+	 * Validate that an attribute is different from another attribute.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateDifferent($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'different');
+
+		$other = $parameters[0];
+
+		return isset($this->data[$other]) && $value != $this->data[$other];
+	}
+
+	/**
+	 * Validate that an attribute was "accepted".
+	 *
+	 * This validation rule implies the attribute is "required".
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateAccepted($attribute, $value)
+	{
+		$acceptable = array('yes', 'on', '1', 1, true, 'true');
+
+		return ($this->validateRequired($attribute, $value) && in_array($value, $acceptable, true));
+	}
+
+	/**
+	 * Validate that an attribute is an array.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateArray($attribute, $value)
+	{
+		return is_array($value);
+	}
+
+	/**
+	 * Validate that an attribute is a boolean.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateBoolean($attribute, $value)
+	{
+		$acceptable = array(true, false, 0, 1, '0', '1');
+
+		return in_array($value, $acceptable, true);
+	}
+
+	/**
+	 * Validate that an attribute is an integer.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateInteger($attribute, $value)
+	{
+		return filter_var($value, FILTER_VALIDATE_INT) !== false;
+	}
+
+	/**
+	 * Validate that an attribute is numeric.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateNumeric($attribute, $value)
+	{
+		return is_numeric($value);
+	}
+
+	/**
+	 * Validate that an attribute is a string.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateString($attribute, $value)
+	{
+		return is_string($value);
+	}
+
+	/**
+	 * Validate that an attribute has a given number of digits.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateDigits($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'digits');
+
+		return $this->validateNumeric($attribute, $value)
+			&& strlen((string) $value) == $parameters[0];
+	}
+
+	/**
+	 * Validate that an attribute is between a given number of digits.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateDigitsBetween($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(2, $parameters, 'digits_between');
+
+		$length = strlen((string) $value);
+
+		return $this->validateNumeric($attribute, $value)
+		  && $length >= $parameters[0] && $length <= $parameters[1];
+	}
+
+	/**
+	 * Validate the size of an attribute.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateSize($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'size');
+
+		return $this->getSize($attribute, $value) == $parameters[0];
+	}
+
+	/**
+	 * Validate the size of an attribute is between a set of values.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateBetween($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(2, $parameters, 'between');
+
+		$size = $this->getSize($attribute, $value);
+
+		return $size >= $parameters[0] && $size <= $parameters[1];
+	}
+
+	/**
+	 * Validate the size of an attribute is greater than a minimum value.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateMin($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'min');
+
+		return $this->getSize($attribute, $value) >= $parameters[0];
+	}
+
+	/**
+	 * Validate the size of an attribute is less than a maximum value.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateMax($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'max');
+
+		if ($value instanceof UploadedFile && ! $value->isValid()) return false;
+
+		return $this->getSize($attribute, $value) <= $parameters[0];
+	}
+
+	/**
+	 * Get the size of an attribute.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return mixed
+	 */
+	protected function getSize($attribute, $value)
+	{
+		$hasNumeric = $this->hasRule($attribute, $this->numericRules);
+
+		// This method will determine if the attribute is a number, string, or file and
+		// return the proper size accordingly. If it is a number, then number itself
+		// is the size. If it is a file, we take kilobytes, and for a string the
+		// entire length of the string will be considered the attribute size.
+		if (is_numeric($value) && $hasNumeric)
+		{
+			return array_get($this->data, $attribute);
+		}
+		elseif (is_array($value))
+		{
+			return count($value);
+		}
+		elseif ($value instanceof File)
+		{
+			return $value->getSize() / 1024;
+		}
+
+		return $this->getStringSize($value);
+	}
+
+	/**
+	 * Get the size of a string.
+	 *
+	 * @param  string  $value
+	 * @return int
+	 */
+	protected function getStringSize($value)
+	{
+		if (function_exists('mb_strlen')) return mb_strlen($value);
+
+		return strlen($value);
+	}
+
+	/**
+	 * Validate an attribute is contained within a list of values.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateIn($attribute, $value, $parameters)
+	{
+		return in_array((string) $value, $parameters);
+	}
+
+	/**
+	 * Validate an attribute is not contained within a list of values.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateNotIn($attribute, $value, $parameters)
+	{
+		return ! $this->validateIn($attribute, $value, $parameters);
+	}
+
+	/**
+	 * Validate the uniqueness of an attribute value on a given database table.
+	 *
+	 * If a database column is not specified, the attribute will be used.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateUnique($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'unique');
+
+		$table = $parameters[0];
+
+		// The second parameter position holds the name of the column that needs to
+		// be verified as unique. If this parameter isn't specified we will just
+		// assume that this column to be verified shares the attribute's name.
+		$column = isset($parameters[1]) ? $parameters[1] : $attribute;
+
+		list($idColumn, $id) = array(null, null);
+
+		if (isset($parameters[2]))
+		{
+			list($idColumn, $id) = $this->getUniqueIds($parameters);
+
+			if (strtolower($id) == 'null') $id = null;
+		}
+
+		// The presence verifier is responsible for counting rows within this store
+		// mechanism which might be a relational database or any other permanent
+		// data store like Redis, etc. We will use it to determine uniqueness.
+		$verifier = $this->getPresenceVerifier();
+
+		$extra = $this->getUniqueExtra($parameters);
+
+		return $verifier->getCount(
+
+			$table, $column, $value, $id, $idColumn, $extra
+
+		) == 0;
+	}
+
+	/**
+	 * Get the excluded ID column and value for the unique rule.
+	 *
+	 * @param  array  $parameters
+	 * @return array
+	 */
+	protected function getUniqueIds($parameters)
+	{
+		$idColumn = isset($parameters[3]) ? $parameters[3] : 'id';
+
+		return array($idColumn, $parameters[2]);
+	}
+
+	/**
+	 * Get the extra conditions for a unique rule.
+	 *
+	 * @param  array  $parameters
+	 * @return array
+	 */
+	protected function getUniqueExtra($parameters)
+	{
+		if (isset($parameters[4]))
+		{
+			return $this->getExtraConditions(array_slice($parameters, 4));
+		}
+
+		return array();
+	}
+
+	/**
+	 * Validate the existence of an attribute value in a database table.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateExists($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'exists');
+
+		$table = $parameters[0];
+
+		// The second parameter position holds the name of the column that should be
+		// verified as existing. If this parameter is not specified we will guess
+		// that the columns being "verified" shares the given attribute's name.
+		$column = isset($parameters[1]) ? $parameters[1] : $attribute;
+
+		$expected = (is_array($value)) ? count($value) : 1;
+
+		return $this->getExistCount($table, $column, $value, $parameters) >= $expected;
+	}
+
+	/**
+	 * Get the number of records that exist in storage.
+	 *
+	 * @param  string  $table
+	 * @param  string  $column
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return int
+	 */
+	protected function getExistCount($table, $column, $value, $parameters)
+	{
+		$verifier = $this->getPresenceVerifier();
+
+		$extra = $this->getExtraExistConditions($parameters);
+
+		if (is_array($value))
+		{
+			return $verifier->getMultiCount($table, $column, $value, $extra);
+		}
+
+		return $verifier->getCount($table, $column, $value, null, null, $extra);
+	}
+
+	/**
+	 * Get the extra exist conditions.
+	 *
+	 * @param  array  $parameters
+	 * @return array
+	 */
+	protected function getExtraExistConditions(array $parameters)
+	{
+		return $this->getExtraConditions(array_values(array_slice($parameters, 2)));
+	}
+
+	/**
+	 * Get the extra conditions for a unique / exists rule.
+	 *
+	 * @param  array  $segments
+	 * @return array
+	 */
+	protected function getExtraConditions(array $segments)
+	{
+		$extra = array();
+
+		$count = count($segments);
+
+		for ($i = 0; $i < $count; $i = $i + 2)
+		{
+			$extra[$segments[$i]] = $segments[$i + 1];
+		}
+
+		return $extra;
+	}
+
+	/**
+	 * Validate that an attribute is a valid IP.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateIp($attribute, $value)
+	{
+		return filter_var($value, FILTER_VALIDATE_IP) !== false;
+	}
+
+	/**
+	 * Validate that an attribute is a valid e-mail address.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateEmail($attribute, $value)
+	{
+		return filter_var($value, FILTER_VALIDATE_EMAIL) !== false;
+	}
+
+	/**
+	 * Validate that an attribute is a valid URL.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateUrl($attribute, $value)
+	{
+		return filter_var($value, FILTER_VALIDATE_URL) !== false;
+	}
+
+	/**
+	 * Validate that an attribute is an active URL.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateActiveUrl($attribute, $value)
+	{
+		$url = str_replace(array('http://', 'https://', 'ftp://'), '', strtolower($value));
+
+		return checkdnsrr($url);
+	}
+
+	/**
+	 * Validate the MIME type of a file is an image MIME type.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateImage($attribute, $value)
+	{
+		return $this->validateMimes($attribute, $value, array('jpeg', 'png', 'gif', 'bmp'));
+	}
+
+	/**
+	 * Validate the MIME type of a file upload attribute is in a set of MIME types.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed  $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateMimes($attribute, $value, $parameters)
+	{
+		if ( ! $this->isAValidFileInstance($value))
+		{
+			return false;
+		}
+
+		return $value->getPath() != '' && in_array($value->guessExtension(), $parameters);
+	}
+
+	/**
+	 * Check that the given value is a valid file instance.
+	 *
+	 * @param  mixed  $value
+	 * @return bool
+	 */
+	protected function isAValidFileInstance($value)
+	{
+		if ($value instanceof UploadedFile && ! $value->isValid()) return false;
+
+		return $value instanceof File;
+	}
+
+	/**
+	 * Validate that an attribute contains only alphabetic characters.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateAlpha($attribute, $value)
+	{
+		return preg_match('/^[\pL\pM]+$/u', $value);
+	}
+
+	/**
+	 * Validate that an attribute contains only alpha-numeric characters.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateAlphaNum($attribute, $value)
+	{
+		return preg_match('/^[\pL\pM\pN]+$/u', $value);
+	}
+
+	/**
+	 * Validate that an attribute contains only alpha-numeric characters, dashes, and underscores.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateAlphaDash($attribute, $value)
+	{
+		return preg_match('/^[\pL\pM\pN_-]+$/u', $value);
+	}
+
+	/**
+	 * Validate that an attribute passes a regular expression check.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateRegex($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'regex');
+
+		return preg_match($parameters[0], $value);
+	}
+
+	/**
+	 * Validate that an attribute is a valid date.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateDate($attribute, $value)
+	{
+		if ($value instanceof DateTime) return true;
+
+		if (strtotime($value) === false) return false;
+
+		$date = date_parse($value);
+
+		return checkdate($date['month'], $date['day'], $date['year']);
+	}
+
+	/**
+	 * Validate that an attribute matches a date format.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateDateFormat($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'date_format');
+
+		$parsed = date_parse_from_format($parameters[0], $value);
+
+		return $parsed['error_count'] === 0 && $parsed['warning_count'] === 0;
+	}
+
+	/**
+	 * Validate the date is before a given date.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateBefore($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'before');
+
+		if ($format = $this->getDateFormat($attribute))
+		{
+			return $this->validateBeforeWithFormat($format, $value, $parameters);
+		}
+
+		if ( ! ($date = strtotime($parameters[0])))
+		{
+			return strtotime($value) < strtotime($this->getValue($parameters[0]));
+		}
+
+		return strtotime($value) < $date;
+	}
+
+	/**
+	 * Validate the date is before a given date with a given format.
+	 *
+	 * @param  string  $format
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateBeforeWithFormat($format, $value, $parameters)
+	{
+		$param = $this->getValue($parameters[0]) ?: $parameters[0];
+
+		return $this->checkDateTimeOrder($format, $value, $param);
+	}
+
+	/**
+	 * Validate the date is after a given date.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateAfter($attribute, $value, $parameters)
+	{
+		$this->requireParameterCount(1, $parameters, 'after');
+
+		if ($format = $this->getDateFormat($attribute))
+		{
+			return $this->validateAfterWithFormat($format, $value, $parameters);
+		}
+
+		if ( ! ($date = strtotime($parameters[0])))
+		{
+			return strtotime($value) > strtotime($this->getValue($parameters[0]));
+		}
+
+		return strtotime($value) > $date;
+	}
+
+	/**
+	 * Validate the date is after a given date with a given format.
+	 *
+	 * @param  string  $format
+	 * @param  mixed   $value
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function validateAfterWithFormat($format, $value, $parameters)
+	{
+		$param = $this->getValue($parameters[0]) ?: $parameters[0];
+
+		return $this->checkDateTimeOrder($format, $param, $value);
+	}
+
+	/**
+	 * Given two date/time strings, check that one is after the other.
+	 *
+	 * @param  string  $format
+	 * @param  string  $before
+	 * @param  string  $after
+	 * @return bool
+	 */
+	protected function checkDateTimeOrder($format, $before, $after)
+	{
+		$before = $this->getDateTimeWithOptionalFormat($format, $before);
+
+		$after = $this->getDateTimeWithOptionalFormat($format, $after);
+
+		return ($before && $after) && ($after > $before);
+	}
+
+	/**
+	 * Get a DateTime instance from a string.
+	 *
+	 * @param  string  $format
+	 * @param  string  $value
+	 * @return \DateTime|null
+	 */
+	protected function getDateTimeWithOptionalFormat($format, $value)
+	{
+		$date = DateTime::createFromFormat($format, $value);
+
+		if ($date) return $date;
+
+		try
+		{
+			return new DateTime($value);
+		}
+		catch (\Exception $e)
+		{
+			return null;
+		}
+	}
+
+	/**
+	 * Validate that an attribute is a valid timezone.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return bool
+	 */
+	protected function validateTimezone($attribute, $value)
+	{
+		try
+		{
+			new DateTimeZone($value);
+		}
+		catch (\Exception $e)
+		{
+			return false;
+		}
+
+		return true;
+	}
+
+	/**
+	 * Get the date format for an attribute if it has one.
+	 *
+	 * @param  string  $attribute
+	 * @return string|null
+	 */
+	protected function getDateFormat($attribute)
+	{
+		if ($result = $this->getRule($attribute, 'DateFormat'))
+		{
+			return $result[1][0];
+		}
+	}
+
+	/**
+	 * Get the validation message for an attribute and rule.
+	 *
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @return string
+	 */
+	protected function getMessage($attribute, $rule)
+	{
+		$lowerRule = snake_case($rule);
+
+		$inlineMessage = $this->getInlineMessage($attribute, $lowerRule);
+
+		// First we will retrieve the custom message for the validation rule if one
+		// exists. If a custom validation message is being used we'll return the
+		// custom message, otherwise we'll keep searching for a valid message.
+		if ( ! is_null($inlineMessage))
+		{
+			return $inlineMessage;
+		}
+
+		$customKey = "validation.custom.{$attribute}.{$lowerRule}";
+
+		$customMessage = $this->translator->trans($customKey);
+
+		// First we check for a custom defined validation message for the attribute
+		// and rule. This allows the developer to specify specific messages for
+		// only some attributes and rules that need to get specially formed.
+		if ($customMessage !== $customKey)
+		{
+			return $customMessage;
+		}
+
+		// If the rule being validated is a "size" rule, we will need to gather the
+		// specific error message for the type of attribute being validated such
+		// as a number, file or string which all have different message types.
+		elseif (in_array($rule, $this->sizeRules))
+		{
+			return $this->getSizeMessage($attribute, $rule);
+		}
+
+		// Finally, if no developer specified messages have been set, and no other
+		// special messages apply for this rule, we will just pull the default
+		// messages out of the translator service for this validation rule.
+		$key = "validation.{$lowerRule}";
+
+		if ($key != ($value = $this->translator->trans($key)))
+		{
+			return $value;
+		}
+
+		return $this->getInlineMessage(
+			$attribute, $lowerRule, $this->fallbackMessages
+		) ?: $key;
+	}
+
+	/**
+	 * Get the inline message for a rule if it exists.
+	 *
+	 * @param  string  $attribute
+	 * @param  string  $lowerRule
+	 * @param  array   $source
+	 * @return string
+	 */
+	protected function getInlineMessage($attribute, $lowerRule, $source = null)
+	{
+		$source = $source ?: $this->customMessages;
+
+		$keys = array("{$attribute}.{$lowerRule}", $lowerRule);
+
+		// First we will check for a custom message for an attribute specific rule
+		// message for the fields, then we will check for a general custom line
+		// that is not attribute specific. If we find either we'll return it.
+		foreach ($keys as $key)
+		{
+			if (isset($source[$key])) return $source[$key];
+		}
+	}
+
+	/**
+	 * Get the proper error message for an attribute and size rule.
+	 *
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @return string
+	 */
+	protected function getSizeMessage($attribute, $rule)
+	{
+		$lowerRule = snake_case($rule);
+
+		// There are three different types of size validations. The attribute may be
+		// either a number, file, or string so we will check a few things to know
+		// which type of value it is and return the correct line for that type.
+		$type = $this->getAttributeType($attribute);
+
+		$key = "validation.{$lowerRule}.{$type}";
+
+		return $this->translator->trans($key);
+	}
+
+	/**
+	 * Get the data type of the given attribute.
+	 *
+	 * @param  string  $attribute
+	 * @return string
+	 */
+	protected function getAttributeType($attribute)
+	{
+		// We assume that the attributes present in the file array are files so that
+		// means that if the attribute does not have a numeric rule and the files
+		// list doesn't have it we'll just consider it a string by elimination.
+		if ($this->hasRule($attribute, $this->numericRules))
+		{
+			return 'numeric';
+		}
+		elseif ($this->hasRule($attribute, array('Array')))
+		{
+			return 'array';
+		}
+		elseif (array_key_exists($attribute, $this->files))
+		{
+			return 'file';
+		}
+
+		return 'string';
+	}
+
+	/**
+	 * Replace all error message place-holders with actual values.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function doReplacements($message, $attribute, $rule, $parameters)
+	{
+		$message = str_replace(':attribute', $this->getAttribute($attribute), $message);
+
+		if (isset($this->replacers[snake_case($rule)]))
+		{
+			$message = $this->callReplacer($message, $attribute, snake_case($rule), $parameters);
+		}
+		elseif (method_exists($this, $replacer = "replace{$rule}"))
+		{
+			$message = $this->$replacer($message, $attribute, $rule, $parameters);
+		}
+
+		return $message;
+	}
+
+	/**
+	 * Transform an array of attributes to their displayable form.
+	 *
+	 * @param  array  $values
+	 * @return array
+	 */
+	protected function getAttributeList(array $values)
+	{
+		$attributes = array();
+
+		// For each attribute in the list we will simply get its displayable form as
+		// this is convenient when replacing lists of parameters like some of the
+		// replacement functions do when formatting out the validation message.
+		foreach ($values as $key => $value)
+		{
+			$attributes[$key] = $this->getAttribute($value);
+		}
+
+		return $attributes;
+	}
+
+	/**
+	 * Get the displayable name of the attribute.
+	 *
+	 * @param  string  $attribute
+	 * @return string
+	 */
+	protected function getAttribute($attribute)
+	{
+		// The developer may dynamically specify the array of custom attributes
+		// on this Validator instance. If the attribute exists in this array
+		// it takes precedence over all other ways we can pull attributes.
+		if (isset($this->customAttributes[$attribute]))
+		{
+			return $this->customAttributes[$attribute];
+		}
+
+		$key = "validation.attributes.{$attribute}";
+
+		// We allow for the developer to specify language lines for each of the
+		// attributes allowing for more displayable counterparts of each of
+		// the attributes. This provides the ability for simple formats.
+		if (($line = $this->translator->trans($key)) !== $key)
+		{
+			return $line;
+		}
+
+		// If no language line has been specified for the attribute all of the
+		// underscores are removed from the attribute name and that will be
+		// used as default versions of the attribute's displayable names.
+		return str_replace('_', ' ', snake_case($attribute));
+	}
+
+	/**
+	 * Get the displayable name of the value.
+	 *
+	 * @param  string  $attribute
+	 * @param  mixed   $value
+	 * @return string
+	 */
+	public function getDisplayableValue($attribute, $value)
+	{
+		if (isset($this->customValues[$attribute][$value]))
+		{
+			return $this->customValues[$attribute][$value];
+		}
+
+		$key = "validation.values.{$attribute}.{$value}";
+
+		if (($line = $this->translator->trans($key)) !== $key)
+		{
+			return $line;
+		}
+
+		return $value;
+	}
+
+	/**
+	 * Replace all place-holders for the between rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceBetween($message, $attribute, $rule, $parameters)
+	{
+		return str_replace(array(':min', ':max'), $parameters, $message);
+	}
+
+	/**
+	 * Replace all place-holders for the digits rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceDigits($message, $attribute, $rule, $parameters)
+	{
+		return str_replace(':digits', $parameters[0], $message);
+	}
+
+	/**
+	 * Replace all place-holders for the digits (between) rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceDigitsBetween($message, $attribute, $rule, $parameters)
+	{
+		return $this->replaceBetween($message, $attribute, $rule, $parameters);
+	}
+
+	/**
+	 * Replace all place-holders for the size rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceSize($message, $attribute, $rule, $parameters)
+	{
+		return str_replace(':size', $parameters[0], $message);
+	}
+
+	/**
+	 * Replace all place-holders for the min rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceMin($message, $attribute, $rule, $parameters)
+	{
+		return str_replace(':min', $parameters[0], $message);
+	}
+
+	/**
+	 * Replace all place-holders for the max rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceMax($message, $attribute, $rule, $parameters)
+	{
+		return str_replace(':max', $parameters[0], $message);
+	}
+
+	/**
+	 * Replace all place-holders for the in rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceIn($message, $attribute, $rule, $parameters)
+	{
+		foreach ($parameters as &$parameter)
+		{
+			$parameter = $this->getDisplayableValue($attribute, $parameter);
+		}
+
+		return str_replace(':values', implode(', ', $parameters), $message);
+	}
+
+	/**
+	 * Replace all place-holders for the not_in rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceNotIn($message, $attribute, $rule, $parameters)
+	{
+		return $this->replaceIn($message, $attribute, $rule, $parameters);
+	}
+
+	/**
+	 * Replace all place-holders for the mimes rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceMimes($message, $attribute, $rule, $parameters)
+	{
+		return str_replace(':values', implode(', ', $parameters), $message);
+	}
+
+	/**
+	 * Replace all place-holders for the required_with rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceRequiredWith($message, $attribute, $rule, $parameters)
+	{
+		$parameters = $this->getAttributeList($parameters);
+
+		return str_replace(':values', implode(' / ', $parameters), $message);
+	}
+
+	/**
+	 * Replace all place-holders for the required_without rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceRequiredWithout($message, $attribute, $rule, $parameters)
+	{
+		return $this->replaceRequiredWith($message, $attribute, $rule, $parameters);
+	}
+
+	/**
+	 * Replace all place-holders for the required_without_all rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceRequiredWithoutAll($message, $attribute, $rule, $parameters)
+	{
+		return $this->replaceRequiredWith($message, $attribute, $rule, $parameters);
+	}
+
+	/**
+	 * Replace all place-holders for the required_if rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceRequiredIf($message, $attribute, $rule, $parameters)
+	{
+		$parameters[1] = $this->getDisplayableValue($parameters[0], array_get($this->data, $parameters[0]));
+
+		$parameters[0] = $this->getAttribute($parameters[0]);
+
+		return str_replace(array(':other', ':value'), $parameters, $message);
+	}
+
+	/**
+	 * Replace all place-holders for the same rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceSame($message, $attribute, $rule, $parameters)
+	{
+		return str_replace(':other', $this->getAttribute($parameters[0]), $message);
+	}
+
+	/**
+	 * Replace all place-holders for the different rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceDifferent($message, $attribute, $rule, $parameters)
+	{
+		return $this->replaceSame($message, $attribute, $rule, $parameters);
+	}
+
+	/**
+	 * Replace all place-holders for the date_format rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceDateFormat($message, $attribute, $rule, $parameters)
+	{
+		return str_replace(':format', $parameters[0], $message);
+	}
+
+	/**
+	 * Replace all place-holders for the before rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceBefore($message, $attribute, $rule, $parameters)
+	{
+		if ( ! (strtotime($parameters[0])))
+		{
+			return str_replace(':date', $this->getAttribute($parameters[0]), $message);
+		}
+
+		return str_replace(':date', $parameters[0], $message);
+	}
+
+	/**
+	 * Replace all place-holders for the after rule.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function replaceAfter($message, $attribute, $rule, $parameters)
+	{
+		return $this->replaceBefore($message, $attribute, $rule, $parameters);
+	}
+
+	/**
+	 * Determine if the given attribute has a rule in the given set.
+	 *
+	 * @param  string  $attribute
+	 * @param  string|array  $rules
+	 * @return bool
+	 */
+	protected function hasRule($attribute, $rules)
+	{
+		return ! is_null($this->getRule($attribute, $rules));
+	}
+
+	/**
+	 * Get a rule and its parameters for a given attribute.
+	 *
+	 * @param  string  $attribute
+	 * @param  string|array  $rules
+	 * @return array|null
+	 */
+	protected function getRule($attribute, $rules)
+	{
+		if ( ! array_key_exists($attribute, $this->rules))
+		{
+			return;
+		}
+
+		$rules = (array) $rules;
+
+		foreach ($this->rules[$attribute] as $rule)
+		{
+			list($rule, $parameters) = $this->parseRule($rule);
+
+			if (in_array($rule, $rules)) return [$rule, $parameters];
+		}
+	}
+
+	/**
+	 * Extract the rule name and parameters from a rule.
+	 *
+	 * @param  array|string  $rules
+	 * @return array
+	 */
+	protected function parseRule($rules)
+	{
+		if (is_array($rules))
+		{
+			return $this->parseArrayRule($rules);
+		}
+
+		return $this->parseStringRule($rules);
+	}
+
+	/**
+	 * Parse an array based rule.
+	 *
+	 * @param  array  $rules
+	 * @return array
+	 */
+	protected function parseArrayRule(array $rules)
+	{
+		return array(studly_case(trim(array_get($rules, 0))), array_slice($rules, 1));
+	}
+
+	/**
+	 * Parse a string based rule.
+	 *
+	 * @param  string  $rules
+	 * @return array
+	 */
+	protected function parseStringRule($rules)
+	{
+		$parameters = [];
+
+		// The format for specifying validation rules and parameters follows an
+		// easy {rule}:{parameters} formatting convention. For instance the
+		// rule "Max:3" states that the value may only be three letters.
+		if (strpos($rules, ':') !== false)
+		{
+			list($rules, $parameter) = explode(':', $rules, 2);
+
+			$parameters = $this->parseParameters($rules, $parameter);
+		}
+
+		return array(studly_case(trim($rules)), $parameters);
+	}
+
+	/**
+	 * Parse a parameter list.
+	 *
+	 * @param  string  $rule
+	 * @param  string  $parameter
+	 * @return array
+	 */
+	protected function parseParameters($rule, $parameter)
+	{
+		if (strtolower($rule) == 'regex') return array($parameter);
+
+		return str_getcsv($parameter);
+	}
+
+	/**
+	 * Get the array of custom validator extensions.
+	 *
+	 * @return array
+	 */
+	public function getExtensions()
+	{
+		return $this->extensions;
+	}
+
+	/**
+	 * Register an array of custom validator extensions.
+	 *
+	 * @param  array  $extensions
+	 * @return void
+	 */
+	public function addExtensions(array $extensions)
+	{
+		if ($extensions)
+		{
+			$keys = array_map('snake_case', array_keys($extensions));
+
+			$extensions = array_combine($keys, array_values($extensions));
+		}
+
+		$this->extensions = array_merge($this->extensions, $extensions);
+	}
+
+	/**
+	 * Register an array of custom implicit validator extensions.
+	 *
+	 * @param  array  $extensions
+	 * @return void
+	 */
+	public function addImplicitExtensions(array $extensions)
+	{
+		$this->addExtensions($extensions);
+
+		foreach ($extensions as $rule => $extension)
+		{
+			$this->implicitRules[] = studly_case($rule);
+		}
+	}
+
+	/**
+	 * Register a custom validator extension.
+	 *
+	 * @param  string  $rule
+	 * @param  \Closure|string  $extension
+	 * @return void
+	 */
+	public function addExtension($rule, $extension)
+	{
+		$this->extensions[snake_case($rule)] = $extension;
+	}
+
+	/**
+	 * Register a custom implicit validator extension.
+	 *
+	 * @param  string   $rule
+	 * @param  \Closure|string  $extension
+	 * @return void
+	 */
+	public function addImplicitExtension($rule, $extension)
+	{
+		$this->addExtension($rule, $extension);
+
+		$this->implicitRules[] = studly_case($rule);
+	}
+
+	/**
+	 * Get the array of custom validator message replacers.
+	 *
+	 * @return array
+	 */
+	public function getReplacers()
+	{
+		return $this->replacers;
+	}
+
+	/**
+	 * Register an array of custom validator message replacers.
+	 *
+	 * @param  array  $replacers
+	 * @return void
+	 */
+	public function addReplacers(array $replacers)
+	{
+		if ($replacers)
+		{
+			$keys = array_map('snake_case', array_keys($replacers));
+
+			$replacers = array_combine($keys, array_values($replacers));
+		}
+
+		$this->replacers = array_merge($this->replacers, $replacers);
+	}
+
+	/**
+	 * Register a custom validator message replacer.
+	 *
+	 * @param  string  $rule
+	 * @param  \Closure|string  $replacer
+	 * @return void
+	 */
+	public function addReplacer($rule, $replacer)
+	{
+		$this->replacers[snake_case($rule)] = $replacer;
+	}
+
+	/**
+	 * Get the data under validation.
+	 *
+	 * @return array
+	 */
+	public function getData()
+	{
+		return $this->data;
+	}
+
+	/**
+	 * Set the data under validation.
+	 *
+	 * @param  array  $data
+	 * @return void
+	 */
+	public function setData(array $data)
+	{
+		$this->data = $this->parseData($data);
+	}
+
+	/**
+	 * Get the validation rules.
+	 *
+	 * @return array
+	 */
+	public function getRules()
+	{
+		return $this->rules;
+	}
+
+	/**
+	 * Set the validation rules.
+	 *
+	 * @param  array  $rules
+	 * @return $this
+	 */
+	public function setRules(array $rules)
+	{
+		$this->rules = $this->explodeRules($rules);
+
+		return $this;
+	}
+
+	/**
+	 * Set the custom attributes on the validator.
+	 *
+	 * @param  array  $attributes
+	 * @return $this
+	 */
+	public function setAttributeNames(array $attributes)
+	{
+		$this->customAttributes = $attributes;
+
+		return $this;
+	}
+
+	/**
+	 * Set the custom values on the validator.
+	 *
+	 * @param  array  $values
+	 * @return $this
+	 */
+	public function setValueNames(array $values)
+	{
+		$this->customValues = $values;
+
+		return $this;
+	}
+
+	/**
+	 * Get the files under validation.
+	 *
+	 * @return array
+	 */
+	public function getFiles()
+	{
+		return $this->files;
+	}
+
+	/**
+	 * Set the files under validation.
+	 *
+	 * @param  array  $files
+	 * @return $this
+	 */
+	public function setFiles(array $files)
+	{
+		$this->files = $files;
+
+		return $this;
+	}
+
+	/**
+	 * Get the Presence Verifier implementation.
+	 *
+	 * @return \Illuminate\Validation\PresenceVerifierInterface
+	 *
+	 * @throws \RuntimeException
+	 */
+	public function getPresenceVerifier()
+	{
+		if ( ! isset($this->presenceVerifier))
+		{
+			throw new \RuntimeException("Presence verifier has not been set.");
+		}
+
+		return $this->presenceVerifier;
+	}
+
+	/**
+	 * Set the Presence Verifier implementation.
+	 *
+	 * @param  \Illuminate\Validation\PresenceVerifierInterface  $presenceVerifier
+	 * @return void
+	 */
+	public function setPresenceVerifier(PresenceVerifierInterface $presenceVerifier)
+	{
+		$this->presenceVerifier = $presenceVerifier;
+	}
+
+	/**
+	 * Get the Translator implementation.
+	 *
+	 * @return \Symfony\Component\Translation\TranslatorInterface
+	 */
+	public function getTranslator()
+	{
+		return $this->translator;
+	}
+
+	/**
+	 * Set the Translator implementation.
+	 *
+	 * @param  \Symfony\Component\Translation\TranslatorInterface  $translator
+	 * @return void
+	 */
+	public function setTranslator(TranslatorInterface $translator)
+	{
+		$this->translator = $translator;
+	}
+
+	/**
+	 * Get the custom messages for the validator
+	 *
+	 * @return array
+	 */
+	public function getCustomMessages()
+	{
+		return $this->customMessages;
+	}
+
+	/**
+	 * Set the custom messages for the validator
+	 *
+	 * @param  array  $messages
+	 * @return void
+	 */
+	public function setCustomMessages(array $messages)
+	{
+		$this->customMessages = array_merge($this->customMessages, $messages);
+	}
+
+	/**
+	 * Get the custom attributes used by the validator.
+	 *
+	 * @return array
+	 */
+	public function getCustomAttributes()
+	{
+		return $this->customAttributes;
+	}
+
+	/**
+	 * Add custom attributes to the validator.
+	 *
+	 * @param  array  $customAttributes
+	 * @return $this
+	 */
+	public function addCustomAttributes(array $customAttributes)
+	{
+		$this->customAttributes = array_merge($this->customAttributes, $customAttributes);
+
+		return $this;
+	}
+
+	/**
+	 * Get the custom values for the validator.
+	 *
+	 * @return array
+	 */
+	public function getCustomValues()
+	{
+		return $this->customValues;
+	}
+
+	/**
+	 * Add the custom values for the validator.
+	 *
+	 * @param  array  $customValues
+	 * @return $this
+	 */
+	public function addCustomValues(array $customValues)
+	{
+		$this->customValues = array_merge($this->customValues, $customValues);
+
+		return $this;
+	}
+
+	/**
+	 * Get the fallback messages for the validator.
+	 *
+	 * @return array
+	 */
+	public function getFallbackMessages()
+	{
+		return $this->fallbackMessages;
+	}
+
+	/**
+	 * Set the fallback messages for the validator.
+	 *
+	 * @param  array  $messages
+	 * @return void
+	 */
+	public function setFallbackMessages(array $messages)
+	{
+		$this->fallbackMessages = $messages;
+	}
+
+	/**
+	 * Get the failed validation rules.
+	 *
+	 * @return array
+	 */
+	public function failed()
+	{
+		return $this->failedRules;
+	}
+
+	/**
+	 * Get the message container for the validator.
+	 *
+	 * @return \Illuminate\Support\MessageBag
+	 */
+	public function messages()
+	{
+		if ( ! $this->messages) $this->passes();
+
+		return $this->messages;
+	}
+
+	/**
+	 * An alternative more semantic shortcut to the message container.
+	 *
+	 * @return \Illuminate\Support\MessageBag
+	 */
+	public function errors()
+	{
+		return $this->messages();
+	}
+
+	/**
+	 * Get the messages for the instance.
+	 *
+	 * @return \Illuminate\Support\MessageBag
+	 */
+	public function getMessageBag()
+	{
+		return $this->messages();
+	}
+
+	/**
+	 * Set the IoC container instance.
+	 *
+	 * @param  \Illuminate\Container\Container  $container
+	 * @return void
+	 */
+	public function setContainer(Container $container)
+	{
+		$this->container = $container;
+	}
+
+	/**
+	 * Call a custom validator extension.
+	 *
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function callExtension($rule, $parameters)
+	{
+		$callback = $this->extensions[$rule];
+
+		if ($callback instanceof Closure)
+		{
+			return call_user_func_array($callback, $parameters);
+		}
+		elseif (is_string($callback))
+		{
+			return $this->callClassBasedExtension($callback, $parameters);
+		}
+	}
+
+	/**
+	 * Call a class based validator extension.
+	 *
+	 * @param  string  $callback
+	 * @param  array   $parameters
+	 * @return bool
+	 */
+	protected function callClassBasedExtension($callback, $parameters)
+	{
+		list($class, $method) = explode('@', $callback);
+
+		return call_user_func_array(array($this->container->make($class), $method), $parameters);
+	}
+
+	/**
+	 * Call a custom validator message replacer.
+	 *
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function callReplacer($message, $attribute, $rule, $parameters)
+	{
+		$callback = $this->replacers[$rule];
+
+		if ($callback instanceof Closure)
+		{
+			return call_user_func_array($callback, func_get_args());
+		}
+		elseif (is_string($callback))
+		{
+			return $this->callClassBasedReplacer($callback, $message, $attribute, $rule, $parameters);
+		}
+	}
+
+	/**
+	 * Call a class based validator message replacer.
+	 *
+	 * @param  string  $callback
+	 * @param  string  $message
+	 * @param  string  $attribute
+	 * @param  string  $rule
+	 * @param  array   $parameters
+	 * @return string
+	 */
+	protected function callClassBasedReplacer($callback, $message, $attribute, $rule, $parameters)
+	{
+		list($class, $method) = explode('@', $callback);
+
+		return call_user_func_array(array($this->container->make($class), $method), array_slice(func_get_args(), 1));
+	}
+
+	/**
+	 * Require a certain number of parameters to be present.
+	 *
+	 * @param  int    $count
+	 * @param  array  $parameters
+	 * @param  string  $rule
+	 * @return void
+	 * @throws \InvalidArgumentException
+	 */
+	protected function requireParameterCount($count, $parameters, $rule)
+	{
+		if (count($parameters) < $count)
+		{
+			throw new \InvalidArgumentException("Validation rule $rule requires at least $count parameters.");
+		}
+	}
+
+	/**
+	 * Handle dynamic calls to class methods.
+	 *
+	 * @param  string  $method
+	 * @param  array   $parameters
+	 * @return mixed
+	 *
+	 * @throws \BadMethodCallException
+	 */
+	public function __call($method, $parameters)
+	{
+		$rule = snake_case(substr($method, 8));
+
+		if (isset($this->extensions[$rule]))
+		{
+			return $this->callExtension($rule, $parameters);
+		}
+
+		throw new \BadMethodCallException("Method [$method] does not exist.");
+	}
+
+}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/01413d65/vendor/laravel/framework/src/Illuminate/Validation/composer.json
----------------------------------------------------------------------
diff --git a/vendor/laravel/framework/src/Illuminate/Validation/composer.json b/vendor/laravel/framework/src/Illuminate/Validation/composer.json
new file mode 100755
index 0000000..755a7f7
--- /dev/null
+++ b/vendor/laravel/framework/src/Illuminate/Validation/composer.json
@@ -0,0 +1,32 @@
+{
+    "name": "illuminate/validation",
+    "license": "MIT",
+    "authors": [
+        {
+            "name": "Taylor Otwell",
+            "email": "taylorotwell@gmail.com"
+        }
+    ],
+    "require": {
+        "php": ">=5.4.0",
+        "illuminate/container": "4.2.*",
+        "illuminate/support": "4.2.*",
+        "symfony/http-foundation": "2.5.*",
+        "symfony/translation": "2.5.*"
+    },
+    "require-dev": {
+        "illuminate/database": "4.2.*"
+    },
+    "autoload": {
+        "psr-0": {
+            "Illuminate\\Validation": ""
+        }
+    },
+    "target-dir": "Illuminate/Validation",
+    "extra": {
+        "branch-alias": {
+            "dev-master": "4.2-dev"
+        }
+    },
+    "minimum-stability": "dev"
+}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/01413d65/vendor/laravel/framework/src/Illuminate/View/Compilers/BladeCompiler.php
----------------------------------------------------------------------
diff --git a/vendor/laravel/framework/src/Illuminate/View/Compilers/BladeCompiler.php b/vendor/laravel/framework/src/Illuminate/View/Compilers/BladeCompiler.php
new file mode 100644
index 0000000..64528d5
--- /dev/null
+++ b/vendor/laravel/framework/src/Illuminate/View/Compilers/BladeCompiler.php
@@ -0,0 +1,727 @@
+<?php namespace Illuminate\View\Compilers;
+
+use Closure;
+
+class BladeCompiler extends Compiler implements CompilerInterface {
+
+	/**
+	 * All of the registered extensions.
+	 *
+	 * @var array
+	 */
+	protected $extensions = array();
+
+	/**
+	 * The file currently being compiled.
+	 *
+	 * @var string
+	 */
+	protected $path;
+
+	/**
+	 * All of the available compiler functions.
+	 *
+	 * @var array
+	 */
+	protected $compilers = array(
+		'Extensions',
+		'Statements',
+		'Comments',
+		'Echos'
+	);
+
+	/**
+	 * Array of opening and closing tags for escaped echos.
+	 *
+	 * @var array
+	 */
+	protected $contentTags = array('{{', '}}');
+
+	/**
+	 * Array of opening and closing tags for escaped echos.
+	 *
+	 * @var array
+	 */
+	protected $escapedTags = array('{{{', '}}}');
+
+	/**
+	 * Array of footer lines to be added to template.
+	 *
+	 * @var array
+	 */
+	protected $footer = array();
+
+	/**
+	 * Counter to keep track of nested forelse statements.
+	 *
+	 * @var int
+	 */
+	protected $forelseCounter = 0;
+
+	/**
+	 * Compile the view at the given path.
+	 *
+	 * @param  string  $path
+	 * @return void
+	 */
+	public function compile($path = null)
+	{
+		$this->footer = array();
+
+		if ($path)
+		{
+			$this->setPath($path);
+		}
+
+		$contents = $this->compileString($this->files->get($path));
+
+		if ( ! is_null($this->cachePath))
+		{
+			$this->files->put($this->getCompiledPath($this->getPath()), $contents);
+		}
+	}
+
+	/**
+	 * Get the path currently being compiled.
+	 *
+	 * @return string
+	 */
+	public function getPath()
+	{
+		return $this->path;
+	}
+
+	/**
+	 * Set the path currently being compiled.
+	 *
+	 * @param  string  $path
+	 * @return void
+	 */
+	public function setPath($path)
+	{
+		$this->path = $path;
+	}
+
+	/**
+	 * Compile the given Blade template contents.
+	 *
+	 * @param  string  $value
+	 * @return string
+	 */
+	public function compileString($value)
+	{
+		$result = '';
+
+		// Here we will loop through all of the tokens returned by the Zend lexer and
+		// parse each one into the corresponding valid PHP. We will then have this
+		// template as the correctly rendered PHP that can be rendered natively.
+		foreach (token_get_all($value) as $token)
+		{
+			$result .= is_array($token) ? $this->parseToken($token) : $token;
+		}
+
+		// If there are any footer lines that need to get added to a template we will
+		// add them here at the end of the template. This gets used mainly for the
+		// template inheritance via the extends keyword that should be appended.
+		if (count($this->footer) > 0)
+		{
+			$result = ltrim($result, PHP_EOL)
+					.PHP_EOL.implode(PHP_EOL, array_reverse($this->footer));
+		}
+
+		return $result;
+	}
+
+	/**
+	 * Parse the tokens from the template.
+	 *
+	 * @param  array  $token
+	 * @return string
+	 */
+	protected function parseToken($token)
+	{
+		list($id, $content) = $token;
+
+		if ($id == T_INLINE_HTML)
+		{
+			foreach ($this->compilers as $type)
+			{
+				$content = $this->{"compile{$type}"}($content);
+			}
+		}
+
+		return $content;
+	}
+
+	/**
+	 * Execute the user defined extensions.
+	 *
+	 * @param  string  $value
+	 * @return string
+	 */
+	protected function compileExtensions($value)
+	{
+		foreach ($this->extensions as $compiler)
+		{
+			$value = call_user_func($compiler, $value, $this);
+		}
+
+		return $value;
+	}
+
+	/**
+	 * Compile Blade comments into valid PHP.
+	 *
+	 * @param  string  $value
+	 * @return string
+	 */
+	protected function compileComments($value)
+	{
+		$pattern = sprintf('/%s--((.|\s)*?)--%s/', $this->contentTags[0], $this->contentTags[1]);
+
+		return preg_replace($pattern, '<?php /*$1*/ ?>', $value);
+	}
+
+	/**
+	 * Compile Blade echos into valid PHP.
+	 *
+	 * @param  string  $value
+	 * @return string
+	 */
+	protected function compileEchos($value)
+	{
+		$difference = strlen($this->contentTags[0]) - strlen($this->escapedTags[0]);
+
+		if ($difference > 0)
+		{
+			return $this->compileEscapedEchos($this->compileRegularEchos($value));
+		}
+
+		return $this->compileRegularEchos($this->compileEscapedEchos($value));
+	}
+
+	/**
+	 * Compile Blade Statements that start with "@"
+	 *
+	 * @param  string  $value
+	 * @return mixed
+	 */
+	protected function compileStatements($value)
+	{
+		$callback = function($match)
+		{
+			if (method_exists($this, $method = 'compile'.ucfirst($match[1])))
+			{
+				$match[0] = $this->$method(array_get($match, 3));
+			}
+
+			return isset($match[3]) ? $match[0] : $match[0].$match[2];
+		};
+
+		return preg_replace_callback('/\B@(\w+)([ \t]*)(\( ( (?>[^()]+) | (?3) )* \))?/x', $callback, $value);
+	}
+
+	/**
+	 * Compile the "regular" echo statements.
+	 *
+	 * @param  string  $value
+	 * @return string
+	 */
+	protected function compileRegularEchos($value)
+	{
+		$pattern = sprintf('/(@)?%s\s*(.+?)\s*%s(\r?\n)?/s', $this->contentTags[0], $this->contentTags[1]);
+
+		$callback = function($matches)
+		{
+			$whitespace = empty($matches[3]) ? '' : $matches[3].$matches[3];
+
+			return $matches[1] ? substr($matches[0], 1) : '<?php echo '.$this->compileEchoDefaults($matches[2]).'; ?>'.$whitespace;
+		};
+
+		return preg_replace_callback($pattern, $callback, $value);
+	}
+
+	/**
+	 * Compile the escaped echo statements.
+	 *
+	 * @param  string  $value
+	 * @return string
+	 */
+	protected function compileEscapedEchos($value)
+	{
+		$pattern = sprintf('/%s\s*(.+?)\s*%s(\r?\n)?/s', $this->escapedTags[0], $this->escapedTags[1]);
+
+		$callback = function($matches)
+		{
+			$whitespace = empty($matches[2]) ? '' : $matches[2].$matches[2];
+
+			return '<?php echo e('.$this->compileEchoDefaults($matches[1]).'); ?>'.$whitespace;
+		};
+
+		return preg_replace_callback($pattern, $callback, $value);
+	}
+
+	/**
+	 * Compile the default values for the echo statement.
+	 *
+	 * @param  string  $value
+	 * @return string
+	 */
+	public function compileEchoDefaults($value)
+	{
+		return preg_replace('/^(?=\$)(.+?)(?:\s+or\s+)(.+?)$/s', 'isset($1) ? $1 : $2', $value);
+	}
+
+	/**
+	 * Compile the each statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEach($expression)
+	{
+		return "<?php echo \$__env->renderEach{$expression}; ?>";
+	}
+
+	/**
+	 * Compile the yield statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileYield($expression)
+	{
+		return "<?php echo \$__env->yieldContent{$expression}; ?>";
+	}
+
+	/**
+	 * Compile the show statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileShow($expression)
+	{
+		return "<?php echo \$__env->yieldSection(); ?>";
+	}
+
+	/**
+	 * Compile the section statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileSection($expression)
+	{
+		return "<?php \$__env->startSection{$expression}; ?>";
+	}
+
+	/**
+	 * Compile the append statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileAppend($expression)
+	{
+		return "<?php \$__env->appendSection(); ?>";
+	}
+
+	/**
+	 * Compile the end-section statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEndsection($expression)
+	{
+		return "<?php \$__env->stopSection(); ?>";
+	}
+
+	/**
+	 * Compile the stop statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileStop($expression)
+	{
+		return "<?php \$__env->stopSection(); ?>";
+	}
+
+	/**
+	 * Compile the overwrite statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileOverwrite($expression)
+	{
+		return "<?php \$__env->stopSection(true); ?>";
+	}
+
+	/**
+	 * Compile the unless statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileUnless($expression)
+	{
+		return "<?php if ( ! $expression): ?>";
+	}
+
+	/**
+	 * Compile the end unless statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEndunless($expression)
+	{
+		return "<?php endif; ?>";
+	}
+
+	/**
+	 * Compile the lang statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileLang($expression)
+	{
+		return "<?php echo \\Illuminate\\Support\\Facades\\Lang::get$expression; ?>";
+	}
+
+	/**
+	 * Compile the choice statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileChoice($expression)
+	{
+		return "<?php echo \\Illuminate\\Support\\Facades\\Lang::choice$expression; ?>";
+	}
+
+	/**
+	 * Compile the else statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileElse($expression)
+	{
+		return "<?php else: ?>";
+	}
+
+	/**
+	 * Compile the for statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileFor($expression)
+	{
+		return "<?php for{$expression}: ?>";
+	}
+
+	/**
+	 * Compile the foreach statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileForeach($expression)
+	{
+		return "<?php foreach{$expression}: ?>";
+	}
+
+	/**
+	 * Compile the forelse statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileForelse($expression)
+	{
+		$empty = '$__empty_' . ++$this->forelseCounter;
+
+		return "<?php {$empty} = true; foreach{$expression}: {$empty} = false; ?>";
+	}
+
+	/**
+	 * Compile the if statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileIf($expression)
+	{
+		return "<?php if{$expression}: ?>";
+	}
+
+	/**
+	 * Compile the else-if statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileElseif($expression)
+	{
+		return "<?php elseif{$expression}: ?>";
+	}
+
+	/**
+	 * Compile the forelse statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEmpty($expression)
+	{
+		$empty = '$__empty_' . $this->forelseCounter--;
+
+		return "<?php endforeach; if ({$empty}): ?>";
+	}
+
+	/**
+	 * Compile the while statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileWhile($expression)
+	{
+		return "<?php while{$expression}: ?>";
+	}
+
+	/**
+	 * Compile the end-while statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEndwhile($expression)
+	{
+		return "<?php endwhile; ?>";
+	}
+
+	/**
+	 * Compile the end-for statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEndfor($expression)
+	{
+		return "<?php endfor; ?>";
+	}
+
+	/**
+	 * Compile the end-for-each statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEndforeach($expression)
+	{
+		return "<?php endforeach; ?>";
+	}
+
+	/**
+	 * Compile the end-if statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEndif($expression)
+	{
+		return "<?php endif; ?>";
+	}
+
+	/**
+	 * Compile the end-for-else statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEndforelse($expression)
+	{
+		return "<?php endif; ?>";
+	}
+
+	/**
+	 * Compile the extends statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileExtends($expression)
+	{
+		if (starts_with($expression, '('))
+		{
+			$expression = substr($expression, 1, -1);
+		}
+
+		$data = "<?php echo \$__env->make($expression, array_except(get_defined_vars(), array('__data', '__path')))->render(); ?>";
+
+		$this->footer[] = $data;
+
+		return '';
+	}
+
+	/**
+	 * Compile the include statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileInclude($expression)
+	{
+		if (starts_with($expression, '('))
+		{
+			$expression = substr($expression, 1, -1);
+		}
+
+		return "<?php echo \$__env->make($expression, array_except(get_defined_vars(), array('__data', '__path')))->render(); ?>";
+	}
+
+	/**
+	 * Compile the stack statements into the content
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileStack($expression)
+	{
+		return "<?php echo \$__env->yieldContent{$expression}; ?>";
+	}
+
+	/**
+	 * Compile the push statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compilePush($expression)
+	{
+		return "<?php \$__env->startSection{$expression}; ?>";
+	}
+
+	/**
+	 * Compile the endpush statements into valid PHP.
+	 *
+	 * @param  string  $expression
+	 * @return string
+	 */
+	protected function compileEndpush($expression)
+	{
+		return "<?php \$__env->appendSection(); ?>";
+	}
+
+	/**
+	 * Register a custom Blade compiler.
+	 *
+	 * @param  \Closure  $compiler
+	 * @return void
+	 */
+	public function extend(Closure $compiler)
+	{
+		$this->extensions[] = $compiler;
+	}
+
+	/**
+	 * Get the regular expression for a generic Blade function.
+	 *
+	 * @param  string  $function
+	 * @return string
+	 */
+	public function createMatcher($function)
+	{
+		return '/(?<!\w)(\s*)@'.$function.'(\s*\(.*\))/';
+	}
+
+	/**
+	 * Get the regular expression for a generic Blade function.
+	 *
+	 * @param  string  $function
+	 * @return string
+	 */
+	public function createOpenMatcher($function)
+	{
+		return '/(?<!\w)(\s*)@'.$function.'(\s*\(.*)\)/';
+	}
+
+	/**
+	 * Create a plain Blade matcher.
+	 *
+	 * @param  string  $function
+	 * @return string
+	 */
+	public function createPlainMatcher($function)
+	{
+		return '/(?<!\w)(\s*)@'.$function.'(\s*)/';
+	}
+
+	/**
+	 * Sets the content tags used for the compiler.
+	 *
+	 * @param  string  $openTag
+	 * @param  string  $closeTag
+	 * @param  bool    $escaped
+	 * @return void
+	 */
+	public function setContentTags($openTag, $closeTag, $escaped = false)
+	{
+		$property = ($escaped === true) ? 'escapedTags' : 'contentTags';
+
+		$this->{$property} = array(preg_quote($openTag), preg_quote($closeTag));
+	}
+
+	/**
+	 * Sets the escaped content tags used for the compiler.
+	 *
+	 * @param  string  $openTag
+	 * @param  string  $closeTag
+	 * @return void
+	 */
+	public function setEscapedContentTags($openTag, $closeTag)
+	{
+		$this->setContentTags($openTag, $closeTag, true);
+	}
+
+	/**
+	* Gets the content tags used for the compiler.
+	*
+	* @return string
+	*/
+	public function getContentTags()
+	{
+		return $this->getTags();
+	}
+
+	/**
+	* Gets the escaped content tags used for the compiler.
+	*
+	* @return string
+	*/
+	public function getEscapedContentTags()
+	{
+		return $this->getTags(true);
+	}
+
+	/**
+	 * Gets the tags used for the compiler.
+	 *
+	 * @param  bool  $escaped
+	 * @return array
+	 */
+	protected function getTags($escaped = false)
+	{
+		$tags = $escaped ? $this->escapedTags : $this->contentTags;
+
+		return array_map('stripcslashes', $tags);
+	}
+
+}