473,803 Members | 3,857 Online
Bytes | Software Development & Data Engineering Community
+ Post

Home Posts Topics Members FAQ

how does PHP5 process POST data in creating $_POST array?

I need to save a wav file that is HTTP POSTed to a php page.
What does PHP5 do automatically to a POSTed variable when it puts it in
the $_POST[] superglobal array? I haven't been able to find any info on
this....

I have a script that does what I want in PERL, but I need to do it in
PHP.
I think the PERL does something magic when it does this:
#### PERL CODE ####
read ( STDIN, $buffer, $ENV { 'CONTENT_LENGTH ' } );

@pairs = split ( /&/, $buffer );

foreach $pair ( @pairs )
{
($name, $value) = split(/=/, $pair);

$value =~ tr/+/ /;
$value =~ s/%([a-fA-F0-9][a-fA-F0-9])/pack("C", hex($1))/eg;

$FORM { $name } = $value;
}
#### END PERL CODE ####

This is where it separates out the name,value pairs, and for the value,
does the equivalent of urldecode(), base64decode() (am I correct?)

It looks like PHP5 is automatically doing base64decode() and
urldecode(), because when I look at the raw tcpdump of the HTTP
session, I see this:

POST.<obscured>/save_wav.php.HT TP/1.0..
Content-Type:.applicati on/x-www-form-urlencoded..
User-Agent:.BeVocal/2.7.VoiceXML/2.0.BVPlatform/1.8.5.rc1a..
Host:.<obscured >..
Content-Length:.147341. .
Via:.1.1.bvcapx y002:8080.(squi d/2.5.STABLE4)..
X-Forwarded-For:.10.0.121.2 15..
Cache-Control:.max-age=0..
Connection:.kee p-alive..
...
message=RIFF%E4 %C6%00%00WAVEfm t+%10%00%00%00% 01%00%01%00
(90K more of this follows)

But when I look at the data as $_POST['message'], I see this:
RIFFt\0\0WAVEf mt \0\0\0\0\0@ \0\0@\0\0\0\ 0\0\0dataîs\0\0 ÿ

the + was translated to " " and the %NN was translated back to normal
value.

So, my question is, if PHP5 is doing base64decode and urldecode
automatically, why is my data still coming across corrupt?

Here is how I'm trying to save it:

// PHP CODE

$writepath=<som e path>;
$filename="wavf ile";

$wavdata=$_POST["message"];
$lpn=$_POST["license_plate_ number"];
$callerid=$_POS T["callerid"];

file_put_conten ts("$writepath/$filename-raw.wav", "$wavdata") ;

file_put_conten ts("$writepath/$filename-u.wav", urldecode($wavd ata));
// exactly same as raw file

// END PHP CODE

This writes all the data to a file, and I see the wav header, but the
data doesn't look right when I compare it to the output from the PERL
script (i'm not sure if visually comparing two wav files get me
anything)

Is there another way I should be saving this besides
file_put_conten ts()?

Background info:
I have a voicexml app that sends three things to my php page:
callerid (string)
license_plate_n umber (string)
message (wav data)

I have no problem accessing:
$_POST["callerid"]
$_POST["license_plate_ number"]

My voiceXML app sends the wav data as "audio/wav", and the enctype is
"applicatio n/x-www-form-urlencoded"

I've been searching all over the internet for the past few days and I'm
stuck.

help, please?

Billy Becker

Jul 17 '05
14 4339
I just discoverd the "always_populat e_raw_post_data = on" directive
that you can add to the php.ini file. With that in place, I am able to
get to the $HTTP_RAW_POST_ DATA string, and see my values. From here, I
just need to parse the string, and then urldecode() and base64decode()
the part I want.

It's a hassle, but atleast I'll get to what I want.

Still would like to know what exactly PHP5 does when it stick variables
in the $_POST[] array...

--
Billy

Jul 17 '05 #11
OK... I got it to work. First thing, though... there is no
base64_decode() going on. I was mistaken. All that is needed is
urldecode().

Here is my process for getting to POST variables from
$HTTP_RAW_POST_ DATA:

<?php

