PHPLover
PHPLover

Reputation: 12957

How to get the $_FILES array data as it is after form submission in following scenario?

I've a form with too many fields. One of these fields is as follows:

<form action="go_to_preview.php" role="form" method="post" enctype="multipart/form-data">
  <input type="file" name="equip_image" id="equip_image">
</form>

Now the purpose of file go_to_preview.php is to show the data filled in by user in the form of labels. All the filled in data are also contained in hidden fields. If user finds whatever he/she has filled in is perfect then user clicks the submit button present on file go_to_preview.php. As soon as user clicks on submit button I'll add the data I received through $_POST to the database. Now my issue is along with $_POST(which is an array of data present into hidden fields) I want the data from $_FILES as it is. How should I achieve this? Can someone please help me in this regard? Thanks in advance.

Upvotes: 0

Views: 261

Answers (2)

Halfpint
Halfpint

Reputation: 4079

If I have understood your question correctly you are asking if you can pass both the $_FILES and $_POST arrays for processing in go_to_preview.php, the answer is yes.

The $_FILES array is populated when you selected an image via your equip_image element. Upon posting your form any specified POST data in that form will be sent in the headers to go_to_preview.php, the $_FILES array is sent too, this is seperate from your $_POST array.

In your go_to_preview.php you can then get the contents of both arrays:

$file = $_FILES['equip_image'];
$data = $_POST['form_data'];

If you wish to then unset that data you simply call

unset($_SESSION['FILES']);

Upvotes: 0

AbraCadaver
AbraCadaver

Reputation: 78994

A common approach would be sessions:

//go_to_preview.php
session_start();
$_SESSION['FILES'] = $_FILES;

//final.php
session_start();
$files_var = $_SESSION['FILES'];
//use $files_var
unset($_SESSION['FILES']);

Upvotes: 3

Related Questions