4

我目前正在开展一个项目,该项目与许多其他项目一样使用 s3 存储。在这种情况下,存储通过后端链接。

情况是这样的,我可以通过 URL 获取“附件”,比如说example.com/api/attachments/{uuid}。如果用户被授权(通过 header Authorization),它应该返回一个302状态码并重定向到 s3 url。问题是,在重定向后,Authorization标头仍然存在并且http客户端返回400响应,这是因为持久Authorization标头。有什么方法可以Authorization在重定向后删除标头而不捕获第一个请求并触发一个新请求?

我的 http 客户端代码目前如下所示:

  @override
  Future get({
    String url,
    Map<String, dynamic> data,
    Map<String, String> parameters,
  }) async {
    await _refreshClient();
    try {
      final response = await dio.get(
        url,
        data: json.encode(data),
        queryParameters: parameters,
      );
      return response.data;
    } on DioError catch (e) {
      throw ServerException(
        statusCode: e.response.statusCode,
        message: e.response.statusMessage,
      );
    }
  }

  Future<void> _refreshClient() async {
    final token = await auth.token;
    dio.options.baseUrl = config.baseUrl;
    dio.options.headers.addAll({
      'Authorization': 'Bearer $token',
      'Accept': 'application/json',
    });
    dio.options.contentType = 'application/json';
  }
4

1 回答 1

0

查看 Dio 文档,这似乎是故意行为。

添加到请求的所有标头都将添加到重定向请求中。但是,与请求一起发送的任何正文都不会成为重定向请求的一部分。

https://api.flutter.dev/flutter/dart-io/HttpClientRequest/followRedirects.html

但是,我理解(并同意!)这通常是不受欢迎的行为。我的解决方案是自己手动跟踪重定向,这不是很好,但在紧要关头可以工作。

    Response<String> response;
    try {
      response = await dio.get(
        url,
        options: Options(
          // Your headers here, which might be your auth headers
          headers: ...,
          // This is the key - avoid following redirects automatically and handle it ourselves
          followRedirects: false,
        ),
      );
    } on DioError catch (e) {
      final initialResponse = e.response;

      // You can modify this to understand other kinds of redirects like 301 or 307
      if (initialResponse != null && initialResponse.statusCode == 302) {
        response = await dio.get(
          initialResponse.headers.value("location")!, // We must get a location header if we got a redirect
          ),
        );
      } else {
        // Rethrow here in all other cases
        throw e;
      }
    }
于 2021-04-22T05:32:48.210 回答