Android 网络请求方式

这篇具有很好参考价值的文章主要介绍了Android 网络请求方式。希望对大家有所帮助。如果存在错误或未考虑完全的地方,请大家不吝赐教,您也可以点击"举报违法"按钮提交疑问。

前言

最近需要将Android 项目接入物联网公司提供的接口,所以顺便给大家分享一下Android中我们常用的网络请求吧!提醒大家一下,我们遇到接口需求,一定要先在Postman上测试接口是否正确,然后再去项目上写程序来请求接口;否则,请求出问题,你都不确定是你程序写的有问题还是接口本身提供的有问题。

Android网络请求程序演练

HttpUrlConnection

这是 Android 中最常用的网络请求方式,可以通过该类建立连接并进行 HTTP 请求和响应的读写操作。使用简单,支持多种数据格式。

GET请求

public void sendGetRequest() {
    String url = "http://example.com/api/getData";
    HttpURLConnection connection = null;

    try {
        URL requestUrl = new URL(url);
        connection = (HttpURLConnection) requestUrl.openConnection();
        connection.setRequestMethod("GET");

        // 添加header
        connection.setRequestProperty("Content-Type", "application/json");
        connection.setRequestProperty("Accept", "application/json");

        // 设置连接和读取超时时间
        connection.setConnectTimeout(8000);
        connection.setReadTimeout(8000);

        int responseCode = connection.getResponseCode();
        if (responseCode == 200) { // 请求成功
            InputStream inputStream = connection.getInputStream();
            BufferedReader reader = new BufferedReader(new InputStreamReader(inputStream));
            StringBuilder builder = new StringBuilder();
            String line;
            while ((line = reader.readLine()) != null) {
                builder.append(line);
            }

            String response = builder.toString();
            Log.d(TAG, "response: " + response);
        } else { // 请求失败
            Log.e(TAG, "Error response code: " + responseCode);
        }

    } catch (Exception e) {
        e.printStackTrace();
    } finally {
        if (connection != null) {
            connection.disconnect();
        }
    }
}

其中,我们使用HttpURLConnection的openConnection()方法打开一个连接,然后设置请求方式为GET,再添加headers,设置连接和读取超时时间,最后通过getResponseCode()方法获取响应码,如果是200则表示请求成功,接着就可以获取响应数据了。

POST请求

public class MainActivity extends AppCompatActivity {
    
    private EditText editText;
    private TextView textView;
    private String url = "http://example.com/api";
    
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
        
        editText = findViewById(R.id.editText);
        textView = findViewById(R.id.textView);
        
        Button button = findViewById(R.id.button);
        button.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                String postData = editText.getText().toString().trim();
                if (!TextUtils.isEmpty(postData)) {
                    new PostTask().execute(postData);
                } else {
                    Toast.makeText(MainActivity.this, "请输入内容", Toast.LENGTH_SHORT).show();
                }
            }
        });
    }
    
    private class PostTask extends AsyncTask<String, Void, String> {
        @Override
        protected String doInBackground(String... params) {
            try {
                URL reqUrl = new URL(url);
                HttpURLConnection conn = (HttpURLConnection) reqUrl.openConnection();
                conn.setReadTimeout(10000);
                conn.setConnectTimeout(15000);
                conn.setRequestMethod("POST");
                conn.setDoInput(true);
                conn.setDoOutput(true);
                conn.setRequestProperty("Content-Type", "application/json;charset=UTF-8");
                OutputStream outputStream = conn.getOutputStream();
                outputStream.write(params[0].getBytes("UTF-8"));
                outputStream.flush();
                outputStream.close();
                int responseCode = conn.getResponseCode();
                if (responseCode == HttpURLConnection.HTTP_OK) {
                    InputStream inputStream = conn.getInputStream();
                    BufferedReader reader = new BufferedReader(new InputStreamReader(inputStream, "UTF-8"));
                    StringBuilder response = new StringBuilder();
                    String line = null;
                    while ((line = reader.readLine()) != null) {
                        response.append(line);
                    }
                    reader.close();
                    inputStream.close();
                    return response.toString();
                }
            } catch (Exception e) {
                e.printStackTrace();
            }
            return null;
        }
        
        @Override
        protected void onPostExecute(String result) {
            if (result != null) {
                textView.setText(result);
            } else {
                Toast.makeText(MainActivity.this, "请求出错", Toast.LENGTH_SHORT).show();
            }
        }
    }
}

Volley

Volley 是 Google 推出的一款网络请求框架,专门用于简化 Android 应用开发中的网络请求,具有自动请求队列、网络请求缓存、图片加载等功能。

GET请求

// 创建一个 RequestQueue 对象
RequestQueue queue = Volley.newRequestQueue(this);

