ActionScript 3 has done away with the LoadVars class and when I was updating my ContactForm for AS3 I was trying to figure out how to mimic the sendAndLoad() method that LoadVars provided. I stumbled upon an article by Peter Elst which explained how to do this so I'm going to outline the differences here.
Let's take a look at the old AS2 code:
Actionscript:
-
var msg: LoadVars = new LoadVars ( );
-
var msgSent: LoadVars = new LoadVars ( );
-
-
msg. var1 = "one";
-
msg. var2 = "two";
-
-
msgSent. onLoad = function ($success: Boolean ): Void
-
{
-
if ($success )
-
{
-
trace ( "Message sent." );
-
}
-
else
-
{
-
trace ( "Message failed." );
-
}
-
};
-
-
msg. sendAndLoad ( "http://www.reintroducing.com/script.php", msgSent );
And here is the AS3 equivalent:
Actionscript:
-
var scriptRequest:URLRequest = new URLRequest ( "http://www.reintroducing.com/script.php" );
-
var scriptLoader:URLLoader = new URLLoader ( );
-
var scriptVars:URLVariables = new URLVariables ( );
-
-
scriptLoader. addEventListener (Event. COMPLETE, handleLoadSuccessful );
-
scriptLoader. addEventListener (IOErrorEvent. IO_ERROR, handleLoadError );
-
-
scriptVars. var1 = "one";
-
scriptVars. var2 = "two";
-
-
scriptRequest. method = URLRequestMethod. POST;
-
scriptRequest. data = scriptVars;
-
-
scriptLoader. load (scriptRequest );
-
-
function handleLoadSuccessful ($evt:Event ): void
-
{
-
trace ( "Message sent." );
-
}
-
-
function handleLoadError ($evt:IOErrorEvent ): void
-
{
-
trace ( "Message failed." );
-
}
As you can see, there is a new URLVariables class that stores the information you want to pass to your script. You then pass that URLVariables instance to the URLRequest's data property. Essentially, what this does, is create a query string with all the variables appended to it. The above actually looks like this when it is sent to the server:
http://www.reintroducing.com/script.php?var1=one&var2=two
That is what the PHP script receives and then handles it on the script's end to do whatever it is that you are wanting to do. I also explicitly set the URLRequest's method to be POST by setting the URLRequestMethod.POST constant (for GET, you'd just set URLRequestMethod.GET).
http://evolve.reintroducing.com/2008/01/27/as2-to-as3/as2-%E2%86%92-as3-loadvars-as3-equivalent/