-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathupload.php
64 lines (49 loc) · 2.08 KB
/
upload.php
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
<?php
// function to resize and save uploaded image
// $new_width - width of resized image
// $new_height – height of resized image
// $input - path to original image
// $ioutput - path to the dir to save new image
// $quality – jpg quality of new image
// We'll use php's GD Graphics Library functions imagecreatefromjpeg(), imagecreatetruecolor(), imagecopyresampled()
function resizeAndSave ($new_width, $new_height, $input, $output, $quality) {
// Get new dimensions
list($width_orig, $height_orig) = getimagesize($input);
$ratio_orig = $width_orig/$height_orig;
if ($new_width/$new_height > $ratio_orig) {
$new_width = $new_height*$ratio_orig;
} else {
$new_height = $new_width/$ratio_orig;
}
$original_image = imagecreatefromjpeg($input);
// Resample
$image = imagecreatetruecolor($new_width, $new_height);
imagecopyresampled($image, $original_image, 0, 0, 0, 0, $new_width, $new_height, $width_orig, $height_orig);
// Output
imagejpeg($image, $output, $quality);
imagedestroy($image);
}
// Get the unique image name
$timestamp = time();
//time() return the current time as Unix timestamp
$image_name = $timestamp.'.jpg';
// now we have something like 1389106239.jpg
$path_to_original = 'upload/original/'.$image_name;
// $path_to_original – directory where original file will be saved
if(move_uploaded_file($_FILES["file"]["tmp_name"], $path_to_original)) {
//move_uploaded_file() function moves an uploaded file to a new location
// $_FILES["file"]["tmp_name"] – we are using the global PHP $_FILES array
// run the resizeAndSave function
//creat thumbnails and save thем into upload/thumbs/ dir
$thumb_width = 200;
$thumb_height = 200;
$thumb_output = 'upload/thumbs/'.$image_name;
//creat optimized copy of original image and save it into upload/optimum/
$optimum_width = 800;
$optimum_height = 800;;
$optimum_output = 'upload/optimum/'.$image_name;
$quality = 90;
resizeAndSave ($thumb_width, $thumb_height, $path_to_original, $thumb_output, $quality);
resizeAndSave ($optimum_width, $optimum_height, $path_to_original, $optimum_output, $quality);
}
?>