// 指定请求的 URL
String url = "https://www.example.com/api/get_data";

// 创建一个 StringRequest 对象
StringRequest stringRequest = new StringRequest(Request.Method.GET, url,
        new Response.Listener<String>() {
            @Override
            public void onResponse(String response) {
                // 响应成功时的回调函数
                Log.d(TAG, "Response: " + response);
            }
        }, new Response.ErrorListener() {
            @Override
            public void onErrorResponse(VolleyError error) {
                // 响应失败时的回调函数
                Log.e(TAG, "Error: " + error.getMessage());
            }
        });

// 将 StringRequest 对象添加到 RequestQueue 中
queue.add(stringRequest);

POST请求

RequestQueue queue = Volley.newRequestQueue(this);
String url = "http://your-url.com/post-endpoint";
StringRequest postRequest = new StringRequest(Request.Method.POST, url, 
    new Response.Listener<String>() 
    {
        @Override
        public void onResponse(String response) {
            // 处理响应
        }
    }, 
    new Response.ErrorListener() 
    {
         @Override
         public void onErrorResponse(VolleyError error) {
             // 处理错误
         }
    }
) {     
    @Override
    protected Map<String, String> getParams() 
    {  
        // 请求参数
        Map<String, String> params = new HashMap<String, String>();  
        params.put("param1", "value1");  
        params.put("param2", "value2");  

        return params;  
    }

    @Override
    public Map<String, String> getHeaders() throws AuthFailureError {
        Map<String, String> headers = new HashMap<String, String>();
        // 添加headers
        headers.put("Authorization", "Bearer your-access-token");
        return headers;
    }
};

queue.add(postRequest);

Retrofit

Retrofit 是一个基于 OkHttp 的类型安全的 RESTful 客户端,可以使用注解的方式实现接口的定义,高效易用,支持多种数据格式。

GET请求

1. 添加Retrofit依赖项:在您的Android项目中的build.gradle文件中添加以下依赖项:

dependencies {
    implementation 'com.squareup.retrofit2:retrofit:2.9.0'
    implementation 'com.squareup.retrofit2:converter-gson:2.9.0'
}

2. 创建Retrofit实例:在您的Java类中创建Retrofit实例。

Retrofit retrofit = new Retrofit.Builder()
         .baseUrl("https://yourapi.com/")
         .addConverterFactory(GsonConverterFactory.create())
         .build();

3. 创建API接口:创建一个Java接口,其中定义GET请求以及其参数和返回类型。

public interface YourApiService {
    @GET("your_api_path")
    Call<YourApiResponse> getYourApiData(@Query("your_param_name") String yourParamValue);
}

4. 发送GET请求:在您的Java类中使用Retrofit实例创建API服务实例,并发送GET请求。这可以在Activity或Fragment中完成,也可以使用ViewModel和LiveData进行MVVM架构。

YourApiService apiService = retrofit.create(YourApiService.class);

Call<YourApiResponse> call = apiService.getYourApiData("your_param_value");

call.enqueue(new Callback<YourApiResponse>() {
     @Override
      public void onResponse(Call<YourApiResponse> call, Response<YourApiResponse> response) {
           // 处理响应
      }

     @Override
     public void onFailure(Call<YourApiResponse> call, Throwable t) {
           // 处理失败
     }
});

在上面的代码中,我们使用enqueue()方法异步发送GET请求,并在回调方法中处理响应。我们可以在onResponse()方法中处理成功的响应,并在onFailure()方法中处理失败的响应。

POST请求

使用Retrofit发送POST请求需要创建一个接口,接口中定义请求的参数和返回值类型,在方法上使用@POST注解,并且指定请求的URL,参数使用@Body注解标识。下面是一个简单的示例:

首先,添加Retrofit的依赖:

implementation 'com.squareup.retrofit2:retrofit:2.9.0'

然后,定义一个接口,例如:

public interface ApiInterface {

    @POST("login")
    Call<ResponseBody> login(@Body LoginRequest request);

}

其中,@POST("login")表示请求的URL为"login",@Body LoginRequest request表示请求的参数为一个LoginRequest对象。

接下来,创建一个Retrofit实例,并调用接口中的请求方法,例如:

//创建Retrofit实例
Retrofit retrofit = new Retrofit.Builder()
        .baseUrl(BASE_URL)
        .addConverterFactory(GsonConverterFactory.create())
        .build();
//创建接口实例
ApiInterface apiInterface = retrofit.create(ApiInterface.class);
//创建请求对象
LoginRequest request = new LoginRequest("username", "password");
//发送请求
Call<ResponseBody> call = apiInterface.login(request);
call.enqueue(new Callback<ResponseBody>() {
    @Override
    public void onResponse(Call<ResponseBody> call, Response<ResponseBody> response) {
        //请求成功处理逻辑
    }

    @Override
    public void onFailure(Call<ResponseBody> call, Throwable t) {
        //请求失败处理逻辑
    }
});

