Sending email with laravel, but doesn't recognize variable

mXX picture mXX · Oct 16, 2013 · Viewed 43k times · Source

I'm trying to send an email through Laravel, but I'm getting this error:

Undefined variable: contactEmail

Even though it got defined above it. What is going wrong here?

Controller

$contactName = Input::get('name');
$contactEmail = Input::get('email');
$contactMessage = Input::get('message');

$data = array('name'=>$contactName, 'email'=>$contactEmail, 'message'=>$contactMessage);
Mail::send('template.mail', $data, function($message)
{   
    $message->from($contactEmail, $contactName);
    $message->to('[email protected]', 'myName')->subject('Mail via aallouch.com');
});

EDIT:

template.mail

Name: {{$name}}
Email: {{$email}}
Message:{{$message}}

Answer

Antonio Carlos Ribeiro picture Antonio Carlos Ribeiro · Oct 16, 2013

As your $data variable is defined as:

$data = array(
    'name'=>$contactName, 
    'email'=>$contactEmail, 
    'message'=>$contactMessage
);

You won't have a $data available in your view, but you can use directly:

{{ $name }}
{{ $email }}
{{ $message }}

EDIT:

And your controller should have:

    $contactName = Input::get('name');
    $contactEmail = Input::get('email');
    $contactMessage = Input::get('message');

    $data = array('name'=>$contactName, 'email'=>$contactEmail, 'message'=>$contactMessage);
    Mail::send('template.mail', $data, function($message) use ($contactEmail, $contactName)
    {   
        $message->from($contactEmail, $contactName);
        $message->to('[email protected]', 'myName')->subject('Mail via aallouch.com');
    });

You must pass your variables to the closure using

use ($contactEmail, $contactName)

As shown above.