How can I remove an attribute from Json array - java
My code is below in brief :
private void havayı_gösterActionPerformed(java.awt.event.ActionEvent evt) {
String WEATHER_URL = "https://api.collectapi.com/weather/getWeather?data.lang=tr&data.city="+şehir_ismi.getText();
//REQUEST GÖNDERME
HttpClient client = HttpClient.newHttpClient();
HttpRequest request = (HttpRequest) HttpRequest.newBuilder()
.GET()
.header("content-type", "application/json")
.header("authorization", "apikey myapikey")
.uri(URI.create(WEATHER_URL))
.build();
//REQUESTE CEVAP
try {
HttpResponse<String> response = client.send(request, HttpResponse.BodyHandlers.ofString());
String content = response.body();
JSONParser parser = new JSONParser();
Object obj;
obj = parser.parse(content);
JSONArray array = new JSONArray();
array.add(obj);
Gson gson = new GsonBuilder().setPrettyPrinting().create();
String req_result = gson.toJson(array.get(0));
String text;
text = req_result.replaceAll("\"", "")
.replaceAll("\\{", "")
.replaceAll("result:", "")
.replaceAll("\\},", "")
.replaceAll("\\,", "")
.replaceAll("\\]","")
.replaceAll("\\[","")
.replaceAll("success: true","")
.replaceAll("\\}","");
havayı_listele.setText(text);
I want to show a pretty printed data in the java swing, but attribute "icon" causes unreadability. Also Java does not support svg files. What's the easiest way to get rid of this problem ? Here is my screenshot :
Related
How to pass dynamic value inside Request body
I have two tokens one is brandwiseBearerToken which is a string and another is thirdPartyPaymentGatewayToken it belongs form my POJO class, and I want to pass these two values as dynamic. but in my case, I pass as hard-coded how I can make it dynamic. for your reference, I share my code. I want to dynamic exact at this point String thirdPartyPaymentGatewayTokenJson = ow.writeValueAsString(thirdPartyPaymentGatewayToken); RequestBody body = RequestBody.create(mediaType,thirdPartyPaymentGatewayTokenJson); I don't want to pass hard-coded data public ThirdPartyPaymentGatewayResponse getThirdPartyPaymentGatewayToken(ThirdPartyPaymentGatewayToken thirdPartyPaymentGatewayToken, String managedBy) throws AuthenticationException, UnknownHostException, BadRequestException { String brandwiseBearerToken = authenticationToken(); String thirdPartyPaymentGatewayTokenJson = ow.writeValueAsString(thirdPartyPaymentGatewayToken); RequestBody body = RequestBody.create(mediaType, thirdPartyPaymentGatewayTokenJson); Request request = new Request.Builder().url(brandwiseThirdPartypaymentGatewayURL) .post(body) .addHeader("Content-Type", "application/json") .addHeader("Bearer", brandwiseBearerToken) .build(); Response response = client.newCall(request).execute(); ResponseBody responseBody = response.body(); JsonObject jsonObject = new Gson().fromJson(responseBody.string(), JsonObject.class); JsonElement error = jsonObject.get("Message"); } ```
OkHttp returns 403 as response
I'm trying to make a request to the Third-party API, but I'm running into some issues using OkHTTP. I'm using AWS4Signer to sign the request. I'm able to generate the credentials for the same. Request<Void> requestAws = new DefaultRequest<Void>("sts"); requestAws.setHttpMethod(HttpMethodName.POST); requestAws.setEndpoint(URI.create("third pary api call which uses https")); requestAws.addHeader("x-amz-security-token", sessionCredentials.getSessionToken()); requestAws.addHeader("Content-Type", "application/json"); //sign the request AWS4Signer signer = new AWS4Signer(); signer.setServiceName(Constant.SERVICE_NAME); signer.setRegionName(Constant.AWS_REGION); signer.sign(requestAws, new AWSCredentials() { #Override public String getAWSSecretKey() { return sessionCredentials.getAccessKeyId(); } #Override public String getAWSAccessKeyId() { return sessionCredentials.getSecretAccessKey(); } }); Map<String, String> headers = requestAws.getHeaders(); String x_date = null; String x_token = null; String authorization = null; String x_content = null; //get and assign values for (Map.Entry<String, String> entry : headers.entrySet()) { if (entry.getKey().equals("x-amz-security-token")) { x_token = entry.getValue(); } if (entry.getKey().equals("X-Amz-Date")) { x_date = entry.getValue(); } if (entry.getKey().equals("Authorization")) { authorization = entry.getValue(); } } logger.info("Headers body response: " + JsonUtils.jsonize(headers)); String json = objectMapper.writeValueAsString(emailRequestBody); postHandler.post(x_date, x_token, authorization, json); Below is the request code of okHTTP String post(String x_date, String x_token, String authorization, String json) throws IOException { RequestBody body = RequestBody.create(json, JSON); Request request = new Request.Builder() .url("https url is here") .addHeader("Content-Type", "application/json") .addHeader("X-Amz-Date", x_date) .addHeader("x-amz-security-token", x_token) .addHeader("Authorization", authorization) .post(body) .build(); try (Response response = client.newCall(request).execute()) { return response.body().string(); } } Below is how the request looks like with headers: Request{method=POST, url=https://cbc.com/api/send/email, headers=[Content-Type:application/json, X-Amz-Date:20220125T111056Z, x-amz-security-token:FwoGZXIvYXdzEHUaDF6/kQ0g7Mog7W1f7CK0ATG5xhFIXP34wRjziAkJKhw9vE5cbADBOpji7uqtLp5GLGLay+e9O2deFRB4eSpUMOOThDCEQg1tum43iX4a+8Kikuc3fv5gDjbMrdLJYAK3piYVbOAET8BAXdDdkPZVG+nNu31cEWZe9HC60svIj0m95YZ9Xx5rBIDm0AVWtj4JRCmonNm1ymCNRB4GTjhEzgnxlkqEYfdUivFdlORq/IlIssUzzV04fkr0kiqDiE9GrmU51ijAtb+PBjIt9MWbM8+x4z+y+IV4JFjuK4zrVW3Iaw4xUG/C+mpcCrZrunh+8fWgVTR6In1r, Authorization:AWS4-HMAC-SHA256 Credential=medS2y7xvISbOf7ke3IWthyCMV5koeTDD5r3gkxJ/20220125/us-west-2/execute-api/aws4_request, SignedHeaders=content-type;host;x-amz-date;x-amz-security-token, Signature=d862c9ed8175770244e17fd3cb216c2a92138183ad427ed67fc5f284a1a75266]} Below is the response: Response{protocol=h2, code=403, message=, url=https://cbc.com/api/send/email} Why the response is returning 403? Can someone help me what I missed? Thank you for your time.
HttpRequest in java with GSON and multiple elements
I'm trying to get the "symbol" of a JSON HttpRequest in Java. I want to use GSON of google but, I can't reach any value ... I'm always with a null value in my object... I know that the error are "stock.symbol" I certainly need to put some "node" before ... I'm lost ... so ... here the code : HttpClient client = HttpClient.newHttpClient(); HttpRequest request = HttpRequest.newBuilder() .uri(URI.create("https://yahoo-finance-low-latency.p.rapidapi.com/v6/finance/quote?symbols=AAPL&lang=en®ion=CA")) .header("x-rapidapi-key", "---") .header("x-rapidapi-host", "***") .method("GET", HttpRequest.BodyPublishers.noBody()) .build(); try { HttpResponse<String> reponse = null; reponse = client.send(request, HttpResponse.BodyHandlers.ofString()); System.out.print(reponse.body()); Gson gson = new Gson(); Stock stock = gson.fromJson(reponse.body(), Stock.class); System.out.println("******************************************************"); System.out.println(stock.symbol + stock.displayName + stock.quoteType); System.out.println("******************************************************"); } catch (IOException e) { e.printStackTrace(); } catch (InterruptedException e) { e.printStackTrace(); } } here my output, you will be eable to see the answer from the api in JSON format : {"quoteResponse":{"result":[{"language":"en-US","region":"CA","quoteType":"EQUITY","quoteSourceName":"Nasdaq Real Time Price","triggerable":true,"currency":"USD","firstTradeDateMilliseconds":345479400000,"priceHint":2,"postMarketChangePercent":-0.0956731,"postMarketTime":1621641596,"postMarketPrice":125.31,"postMarketChange":-0.120003,"regularMarketChange":-1.8799973,"regularMarketChangePercent":-1.4767083,"regularMarketTime":1621627203,"averageAnalystRating":"2.0 - Buy","tradeable":false,"esgPopulated":false,"marketState":"POSTPOST","regularMarketPrice":125.43,"regularMarketDayHigh":128.0,"regularMarketDayRange":"125.21 - 128.0","regularMarketDayLow":125.21,"regularMarketVolume":79152773,"regularMarketPreviousClose":127.31,"bid":125.37,"ask":125.37,"bidSize":12,"askSize":10,"fullExchangeName":"NasdaqGS","financialCurrency":"USD","regularMarketOpen":127.82,"averageDailyVolume3Month":103188411,"averageDailyVolume10Day":86685085,"fiftyTwoWeekLowChange":47.1575,"fiftyTwoWeekLowChangePercent":0.60247856,"fiftyTwoWeekRange":"78.2725 - 145.09","fiftyTwoWeekHighChange":-19.659996,"fiftyTwoWeekHighChangePercent":-0.13550209,"fiftyTwoWeekLow":78.2725,"fiftyTwoWeekHigh":145.09,"dividendDate":1620864000,"earningsTimestamp":1619627400,"earningsTimestampStart":1627469940,"earningsTimestampEnd":1627905600,"trailingAnnualDividendRate":0.82,"trailingPE":28.192854,"trailingAnnualDividendYield":0.006440971,"epsTrailingTwelveMonths":4.449,"epsForward":5.36,"epsCurrentYear":5.2,"priceEpsCurrentYear":24.121155,"sharesOutstanding":16687599616,"bookValue":4.146,"fiftyDayAverage":130.1347,"fiftyDayAverageChange":-4.7047043,"fiftyDayAverageChangePercent":-0.03615257,"twoHundredDayAverage":127.04788,"twoHundredDayAverageChange":-1.6178818,"twoHundredDayAverageChangePercent":-0.012734425,"marketCap":2093125599232,"forwardPE":23.40112,"priceToBook":30.253258,"sourceInterval":15,"exchangeDataDelayedBy":0,"exchange":"NMS","shortName":"Apple Inc.","longName":"Apple Inc.","messageBoardId":"finmb_24937","exchangeTimezoneName":"America/New_York","exchangeTimezoneShortName":"EDT","gmtOffSetMilliseconds":-14400000,"market":"us_market","displayName":"Apple","symbol":"AAPL"}],"error":null}}****************************************************** nullnullnull` Process finished with exit code 0 public class Stock { public String symbol, displayName, quoteType;}
We need to get to the JSON inside the result array: Gson gson = new Gson(); JsonObject json = gson.fromJson(jsonStr, JsonObject.class) .get("quoteResponse") .getAsJsonObject() .get("result") .getAsJsonArray() .get(0) // only one object in the array .getAsJsonObject(); String symbol = json.get("symbol").getAsString(); String displayName = json.get("displayName").getAsString(); String quoteType = json.get("quoteType").getAsString(); Stock stock = new Stock(symbol, displayName, quoteType);
How to extract data from POST request in azure functions java
I send form data in POST request from angular app to my azure functions who wrriten in java. the client side look like this: #Injectable({ providedIn: 'root' }) export class SendItemToAzureFunctionsService { private functionURI: string; constructor(private http: HttpClient) { this.functionURI = 'https://newsfunctions.azurewebsites.net/api/HttpTrigger-Java?code=k6e/VlXltNs7CmJBu7lmBbzaY4tlo21lXaLuvfG/tI7m/XXXX'; } // {responseType: 'text'} sendItem(item: Item){ let body = new FormData(); body.append('title', item.title); body.append('description', item.description); body.append('link', item.link); return this.http.post(this.functionURI, body) .pipe( map((data: string) => { return data; }), catchError( error => { return throwError( 'Something went wrong!' ); }) ) } } when Item recived to azure functions. the aim of functions is to send this item in push notifications via firebase to android app. the azure functions with HTTP trigger look like this: #FunctionName("HttpTrigger-Java") public HttpResponseMessage run(#HttpTrigger(name = "req", methods = { HttpMethod.GET, HttpMethod.POST }, authLevel = AuthorizationLevel.FUNCTION) HttpRequestMessage<Optional<String>> request, final ExecutionContext context) { context.getLogger().info("Java HTTP trigger processed a request."); // Parse query parameter String itemDetails = request.getBody().get(); if (itemDetails == null) { return request.createResponseBuilder(HttpStatus.BAD_REQUEST) .body("Please pass a name on the query string or in the request body").build(); } else { // ====== String postUrl = "https://fcm.googleapis.com/fcm/send"; HttpClient httpClient = HttpClientBuilder.create().build(); HttpPost post = new HttpPost(postUrl); post.setHeader("authorization", FIREBAE_AUTH); post.setHeader("Content-type", "application/json"); JSONObject contentJson = new JSONObject(); contentJson.put("title", "example title"); contentJson.put("description", "example text"); JSONObject pushNotificationJson = new JSONObject(); pushNotificationJson.put("data", contentJson); pushNotificationJson.put("to", "/topics/newsUpdateTopic"); try { StringEntity stringEntity = new StringEntity(pushNotificationJson.toString(), "UTF-8"); post.setEntity(stringEntity); HttpResponse response = httpClient.execute(post); System.out.println(response.getEntity().getContent().toString()); } catch (IOException var9) { var9.printStackTrace(); } // ========= } return request.createResponseBuilder(HttpStatus.OK) .body("succeed to send new item in push notification to clients").build(); } when I am running String itemDetails = request.getBody().get(); I am getting: ------WebKitFormBoundary2gNlxQx5pqyAeDL3 Content-Disposition: form-data; .... I will be glad to know how to get data item from that?
If you want to parse from-date type data in Azure function with java, you can try to use MultipartStream in SDK org.apache.commons.fileupload to implement it. For example code public HttpResponseMessage run( #HttpTrigger(name = "req", methods = {HttpMethod.GET, HttpMethod.POST}, authLevel = AuthorizationLevel.ANONYMOUS) HttpRequestMessage<Optional<String>> request, final ExecutionContext context) throws IOException { context.getLogger().info("Java HTTP trigger processed a request."); String contentType = request.getHeaders().get("content-type"); String body = request.getBody().get(); // Get request body String boundary = contentType.split(";")[1].split("=")[1]; // Get boundary from content-type header int bufSize = 1024; InputStream in = new ByteArrayInputStream(body.getBytes()); // Convert body to an input stream MultipartStream multipartStream = new MultipartStream(in, boundary.getBytes(), bufSize, null); // Using MultipartStream to parse body input stream boolean nextPart = multipartStream.skipPreamble(); while (nextPart) { String header = multipartStream.readHeaders(); int start =header.indexOf("name=") + "name=".length()+1; int end = header.indexOf("\r\n")-1; String name = header.substring(start, end); System.out.println(name); multipartStream.readBodyData(System.out); System.out.println(""); nextPart = multipartStream.readBoundary(); } return request.createResponseBuilder(HttpStatus.OK).body("success").build(); } Test. I test with postman
I've used #Jim Xu's code and created a class to get the data in easier way. Here is the gist - https://gist.github.com/musa-pro/dcef0bc23e48227e4b89f6e2095f7c1e
Java convert Json array to typed List<T>
I have a webservice that sends a typed arraylist which I capture via HttpResponse like so: // create GET request HttpGet httpGet = new HttpGet("http://localhost:8084/MinecraftRestServer/webresources/Items"); // execute GET request HttpResponse response = client.execute(httpGet); // check response StatusLine statusLine = response.getStatusLine(); int statusCode = statusLine.getStatusCode(); if (statusCode == 200) { // response OK // retreive response List<Recipe> recipesList = new ArrayList<Recipe>(); HttpEntity jsonObj = response.getEntity(); //What's next? The array that's being sent from the webservice looks like this: recipesList.add(new Item(1, 11, "diamond_ingot", "Diamond ingot", "0,0,0,0,0,0,0,0,1", "air,diamond_ore")); recipesList.add(new Item(2, 11, "iron_ingot", "Iron ingot", "0,0,0,0,0,0,0,0,1", "air,iron_ore")); And comes out in this format: [{"recipeCategory":11,"recipeImageID":"diamond_ingot","recipeDescription":"Diamond ingot","recipeLocations":"0,0,0,0,0,0,0,0,1","usedImages":"air,diamond_ore","recipeID":1},{"recipeCategory":11,"recipeImageID":"iron_ingot","recipeDescription":"Iron ingot","recipeLocations":"0,0,0,0,0,0,0,0,1","usedImages":"air,iron_ore","recipeID":2},{"recipeCategory":11,"recipeImageID":"gold_ingot","recipeDescription":"Gold ingot","recipeLocations":"0,0,0,0,0,0,0,0,1","usedImages":"air,gold_ore","recipeID":3},{"recipeCategory":11,"recipeImageID":"diamond_ore","recipeDescription":"Diamond ore","recipeLocations":"0,0,0,0,0,0,0,0,1","usedImages":"air,wooden_pickaxe","recipeID":4},{"recipeCategory":11,"recipeImageID":"iron_ore","recipeDescription":"Iron ore","recipeLocations":"0,0,0,0,0,0,0,0,1","usedImages":"air,wooden_pickaxe","recipeID":5},{"recipeCategory":11,"recipeImageID":"gold_ore","recipeDescription":"Gold ore","recipeLocations":"0,0,0,0,0,0,0,0,1","usedImages":"air,wooden_pickaxe","recipeID":6},{"recipeCategory":2,"recipeImageID":"diamond_boots","recipeDescription":"Boots (Diamond)","recipeLocations":"0,0,0,1,0,1,1,0,1","usedImages":"air,diamond_ingot","recipeID":7},{"recipeCategory":2,"recipeImageID":"gold_boots","recipeDescription":"Boots (Gold)","recipeLocations":"0,0,0,1,0,1,1,0,1","usedImages":"air,gold_ingot","recipeID":8},{"recipeCategory":2,"recipeImageID":"iron_boots","recipeDescription":"Boots (Iron)","recipeLocations":"0,0,0,1,0,1,1,0,1","usedImages":"air,iron_ingot","recipeID":9},{"recipeCategory":2,"recipeImageID":"diamond_leggings","recipeDescription":"Leggings (Diamond)","recipeLocations":"1,1,1,1,0,1,1,0,1","usedImages":"air,diamond_ingot","recipeID":10},{"recipeCategory":2,"recipeImageID":"gold_leggings","recipeDescription":"Leggings (Gold)","recipeLocations":"1,1,1,1,0,1,1,0,1","usedImages":"air,gold_ingot","recipeID":11},{"recipeCategory":2,"recipeImageID":"iron_leggings","recipeDescription":"Leggings (Iron)","recipeLocations":"1,1,1,1,0,1,1,0,1","usedImages":"air,iron_ingot","recipeID":12},{"recipeCategory":2,"recipeImageID":"diamond_chestplate","recipeDescription":"Chestplate (Diamond)","recipeLocations":"1,0,1,1,1,1,1,1,1","usedImages":"air,diamond_ingot","recipeID":13},{"recipeCategory":2,"recipeImageID":"gold_chestplate","recipeDescription":"Chestplate (Gold)","recipeLocations":"1,0,1,1,1,1,1,1,1","usedImages":"air,gold_ingot","recipeID":14},{"recipeCategory":2,"recipeImageID":"iron_chestplate","recipeDescription":"Chestplate (Iron)","recipeLocations":"1,0,1,1,1,1,1,1,1","usedImages":"air,iron_ingot","recipeID":15},{"recipeCategory":2,"recipeImageID":"diamond_helmet","recipeDescription":"Helmet (Diamond)","recipeLocations":"1,1,1,1,0,1,0,0,0","usedImages":"air,diamond_ingot","recipeID":16},{"recipeCategory":2,"recipeImageID":"gold_helmet","recipeDescription":"Helmet (Gold)","recipeLocations":"1,1,1,1,0,1,0,0,0","usedImages":"air,gold_ingot","recipeID":17},{"recipeCategory":2,"recipeImageID":"iron_helmet","recipeDescription":"Helmet My question is, how can I convert this back into an arraylist (ArrayList<Item>) There is already an Item class present in the client application. I've read examples about the Gson library but it seems it's not included anymore when compiling in API 17. What would be the easiest approach?
Download and include GSON jar from here in your project if using Eclipse. If using Android Studio then open your build.gradle and add the below to your dependencies block. Or again you can choose not to use maven and simply drop the jar in your lib folder. compile 'com.google.code.gson:gson:2.2.4' Next, use GSON to construct a list of items. Make sure you have your Item.java class with same member names as in the JSON response List<Recipe> recipesList = new ArrayList<Recipe>(); HttpEntity jsonObj = response.getEntity(); String data = EntityUtils.toString(entity); Log.d("TAG", data); Gson gson = new GsonBuilder().create(); recipesList = gson.fromJson(data, new TypeToken<List<Item>>() {}.getType()); Make sure you handle the exceptions appropriately.
You could use Jackson to parse the incoming JSON. (Quick introduction) If you already have a Class with the appropriate properties, it can be as easy as something like this: public class Items { private List<Item> items; // getter+setter } ObjectMapper mapper = new ObjectMapper(); Items = mapper.readValue(src, Items.class); See this for more information.
Step 1 : Item obj=new Item; Step 2: Parse the json formar for example here : [[Example1][1] Step 3: while parsing put ur values in obj : obj.recipeCategory=value1; Step 4: insret ur obj into arraylist: arrayList.add(obj);
I think you should using json-simple library to parse string Json to JsonObject and convert to simple data type. Example: JSONArray arrJson = (JSONArray) parser.parse("String json"); Get each element JSONObject in JSONArray, then parse it to simple data type: long recipeCategory = (long) jsonObject.get("recipeCategory");
You can use Gson like many users said, here is an example of a RESTfull client using Gson: public class RestRequest { Gson gson = new Gson(); public <T> T post(String url, Class<T> clazz, List<NameValuePair> parameters) { // Create a new HttpClient and Post Header HttpClient httpclient = new DefaultHttpClient(); HttpPost httppost = new HttpPost(url); try { // Add your data httppost.setEntity(new UrlEncodedFormEntity(parameters)); // Execute HTTP Post Request HttpResponse response = httpclient.execute(httppost); StringBuilder json = inputStreamToString(response.getEntity() .getContent()); T gsonObject = gson.fromJson(json.toString(), clazz); return gsonObject; } catch (Exception e) { e.printStackTrace(); } return null; } // Fast Implementation private StringBuilder inputStreamToString(InputStream is) throws IOException { String line = ""; StringBuilder total = new StringBuilder(); // Wrap a BufferedReader around the InputStream BufferedReader rd = new BufferedReader(new InputStreamReader(is)); // Read response until the end while ((line = rd.readLine()) != null) { total.append(line); } // Return full string return total; } } The usage will be something like this: new RestRequest("myserver.com/rest/somewebservice", SomeClass.class, Arrays.asList(new BasicValuePair("postParameter", "someParameterValue"))); Where SomeClass.class will be Recipe[].class in your case. Also check this question to properly handle server side errors.
Man, google is your friend! A quick search for "android json" or "android json parse" gives you some nice tutorials like this one or this here.