其中,BASE_URL需要替换为你的服务器地址,LoginRequest为请求参数的实体类,例如:

public class LoginRequest {
    private String username;
    private String password;

    public LoginRequest(String username, String password) {
        this.username = username;
        this.password = password;
    }

    public String getUsername() {
        return username;
    }

    public void setUsername(String username) {
        this.username = username;
    }

    public String getPassword() {
        return password;
    }

    public void setPassword(String password) {
        this.password = password;
    }
}

以上就是通过Retrofit发送POST请求的基本流程。

OkHttp

OkHttp 是一个高效的 HTTP 客户端,支持 HTTP/2 和持久连接,可以用于替代 HttpUrlConnection 和 Volley。

GET请求

OkHttpClient client = new OkHttpClient();
Request request = new Request.Builder()
        .url("https://www.example.com/get")
        .build();
try {
    Response response = client.newCall(request).execute();
    String responseData = response.body().string();
    Log.d(TAG, "onResponse: " + responseData);
} catch (IOException e) {
    e.printStackTrace();
}

POST请求

以下是一个使用OkHttp同步发送POST请求的示例代码:

OkHttpClient client = new OkHttpClient();

// 构造请求体,这里使用JSON格式
String json = "{\"username\":\"admin\",\"password\":\"123456\"}";
RequestBody requestBody = RequestBody.create(MediaType.parse("application/json"), json);

// 构造请求对象
Request request = new Request.Builder()
        .url("http://www.example.com/login") // 请求URL
        .addHeader("Content-Type", "application/json") // 设置请求头
        .post(requestBody) // 设置请求体
        .build();

// 创建Call对象并发起请求
Call call = client.newCall(request);
Response response = call.execute();

// 解析响应结果
String result = response.body().string();

需要注意的是,如果请求过程需要很长时间,建议使用enqueue方法异步发起请求,避免阻塞主线程。例如:

OkHttpClient client = new OkHttpClient();

// 构造请求体
String json = "{\"username\":\"admin\",\"password\":\"123456\"}";
RequestBody requestBody = RequestBody.create(MediaType.parse("application/json"), json);

// 构造请求对象
Request request = new Request.Builder()
        .url("http://www.example.com/login") // 请求URL
        .addHeader("Content-Type", "application/json") // 设置请求头
        .post(requestBody) // 设置请求体
        .build();

// 创建Call对象并异步发起请求
Call call = client.newCall(request);
call.enqueue(new Callback() {
    @Override
    public void onFailure(Call call, IOException e) {
        // 处理请求失败的情况
    }

    @Override
    public void onResponse(Call call, Response response) throws IOException {
        // 处理响应结果
        String result = response.body().string();
    }
});

AsyncHttpClient

AsyncHttpClient 是一个轻量级的异步 HTTP 客户端,支持 HTTP、HTTPS、WebSocket 和 HTTP2.0 协议,可以实现全局的请求头和请求参数的设置。文章来源地址https://www.toymoban.com/news/detail-727968.html

GET请求

AsyncHttpClient client = new AsyncHttpClient();
String url = "https://www.example.com/api/data";
RequestParams params = new RequestParams();
params.put("param1", "value1");
params.put("param2", "value2");

client.get(url, params, new AsyncHttpResponseHandler() {
    @Override
    public void onSuccess(int statusCode, Header[] headers, byte[] responseBody) {
        // 请求成功
        String response = new String(responseBody);
        Log.d("AsyncHttpClient", "Response: " + response);
    }

    @Override
    public void onFailure(int statusCode, Header[] headers, byte[] responseBody, Throwable error) {
        // 请求失败
        Log.e("AsyncHttpClient", "Error: " + error.getMessage());
    }
});

POST请求

String url = "http://example.com/api/post";
client.post(url, params, new AsyncHttpResponseHandler() {

    @Override
    public void onStart() {
        // 发送请求前调用
    }

    @Override
    public void onSuccess(int statusCode, Header[] headers, byte[] response) {
        // 请求成功调用, statusCode为HTTP状态码
        String result = new String(response);
        Log.i(TAG, "onSuccess: " + result);
    }

    @Override
    public void onFailure(int statusCode, Header[] headers, byte[] errorResponse, Throwable e) {
        // 请求失败调用,statusCode为HTTP状态码
        Log.e(TAG, "onFailure: statusCode=" + statusCode, e);
    }

    @Override
    public void onRetry(int retryNo) {
        // 请求重试调用
    }
});

到了这里,关于Android 网络请求方式的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处: 如若内容造成侵权/违法违规/事实不符,请点击违法举报进行投诉反馈,一经查实,立即删除!