//not sure if this is needed, because it works whether it's set or not
set_magic_quote s_runtime( "0" );

function &parse_http_raw _post_data(&$da ta, $split1str = '&', $split2str
= '=')
// data: the initial string to split up
// composed of key=value pairs, separated by & characters
{
$split1dat = explode($split1 str, $data);
$num = count($split1da t);

if (! $num) {
return false;
}

for ($i = 0; $i < $num; $i++) {
$split2dat=expl ode($split2str, $split1dat[$i]);
$ret[$split2dat[$i]] = $split2dat[$i + 1];
}

return $ret;
}

$vxml_prolog = <<<EOPL
<?xml version="1.0"?>
<vxml version="2.0" xmlns="http://www.w3.org/2001/vxml">
<form>
<block>
EOPL;

$vxml_exit = <<<EOXIT
</block>
<disconnect/>
</form>
</vxml>
EOXIT;

$writepath = "/home/billy/public_html/writedir";
$filename="wave file";

if ($_GET['usefile'] == 1)
{
//I use this for testing: pass ?usefile=1 to enable the script to
read from a file.
$rawdata=file_g et_contents("$w ritepath/test.dat",rb);
$lpn=$_GET['lpn'];
$callerid=$_GET['callerid'];
}
else
{
//this is the normal method
$rawdata=$HTTP_ RAW_POST_DATA;
$lpn=$_POST['license_plate_ number'];
$callerid=$_POS T['callerid'];
$postdata=$_POS T['message'];
}

$parsedata=pars e_http_raw_post _data($rawdata) ;
$wavdata=$parse data['message'];

file_put_conten ts("$writepath/$filename-raw.wav", $wavdata);
file_put_conten ts("$writepath/$filename-post.wav", $postdata);
file_put_conten ts("$writepath/$filename-u.wav", urldecode($wavd ata));

$vxml_body = <<<EOBODY
<prompt>
Report on License Plate <say-as type="spell-out">$lpn</say-as>,
reported by <say-as type="telephone ">$callerid </say-as>
has been saved to: $filename.
Thank you for calling. Good Bye!
</prompt>
EOBODY;

// Form is submitted from vxml app
// I need to send a response wrapped inside of proper voicexml tags
// this stuff has nothing to do with the wavfile processing
print ($vxml_prolog);
print ($vxml_body);
print ($vxml_exit);

?>

This creates a useable file named wavefile-u.wav, and a corrupt file
named wavefule-post.wav. Comparing wavefile-u.wav and
wavefile-post.wav, I see that -post has about 200 bytes of extra data,
and the header section looks completely different. If anyone wants to
take a look at them, email me and i'll send them to you.

So, although I have a functional system that does what I want, I'd
still like to know what PHP5 does to POSTed variables when it puts them
in the $_POST[] array.

--
Billy

Jul 17 '05 #12
OK... I got it to work. First thing, though... there is no
base64_decode() going on. I was mistaken. All that is needed is
urldecode().

Here is my process for getting to POST variables from
$HTTP_RAW_POST_ DATA:

<?php

//not sure if this is needed, because it works whether it's set or not
set_magic_quote s_runtime( "0" );

function &parse_http_raw _post_data(&$da ta, $split1str = '&', $split2str
= '=')
// data: the initial string to split up
// composed of key=value pairs, separated by & characters
{
$split1dat = explode($split1 str, $data);
$num = count($split1da t);

if (! $num) {
return false;
}

for ($i = 0; $i < $num; $i++) {
$split2dat=expl ode($split2str, $split1dat[$i]);
$ret[$split2dat[$i]] = $split2dat[$i + 1];
}

return $ret;
}

$vxml_prolog = <<<EOPL
<?xml version="1.0"?>
<vxml version="2.0" xmlns="http://www.w3.org/2001/vxml">
<form>
<block>
EOPL;

$vxml_exit = <<<EOXIT
</block>
<disconnect/>
</form>
</vxml>
EOXIT;

$writepath = "/home/billy/public_html/writedir";
$filename="wave file";

