我寫了一個SpringBoot應用程序,它會消耗一個休息api並呈現一個休息api。我的模型pojo的有camelCase命名的屬性。應用程序使用的json具有under_score屬性名稱。該應用產生的json具有under_score屬性名稱。我想使用PropertyNamingStrategy,它將在編組/解組期間自動在Java和json名稱之間進行轉換。如何在SpringBoot中爲RestTemplate設置PropertyNamingStrategy?
我有Java配置,試圖設置一個命名策略,可以處理這個;
/**
* Configuration for Rest api.
* <p>
* Created by emurphy on 2/25/16.
*/
@Configuration
public class RestConfig
{
/**
* Bean to make jackson automatically convert from
* camelCase (java) to under_scores (json) in property names
*
* @return ObjectMapper that maps from Java camelCase to json under_score names
*/
@Bean
public ObjectMapper jacksonObjectMapper()
{
return new ObjectMapper().setPropertyNamingStrategy(new UpperCaseUnderscoreStrategy());
}
/**
* Property naming strategy that converts both ways between camelCase and under_score
* property names.
*/
public static class UpperCaseUnderscoreStrategy extends PropertyNamingStrategy.PropertyNamingStrategyBase
{
/**
* Converts camelCase to under_score and
* visa versa. The idea is that this
* name strategy can be used for both
* marshalling and unmarshaling.
*
* For example, "userName" would be converted to
* "user_name" and conversely "user_name" would
* be converted to "userName".
*
* @param input formatted as camelCase or under_score string
* @return input converted to opposite format
*/
@Override
public String translate(String input)
{
if (input == null || input.length() == 0)
{
return input; // garbage in, garbage out
}
//
// we always take the first character;
// this preserves initial underscore
//
StringBuilder sb = new StringBuilder();
final int length = input.length();
int i = 0;
//
// skip initial underscores
//
while ((i < length) && ('_' == input.charAt(i)))
{
sb.append(input.charAt(i));
i += 1;
}
while (i < length)
{
//
// find underscores, remove and capitalize next letter
//
while ((i < length) && ('_' != input.charAt(i)) && !Character.isUpperCase(input.charAt(i)))
{
sb.append(input.charAt(i));
i += 1;
}
if(i < length)
{
if('_' == input.charAt(i))
{
// underscore to uppercase
//
// skip underscores
//
while ((i < length) && ('_' == input.charAt(i)))
{
// skip underscores
i += 1;
}
//
// capitalize
//
if (i < length)
{
sb.append(Character.toUpperCase(input.charAt(i)));
i += 1;
}
}
else // uppercase to unscore + lowercase
{
sb.append('_');
sb.append(Character.toLowerCase(input.charAt(i)));
i += 1;
}
}
}
return sb.toString();
}
}
當我的休息服務將Java pojos轉換爲json響應時,我可以看到命名策略的翻譯方法。但是,當我通過RestTemplate使用rest api時,我沒有看到這個被調用,並且我的結果pojos沒有從傳入的json正確初始化;所有名稱需要翻譯的屬性都是空的。這迫使我在大多數屬性上使用@JsonProperty。我有很多屬性和很多pojos - 這是SpringBoot應該幫助的非常不雅的樣板解決方案。有沒有一種方法可以設置PropertyNamingStrategy,RestTemplate將用來將傳入的json名稱從under_score轉換爲camelCase?
感謝您的幫助。
什麼是你的配置類的頂部註釋? – pczeus
對不起,我已經更新了問題中的代碼。基本上在配置。我的主要配置是在另一個文件中,並具有At SpringBootApplication註釋。 – Ezward