领支付宝红包 赞助服务器费用

相关文章

  • Android---Retrofit实现网络请求:Kotlin版

    在 Android 开发中,网络请求是一个极为关键的部分。Retrofit 作为一个强大的网络请求库,能够简化开发流程,提供高效的网络请求能力。 Retrofit 是一个建立在 OkHttp 基础之上的网络请求库,能够将我们定义的 Java 接口转化为相应的 HTTP请求,Retrofit 是适用于 Android 和 Java 的类

    2024年02月20日
    浏览(42)
  • Unity+Android GET和POST方式的简单实现API请求(人像动漫化)

    Unity与Android的简单交互,Unity打开Android相册并调用 前端时间本想着去弄个小工具,就是图文生成视频,可是这个的API接口的调用的测试权限死活申请不下来,只能放弃,就顺道看了下BaiduAI,竟然被我发现了一个很有趣的API接口。人像动漫化,于是就想着整一个人像动漫化A

    2024年02月10日
    浏览(36)
  • Android之网络请求2————OkHttp的基本使用

    1.概述 okhttp是一个第三方库,用于Android中网络请求 这是一个开源项目,是安卓端最火热的轻量级框架,由移动支付Square公司贡献(该公司还贡献了Picasso和LeakCanary) 。用于替代HttpUrlConnection和Apache HttpClient(android API23 里已移除HttpClient)。 2.OkHttp于http的请求 我们先构造一个一个http请

    2024年02月01日
    浏览(46)
  • Android网络编程,HTTP请求和Json解析

    以下代码模拟了点击按钮请求百度的网页源码: 其中需要注意的是Android在API27之后不再支持明文访问HTTP,需要在manifest文件中配置属性允许使用明文访问, 并且Url需要使用https layout.xml 字节流转换字符串工具类: 主类.java: 配置manifest.xml文件: 将上述代码中的webview相关内容

    2023年04月09日
    浏览(38)
  • android—ktor-client封装使用,请求网络

    ktor-client封装使用步骤: 1.导入依赖: 设置版本号: 添加依赖: 2.封装网络工具类: 3.进行请求: PS: 网络请求需要放在协程里面使用

    2024年02月13日
    浏览(41)
  • Android设置app开机自启,网络监听,主线程完成UI渲染,HTTP网络请求工具,json数据处理,android使用sqlite,Android定时任务,日志打印

    在AndroidManifest.xml文件中添加权限 在AndroidManifest.xml文件中注册接收广播配置, 添加到manifest application节点下 在AndroidManifest.xml文件中添加节点属性, 指定安装目录为内部存储器, 而非SD卡 开机启动执行代码 gson是谷歌… implementation ‘gson-2.8.5’ 依赖无法下载, 直接使用jar包, 将ja

    2024年02月03日
    浏览(51)
  • Android Studio中App Inspection 或Profiler里网络请求数据显示中文乱码解决办法

    效果如下: 解决办法 Android studio在 Help中找到Edit Custom VM Options… 并打开文件,在文件中添加 最后重启AS可解决

    2024年02月12日
    浏览(52)
  • Postman发请求发送JSON数据方式

    首先 我们打开Postman 选择 Collections 我们点上面这个加号 多拉一个项目出来 然后 右键项目 选择 Add request 创建一个请求 然后 我们要输入一下自己的请求地址 这里 我的是 http://localhost:8080/user/getName 然后 前面的请求类型 我选了 post 然后 下面的传参方式 Body 下面的我们选择 r

    2024年02月06日
    浏览(42)
  • java业务代码发送http请求(Post方式:请求参数为JSON格式;Get方式)

    实际开发中,可能需要发送http请求到第三方服务获取数据,于是就有以下应用: 依赖: 假设我需要在我的业务代码中调用该地址: url:http://xx.xx:xxxx/user/count 请求方法:post 内容类型:application/json 请求参数:id, username 返回参数:code 响应结果 int类型                  

    2024年02月12日
    浏览(56)
  • get方式发送请求出现跨域问题

    Access to XMLHttpRequest at \\\'http://localhost:8090/concern?pageSize=10pageNum=1param[deviceWorkspace]=param[userAccount]=%22190013129%22\\\' from origin \\\'http://localhost:8080\\\' has been blocked by CORS policy: No \\\'Access-Control-Allow-Origin\\\' header is present on the requested resource. 但同伴说他已经在后端对跨域问题进行处理了。这里可以考

    2024年02月16日
    浏览(40)

觉得文章有用就打赏一下文章作者

支付宝扫一扫打赏

博客赞助

微信扫一扫打赏

请作者喝杯咖啡吧~博客赞助

支付宝扫一扫领取红包,优惠每天领

二维码1

领取红包

二维码2

领红包