在 Java 中,将对象转换为 JSON 字符串通常使用一些流行的 JSON 库,如 Jackson 或 Gson。这两个库都非常强大,支持将 Java 对象转换为 JSON 字符串,也支持反向操作。
接下来我会介绍一个基于 Jackson 的工具类,它可以非常方便地实现 Java 对象和 JSON 字符串之间的相互转换。
1. 引入 Jackson 依赖
首先,确保你的 pom.xml 文件中引入了 Jackson 相关依赖:
<dependencies>
<!-- Jackson 核心库 -->
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-databind</artifactId>
<version>2.15.2</version> <!-- 使用合适的版本 -->
</dependency>
</dependencies>
2. 创建 JSON 工具类
以下是一个简单的 Jackson 工具类,实现了 Java 对象和 JSON 字符串之间的相互转换,并支持异常处理。
import com.fasterxml.jackson.databind.ObjectMapper;
import com.fasterxml.jackson.core.JsonProcessingException;
public class JsonUtils {
// 创建一个 ObjectMapper 实例,用于转换对象
private static final ObjectMapper objectMapper = new ObjectMapper();
// 将对象转换为 JSON 字符串
public static String toJson(Object object) {
try {
return objectMapper.writeValueAsString(object); // 使用 ObjectMapper 将对象转成 JSON
} catch (JsonProcessingException e) {
e.printStackTrace(); // 打印异常
return null; // 返回 null 或者可以抛出自定义异常
}
}
// 将 JSON 字符串转换为对象
public static <T> T fromJson(String jsonString, Class<T> valueType) {
try {
return objectMapper.readValue(jsonString, valueType); // 使用 ObjectMapper 将 JSON 转回对象
} catch (JsonProcessingException e) {
e.printStackTrace(); // 打印异常
return null; // 返回 null 或者可以抛出自定义异常
}
}
}
3. 使用示例
转换 Java 对象为 JSON 字符串
假设你有一个 Java 类 Person,并希望将其转换为 JSON 字符串。然后你可以使用上述的这个 JsonUtils 工具类来将 Person 对象转换为 JSON 字符串:
public class Main {
public static void main(String[] args) {
Person person = new Person("Alice", 30);
// 将对象转换为 JSON 字符串
String json = JsonUtils.toJson(person);
System.out.println(json);
// 输出: {"name":"Alice","age":30}
}
}
将 JSON 字符串转换回 Java 对象
public class Main {
public static void main(String[] args) {
String json = "{\"name\":\"Alice\",\"age\":30}";
// 将 JSON 字符串转换为 Person 对象
Person person = JsonUtils.fromJson(json, Person.class);
System.out.println(person.getName()); // 输出: Alice
System.out.println(person.getAge()); // 输出: 30
}
}
4. 扩展:自定义序列化和反序列化
Jackson 提供了强大的自定义序列化和反序列化功能。如果你有特殊的需求,可以通过注解或自定义 Serializer 和 Deserializer 来实现。
例如,假设你想控制 Person 对象的 JSON 输出格式,可以使用 @JsonFormat 注解:
import com.fasterxml.jackson.annotation.JsonFormat;
public class Person {
private String name;
@JsonFormat(shape = JsonFormat.Shape.STRING, pattern = "yyyy-MM-dd")
private int age;
// 构造器,getter 和 setter
}
这样,你可以根据需要灵活地调整 JSON 的生成方式。
总结
通过使用 Jackson 的 ObjectMapper,你可以轻松地将 Java 对象和 JSON 字符串之间进行转换。上述这个工具类提供了基本的功能,也支持更多复杂的自定义配置,适应不同的需求。
标签:Java,对象,全网,Person,JSON,字符串,转换 From: https://blog.csdn.net/m0_75276797/article/details/143893453