Retrofit调用接口示例
时间: 2024-02-04 18:04:24 浏览: 71
Retrofit是一个基于OkHttp的RESTful API库,可以方便地调用网络接口。下面是一个简单的示例,展示如何使用Retrofit调用接口。
首先,需要在项目中添加Retrofit的依赖项。可以在build.gradle文件中添加以下代码:
```
implementation 'com.squareup.retrofit2:retrofit:2.9.0'
```
接下来,需要定义一个接口,用于描述要调用的API。这个接口需要使用注解来描述请求的方式、URL和请求参数等信息。例如:
```
public interface MyApi {
@GET("users/{userId}/repos")
Call<List<Repo>> listRepos(@Path("userId") String userId);
}
```
这个接口定义了一个名为listRepos的方法,该方法使用GET请求,URL为/users/{userId}/repos,其中{userId}是一个路径参数。该方法返回一个Call对象,表示异步调用API并返回一个List<Repo>对象。
接下来,需要创建一个Retrofit实例,并使用该实例创建一个API对象。例如:
```
Retrofit retrofit = new Retrofit.Builder()
.baseUrl("https://api.github.com/")
.build();
MyApi myApi = retrofit.create(MyApi.class);
```
这里创建了一个基础URL为https://api.github.com/的Retrofit实例,并使用它创建了一个MyApi对象。
最后,可以调用API方法并处理响应。例如:
```
Call<List<Repo>> call = myApi.listRepos("octocat");
call.enqueue(new Callback<List<Repo>>() {
@Override
public void onResponse(Call<List<Repo>> call, Response<List<Repo>> response) {
List<Repo> repos = response.body();
// 处理响应数据
}
@Override
public void onFailure(Call<List<Repo>> call, Throwable t) {
// 处理请求失败
}
});
```
这里使用listRepos方法异步调用API,并在响应时处理返回的数据。如果请求失败,则调用onFailure方法。
这就是使用Retrofit调用接口的基本流程。通过定义API接口并使用Retrofit创建API对象,可以方便地调用网络接口并处理响应。
阅读全文