web-dev-qa-db-ja.com

angular 4の投稿本文でデータを送信する方法

以下はポストリクエストを行うためのコードです:

export class AuthenticationService {

    private authUrl = 'http://localhost:5555/api/auth';

    constructor(private http: HttpClient) {}

    login(username: string, password: string) {
      console.log(username);
      let data = {'username': username, 'password': password};
      const headers = new HttpHeaders ({'Content-Type': 'application/json'});
      //let options = new RequestOptions({headers: headers});
      return this.http.post<any>(this.authUrl, JSON.stringify({data: data}), {headers: headers});
    }
}

以下は、リクエストボディにアクセスしようとしているノードコードです。helowの場合、リクエストボディはnullです。

router.use(express.static(path.join('webpage')));

var bodyParser = require('body-parser');

router.use(bodyParser.urlencoded({ extended: true }));

router.post('/api/auth', function(req, res){
  console.log(req.body);
  console.log(req.body.username + ":" + req.body.password);
});
4
MANOJ

リクエストは以下の方法を使用して正常に送信されました:

角度:

login(username: string, password: string) {
      const data = {'username': username, 'password': password};
      const config = { headers: new HttpHeaders().set('Content-Type', 'application/json') };
      return this.http.post<any>(this.authUrl, data, config)
                                .map(res => {
                                  console.log(res);
                                  if (res.user === true) {
                                    localStorage.setItem('currentUser', res.user);
                                    localStorage.setItem('role', res.role);
                                  }
                                  return res;
                                  },
                                  err => {
                                    return err;
                                  }
                                );

    }

ノード

var bodyParser = require('body-parser');
router.use(bodyParser.json());

router.post('/api/auth', function(req, res){
  console.log("request received " + req.body);
});
3
MANOJ

JSONペイロードの代わりにformdataリクエストを送信する必要があります。

まず、適切なコンテンツタイプヘッダーを設定する必要があります。

const headers = new HttpHeaders({
    'Content-Type': 'application/x-www-form-urlencoded'
});

次に、FormDataオブジェクトを送信する必要があります:

const data = new FormData();
data.append("username", username);
data.append("password", password);
// ...
return this.http.post<any>(this.authUrl, data, {headers: headers});
0
erosb