我想使用http.post将username和form_data对象传递给php文件 当我只传递form_data时它会上传我的图片。但我想传递一些其他信息,如用户名。请帮我如何传递http.post中的其他数据 这是我的php文件。
<?php include "connectdb.php";
$data=json_decode(file_get_contents("php://input"));
$name=$dbhandle->real_escape_string($data->susername);
if (!empty($_FILES)) {
$date=2;
$path = 'fooditem/'. $_FILES['file']['name'];
if (move_uploaded_file($_FILES['file']['tmp_name'],$path)) {
$query="INSERT INTO `login`(`id`,`type`,`img`) VALUES('".$name."','".$date."','".$_FILES['file']['name']."')";
if($dbhandle->query($query)){
echo 'File Uploaded';
}
else
echo 'File Uploaded But Not Saved';
}
}else{
echo 'Some Error';
}
myapp.directive("fileInput",function($parse){
return{
link: function($scope,element,attrs){
element.on("change",function(event){
var files = event.target.files;
$parse(attrs.fileInput).assign($scope, element[0].files);
$scope.$apply();
// console.log(files[0].name);
});
}
}
});
myapp.controller("myController",function($scope,$http){
$scope.signup = function(){
var form_data = new FormData();
angular.forEach($scope.files,function(file){
form_data.append('file',file);
});
$http.post("picupload.php",{'susername':$scope.susername,form_data})
.then(function(response){
console.log(response);
})
});
<input type="text" ng-model="username" name="username">
<input type="file" file-input="files" accept="image/*" />
<input type="submit" value="SIGN UP" ng-click="signup()"
name="signup_btn" class="btn btn-primary">
答案 0 :(得分:3)
您可以添加以下内容:
myapp.controller("myController",function($scope,$http){
$scope.signup = function(){
var form_data = new FormData();
angular.forEach($scope.files,function(file){
form_data.append('file',file);
});
form_data.append('susername',$scope.susername); // new line
var config = {headers: { 'Content-type': undefined } };
$http.post("picupload.php",form_data, config)
.success(function(response){
alert(response);
});
}
我不确定PHP,但谷歌搜索后我发现在php'susername'可以检索如下:
$_POST['susername'];
答案 1 :(得分:2)
发布FormData API创建的对象时,务必将Content-type
标题设置为undefined
。
$scope.signup = function(){
var form_data = new FormData();
angular.forEach($scope.files,function(file){
form_data.append('file',file);
});
form_data.append('susername', $scope.susername);
var config = {headers: { 'Content-type': undefined } };
return $http.post("picupload.php",form_data, config)
.then(function(response){
console.log(response.data);
return response.data;
});
};
此外,FormData object无法序列化为JSON string,必须由XHR API单独发送。将所有必要的数据附加到FormData对象。
当XHR send API发布由FormData API创建的对象时,它会自动将内容类型标头设置为multipart/form-data
并使用正确的encapsulation boundary,并使用{{{{}}对数据进行编码3}}
通常base64 encoding覆盖$http service会将内容类型标头设置为application/json
。将内容类型标题设置为undefined
允许XHR API自由地正确设置标题。
在服务器端使用:
$_POST['susername'];
接收数据项。