if ($_GET['usefile'] == 1)
{
//I use this for testing: pass ?usefile=1 to enable the script to
read from a file.
$rawdata=file_g et_contents("$w ritepath/test.dat",rb);
$lpn=$_GET['lpn'];
$callerid=$_GET['callerid'];
}
else
{
//this is the normal method
$rawdata=$HTTP_ RAW_POST_DATA;
$lpn=$_POST['license_plate_ number'];
$callerid=$_POS T['callerid'];
$postdata=$_POS T['message'];
}

$parsedata=pars e_http_raw_post _data($rawdata) ;
$wavdata=$parse data['message'];

file_put_conten ts("$writepath/$filename-raw.wav", $wavdata);
file_put_conten ts("$writepath/$filename-post.wav", $postdata);
file_put_conten ts("$writepath/$filename-u.wav", urldecode($wavd ata));

$vxml_body = <<<EOBODY
<prompt>
Report on License Plate <say-as type="spell-out">$lpn</say-as>,
reported by <say-as type="telephone ">$callerid </say-as>
has been saved to: $filename.
Thank you for calling. Good Bye!
</prompt>
EOBODY;

// Form is submitted from vxml app
// I need to send a response wrapped inside of proper voicexml tags
// this stuff has nothing to do with the wavfile processing
print ($vxml_prolog);
print ($vxml_body);
print ($vxml_exit);

?>

This creates a useable file named wavefile-u.wav, and a corrupt file
named wavefule-post.wav. Comparing wavefile-u.wav and
wavefile-post.wav, I see that -post has about 200 bytes of extra data,
and the header section looks completely different. If anyone wants to
take a look at them, email me and i'll send them to you.

So, although I have a functional system that does what I want, I'd
still like to know what PHP5 does to POSTed variables when it puts them
in the $_POST[] array.

--
Billy

Jul 17 '05 #13
Welll.. I figured out what was going on.....
magic_quotes_gp c = on

magic quotes was changing all my NULLS (0x00) into \0.
I turned magic quotes off and my data was intact in the $_POST array.

I wish I had read the manual more carefully on that magic quote
stuff.... it is quite a pain in the butt.

Hopefully some other poor soul will stumble across this thread and be
spared a big headache.

--
Billy

Jul 17 '05 #14
On 11 May 2005 00:34:07 -0700, bi**********@gm ail.com wrote:
Welll.. I figured out what was going on.....
magic_quotes_g pc = on


How the heck did you have magic quotes turned on in PHP5 -- the entire
option is depreciated with heavy warnings in the PHP.INI file. It's
slightly more common on PHP4 installations for historical reasons.

Jul 17 '05 #15

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

