request method

Future<Object> request(
  1. String url, {
  2. String method = 'GET',
  3. bool withCredentials = false,
  4. String? mimeType,
  5. Map<String, String>? requestHeaders,
  6. Uint8List? sendData,
})

Creates and sends a URL request for the specified url.

Returns an Object (so this class can be mocked by mockito), which can be cast as web.Response from package:web.

By default request will perform an HTTP GET request, but a different method (POST, PUT, DELETE, etc) can be used by specifying the method parameter.

The Future is completed when the web.Response is available.

If specified, sendData will be sent as the body of the fetch.

The withCredentials parameter specified that credentials such as a cookie (already) set in the header or authorization headers should be specified for the request. Details to keep in mind when using credentials:

/// Using credentials is only useful for cross-origin requests. /// The Access-Control-Allow-Origin header of url cannot contain a wildcard (///). /// The Access-Control-Allow-Credentials header of url must be set to true. /// If Access-Control-Expose-Headers has not been set to true, only a subset of all the response headers will be returned when calling getAllResponseHeaders.

The following is equivalent to the getString sample above:

var name = Uri.encodeQueryComponent('John');
var id = Uri.encodeQueryComponent('42');
HttpRequest.request('users.json?name=$name&id=$id')
  .then((HttpRequest resp) {
    // Do something with the response.
});

Here's an example of submitting an entire form with FormData.

var myForm = querySelector('form#myForm');
var data = new FormData(myForm);
HttpRequest.request('/submit', method: 'POST', sendData: data)
  .then((HttpRequest resp) {
    // Do something with the response.
});

Requests for file:// URIs are only supported by Chrome extensions with appropriate permissions in their manifest. Requests to file:// URIs will also never fail- the Future will always complete successfully, even when the file cannot be found.

See also: authorization headers.

Implementation

Future<Object> request(
  String url, {
  String method = 'GET',
  bool withCredentials = false,
  String? mimeType,
  Map<String, String>? requestHeaders,
  Uint8List? sendData,
}) async {
  final Map<String, String> headers = <String, String>{
    if (mimeType != null) 'content-type': mimeType,
    ...?requestHeaders,
  };
  return web.window
      .fetch(
          url.toJS,
          web.RequestInit(
            method: method,
            body: sendData?.toJS,
            credentials: withCredentials ? 'include' : 'same-origin',
            headers: headers.jsify()! as web.HeadersInit,
          ))
      .toDart;
}