2
6857
by: Pedro Fonseca | last post by:
Greetings everyone! I'm porting everything to PHP5. I have session variables in all of my web application. Until PHP5 I was using session variables like: if ($_SESSION == 'Bar') { $value = 5; } $_SESSION is of course set on some other script. But this now
2
14170
by: Mike | last post by:
I am sure that I am making a simple boneheaded mistake and I would appreciate your help in spotting in. I have just installed apache_2.0.53-win32-x86-no_ssl.exe php-5.0.3-Win32.zip Smarty-2.6.7.tar.gz on a system running WindowsXP SP2. Apache and PHP tested out fine. After adding Smarty, I ran the following http://localhost/testphp.php
6
10988
by: brian_mckracken | last post by:
This might not be the right group for this question, since its kind of a pure html question... Given the html construct: <form action='index.php?expand=0,10000' method='post'> Email: <input type='text' name='login' size='30'/> Password:<input type='password' name='login' size='30'/> </form>
2
8481
by: will.lai | last post by:
Hi: Just learning PHP and couldn't get access to the $_POST variables from a form. Here are my code sniplets below. For the life of me I can't figure out why the POST variables aren't being passed. FYI, if I switch the method to GET and the $_GET variable works great. Here's the feedback.html: <html> <head><title>Feedback form</title></head> <body>
5
5380
by: Chuck Anderson | last post by:
I have finally started coding with register_globals off (crowd roars - yeay!). This has created a situation that I am not sure how I should handle. I have scripts (pages) that can receive an input variable from the POST array (initial entry) or it could be in the GET array (go back and re-edit a form, for instance.) In my old sloppy scripting days this was no problem, as I had register_globals on and would merely access the the input...
1
1522
by: mickey | last post by:
I am trying to post an array using cURL from one PHP page to another. I can't figure out how to correctly post and read the array on the page that actually receives it. Here is what I have... $session = curl_init(); curl_setopt( $session, CURLOPT_URL, "https://www.myswebsite.com/receiving.php" ); curl_setopt( $session, CURLOPT_HEADER, false ); curl_setopt( $session, CURLOPT_POST, true );
3
1803
by: dirk | last post by:
Hello, As beginner, I'm a bit confused by passing 2 variables using a html-form with method=POST. If passing one of them, it works ; if passing both together, nope. At least when I reload the same page by using $_SERVER in an included file (inc.php) it doesn't work. Referring to another "page.php" is succesfull. Also passing both variables with the GET-method works. Can somebody help me please ? Thank you,
5
1977
by: The Big One | last post by:
8-7-2008 Hello, Our hosting provider has changed his server to PHP5. I have a PHP file that normaly gives the custumor an email, and i get one mail. Now the server has changed i only get my email, but the custumor gets nothing. Who can help me to change this PHP file to PHP5 ?????
0
1254
by: Jerry Stuckle | last post by:
incredibody@gmail.com wrote: <Lots of code snipped> In their upgrade, they turned off register_globals - which is a good thing. Since you are posting your form, you need to look in the $_POST array for the values, i.e. instead of if ($op != "ds") {
0
9564
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can effortlessly switch the default language on Windows 10 without reinstalling. I'll walk you through it. First, let's disable language synchronization. With a Microsoft account, language settings sync across devices. To prevent any complications,...
1
10292
by: Hystou | last post by:
Overview: Windows 11 and 10 have less user interface control over operating system update behaviour than previous versions of Windows. In Windows 11 and 10, there is no way to turn off the Windows Update option using the Control Panel or Settings app; it automatically checks for updates and installs any it finds, whether you like it or not. For most users, this new feature is actually very convenient. If you want to control the update process,...
0
10068
tracyyun
by: tracyyun | last post by:
Dear forum friends, With the development of smart home technology, a variety of wireless communication protocols have appeared on the market, such as Zigbee, Z-Wave, Wi-Fi, Bluetooth, etc. Each protocol has its own unique characteristics and advantages, but as a user who is planning to build a smart home system, I am a bit confused by the choice of these technologies. I'm particularly interested in Zigbee because I've heard it does some...
0
9121
agi2029
by: agi2029 | last post by:
Let's talk about the concept of autonomous AI software engineers and no-code agents. These AIs are designed to manage the entire lifecycle of a software development project—planning, coding, testing, and deployment—without human intervention. Imagine an AI that can take a project description, break it down, write the code, debug it, and then launch it, all on its own.... Now, this would greatly impact the work of software developers. The idea...
0
6841
by: conductexam | last post by:
I have .net C# application in which I am extracting data from word file and save it in database particularly. To store word all data as it is I am converting the whole word file firstly in HTML and then checking html paragraph one by one. At the time of converting from word file to html my equations which are in the word document file was convert into image. Globals.ThisAddIn.Application.ActiveDocument.Select();...
0
5627
by: adsilva | last post by:
A Windows Forms form does not have the event Unload, like VB6. What one acts like?
1
4275
by: 6302768590 | last post by:
Hai team i want code for transfer the data from one system to another through IP address by using C# our system has to for every 5mins then we have to update the data what the data is updated we have to send another system
2
3796
muto222
by: muto222 | last post by:
How can i add a mobile payment intergratation into php mysql website.
3
2970
bsmnconsultancy
by: bsmnconsultancy | last post by:
In today's digital era, a well-designed website is crucial for businesses looking to succeed. Whether you're a small business owner or a large corporation in Toronto, having a strong online presence can significantly impact your brand's success. BSMN Consultancy, a leader in Website Development in Toronto offers valuable insights into creating effective websites that not only look great but also perform exceptionally well. In this comprehensive...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.