GET Crawl
{{baseUrl}}/v1/crawl/:query
QUERY PARAMS

query
Examples
REQUEST

CURL *hnd = curl_easy_init();

curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "GET");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/v1/crawl/:query");

CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])

(client/get "{{baseUrl}}/v1/crawl/:query")
require "http/client"

url = "{{baseUrl}}/v1/crawl/:query"

response = HTTP::Client.get url
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
    Method = HttpMethod.Get,
    RequestUri = new Uri("{{baseUrl}}/v1/crawl/:query"),
};
using (var response = await client.SendAsync(request))
{
    response.EnsureSuccessStatusCode();
    var body = await response.Content.ReadAsStringAsync();
    Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/v1/crawl/:query");
var request = new RestRequest("", Method.Get);
var response = client.Execute(request);
package main

import (
	"fmt"
	"net/http"
	"io"
)

func main() {

	url := "{{baseUrl}}/v1/crawl/:query"

	req, _ := http.NewRequest("GET", url, nil)

	res, _ := http.DefaultClient.Do(req)

	defer res.Body.Close()
	body, _ := io.ReadAll(res.Body)

	fmt.Println(res)
	fmt.Println(string(body))

}
GET /baseUrl/v1/crawl/:query HTTP/1.1
Host: example.com

AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("GET", "{{baseUrl}}/v1/crawl/:query")
  .execute()
  .toCompletableFuture()
  .thenAccept(System.out::println)
  .join();

client.close();
HttpRequest request = HttpRequest.newBuilder()
    .uri(URI.create("{{baseUrl}}/v1/crawl/:query"))
    .method("GET", HttpRequest.BodyPublishers.noBody())
    .build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();

Request request = new Request.Builder()
  .url("{{baseUrl}}/v1/crawl/:query")
  .get()
  .build();

Response response = client.newCall(request).execute();
HttpResponse response = Unirest.get("{{baseUrl}}/v1/crawl/:query")
  .asString();
const data = null;

const xhr = new XMLHttpRequest();
xhr.withCredentials = true;

xhr.addEventListener('readystatechange', function () {
  if (this.readyState === this.DONE) {
    console.log(this.responseText);
  }
});

xhr.open('GET', '{{baseUrl}}/v1/crawl/:query');

xhr.send(data);
import axios from 'axios';

const options = {method: 'GET', url: '{{baseUrl}}/v1/crawl/:query'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const url = '{{baseUrl}}/v1/crawl/:query';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
const settings = {
  async: true,
  crossDomain: true,
  url: '{{baseUrl}}/v1/crawl/:query',
  method: 'GET',
  headers: {}
};

$.ajax(settings).done(function (response) {
  console.log(response);
});
val client = OkHttpClient()

val request = Request.Builder()
  .url("{{baseUrl}}/v1/crawl/:query")
  .get()
  .build()

val response = client.newCall(request).execute()
const http = require('https');

const options = {
  method: 'GET',
  hostname: 'example.com',
  port: null,
  path: '/baseUrl/v1/crawl/:query',
  headers: {}
};

const req = http.request(options, function (res) {
  const chunks = [];

  res.on('data', function (chunk) {
    chunks.push(chunk);
  });

  res.on('end', function () {
    const body = Buffer.concat(chunks);
    console.log(body.toString());
  });
});

req.end();
const request = require('request');

const options = {method: 'GET', url: '{{baseUrl}}/v1/crawl/:query'};

request(options, function (error, response, body) {
  if (error) throw new Error(error);

  console.log(body);
});
const unirest = require('unirest');

const req = unirest('GET', '{{baseUrl}}/v1/crawl/:query');

req.end(function (res) {
  if (res.error) throw new Error(res.error);

  console.log(res.body);
});
const axios = require('axios').default;

const options = {method: 'GET', url: '{{baseUrl}}/v1/crawl/:query'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const fetch = require('node-fetch');

const url = '{{baseUrl}}/v1/crawl/:query';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
#import 

NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/v1/crawl/:query"]
                                                       cachePolicy:NSURLRequestUseProtocolCachePolicy
                                                   timeoutInterval:10.0];
[request setHTTPMethod:@"GET"];

NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
                                            completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
                                                if (error) {
                                                    NSLog(@"%@", error);
                                                } else {
                                                    NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
                                                    NSLog(@"%@", httpResponse);
                                                }
                                            }];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt

let uri = Uri.of_string "{{baseUrl}}/v1/crawl/:query" in

Client.call `GET uri
>>= fun (res, body_stream) ->
  (* Do stuff with the result *)
 "{{baseUrl}}/v1/crawl/:query",
  CURLOPT_RETURNTRANSFER => true,
  CURLOPT_ENCODING => "",
  CURLOPT_MAXREDIRS => 10,
  CURLOPT_TIMEOUT => 30,
  CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
  CURLOPT_CUSTOMREQUEST => "GET",
]);

$response = curl_exec($curl);
$err = curl_error($curl);

curl_close($curl);

if ($err) {
  echo "cURL Error #:" . $err;
} else {
  echo $response;
}
request('GET', '{{baseUrl}}/v1/crawl/:query');

echo $response->getBody();
setUrl('{{baseUrl}}/v1/crawl/:query');
$request->setMethod(HTTP_METH_GET);

try {
  $response = $request->send();

  echo $response->getBody();
} catch (HttpException $ex) {
  echo $ex;
}
setRequestUrl('{{baseUrl}}/v1/crawl/:query');
$request->setRequestMethod('GET');
$client->enqueue($request)->send();
$response = $client->getResponse();

echo $response->getBody();
$response = Invoke-WebRequest -Uri '{{baseUrl}}/v1/crawl/:query' -Method GET 
$response = Invoke-RestMethod -Uri '{{baseUrl}}/v1/crawl/:query' -Method GET 
import http.client

conn = http.client.HTTPSConnection("example.com")

conn.request("GET", "/baseUrl/v1/crawl/:query")

res = conn.getresponse()
data = res.read()

print(data.decode("utf-8"))
import requests

url = "{{baseUrl}}/v1/crawl/:query"

response = requests.get(url)

print(response.json())
library(httr)

url <- "{{baseUrl}}/v1/crawl/:query"

response <- VERB("GET", url, content_type("application/octet-stream"))

content(response, "text")
require 'uri'
require 'net/http'

url = URI("{{baseUrl}}/v1/crawl/:query")

http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true

request = Net::HTTP::Get.new(url)

response = http.request(request)
puts response.read_body
require 'faraday'

conn = Faraday.new(
  url: 'https://example.com',
)

response = conn.get('/baseUrl/v1/crawl/:query') do |req|
end

puts response.status
puts response.body
use reqwest;

#[tokio::main]
pub async fn main() {
    let url = "{{baseUrl}}/v1/crawl/:query";

    let client = reqwest::Client::new();
    let response = client.get(url)
        .send()
        .await;

    let results = response.unwrap()
        .json::()
        .await
        .unwrap();

    dbg!(results);
}
curl --request GET \
  --url {{baseUrl}}/v1/crawl/:query
http GET {{baseUrl}}/v1/crawl/:query
wget --quiet \
  --method GET \
  --output-document \
  - {{baseUrl}}/v1/crawl/:query
import Foundation

let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/v1/crawl/:query")! as URL,
                                        cachePolicy: .useProtocolCachePolicy,
                                    timeoutInterval: 10.0)
request.httpMethod = "GET"

let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
  if (error != nil) {
    print(error as Any)
  } else {
    let httpResponse = response as? HTTPURLResponse
    print(httpResponse)
  }
})

dataTask.resume()
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "answer": null,
  "results": [
    " ... "
  ],
  "total": null
}
GET Images
{{baseUrl}}/v1/images/:query
QUERY PARAMS

query
Examples
REQUEST

CURL *hnd = curl_easy_init();

curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "GET");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/v1/images/:query");

CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])

(client/get "{{baseUrl}}/v1/images/:query")
require "http/client"

url = "{{baseUrl}}/v1/images/:query"

response = HTTP::Client.get url
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
    Method = HttpMethod.Get,
    RequestUri = new Uri("{{baseUrl}}/v1/images/:query"),
};
using (var response = await client.SendAsync(request))
{
    response.EnsureSuccessStatusCode();
    var body = await response.Content.ReadAsStringAsync();
    Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/v1/images/:query");
var request = new RestRequest("", Method.Get);
var response = client.Execute(request);
package main

import (
	"fmt"
	"net/http"
	"io"
)

func main() {

	url := "{{baseUrl}}/v1/images/:query"

	req, _ := http.NewRequest("GET", url, nil)

	res, _ := http.DefaultClient.Do(req)

	defer res.Body.Close()
	body, _ := io.ReadAll(res.Body)

	fmt.Println(res)
	fmt.Println(string(body))

}
GET /baseUrl/v1/images/:query HTTP/1.1
Host: example.com

AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("GET", "{{baseUrl}}/v1/images/:query")
  .execute()
  .toCompletableFuture()
  .thenAccept(System.out::println)
  .join();

client.close();
HttpRequest request = HttpRequest.newBuilder()
    .uri(URI.create("{{baseUrl}}/v1/images/:query"))
    .method("GET", HttpRequest.BodyPublishers.noBody())
    .build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();

Request request = new Request.Builder()
  .url("{{baseUrl}}/v1/images/:query")
  .get()
  .build();

Response response = client.newCall(request).execute();
HttpResponse response = Unirest.get("{{baseUrl}}/v1/images/:query")
  .asString();
const data = null;

const xhr = new XMLHttpRequest();
xhr.withCredentials = true;

xhr.addEventListener('readystatechange', function () {
  if (this.readyState === this.DONE) {
    console.log(this.responseText);
  }
});

xhr.open('GET', '{{baseUrl}}/v1/images/:query');

xhr.send(data);
import axios from 'axios';

const options = {method: 'GET', url: '{{baseUrl}}/v1/images/:query'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const url = '{{baseUrl}}/v1/images/:query';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
const settings = {
  async: true,
  crossDomain: true,
  url: '{{baseUrl}}/v1/images/:query',
  method: 'GET',
  headers: {}
};

$.ajax(settings).done(function (response) {
  console.log(response);
});
val client = OkHttpClient()

val request = Request.Builder()
  .url("{{baseUrl}}/v1/images/:query")
  .get()
  .build()

val response = client.newCall(request).execute()
const http = require('https');

const options = {
  method: 'GET',
  hostname: 'example.com',
  port: null,
  path: '/baseUrl/v1/images/:query',
  headers: {}
};

const req = http.request(options, function (res) {
  const chunks = [];

  res.on('data', function (chunk) {
    chunks.push(chunk);
  });

  res.on('end', function () {
    const body = Buffer.concat(chunks);
    console.log(body.toString());
  });
});

req.end();
const request = require('request');

const options = {method: 'GET', url: '{{baseUrl}}/v1/images/:query'};

request(options, function (error, response, body) {
  if (error) throw new Error(error);

  console.log(body);
});
const unirest = require('unirest');

const req = unirest('GET', '{{baseUrl}}/v1/images/:query');

req.end(function (res) {
  if (res.error) throw new Error(res.error);

  console.log(res.body);
});
const axios = require('axios').default;

const options = {method: 'GET', url: '{{baseUrl}}/v1/images/:query'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const fetch = require('node-fetch');

const url = '{{baseUrl}}/v1/images/:query';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
#import 

NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/v1/images/:query"]
                                                       cachePolicy:NSURLRequestUseProtocolCachePolicy
                                                   timeoutInterval:10.0];
[request setHTTPMethod:@"GET"];

NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
                                            completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
                                                if (error) {
                                                    NSLog(@"%@", error);
                                                } else {
                                                    NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
                                                    NSLog(@"%@", httpResponse);
                                                }
                                            }];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt

let uri = Uri.of_string "{{baseUrl}}/v1/images/:query" in

Client.call `GET uri
>>= fun (res, body_stream) ->
  (* Do stuff with the result *)
 "{{baseUrl}}/v1/images/:query",
  CURLOPT_RETURNTRANSFER => true,
  CURLOPT_ENCODING => "",
  CURLOPT_MAXREDIRS => 10,
  CURLOPT_TIMEOUT => 30,
  CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
  CURLOPT_CUSTOMREQUEST => "GET",
]);

$response = curl_exec($curl);
$err = curl_error($curl);

curl_close($curl);

if ($err) {
  echo "cURL Error #:" . $err;
} else {
  echo $response;
}
request('GET', '{{baseUrl}}/v1/images/:query');

echo $response->getBody();
setUrl('{{baseUrl}}/v1/images/:query');
$request->setMethod(HTTP_METH_GET);

try {
  $response = $request->send();

  echo $response->getBody();
} catch (HttpException $ex) {
  echo $ex;
}
setRequestUrl('{{baseUrl}}/v1/images/:query');
$request->setRequestMethod('GET');
$client->enqueue($request)->send();
$response = $client->getResponse();

echo $response->getBody();
$response = Invoke-WebRequest -Uri '{{baseUrl}}/v1/images/:query' -Method GET 
$response = Invoke-RestMethod -Uri '{{baseUrl}}/v1/images/:query' -Method GET 
import http.client

conn = http.client.HTTPSConnection("example.com")

conn.request("GET", "/baseUrl/v1/images/:query")

res = conn.getresponse()
data = res.read()

print(data.decode("utf-8"))
import requests

url = "{{baseUrl}}/v1/images/:query"

response = requests.get(url)

print(response.json())
library(httr)

url <- "{{baseUrl}}/v1/images/:query"

response <- VERB("GET", url, content_type("application/octet-stream"))

content(response, "text")
require 'uri'
require 'net/http'

url = URI("{{baseUrl}}/v1/images/:query")

http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true

request = Net::HTTP::Get.new(url)

response = http.request(request)
puts response.read_body
require 'faraday'

conn = Faraday.new(
  url: 'https://example.com',
)

response = conn.get('/baseUrl/v1/images/:query') do |req|
end

puts response.status
puts response.body
use reqwest;

#[tokio::main]
pub async fn main() {
    let url = "{{baseUrl}}/v1/images/:query";

    let client = reqwest::Client::new();
    let response = client.get(url)
        .send()
        .await;

    let results = response.unwrap()
        .json::()
        .await
        .unwrap();

    dbg!(results);
}
curl --request GET \
  --url {{baseUrl}}/v1/images/:query
http GET {{baseUrl}}/v1/images/:query
wget --quiet \
  --method GET \
  --output-document \
  - {{baseUrl}}/v1/images/:query
import Foundation

let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/v1/images/:query")! as URL,
                                        cachePolicy: .useProtocolCachePolicy,
                                    timeoutInterval: 10.0)
request.httpMethod = "GET"

let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
  if (error != nil) {
    print(error as Any)
  } else {
    let httpResponse = response as? HTTPURLResponse
    print(httpResponse)
  }
})

dataTask.resume()
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "answers": [],
  "image_results": [
    {
      "image": {
        "alt": "The Great Coffee Debate | Rothman Health Solutions",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSvaUJHVnlx7Pe-eUzCvqjaq0SY8IqvBFUmkA&usqp=CAU"
      },
      "link": {
        "domain": "drnicole.com",
        "href": "https://drnicole.com/the-great-coffee-debate/",
        "title": "The Great Coffee Debate | Rothman ..."
      }
    },
    {
      "image": {
        "alt": "Salted Maple Power Coffee - Coconut Butter Power Coffee",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQ97hyMluYaS0i-KtnVksz50YHQYfg0cIQkEw&usqp=CAU"
      },
      "link": {
        "domain": "howsweeteats.com",
        "href": "https://www.howsweeteats.com/2018/10/power-coffee/",
        "title": "Salted Maple Power Coffee - Coconut ..."
      }
    },
    {
      "image": {
        "alt": "Is drinking coffee safe during your pregnancy? Get ready for some ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRw78AXlFrxddyUVjmee9zl0WgSAqEEjdBXjw&usqp=CAU"
      },
      "link": {
        "domain": "theguardian.com",
        "href": "https://www.theguardian.com/commentisfree/2019/oct/17/is-drinking-coffee-safe-during-your-pregnancy-get-ready-for-some-nuance",
        "title": "Is drinking coffee safe during your ..."
      }
    },
    {
      "image": {
        "alt": "History of Coffee - Surprising Facts About Coffee and Caffeine",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTMXX9ZFy_phkiDpZDzg7md0eXIfUHwmqkAKg&usqp=CAU"
      },
      "link": {
        "domain": "goodhousekeeping.com",
        "href": "https://www.goodhousekeeping.com/health/diet-nutrition/a30303/facts-about-coffee/",
        "title": "Surprising Facts About Coffee and Caffeine"
      }
    },
    {
      "image": {
        "alt": "THE COFFEE GANG - Home | Facebook",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcR5Oxi7uPeHpHvi367Br-dOY5ko8YC27ZVxLQ&usqp=CAU"
      },
      "link": {
        "domain": "facebook.com",
        "href": "https://www.facebook.com/thecoffeegangkoeln/",
        "title": "THE COFFEE GANG - Home | Facebook"
      }
    },
    {
      "image": {
        "alt": "How coffee protects the brain",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTOTPLXLBPAPJRLGsg2nmuQP17QPZwp_LZVkA&usqp=CAU"
      },
      "link": {
        "domain": "medicalnewstoday.com",
        "href": "https://www.medicalnewstoday.com/articles/323594",
        "title": "How coffee protects the brain"
      }
    },
    {
      "image": {
        "alt": "National Coffee Day 2019: Where to Find Free Coffee and Other ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQ72PRQNa22zD2BiLEDx9n7xNOTBoMIk0B40A&usqp=CAU"
      },
      "link": {
        "domain": "foodandwine.com",
        "href": "https://www.foodandwine.com/news/national-coffee-day-2019-deals-free-coffee",
        "title": "National Coffee Day 2019: Where to Find ..."
      }
    },
    {
      "image": {
        "alt": "Health benefits of coffee and a proposed warning label - Harvard ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTyWNDiNbIMSPdYc_-fsHs0WnB00kVwN79-og&usqp=CAU"
      },
      "link": {
        "domain": "health.harvard.edu",
        "href": "https://www.health.harvard.edu/blog/health-benefits-of-coffee-and-a-proposed-warning-label-2018072514319",
        "title": "Health benefits of coffee and a ..."
      }
    },
    {
      "image": {
        "alt": "Ebb + Flow Coffee Co | Verrado",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSzGnPX8PwkhUNh0_svnKsnZ8h3aizcu7Tm9w&usqp=CAU"
      },
      "link": {
        "domain": "verrado.com",
        "href": "https://www.verrado.com/ebb-flow-coffee-co/",
        "title": "Ebb + Flow Coffee Co | Verrado"
      }
    },
    {
      "image": {
        "alt": "The untold truth of instant coffee",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQR1-hgmeCmtO-lMRGA_G-QsVtTMgxQwjKjNA&usqp=CAU"
      },
      "link": {
        "domain": "mashed.com",
        "href": "https://www.mashed.com/213334/the-untold-truth-of-instant-coffee/",
        "title": "The untold truth of instant coffee"
      }
    },
    {
      "image": {
        "alt": "All Coffees Great and Small - The Coffee Universe",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRuXOtmAcTEKtbzCvSJU9_FHR8qnwW_H2L_Yw&usqp=CAU"
      },
      "link": {
        "domain": "thecoffeeuniverse.org",
        "href": "http://thecoffeeuniverse.org/all-coffees-great-and-small/",
        "title": "All Coffees Great and Small - The ..."
      }
    },
    {
      "image": {
        "alt": "How to Make Strong Coffee (Ultimate Guide to Better Coffee ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTIE2P5rxqxqc2t7pSaAYNPNBL-jYc-TpH_CA&usqp=CAU"
      },
      "link": {
        "domain": "enjoyjava.com",
        "href": "https://enjoyjava.com/how-to-make-strong-coffee/",
        "title": "How to Make Strong Coffee (Ultimate ..."
      }
    },
    {
      "image": {
        "alt": "The barista-approved gear you need to recreate the coffee shop at ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRk6uRKrZlcWzL-nMSTL0K43W2evcFqqgTK4Q&usqp=CAU"
      },
      "link": {
        "domain": "engadget.com",
        "href": "https://www.engadget.com/barista-coffee-gear-quarantine-173001511.html",
        "title": "The barista-approved gear you need to ..."
      }
    },
    {
      "image": {
        "alt": "What Fort Worth Coffee Shop Fits Your Personality? - Fort Worth ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSrIRqyS9DfB4fagLFwi3nZBgHZ-TYtUjWxVg&usqp=CAU"
      },
      "link": {
        "domain": "fwtx.com",
        "href": "https://fwtx.com/eat-drink/fort-worth-coffee-shop-fits-personality/",
        "title": "What Fort Worth Coffee Shop Fits Your ..."
      }
    },
    {
      "image": {
        "alt": "Is Coffee Good for You? - The New York Times",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcT-FANRjp7w693rO7nEuyg_sVrF6D__QiJJKw&usqp=CAU"
      },
      "link": {
        "domain": "nytimes.com",
        "href": "https://www.nytimes.com/2020/02/13/style/self-care/coffee-benefits.html",
        "title": "Is Coffee Good for You? - The New York ..."
      }
    },
    {
      "image": {
        "alt": "Quirky Frisco: Try these 5 unique coffee shop experiences",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQFTJ-7ZHTyt8FMlETrrC2oZm2D_JCAPBwWtg&usqp=CAU"
      },
      "link": {
        "domain": "dallasnews.com",
        "href": "https://www.dallasnews.com/food/2019/09/16/quirky-frisco-try-these-5-unique-coffee-shop-experiences/",
        "title": "Try these 5 unique coffee shop experiences"
      }
    },
    {
      "image": {
        "alt": "The Original Irish Coffee Recipe",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcS4Ho3fU1oK51tBn0JwBpfdYfTFNOqD6gJk_w&usqp=CAU"
      },
      "link": {
        "domain": "thespruceeats.com",
        "href": "https://www.thespruceeats.com/original-irish-coffee-recipe-759311",
        "title": "The Original Irish Coffee Recipe"
      }
    },
    {
      "image": {
        "alt": "Wild Joe*s Coffee Spot",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQmMEfoc0sUA17iMCu1dPJliI9imDOhhKBK3g&usqp=CAU"
      },
      "link": {
        "domain": "wildjoescoffee.com",
        "href": "https://wildjoescoffee.com/",
        "title": "Wild Joe*s Coffee Spot"
      }
    },
    {
      "image": {
        "alt": "Coffee: Benefits, nutrition, and risks",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSr-1QoS2MwEqG0QVxmJQ8-TL6nZgnm0wO5kg&usqp=CAU"
      },
      "link": {
        "domain": "medicalnewstoday.com",
        "href": "https://www.medicalnewstoday.com/articles/270202",
        "title": "Coffee: Benefits, nutrition, and risks"
      }
    },
    {
      "image": {
        "alt": "Homemade Healthy Coffee Creamer - JoyFoodSunshine",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRc7txgPA1jmLAbEGgRmhkWYQZv-VN7jFUDpg&usqp=CAU"
      },
      "link": {
        "domain": "joyfoodsunshine.com",
        "href": "https://joyfoodsunshine.com/paleo-vanilla-coconut-coffee-creamer/",
        "title": "Homemade Healthy Coffee Creamer ..."
      }
    },
    {
      "image": {
        "alt": "13 Health Benefits of Coffee, Based on Science",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSLBbLYJ_FVF9RAtIx-kdAv0vrRshF4TK_BFg&usqp=CAU"
      },
      "link": {
        "domain": "healthline.com",
        "href": "https://www.healthline.com/nutrition/top-13-evidence-based-health-benefits-of-coffee",
        "title": "13 Health Benefits of Coffee, Based on ..."
      }
    },
    {
      "image": {
        "alt": "Coffee and Kidney Disease: Is it Safe? | National Kidney Foundation",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQA5e8QKcbSWT5G-Epl4dWLpuzxb7BnCLuQfg&usqp=CAU"
      },
      "link": {
        "domain": "kidney.org",
        "href": "https://www.kidney.org/newsletter/coffee-and-kidney-disease",
        "title": "Coffee and Kidney Disease: Is it Safe ..."
      }
    },
    {
      "image": {
        "alt": "Filter coffee is healthier than stove top, French press, decaf ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQrHIJL4x1EKMl8aZl1PTN0AK0fYTLRHSZBtw&usqp=CAU"
      },
      "link": {
        "domain": "insider.com",
        "href": "https://www.insider.com/what-is-the-best-way-to-make-coffee-2020-4",
        "title": "Filter coffee is healthier than stove ..."
      }
    },
    {
      "image": {
        "alt": "Recess Coffee – Drink Coffee, Shoot Lightning!",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSAKFuGHaUiUM0e6kP5923DkGL50pX6HxaruA&usqp=CAU"
      },
      "link": {
        "domain": "recesscoffee.com",
        "href": "https://recesscoffee.com/",
        "title": "Recess Coffee – Drink Coffee, Shoot ..."
      }
    },
    {
      "image": {
        "alt": "Is there a healthier way to brew your coffee? | Pittsburgh Post ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQ7uTsHtb9vLwwZCTh2lpGNxXBdaX6KlfzREg&usqp=CAU"
      },
      "link": {
        "domain": "post-gazette.com",
        "href": "https://www.post-gazette.com/news/health/2020/04/24/healthy-way-brew-coffee-cholesterol/stories/202004240082",
        "title": "healthier way to brew your coffee ..."
      }
    },
    {
      "image": {
        "alt": "What your daily coffee is really doing to your body | Daily Mail ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQfHL2uXD4_h03BO3QBpD6jf1R8JcvGaQUv6g&usqp=CAU"
      },
      "link": {
        "domain": "dailymail.co.uk",
        "href": "https://www.dailymail.co.uk/health/article-2987126/It-good-brain-waistline-bad-bones-kidneys-daily-coffee-really-doing-body.html",
        "title": "coffee is really doing to your body ..."
      }
    },
    {
      "image": {
        "alt": "Reinventing the Coffee Industry in Romania",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQ80AJo0XdnQPgutOlws6kINluLKDFTP8XPuA&usqp=CAU"
      },
      "link": {
        "domain": "coffeebi.com",
        "href": "https://coffeebi.com/2018/01/23/bucharest-coffee-to-go/",
        "title": "Reinventing the Coffee Industry in Romania"
      }
    },
    {
      "image": {
        "alt": "Whipped Coffee Recipe {3 Ingredients!} | FeelGoodFoodie",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQUqH6leT8YOlOUffEwCiwl-BD9C92e3CR2RQ&usqp=CAU"
      },
      "link": {
        "domain": "feelgoodfoodie.net",
        "href": "https://feelgoodfoodie.net/recipe/whipped-coffee/",
        "title": "Whipped Coffee Recipe {3 Ingredients ..."
      }
    }
  ],
  "results": [],
  "total": null
}
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "answers": [],
  "image_results": [
    {
      "image": {
        "alt": "The best games to play while waiting out the coronavirus - The ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQYw2dBylvWTDAjUiWaRh_KZ50j5fP8Ku4Y2A&usqp=CAU"
      },
      "link": {
        "domain": "washingtonpost.com",
        "href": "https://www.washingtonpost.com/video-games/2020/04/03/best-video-games-modern-nintendo-playstation-xbox-pc/",
        "title": "The best games to play while waiting ..."
      }
    },
    {
      "image": {
        "alt": "Nitro Games announced new game Lootland",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRqrH6AT_3i1LvOEdZNLFVqq7Bc_PGiAAdunQ&usqp=CAU"
      },
      "link": {
        "domain": "ipohub.io",
        "href": "https://ipohub.io/companies/nitro-games-oyj/news/nitro-games-announced-new-game-lootland-161220190800",
        "title": "Nitro Games announced new game Lootland"
      }
    },
    {
      "image": {
        "alt": "The 60 best iPhone games of 2019 - CNET",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSMVpjLV5lussRDZMRfpaOI9oIJ3eT_AB7Bhw&usqp=CAU"
      },
      "link": {
        "domain": "cnet.com",
        "href": "https://www.cnet.com/pictures/best-iphone-games/",
        "title": "The 60 best iPhone games of 2019 - CNET"
      }
    },
    {
      "image": {
        "alt": "The Best Android Games Currently Available (July 2020) | Digital ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQDrhmpVjqyA1Fd_XOyXwE_AQC3mC4X8E6EJg&usqp=CAU"
      },
      "link": {
        "domain": "digitaltrends.com",
        "href": "https://www.digitaltrends.com/mobile/best-android-games/",
        "title": "The Best Android Games Currently ..."
      }
    },
    {
      "image": {
        "alt": "Cartoon Network Games | Free Kids Games | Online Games for Kids",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRA-bOKITMe5P9LjjKaayC_9mpVqVPucjWfgA&usqp=CAU"
      },
      "link": {
        "domain": "cartoonnetworkhq.com",
        "href": "https://www.cartoonnetworkhq.com/games",
        "title": "Cartoon Network Games | Free Kids Games ..."
      }
    },
    {
      "image": {
        "alt": "5 low MB mobile games to play in 2019 | The Tech Portal",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSMZIRj9vIso192y-B5ywMsVMNvHOv38LW5hw&usqp=CAU"
      },
      "link": {
        "domain": "thetechportal.com",
        "href": "https://thetechportal.com/5-low-mb-mobile-games-to-play-in-2019/",
        "title": "5 low MB mobile games to play in 2019 ..."
      }
    },
    {
      "image": {
        "alt": "Epic buys Rocket League developer Psyonix, strongly hints it will ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTyh8_7aGWIR7PuuLgd8vvEGEckW6B5u_HJUA&usqp=CAU"
      },
      "link": {
        "domain": "theverge.com",
        "href": "https://www.theverge.com/2019/5/1/18525842/epic-games-psyonix-acquisition-rocket-league-fortnite-unreal-deal",
        "title": "Epic buys Rocket League developer ..."
      }
    },
    {
      "image": {
        "alt": "Games - Android Apps on Google Play",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQZKw8OKhwd67ZZFpgWC-witUp_Ee9S-8EV8Q&usqp=CAU"
      },
      "link": {
        "domain": "play.google.com",
        "href": "https://play.google.com/store/apps/category/GAME?hl=en",
        "title": "Games - Android Apps on Google Play"
      }
    },
    {
      "image": {
        "alt": "Sites-us_ubisoft-Site",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcT_-Um-72YVstzf34I50Mb6I6FbX3CzD45dNQ&usqp=CAU"
      },
      "link": {
        "domain": "store.ubi.com",
        "href": "https://store.ubi.com/uplayplus",
        "title": "Sites-us_ubisoft-Site"
      }
    },
    {
      "image": {
        "alt": "Amazon.com: Drag Race Super Fast Car Games: Real Racing Game 2019 ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRIn7J4r-oJBkUr_-0o--E5z79GMnXOX6-OiA&usqp=CAU"
      },
      "link": {
        "domain": "amazon.com",
        "href": "https://www.amazon.com/Drag-Race-Super-Fast-Games/dp/B081TPNXSS",
        "title": "Drag Race Super Fast Car Games ..."
      }
    },
    {
      "image": {
        "alt": "25 best video games to help you socialise while self-isolating ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSuZZhK4YDh1mjRYUP2h9WyQClXp8bOSsigLQ&usqp=CAU"
      },
      "link": {
        "domain": "theguardian.com",
        "href": "https://www.theguardian.com/games/2020/mar/17/25-best-online-video-games-coronavirus-self-isolating",
        "title": "25 best video games to help you ..."
      }
    },
    {
      "image": {
        "alt": "ARMS for Nintendo Switch - Nintendo Game Details",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQYY_N6q9tYZEz0MUF9YdLiSNn5jWRF0PWgoA&usqp=CAU"
      },
      "link": {
        "domain": "nintendo.com",
        "href": "https://www.nintendo.com/games/detail/arms-switch/",
        "title": "ARMS for Nintendo Switch - Nintendo ..."
      }
    },
    {
      "image": {
        "alt": "The Best PS4 Games You Can Play Right Now - GameSpot",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSg9xvd8qiNFcm7fcB9UjDOSCh9RL-P2qfMdw&usqp=CAU"
      },
      "link": {
        "domain": "gamespot.com",
        "href": "https://www.gamespot.com/gallery/the-best-ps4-games-you-can-play-right-now/2900-1932/",
        "title": "The Best PS4 Games You Can Play Right ..."
      }
    },
    {
      "image": {
        "alt": "For the Uninitiated and Bored, an Introduction to the World of ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQiPFEDju4CytUgUKtEKT1KrCEdTn7r93rfTQ&usqp=CAU"
      },
      "link": {
        "domain": "nytimes.com",
        "href": "https://www.nytimes.com/2020/04/01/arts/gaming-introduction-basics-quarantine-coronavirus.html",
        "title": "For the Uninitiated and Bored, an ..."
      }
    },
    {
      "image": {
        "alt": "Snap lets you play as your Bitmoji in third-party games | TechCrunch",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQ-U5q2QaSxX-3uzn7m9K7svkYslou2lGO_RQ&usqp=CAU"
      },
      "link": {
        "domain": "techcrunch.com",
        "href": "https://techcrunch.com/2020/06/11/snap-lets-you-play-as-your-bitmoji-in-third-party-games/",
        "title": "Snap lets you play as your Bitmoji in ..."
      }
    },
    {
      "image": {
        "alt": "Car Racing Games 2019 Free Driving Simulator - Best Android ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTq75r3gbNQv2EDFRVGMr4uZVwHgqVvGMNemQ&usqp=CAU"
      },
      "link": {
        "domain": "youtube.com",
        "href": "https://www.youtube.com/watch?v=-aMDAGMdwyQ",
        "title": "Car Racing Games 2019 Free Driving ..."
      }
    },
    {
      "image": {
        "alt": "Homepage | MY.GAMES",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcS20Jl6y5067ykCMSZAbN49MwchNI-SSx4imA&usqp=CAU"
      },
      "link": {
        "domain": "my.games",
        "href": "https://my.games/",
        "title": "Homepage | MY.GAMES"
      }
    },
    {
      "image": {
        "alt": "The 20 Most Popular Video Games of 2020 - Best Games to Play Now",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQUq0xRtALlSQU50GkC7YEbA-Jrx45vZLCmMQ&usqp=CAU"
      },
      "link": {
        "domain": "goodhousekeeping.com",
        "href": "https://www.goodhousekeeping.com/life/entertainment/g30910862/best-video-games/",
        "title": "The 20 Most Popular Video Games of 2020 ..."
      }
    },
    {
      "image": {
        "alt": "SpongeBob SquarePants: Battle for Bikini Bottom - Rehydrated on Steam",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRJmyzBsdlth-e2yZGo2fRZhqkqitykxiNvRw&usqp=CAU"
      },
      "link": {
        "domain": "store.steampowered.com",
        "href": "https://store.steampowered.com/app/969990/SpongeBob_SquarePants_Battle_for_Bikini_Bottom__Rehydrated/",
        "title": "SpongeBob SquarePants: Battle for ..."
      }
    },
    {
      "image": {
        "alt": "Together in Games | Travian Games",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSiKkWVr_Ohm7cPRfFjWN87Dnv1KaShIwPN2A&usqp=CAU"
      },
      "link": {
        "domain": "traviangames.com",
        "href": "https://www.traviangames.com/en/",
        "title": "Together in Games | Travian Games"
      }
    },
    {
      "image": {
        "alt": "Online Games | Disney LOL",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcRjAw3IOi3tDtWvordiUpDNR22UnRWlZteaTA&usqp=CAU"
      },
      "link": {
        "domain": "lol.disney.com",
        "href": "https://lol.disney.com/games",
        "title": "Online Games | Disney LOL"
      }
    },
    {
      "image": {
        "alt": "Nintendo Switch games: Top free titles you should download now ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQgzVGtlF9HNsRCtGlLITqwCF-P11L1Ar0Yzg&usqp=CAU"
      },
      "link": {
        "domain": "indianexpress.com",
        "href": "https://indianexpress.com/article/technology/gaming/5-free-games-on-nintendo-switch-you-should-try-6417160/",
        "title": "Nintendo Switch games: Top free titles ..."
      }
    },
    {
      "image": {
        "alt": "LEGO® video games for PC and console | Official LEGO® Shop US",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQQjyBcnZ9Eh00dV4U_po3g0vlA5Ecy--A1AQ&usqp=CAU"
      },
      "link": {
        "domain": "lego.com",
        "href": "https://www.lego.com/en-us/games",
        "title": "LEGO® video games for PC and console ..."
      }
    },
    {
      "image": {
        "alt": "Epic Games Store | Official Site",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcQLvONu0SJkxEqhj-9doW0lDjw5XTNmHWRzjA&usqp=CAU"
      },
      "link": {
        "domain": "epicgames.com",
        "href": "https://epicgames.com/",
        "title": "Epic Games Store | Official Site"
      }
    },
    {
      "image": {
        "alt": "Command & reconquer - The video-games industry raids its back ...",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTLAbNq6KbvFZvOx8RUUDjm0GuFXJV6fwiFPw&usqp=CAU"
      },
      "link": {
        "domain": "economist.com",
        "href": "https://www.economist.com/business/2020/06/04/the-video-games-industry-raids-its-back-catalogue",
        "title": "The video-games industry raids its back ..."
      }
    },
    {
      "image": {
        "alt": "Windows Games - Microsoft Store",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcSuGscskpZgoaOCDMbB1lwtWE9PyKzd6dOelQ&usqp=CAU"
      },
      "link": {
        "domain": "microsoft.com",
        "href": "https://www.microsoft.com/en-mu/store/games/windows?icid=CatNavWindowsGames",
        "title": "Windows Games - Microsoft Store"
      }
    },
    {
      "image": {
        "alt": "GameFly | Video Game Rentals & Used Video Games",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTAW5619n9C3Vy_I5rAC6XlCSZgjhDf-tyHgw&usqp=CAU"
      },
      "link": {
        "domain": "gamefly.com",
        "href": "https://www.gamefly.com/",
        "title": "Video Game Rentals & Used Video Games"
      }
    },
    {
      "image": {
        "alt": "Digital Downloads - Games & Season Passes | GameStop",
        "src": "https://encrypted-tbn0.gstatic.com/images?q=tbn%3AANd9GcTtw_6Hj3th_P9ngtT2H95hVDuRrMlkxmSt8Q&usqp=CAU"
      },
      "link": {
        "domain": "gamestop.com",
        "href": "https://www.gamestop.com/video-games/digital-content",
        "title": "Digital Downloads - Games & Season ..."
      }
    }
  ],
  "results": [],
  "total": null
}
GET News
{{baseUrl}}/v1/news/:query
Examples
REQUEST

CURL *hnd = curl_easy_init();

curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "GET");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/v1/news/:query");

CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])

(client/get "{{baseUrl}}/v1/news/:query")
require "http/client"

url = "{{baseUrl}}/v1/news/:query"

response = HTTP::Client.get url
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
    Method = HttpMethod.Get,
    RequestUri = new Uri("{{baseUrl}}/v1/news/:query"),
};
using (var response = await client.SendAsync(request))
{
    response.EnsureSuccessStatusCode();
    var body = await response.Content.ReadAsStringAsync();
    Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/v1/news/:query");
var request = new RestRequest("", Method.Get);
var response = client.Execute(request);
package main

import (
	"fmt"
	"net/http"
	"io"
)

func main() {

	url := "{{baseUrl}}/v1/news/:query"

	req, _ := http.NewRequest("GET", url, nil)

	res, _ := http.DefaultClient.Do(req)

	defer res.Body.Close()
	body, _ := io.ReadAll(res.Body)

	fmt.Println(res)
	fmt.Println(string(body))

}
GET /baseUrl/v1/news/:query HTTP/1.1
Host: example.com

AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("GET", "{{baseUrl}}/v1/news/:query")
  .execute()
  .toCompletableFuture()
  .thenAccept(System.out::println)
  .join();

client.close();
HttpRequest request = HttpRequest.newBuilder()
    .uri(URI.create("{{baseUrl}}/v1/news/:query"))
    .method("GET", HttpRequest.BodyPublishers.noBody())
    .build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();

Request request = new Request.Builder()
  .url("{{baseUrl}}/v1/news/:query")
  .get()
  .build();

Response response = client.newCall(request).execute();
HttpResponse response = Unirest.get("{{baseUrl}}/v1/news/:query")
  .asString();
const data = null;

const xhr = new XMLHttpRequest();
xhr.withCredentials = true;

xhr.addEventListener('readystatechange', function () {
  if (this.readyState === this.DONE) {
    console.log(this.responseText);
  }
});

xhr.open('GET', '{{baseUrl}}/v1/news/:query');

xhr.send(data);
import axios from 'axios';

const options = {method: 'GET', url: '{{baseUrl}}/v1/news/:query'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const url = '{{baseUrl}}/v1/news/:query';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
const settings = {
  async: true,
  crossDomain: true,
  url: '{{baseUrl}}/v1/news/:query',
  method: 'GET',
  headers: {}
};

$.ajax(settings).done(function (response) {
  console.log(response);
});
val client = OkHttpClient()

val request = Request.Builder()
  .url("{{baseUrl}}/v1/news/:query")
  .get()
  .build()

val response = client.newCall(request).execute()
const http = require('https');

const options = {
  method: 'GET',
  hostname: 'example.com',
  port: null,
  path: '/baseUrl/v1/news/:query',
  headers: {}
};

const req = http.request(options, function (res) {
  const chunks = [];

  res.on('data', function (chunk) {
    chunks.push(chunk);
  });

  res.on('end', function () {
    const body = Buffer.concat(chunks);
    console.log(body.toString());
  });
});

req.end();
const request = require('request');

const options = {method: 'GET', url: '{{baseUrl}}/v1/news/:query'};

request(options, function (error, response, body) {
  if (error) throw new Error(error);

  console.log(body);
});
const unirest = require('unirest');

const req = unirest('GET', '{{baseUrl}}/v1/news/:query');

req.end(function (res) {
  if (res.error) throw new Error(res.error);

  console.log(res.body);
});
const axios = require('axios').default;

const options = {method: 'GET', url: '{{baseUrl}}/v1/news/:query'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const fetch = require('node-fetch');

const url = '{{baseUrl}}/v1/news/:query';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
#import 

NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/v1/news/:query"]
                                                       cachePolicy:NSURLRequestUseProtocolCachePolicy
                                                   timeoutInterval:10.0];
[request setHTTPMethod:@"GET"];

NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
                                            completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
                                                if (error) {
                                                    NSLog(@"%@", error);
                                                } else {
                                                    NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
                                                    NSLog(@"%@", httpResponse);
                                                }
                                            }];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt

let uri = Uri.of_string "{{baseUrl}}/v1/news/:query" in

Client.call `GET uri
>>= fun (res, body_stream) ->
  (* Do stuff with the result *)
 "{{baseUrl}}/v1/news/:query",
  CURLOPT_RETURNTRANSFER => true,
  CURLOPT_ENCODING => "",
  CURLOPT_MAXREDIRS => 10,
  CURLOPT_TIMEOUT => 30,
  CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
  CURLOPT_CUSTOMREQUEST => "GET",
]);

$response = curl_exec($curl);
$err = curl_error($curl);

curl_close($curl);

if ($err) {
  echo "cURL Error #:" . $err;
} else {
  echo $response;
}
request('GET', '{{baseUrl}}/v1/news/:query');

echo $response->getBody();
setUrl('{{baseUrl}}/v1/news/:query');
$request->setMethod(HTTP_METH_GET);

try {
  $response = $request->send();

  echo $response->getBody();
} catch (HttpException $ex) {
  echo $ex;
}
setRequestUrl('{{baseUrl}}/v1/news/:query');
$request->setRequestMethod('GET');
$client->enqueue($request)->send();
$response = $client->getResponse();

echo $response->getBody();
$response = Invoke-WebRequest -Uri '{{baseUrl}}/v1/news/:query' -Method GET 
$response = Invoke-RestMethod -Uri '{{baseUrl}}/v1/news/:query' -Method GET 
import http.client

conn = http.client.HTTPSConnection("example.com")

conn.request("GET", "/baseUrl/v1/news/:query")

res = conn.getresponse()
data = res.read()

print(data.decode("utf-8"))
import requests

url = "{{baseUrl}}/v1/news/:query"

response = requests.get(url)

print(response.json())
library(httr)

url <- "{{baseUrl}}/v1/news/:query"

response <- VERB("GET", url, content_type("application/octet-stream"))

content(response, "text")
require 'uri'
require 'net/http'

url = URI("{{baseUrl}}/v1/news/:query")

http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true

request = Net::HTTP::Get.new(url)

response = http.request(request)
puts response.read_body
require 'faraday'

conn = Faraday.new(
  url: 'https://example.com',
)

response = conn.get('/baseUrl/v1/news/:query') do |req|
end

puts response.status
puts response.body
use reqwest;

#[tokio::main]
pub async fn main() {
    let url = "{{baseUrl}}/v1/news/:query";

    let client = reqwest::Client::new();
    let response = client.get(url)
        .send()
        .await;

    let results = response.unwrap()
        .json::()
        .await
        .unwrap();

    dbg!(results);
}
curl --request GET \
  --url {{baseUrl}}/v1/news/:query
http GET {{baseUrl}}/v1/news/:query
wget --quiet \
  --method GET \
  --output-document \
  - {{baseUrl}}/v1/news/:query
import Foundation

let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/v1/news/:query")! as URL,
                                        cachePolicy: .useProtocolCachePolicy,
                                    timeoutInterval: 10.0)
request.httpMethod = "GET"

let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
  if (error != nil) {
    print(error as Any)
  } else {
    let httpResponse = response as? HTTPURLResponse
    print(httpResponse)
  }
})

dataTask.resume()
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "entries": [
    {
      "guidislink": false,
      "id": "CAIiEJbYpHMf0QD_umAUYNd46A0qGQgEKhAIACoHCAow4uGPCzDQpKMDMOm0sAY",
      "link": "https://www.thisismoney.co.uk/money/investing/article-8490041/EDENTREE-AMITY-UK-performer-steers-clear-sin-stocks.html",
      "links": [
        {
          "href": "https://www.thisismoney.co.uk/money/investing/article-8490041/EDENTREE-AMITY-UK-performer-steers-clear-sin-stocks.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 22:45:37 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        22,
        45,
        37,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.thisismoney.co.uk",
        "title": "This is Money"
      },
      "sub_articles": [],
      "summary": "EDENTREE AMITY UK: Top performer steers clear of the 'sin' stocks  This is Money",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "EDENTREE AMITY UK: Top performer steers clear of the 'sin' stocks  This is Money"
      },
      "title": "EDENTREE AMITY UK: Top performer steers clear of the 'sin' stocks - This is Money",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "EDENTREE AMITY UK: Top performer steers clear of the 'sin' stocks - This is Money"
      }
    },
    {
      "guidislink": false,
      "id": "CBMihgFodHRwczovL3d3dy5mb29sLmNvLnVrL2ludmVzdGluZy8yMDIwLzA3LzA0L2RvbnQtbWlzcy1vdXQtNC1mdHNlLTEwMC1kaXZpZGVuZC1zdG9ja3MtaS10aGluay1jb3VsZC1oZWxwLXlvdS1nZXQtcmljaC1hbmQtcmV0aXJlLWVhcmx5L9IBAA",
      "link": "https://www.fool.co.uk/investing/2020/07/04/dont-miss-out-4-ftse-100-dividend-stocks-i-think-could-help-you-get-rich-and-retire-early/",
      "links": [
        {
          "href": "https://www.fool.co.uk/investing/2020/07/04/dont-miss-out-4-ftse-100-dividend-stocks-i-think-could-help-you-get-rich-and-retire-early/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 12:55:59 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        12,
        55,
        59,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.co.uk",
        "title": "Motley Fool UK"
      },
      "sub_articles": [],
      "summary": "Don't miss out! 4 FTSE 100 dividend stocks I think could help you get rich and retire early  Motley Fool UK",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Don't miss out! 4 FTSE 100 dividend stocks I think could help you get rich and retire early  Motley Fool UK"
      },
      "title": "Don't miss out! 4 FTSE 100 dividend stocks I think could help you get rich and retire early - Motley Fool UK",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Don't miss out! 4 FTSE 100 dividend stocks I think could help you get rich and retire early - Motley Fool UK"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiW2h0dHBzOi8vd3d3LmJhcnJvbnMuY29tL2FydGljbGVzLzQtc3RvY2tzLWhhdmUtdHJpbGxpb24tZG9sbGFyLXZhbHVlcy13aG9zLW5leHQtNTE1OTM4NjIyMDHSAV9odHRwczovL3d3dy5iYXJyb25zLmNvbS9hbXAvYXJ0aWNsZXMvNC1zdG9ja3MtaGF2ZS10cmlsbGlvbi1kb2xsYXItdmFsdWVzLXdob3MtbmV4dC01MTU5Mzg2MjIwMQ",
      "link": "https://www.barrons.com/articles/4-stocks-have-trillion-dollar-values-whos-next-51593862201",
      "links": [
        {
          "href": "https://www.barrons.com/articles/4-stocks-have-trillion-dollar-values-whos-next-51593862201",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 11:30:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        11,
        30,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.barrons.com",
        "title": "Barron's"
      },
      "sub_articles": [],
      "summary": "4 Stocks Have Trillion-Dollar Values. Who’s Next?  Barron's",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "4 Stocks Have Trillion-Dollar Values. Who’s Next?  Barron's"
      },
      "title": "4 Stocks Have Trillion-Dollar Values. Who’s Next? - Barron's",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "4 Stocks Have Trillion-Dollar Values. Who’s Next? - Barron's"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEHoLGxjkYXqngfiYs6dDKcwqFQgEKg0IACoGCAowrqkBMKBFMJGBAg",
      "link": "https://www.forbes.com/sites/scottcarpenter/2020/07/04/hedge-fund-marshall-wace-will-bet-on-esg-stocks-with-new-1-billion-fund/",
      "links": [
        {
          "href": "https://www.forbes.com/sites/scottcarpenter/2020/07/04/hedge-fund-marshall-wace-will-bet-on-esg-stocks-with-new-1-billion-fund/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 18:31:21 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        18,
        31,
        21,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.forbes.com",
        "title": "Forbes"
      },
      "sub_articles": [],
      "summary": "Hedge Fund Marshall Wace Will Bet On ESG Stocks With New $1 Billion Fund  Forbes",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Hedge Fund Marshall Wace Will Bet On ESG Stocks With New $1 Billion Fund  Forbes"
      },
      "title": "Hedge Fund Marshall Wace Will Bet On ESG Stocks With New $1 Billion Fund - Forbes",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Hedge Fund Marshall Wace Will Bet On ESG Stocks With New $1 Billion Fund - Forbes"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiELdLP6CrE6pXTf8VS6mFwYsqFQgEKg0IACoGCAowrqkBMKBFMLKAAg",
      "link": "https://www.forbes.com/sites/tomaspray/2020/07/04/investors-bearish-as-the-stock-market-soars/",
      "links": [
        {
          "href": "https://www.forbes.com/sites/tomaspray/2020/07/04/investors-bearish-as-the-stock-market-soars/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 18:22:44 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        18,
        22,
        44,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.forbes.com",
        "title": "Forbes"
      },
      "sub_articles": [],
      "summary": "Investors Bearish As The Stock Market Soars  Forbes",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Investors Bearish As The Stock Market Soars  Forbes"
      },
      "title": "Investors Bearish As The Stock Market Soars - Forbes",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Investors Bearish As The Stock Market Soars - Forbes"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEHJp-NyMXN6lxC1B2gutnDsqFQgEKg0IACoGCAowrqkBMKBFMMGBAg",
      "link": "https://www.forbes.com/sites/sergeiklebnikov/2020/07/03/stocks-are-rallying-too-much-on-vaccine-news-says-this-market-expert/",
      "links": [
        {
          "href": "https://www.forbes.com/sites/sergeiklebnikov/2020/07/03/stocks-are-rallying-too-much-on-vaccine-news-says-this-market-expert/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 20:03:04 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        20,
        3,
        4,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.forbes.com",
        "title": "Forbes"
      },
      "sub_articles": [],
      "summary": "Stocks Are Rallying Too Much On Vaccine News, Says This Market Expert  Forbes",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks Are Rallying Too Much On Vaccine News, Says This Market Expert  Forbes"
      },
      "title": "Stocks Are Rallying Too Much On Vaccine News, Says This Market Expert - Forbes",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks Are Rallying Too Much On Vaccine News, Says This Market Expert - Forbes"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYWh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0LzUtdG9wLXN0b2Nrcy10by1zZWN1cmUteW91ci1maW5hbmNpYWwtaW5kZXBlbmRlbmNlLmFzcHjSAWVodHRwczovL3d3dy5mb29sLmNvbS9hbXAvaW52ZXN0aW5nLzIwMjAvMDcvMDQvNS10b3Atc3RvY2tzLXRvLXNlY3VyZS15b3VyLWZpbmFuY2lhbC1pbmRlcGVuZGVuY2UuYXNweA",
      "link": "https://www.fool.com/investing/2020/07/04/5-top-stocks-to-secure-your-financial-independence.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/5-top-stocks-to-secure-your-financial-independence.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 09:51:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        9,
        51,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "5 Top Stocks to Secure Your Financial Independence  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "5 Top Stocks to Secure Your Financial Independence  Motley Fool"
      },
      "title": "5 Top Stocks to Secure Your Financial Independence - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "5 Top Stocks to Secure Your Financial Independence - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiZGh0dHBzOi8vd3d3LmZveGJ1c2luZXNzLmNvbS9tYXJrZXRzL3N0b2Nrcy1oYXZlLW1vcmUtcm9vbS10by1ydW4tYWZ0ZXItYmVzdC1xdWFydGVyLWluLW92ZXItMjAteWVhcnPSAWhodHRwczovL3d3dy5mb3hidXNpbmVzcy5jb20vbWFya2V0cy9zdG9ja3MtaGF2ZS1tb3JlLXJvb20tdG8tcnVuLWFmdGVyLWJlc3QtcXVhcnRlci1pbi1vdmVyLTIwLXllYXJzLmFtcA",
      "link": "https://www.foxbusiness.com/markets/stocks-have-more-room-to-run-after-best-quarter-in-over-20-years",
      "links": [
        {
          "href": "https://www.foxbusiness.com/markets/stocks-have-more-room-to-run-after-best-quarter-in-over-20-years",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 13:43:06 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        13,
        43,
        6,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.foxbusiness.com",
        "title": "Fox Business"
      },
      "sub_articles": [],
      "summary": "Stocks set to bound higher despite COVID-19 overshadowing breakout quarter  Fox Business",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks set to bound higher despite COVID-19 overshadowing breakout quarter  Fox Business"
      },
      "title": "Stocks set to bound higher despite COVID-19 overshadowing breakout quarter - Fox Business",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks set to bound higher despite COVID-19 overshadowing breakout quarter - Fox Business"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiVGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtdG9wLXNtYWxsLWNhcC1zdG9ja3MtdG8tYnV5LWluLWp1bHkuYXNweNIBWGh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wNC8zLXRvcC1zbWFsbC1jYXAtc3RvY2tzLXRvLWJ1eS1pbi1qdWx5LmFzcHg",
      "link": "https://www.fool.com/investing/2020/07/04/3-top-small-cap-stocks-to-buy-in-july.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/3-top-small-cap-stocks-to-buy-in-july.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 19:00:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        19,
        0,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Top Small-Cap Stocks to Buy in July  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Top Small-Cap Stocks to Buy in July  Motley Fool"
      },
      "title": "3 Top Small-Cap Stocks to Buy in July - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Top Small-Cap Stocks to Buy in July - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiemh0dHBzOi8vd3d3LmZvb2wuY28udWsvaW52ZXN0aW5nLzIwMjAvMDcvMDQvcmV0aXJlbWVudC1zYXZpbmdzLWlkLWJ1eS1jaGVhcC1zdG9ja3MtYWZ0ZXItdGhlLW1hcmtldC1jcmFzaC10by1yZXRpcmUtZWFybHkv0gEA",
      "link": "https://www.fool.co.uk/investing/2020/07/04/retirement-savings-id-buy-cheap-stocks-after-the-market-crash-to-retire-early/",
      "links": [
        {
          "href": "https://www.fool.co.uk/investing/2020/07/04/retirement-savings-id-buy-cheap-stocks-after-the-market-crash-to-retire-early/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 10:41:53 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        10,
        41,
        53,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.co.uk",
        "title": "Motley Fool UK"
      },
      "sub_articles": [],
      "summary": "Retirement savings: I'd buy cheap stocks after the market crash to retire early  Motley Fool UK",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Retirement savings: I'd buy cheap stocks after the market crash to retire early  Motley Fool UK"
      },
      "title": "Retirement savings: I'd buy cheap stocks after the market crash to retire early - Motley Fool UK",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Retirement savings: I'd buy cheap stocks after the market crash to retire early - Motley Fool UK"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiUGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtbGFyZ2UtY2FwLXN0b2Nrcy10by1idXktaW4tanVseS5hc3B40gFUaHR0cHM6Ly93d3cuZm9vbC5jb20vYW1wL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtbGFyZ2UtY2FwLXN0b2Nrcy10by1idXktaW4tanVseS5hc3B4",
      "link": "https://www.fool.com/investing/2020/07/04/3-large-cap-stocks-to-buy-in-july.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/3-large-cap-stocks-to-buy-in-july.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 13:00:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        13,
        0,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Large-Cap Stocks to Buy in July  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Large-Cap Stocks to Buy in July  Motley Fool"
      },
      "title": "3 Large-Cap Stocks to Buy in July - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Large-Cap Stocks to Buy in July - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMifWh0dHBzOi8vd3d3LmNuYmMuY29tLzIwMjAvMDcvMDQvaGVyZS1hcmUtc29tZS1kaXZpZGVuZC1zdG9ja3Mtd2l0aC1zdXN0YWluYWJsZS1pbmNvbWUtZm9yLXRoZS1zZWNvbmQtaGFsZi1qZWZmZXJpZXMtc2F5cy5odG1s0gEA",
      "link": "https://www.cnbc.com/2020/07/04/here-are-some-dividend-stocks-with-sustainable-income-for-the-second-half-jefferies-says.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/04/here-are-some-dividend-stocks-with-sustainable-income-for-the-second-half-jefferies-says.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 12:22:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        12,
        22,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Here are some dividend stocks with sustainable income for the second half, Jefferies says  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Here are some dividend stocks with sustainable income for the second half, Jefferies says  CNBC"
      },
      "title": "Here are some dividend stocks with sustainable income for the second half, Jefferies says - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Here are some dividend stocks with sustainable income for the second half, Jefferies says - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEKCL1QEGVTIA73xRjYlE2QAqFQgEKg0IACoGCAowrqkBMKBFMLKAAg",
      "link": "https://www.forbes.com/sites/simonmoore/2020/07/03/can-the-stock-market-rally-last/",
      "links": [
        {
          "href": "https://www.forbes.com/sites/simonmoore/2020/07/03/can-the-stock-market-rally-last/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 22:10:30 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        22,
        10,
        30,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.forbes.com",
        "title": "Forbes"
      },
      "sub_articles": [],
      "summary": "Can The Stock Market Rally Last?  Forbes",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Can The Stock Market Rally Last?  Forbes"
      },
      "title": "Can The Stock Market Rally Last? - Forbes",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Can The Stock Market Rally Last? - Forbes"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiU2h0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtdG9wLWRpdmlkZW5kLXN0b2Nrcy10by1idXktaW4tanVseS5hc3B40gFXaHR0cHM6Ly93d3cuZm9vbC5jb20vYW1wL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtdG9wLWRpdmlkZW5kLXN0b2Nrcy10by1idXktaW4tanVseS5hc3B4",
      "link": "https://www.fool.com/investing/2020/07/04/3-top-dividend-stocks-to-buy-in-july.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/3-top-dividend-stocks-to-buy-in-july.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 13:31:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        13,
        31,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Top Dividend Stocks to Buy in July  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Top Dividend Stocks to Buy in July  Motley Fool"
      },
      "title": "3 Top Dividend Stocks to Buy in July - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Top Dividend Stocks to Buy in July - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtcmlkaWN1bG91c2x5LWNoZWFwLWRpdmlkZW5kLXN0b2Nrcy10by1idXktdG9kYXkuYXNweNIBZGh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wNC8zLXJpZGljdWxvdXNseS1jaGVhcC1kaXZpZGVuZC1zdG9ja3MtdG8tYnV5LXRvZGF5LmFzcHg",
      "link": "https://www.fool.com/investing/2020/07/04/3-ridiculously-cheap-dividend-stocks-to-buy-today.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/3-ridiculously-cheap-dividend-stocks-to-buy-today.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 11:02:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        11,
        2,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Ridiculously Cheap Dividend Stocks to Buy Today  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Ridiculously Cheap Dividend Stocks to Buy Today  Motley Fool"
      },
      "title": "3 Ridiculously Cheap Dividend Stocks to Buy Today - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Ridiculously Cheap Dividend Stocks to Buy Today - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiECbvr1-xx1zGTfTtFYTIxwMqGAgEKg8IACoHCAowjujJATDXzBUwmJS0AQ",
      "link": "https://www.marketwatch.com/story/london-stocks-struggle-while-us-markets-are-closed-for-july-4-holiday-2020-07-03",
      "links": [
        {
          "href": "https://www.marketwatch.com/story/london-stocks-struggle-while-us-markets-are-closed-for-july-4-holiday-2020-07-03",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 13:28:56 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        13,
        28,
        56,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.marketwatch.com",
        "title": "MarketWatch"
      },
      "sub_articles": [],
      "summary": "London stocks struggle while U.S. markets are closed for July 4 holiday  MarketWatch",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "London stocks struggle while U.S. markets are closed for July 4 holiday  MarketWatch"
      },
      "title": "London stocks struggle while U.S. markets are closed for July 4 holiday - MarketWatch",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "London stocks struggle while U.S. markets are closed for July 4 holiday - MarketWatch"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiSmh0dHBzOi8vZmluYW5jZS55YWhvby5jb20vbmV3cy9xdWFudC1mdW5kLWdhaW5zLTEwOC1kdW1waW5nLTIzMDAwMDkxNy5odG1s0gFSaHR0cHM6Ly9maW5hbmNlLnlhaG9vLmNvbS9hbXBodG1sL25ld3MvcXVhbnQtZnVuZC1nYWlucy0xMDgtZHVtcGluZy0yMzAwMDA5MTcuaHRtbA",
      "link": "https://finance.yahoo.com/news/quant-fund-gains-108-dumping-230000917.html",
      "links": [
        {
          "href": "https://finance.yahoo.com/news/quant-fund-gains-108-dumping-230000917.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 23:00:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        23,
        0,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://finance.yahoo.com",
        "title": "Yahoo Finance"
      },
      "sub_articles": [],
      "summary": "Quant Fund Gains 108% by Dumping China Stocks a Day After Buying  Yahoo Finance",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Quant Fund Gains 108% by Dumping China Stocks a Day After Buying  Yahoo Finance"
      },
      "title": "Quant Fund Gains 108% by Dumping China Stocks a Day After Buying - Yahoo Finance",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Quant Fund Gains 108% by Dumping China Stocks a Day After Buying - Yahoo Finance"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEGnvBCMpOXaebngl8G98Q2gqGQgEKhAIACoHCAow2Nb3CjDivdcCMMPf7gU",
      "link": "https://www.cnbc.com/2020/07/04/tech-employees-open-wallets-to-beat-trump-even-as-stocks-profits-soar.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/04/tech-employees-open-wallets-to-beat-trump-even-as-stocks-profits-soar.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 18:51:32 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        18,
        51,
        32,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Tech workers are opening their wallets to beat Trump even with stock prices soaring and profits near records  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Tech workers are opening their wallets to beat Trump even with stock prices soaring and profits near records  CNBC"
      },
      "title": "Tech workers are opening their wallets to beat Trump even with stock prices soaring and profits near records - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Tech workers are opening their wallets to beat Trump even with stock prices soaring and profits near records - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiUmh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzAzL2hlcmVzLW15LXRvcC1zdG9jay10by1idXktcmlnaHQtbm93LmFzcHjSAVZodHRwczovL3d3dy5mb29sLmNvbS9hbXAvaW52ZXN0aW5nLzIwMjAvMDcvMDMvaGVyZXMtbXktdG9wLXN0b2NrLXRvLWJ1eS1yaWdodC1ub3cuYXNweA",
      "link": "https://www.fool.com/investing/2020/07/03/heres-my-top-stock-to-buy-right-now.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/03/heres-my-top-stock-to-buy-right-now.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 10:43:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        10,
        43,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "Here's My Top Stock to Buy Right Now  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Here's My Top Stock to Buy Right Now  Motley Fool"
      },
      "title": "Here's My Top Stock to Buy Right Now - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Here's My Top Stock to Buy Right Now - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiENP2T9YhBhQ0GmnujrSIEnIqGQgEKhAIACoHCAowocv1CjCSptoCMPrTpgU",
      "link": "https://www.cnn.com/2020/07/02/investing/dow-stock-market-today-jobs-report/index.html",
      "links": [
        {
          "href": "https://www.cnn.com/2020/07/02/investing/dow-stock-market-today-jobs-report/index.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 20:13:02 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        20,
        13,
        2,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.cnn.com",
        "title": "CNN"
      },
      "sub_articles": [],
      "summary": "Stocks rise after jobs report  CNN",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks rise after jobs report  CNN"
      },
      "title": "Stocks rise after jobs report - CNN",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks rise after jobs report - CNN"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiENFUul_j8CKDiPOk_jDwrBEqGAgEKg8IACoHCAow1tzJATDnyxUwyMrPBg",
      "link": "https://www.wsj.com/articles/global-stock-markets-dow-update-7-03-2020-11593768198",
      "links": [
        {
          "href": "https://www.wsj.com/articles/global-stock-markets-dow-update-7-03-2020-11593768198",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 16:21:26 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        16,
        21,
        26,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.wsj.com",
        "title": "The Wall Street Journal"
      },
      "sub_articles": [],
      "summary": "European Stocks Drift Lower With U.S. Markets Shut  The Wall Street Journal",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "European Stocks Drift Lower With U.S. Markets Shut  The Wall Street Journal"
      },
      "title": "European Stocks Drift Lower With U.S. Markets Shut - The Wall Street Journal",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "European Stocks Drift Lower With U.S. Markets Shut - The Wall Street Journal"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiW2h0dHBzOi8vcGVubnlzdG9ja3MuY29tL2ZlYXR1cmVkLzIwMjAvMDcvMDQvcGVubnktc3RvY2tzLWJyaW5nLWZpcmV3b3Jrcy1hZnRlci1qdWx5LTQtMjAyMC_SAQA",
      "link": "https://pennystocks.com/featured/2020/07/04/penny-stocks-bring-fireworks-after-july-4-2020/",
      "links": [
        {
          "href": "https://pennystocks.com/featured/2020/07/04/penny-stocks-bring-fireworks-after-july-4-2020/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 19:46:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        19,
        46,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://pennystocks.com",
        "title": "Penny Stocks"
      },
      "sub_articles": [],
      "summary": "Will These Penny Stocks Bring Fireworks After The 4th?  Penny Stocks",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Will These Penny Stocks Bring Fireworks After The 4th?  Penny Stocks"
      },
      "title": "Will These Penny Stocks Bring Fireworks After The 4th? - Penny Stocks",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Will These Penny Stocks Bring Fireworks After The 4th? - Penny Stocks"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiWmh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtdG9wLWNsb3VkLWNvbXB1dGluZy1zdG9ja3MtdG8tYnV5LWluLWp1bHkuYXNweNIBXmh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wNC8zLXRvcC1jbG91ZC1jb21wdXRpbmctc3RvY2tzLXRvLWJ1eS1pbi1qdWx5LmFzcHg",
      "link": "https://www.fool.com/investing/2020/07/04/3-top-cloud-computing-stocks-to-buy-in-july.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/3-top-cloud-computing-stocks-to-buy-in-july.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 20:20:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        20,
        20,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Top Cloud Computing Stocks to Buy in July  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Top Cloud Computing Stocks to Buy in July  Motley Fool"
      },
      "title": "3 Top Cloud Computing Stocks to Buy in July - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Top Cloud Computing Stocks to Buy in July - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiggFodHRwczovL3d3dy5pbnZlc3RvcnNjaHJvbmljbGUuY28udWsvY29tbWVudC8yMDIwLzA3LzAzL21hcmtldC1vdXRsb29rLXN0b2Nrcy1zdGVhZHktYXMtcHVicy1wcmVwYXJlLXRvLXJlb3Blbi1yaW8tdGludG8tY21jLW1vcmUv0gEA",
      "link": "https://www.investorschronicle.co.uk/comment/2020/07/03/market-outlook-stocks-steady-as-pubs-prepare-to-reopen-rio-tinto-cmc-more/",
      "links": [
        {
          "href": "https://www.investorschronicle.co.uk/comment/2020/07/03/market-outlook-stocks-steady-as-pubs-prepare-to-reopen-rio-tinto-cmc-more/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 08:34:28 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        8,
        34,
        28,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.investorschronicle.co.uk",
        "title": "Investors Chronicle"
      },
      "sub_articles": [],
      "summary": "Market Outlook: Stocks steady as pubs prepare to reopen, Rio Tinto, CMC & more  Investors Chronicle",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Market Outlook: Stocks steady as pubs prepare to reopen, Rio Tinto, CMC & more  Investors Chronicle"
      },
      "title": "Market Outlook: Stocks steady as pubs prepare to reopen, Rio Tinto, CMC & more - Investors Chronicle",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Market Outlook: Stocks steady as pubs prepare to reopen, Rio Tinto, CMC & more - Investors Chronicle"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYWh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0L3doeS1lc2ctc3RvY2tzLWFyZS1wZXJmZWN0LWZvci1yZXRpcmVtZW50LXBvcnRmb2xpLmFzcHjSAWVodHRwczovL3d3dy5mb29sLmNvbS9hbXAvaW52ZXN0aW5nLzIwMjAvMDcvMDQvd2h5LWVzZy1zdG9ja3MtYXJlLXBlcmZlY3QtZm9yLXJldGlyZW1lbnQtcG9ydGZvbGkuYXNweA",
      "link": "https://www.fool.com/investing/2020/07/04/why-esg-stocks-are-perfect-for-retirement-portfoli.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/why-esg-stocks-are-perfect-for-retirement-portfoli.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 11:20:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        11,
        20,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "Why ESG Stocks Are Perfect for Retirement Portfolios  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Why ESG Stocks Are Perfect for Retirement Portfolios  Motley Fool"
      },
      "title": "Why ESG Stocks Are Perfect for Retirement Portfolios - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Why ESG Stocks Are Perfect for Retirement Portfolios - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYGh0dHBzOi8vbmFpcmFtZXRyaWNzLmNvbS8yMDIwLzA3LzAzL2dsb2JhbC1zdG9ja3Mtc3VyZ2UtdHJpZ2dlcmVkLWJ5LXByb21pc2luZy1jb3ZpZC0xOS12YWNjaW5lL9IBAA",
      "link": "https://nairametrics.com/2020/07/03/global-stocks-surge-triggered-by-promising-covid-19-vaccine/",
      "links": [
        {
          "href": "https://nairametrics.com/2020/07/03/global-stocks-surge-triggered-by-promising-covid-19-vaccine/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 07:02:55 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        7,
        2,
        55,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://nairametrics.com",
        "title": "Nairametrics"
      },
      "sub_articles": [],
      "summary": "Global stocks surge triggered by promising COVID-19 vaccine  Nairametrics",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Global stocks surge triggered by promising COVID-19 vaccine  Nairametrics"
      },
      "title": "Global stocks surge triggered by promising COVID-19 vaccine - Nairametrics",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Global stocks surge triggered by promising COVID-19 vaccine - Nairametrics"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiV2h0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtdG9wLXN0YXktYXQtaG9tZS1zdG9ja3MtdG8tYnV5LWluLWp1bHkuYXNweNIBW2h0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wNC8zLXRvcC1zdGF5LWF0LWhvbWUtc3RvY2tzLXRvLWJ1eS1pbi1qdWx5LmFzcHg",
      "link": "https://www.fool.com/investing/2020/07/04/3-top-stay-at-home-stocks-to-buy-in-july.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/3-top-stay-at-home-stocks-to-buy-in-july.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 17:00:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        17,
        0,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Top Stay-at-Home Stocks to Buy in July  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Top Stay-at-Home Stocks to Buy in July  Motley Fool"
      },
      "title": "3 Top Stay-at-Home Stocks to Buy in July - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Top Stay-at-Home Stocks to Buy in July - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEGadQUIC2TxWSxgGKXQeMTcqFwgEKg8IACoHCAowjuuKAzCWrzwwqIQY",
      "link": "https://www.nytimes.com/2020/07/03/opinion/stock-market.html",
      "links": [
        {
          "href": "https://www.nytimes.com/2020/07/03/opinion/stock-market.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 20:57:33 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        20,
        57,
        33,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.nytimes.com",
        "title": "The New York Times"
      },
      "sub_articles": [],
      "summary": "The Mystery of High Stock Prices  The New York Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "The Mystery of High Stock Prices  The New York Times"
      },
      "title": "The Mystery of High Stock Prices - The New York Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "The Mystery of High Stock Prices - The New York Times"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiY2h0dHBzOi8vd3d3LmNuYmMuY29tLzIwMjAvMDcvMDIvaGVyZS1hcmUtY3JlZGl0LXN1aXNzZXMtYmVzdC1zdG9jay1pZGVhcy1mb3ItdGhlLXRoaXJkLXF1YXJ0ZXIuaHRtbNIBAA",
      "link": "https://www.cnbc.com/2020/07/02/here-are-credit-suisses-best-stock-ideas-for-the-third-quarter.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/02/here-are-credit-suisses-best-stock-ideas-for-the-third-quarter.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 12:15:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        12,
        15,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Here are Credit Suisse's best stock ideas for the third quarter  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Here are Credit Suisse's best stock ideas for the third quarter  CNBC"
      },
      "title": "Here are Credit Suisse's best stock ideas for the third quarter - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Here are Credit Suisse's best stock ideas for the third quarter - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEL1FFXE3Slucbx6k99m9PiUqFQgEKg0IACoGCAowrqkBMKBFMLKAAg",
      "link": "https://www.forbes.com/sites/moneyshow/2020/07/03/todays-5-best-monthly-dividend-paying-stocks/",
      "links": [
        {
          "href": "https://www.forbes.com/sites/moneyshow/2020/07/03/todays-5-best-monthly-dividend-paying-stocks/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 11:38:45 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        11,
        38,
        45,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.forbes.com",
        "title": "Forbes"
      },
      "sub_articles": [],
      "summary": "Today's 5 Best Monthly Dividend Paying Stocks  Forbes",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Today's 5 Best Monthly Dividend Paying Stocks  Forbes"
      },
      "title": "Today's 5 Best Monthly Dividend Paying Stocks - Forbes",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Today's 5 Best Monthly Dividend Paying Stocks - Forbes"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiELUAM8j_7jgaJXCBuJAZekoqMwgEKioIACIQ7FiBDgFJQGDseo8Eq4P1hioUCAoiEOxYgQ4BSUBg7HqPBKuD9YYwvZvLBg",
      "link": "https://markets.businessinsider.com/news/stocks/stock-market-outlook-fund-flows-upside-not-driven-retail-investors-2020-7-1029366679",
      "links": [
        {
          "href": "https://markets.businessinsider.com/news/stocks/stock-market-outlook-fund-flows-upside-not-driven-retail-investors-2020-7-1029366679",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 12:45:41 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        12,
        45,
        41,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://markets.businessinsider.com",
        "title": "Markets Insider"
      },
      "sub_articles": [],
      "summary": "Goldman says an under-the-radar driver is signaling further upside in stocks - one not driven by retail i..  Markets Insider",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Goldman says an under-the-radar driver is signaling further upside in stocks - one not driven by retail i..  Markets Insider"
      },
      "title": "Goldman says an under-the-radar driver is signaling further upside in stocks - one not driven by retail i.. - Markets Insider",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Goldman says an under-the-radar driver is signaling further upside in stocks - one not driven by retail i.. - Markets Insider"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiZGh0dHBzOi8vd3d3LmJ1c2luZXNzaW5zaWRlci5jb20vY29sdW1iaWEtZnVuZC1tYW5hZ2VyLXJhaHVsLW5hcmFuZy1saWtlcy12YWx1ZS1zdG9ja3MtaW4tdGVjaC0yMDIwLTfSAQA",
      "link": "https://www.businessinsider.com/columbia-fund-manager-rahul-narang-likes-value-stocks-in-tech-2020-7",
      "links": [
        {
          "href": "https://www.businessinsider.com/columbia-fund-manager-rahul-narang-likes-value-stocks-in-tech-2020-7",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 09:04:46 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        9,
        4,
        46,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.businessinsider.com",
        "title": "Business Insider"
      },
      "sub_articles": [],
      "summary": "Columbia fund manager Rahul Narang likes value stocks in tech  Business Insider",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Columbia fund manager Rahul Narang likes value stocks in tech  Business Insider"
      },
      "title": "Columbia fund manager Rahul Narang likes value stocks in tech - Business Insider",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Columbia fund manager Rahul Narang likes value stocks in tech - Business Insider"
      }
    },
    {
      "guidislink": false,
      "id": "CBMifmh0dHBzOi8vd3d3LnBvc3RhbmRjb3VyaWVyLmNvbS9idXNpbmVzcy9hLXRhbGUtb2YtdHdvLXF1YXJ0ZXJzLWZvci1zYy1zdG9ja3MvYXJ0aWNsZV8xZTFjOWQ5NC1iYWUyLTExZWEtODJiZC05M2VjNTRkYTRhNmMuaHRtbNIBAA",
      "link": "https://www.postandcourier.com/business/a-tale-of-two-quarters-for-sc-stocks/article_1e1c9d94-bae2-11ea-82bd-93ec54da4a6c.html",
      "links": [
        {
          "href": "https://www.postandcourier.com/business/a-tale-of-two-quarters-for-sc-stocks/article_1e1c9d94-bae2-11ea-82bd-93ec54da4a6c.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 18:10:54 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        18,
        10,
        54,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.postandcourier.com",
        "title": "Charleston Post Courier"
      },
      "sub_articles": [],
      "summary": "A tale of two quarters for SC stocks  Charleston Post Courier",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "A tale of two quarters for SC stocks  Charleston Post Courier"
      },
      "title": "A tale of two quarters for SC stocks - Charleston Post Courier",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "A tale of two quarters for SC stocks - Charleston Post Courier"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiXGh0dHBzOi8vd3d3LmJhcnJvbnMuY29tL2FydGljbGVzL2hlcmUtYXJlLXRoZS1iZXN0LTEwLXRlY2gtc3RvY2tzLW9mLTIwMjAtc28tZmFyLTUxNTkzNzMwNjgy0gFgaHR0cHM6Ly93d3cuYmFycm9ucy5jb20vYW1wL2FydGljbGVzL2hlcmUtYXJlLXRoZS1iZXN0LTEwLXRlY2gtc3RvY2tzLW9mLTIwMjAtc28tZmFyLTUxNTkzNzMwNjgy",
      "link": "https://www.barrons.com/articles/here-are-the-best-10-tech-stocks-of-2020-so-far-51593730682",
      "links": [
        {
          "href": "https://www.barrons.com/articles/here-are-the-best-10-tech-stocks-of-2020-so-far-51593730682",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 22:58:00 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        22,
        58,
        0,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.barrons.com",
        "title": "Barron's"
      },
      "sub_articles": [],
      "summary": "Here Are the Best 10 Tech Stocks of 2020, So Far  Barron's",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Here Are the Best 10 Tech Stocks of 2020, So Far  Barron's"
      },
      "title": "Here Are the Best 10 Tech Stocks of 2020, So Far - Barron's",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Here Are the Best 10 Tech Stocks of 2020, So Far - Barron's"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYWh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzAyLzMtc3RvY2tzLXRvLWJ1eS1hbmQtaG9sZC1kdXJpbmctdGhlLWNvcm9uYXZpcnVzLXBhLmFzcHjSAWVodHRwczovL3d3dy5mb29sLmNvbS9hbXAvaW52ZXN0aW5nLzIwMjAvMDcvMDIvMy1zdG9ja3MtdG8tYnV5LWFuZC1ob2xkLWR1cmluZy10aGUtY29yb25hdmlydXMtcGEuYXNweA",
      "link": "https://www.fool.com/investing/2020/07/02/3-stocks-to-buy-and-hold-during-the-coronavirus-pa.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/02/3-stocks-to-buy-and-hold-during-the-coronavirus-pa.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 15:52:00 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        15,
        52,
        0,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Stocks to Buy and Hold During the Coronavirus Pandemic  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Stocks to Buy and Hold During the Coronavirus Pandemic  Motley Fool"
      },
      "title": "3 Stocks to Buy and Hold During the Coronavirus Pandemic - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Stocks to Buy and Hold During the Coronavirus Pandemic - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEIHvLO6oHw445-19iec49EwqGQgEKhAIACoHCAow2pqGCzD954MDMJzyigY",
      "link": "https://economictimes.indiatimes.com/markets/stocks/news/what-tells-the-real-story-in-stock-trading-price-or-trading-volume/articleshow/76781476.cms",
      "links": [
        {
          "href": "https://economictimes.indiatimes.com/markets/stocks/news/what-tells-the-real-story-in-stock-trading-price-or-trading-volume/articleshow/76781476.cms",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 05:35:55 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        5,
        35,
        55,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://economictimes.indiatimes.com",
        "title": "Economic Times"
      },
      "sub_articles": [],
      "summary": "What tells the real story in stock trading: price or trading volume?  Economic Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "What tells the real story in stock trading: price or trading volume?  Economic Times"
      },
      "title": "What tells the real story in stock trading: price or trading volume? - Economic Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "What tells the real story in stock trading: price or trading volume? - Economic Times"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYWh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzAzLzMtY2hlYXAtc3RvY2tzLXRoYXQtY291bGQtYmUtYmFyZ2FpbnMtaWYtdGhlLW1hcmtlLmFzcHjSAWVodHRwczovL3d3dy5mb29sLmNvbS9hbXAvaW52ZXN0aW5nLzIwMjAvMDcvMDMvMy1jaGVhcC1zdG9ja3MtdGhhdC1jb3VsZC1iZS1iYXJnYWlucy1pZi10aGUtbWFya2UuYXNweA",
      "link": "https://www.fool.com/investing/2020/07/03/3-cheap-stocks-that-could-be-bargains-if-the-marke.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/03/3-cheap-stocks-that-could-be-bargains-if-the-marke.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 11:08:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        11,
        8,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Cheap Stocks That Could Be Bargains if the Market Crashes  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Cheap Stocks That Could Be Bargains if the Market Crashes  Motley Fool"
      },
      "title": "3 Cheap Stocks That Could Be Bargains if the Market Crashes - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Cheap Stocks That Could Be Bargains if the Market Crashes - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEIycWowffgDom4SPZ4anhmQqGQgEKhAIACoHCAowocv1CjCSptoCMMSUnAY",
      "link": "https://www.cnn.com/2020/07/03/investing/tesla-stock/index.html",
      "links": [
        {
          "href": "https://www.cnn.com/2020/07/03/investing/tesla-stock/index.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 19:15:40 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        19,
        15,
        40,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.cnn.com",
        "title": "CNN"
      },
      "sub_articles": [],
      "summary": "Tesla stock topped $1,200. Here's how it could hit $2,000  CNN",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Tesla stock topped $1,200. Here's how it could hit $2,000  CNN"
      },
      "title": "Tesla stock topped $1,200. Here's how it could hit $2,000 - CNN",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Tesla stock topped $1,200. Here's how it could hit $2,000 - CNN"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEAlSY_5XNnHgT5gmWaxRfUgqGQgEKhAIACoHCAow2pqGCzD954MDMJzyigY",
      "link": "https://economictimes.indiatimes.com/markets/stocks/news/negative-interest-rates-to-boost-appeal-of-dividend-stocks-gold/articleshow/76771403.cms",
      "links": [
        {
          "href": "https://economictimes.indiatimes.com/markets/stocks/news/negative-interest-rates-to-boost-appeal-of-dividend-stocks-gold/articleshow/76771403.cms",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 12:28:49 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        12,
        28,
        49,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://economictimes.indiatimes.com",
        "title": "Economic Times"
      },
      "sub_articles": [],
      "summary": "Negative interest rates to boost appeal of dividend stocks, gold  Economic Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Negative interest rates to boost appeal of dividend stocks, gold  Economic Times"
      },
      "title": "Negative interest rates to boost appeal of dividend stocks, gold - Economic Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Negative interest rates to boost appeal of dividend stocks, gold - Economic Times"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEJbNF52Xvw_1lUpxqr_6xmAqGQgEKhAIACoHCAow2pqGCzD954MDMJzyigY",
      "link": "https://economictimes.indiatimes.com/markets/stocks/news/despite-recent-rally-these-stocks-are-still-up-to-300-away-from-pre-covid-highs/articleshow/76763937.cms",
      "links": [
        {
          "href": "https://economictimes.indiatimes.com/markets/stocks/news/despite-recent-rally-these-stocks-are-still-up-to-300-away-from-pre-covid-highs/articleshow/76763937.cms",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 05:36:16 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        5,
        36,
        16,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://economictimes.indiatimes.com",
        "title": "Economic Times"
      },
      "sub_articles": [],
      "summary": "Despite recent rally, these stocks are still up to 300% away from Pre-Covid highs!  Economic Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Despite recent rally, these stocks are still up to 300% away from Pre-Covid highs!  Economic Times"
      },
      "title": "Despite recent rally, these stocks are still up to 300% away from Pre-Covid highs! - Economic Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Despite recent rally, these stocks are still up to 300% away from Pre-Covid highs! - Economic Times"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0LzMtdG9wLW1lZGljYWwtZGV2aWNlLXN0b2Nrcy10by1idXktZm9yLXRoZS1zZWNvbmQuYXNweNIBZGh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wNC8zLXRvcC1tZWRpY2FsLWRldmljZS1zdG9ja3MtdG8tYnV5LWZvci10aGUtc2Vjb25kLmFzcHg",
      "link": "https://www.fool.com/investing/2020/07/04/3-top-medical-device-stocks-to-buy-for-the-second.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/3-top-medical-device-stocks-to-buy-for-the-second.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 11:32:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        11,
        32,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Top Medical-Device Stocks to Buy in the Second Half of 2020  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Top Medical-Device Stocks to Buy in the Second Half of 2020  Motley Fool"
      },
      "title": "3 Top Medical-Device Stocks to Buy in the Second Half of 2020 - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Top Medical-Device Stocks to Buy in the Second Half of 2020 - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEE0Fb8aNJ_TcdHwGIM0EJm0qEwgEKgwIACoFCAowgHkwoBEwwjU",
      "link": "https://www.fool.com/investing/2020/07/03/2-hot-stocks-to-buy-in-july.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/03/2-hot-stocks-to-buy-in-july.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 02:49:36 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        2,
        49,
        36,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "The Motley Fool"
      },
      "sub_articles": [],
      "summary": "2 Hot Stocks to Buy in July  The Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "2 Hot Stocks to Buy in July  The Motley Fool"
      },
      "title": "2 Hot Stocks to Buy in July - The Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "2 Hot Stocks to Buy in July - The Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEL5oZMvlTj2TK9exrSJ4hRoqGAgEKg8IACoHCAown9bJATD3yxUw96_BBg",
      "link": "https://www.barrons.com/articles/beaten-down-utility-stocks-could-power-up-51593710476",
      "links": [
        {
          "href": "https://www.barrons.com/articles/beaten-down-utility-stocks-could-power-up-51593710476",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 10:08:27 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        10,
        8,
        27,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.barrons.com",
        "title": "Barron's"
      },
      "sub_articles": [],
      "summary": "How Activist Elliott Management Finds the Top Utility Stocks  Barron's",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "How Activist Elliott Management Finds the Top Utility Stocks  Barron's"
      },
      "title": "How Activist Elliott Management Finds the Top Utility Stocks - Barron's",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "How Activist Elliott Management Finds the Top Utility Stocks - Barron's"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEJPypuIHQuNnRDwzp8Rcv6kqEwgEKgwIACoFCAowgHkwoBEwwjU",
      "link": "https://www.fool.com/investing/2020/07/03/3-high-yield-tech-stocks-to-buy-in-july.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/03/3-high-yield-tech-stocks-to-buy-in-july.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 02:48:52 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        2,
        48,
        52,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "The Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 High-Yield Tech Stocks to Buy in July  The Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 High-Yield Tech Stocks to Buy in July  The Motley Fool"
      },
      "title": "3 High-Yield Tech Stocks to Buy in July - The Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 High-Yield Tech Stocks to Buy in July - The Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMie2h0dHBzOi8vd3d3LmNuYmMuY29tLzIwMjAvMDcvMDMvbWlzc2VkLXRoZS1iaW90ZWNoLWJyZWFrb3V0LXRoZXNlLXN0b2Nrcy1pbi10aGUtaW5kdXN0cnktYXJlLXN0aWxsLXNldC10by1ydW4tbWttLXNheXMuaHRtbNIBAA",
      "link": "https://www.cnbc.com/2020/07/03/missed-the-biotech-breakout-these-stocks-in-the-industry-are-still-set-to-run-mkm-says.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/03/missed-the-biotech-breakout-these-stocks-in-the-industry-are-still-set-to-run-mkm-says.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 12:37:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        12,
        37,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Missed the biotech breakout? These stocks in the industry are still set to run, MKM says  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Missed the biotech breakout? These stocks in the industry are still set to run, MKM says  CNBC"
      },
      "title": "Missed the biotech breakout? These stocks in the industry are still set to run, MKM says - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Missed the biotech breakout? These stocks in the industry are still set to run, MKM says - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiZ2h0dHBzOi8vZmluYW5jaWFsdHJpYnVuZS5jb20vYXJ0aWNsZXMvYnVzaW5lc3MtYW5kLW1hcmtldHMvMTA0MTY0L3NtYWxsLWNhcC1zdG9ja3MtZGlwLWluLXRlaHJhbi1tYXJrZXTSAQA",
      "link": "https://financialtribune.com/articles/business-and-markets/104164/small-cap-stocks-dip-in-tehran-market",
      "links": [
        {
          "href": "https://financialtribune.com/articles/business-and-markets/104164/small-cap-stocks-dip-in-tehran-market",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 20:09:42 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        20,
        9,
        42,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://financialtribune.com",
        "title": "Financial Tribune"
      },
      "sub_articles": [],
      "summary": "Small-Cap Stocks Dip in Tehran Market  Financial Tribune",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Small-Cap Stocks Dip in Tehran Market  Financial Tribune"
      },
      "title": "Small-Cap Stocks Dip in Tehran Market - Financial Tribune",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Small-Cap Stocks Dip in Tehran Market - Financial Tribune"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiXWh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzAzLzMtb2YtdGhlLXNtYXJ0ZXN0LXN0b2Nrcy10by1pbnZlc3QtaW4td2l0aC0xMDAuYXNweNIBYWh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wMy8zLW9mLXRoZS1zbWFydGVzdC1zdG9ja3MtdG8taW52ZXN0LWluLXdpdGgtMTAwLmFzcHg",
      "link": "https://www.fool.com/investing/2020/07/03/3-of-the-smartest-stocks-to-invest-in-with-100.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/03/3-of-the-smartest-stocks-to-invest-in-with-100.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 09:51:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        9,
        51,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 of the Smartest Stocks to Invest in With $100  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 of the Smartest Stocks to Invest in With $100  Motley Fool"
      },
      "title": "3 of the Smartest Stocks to Invest in With $100 - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 of the Smartest Stocks to Invest in With $100 - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiS2h0dHBzOi8vZmluYW5jZS55YWhvby5jb20vbmV3cy90aW0tcGFydGljaXBhY29lcy1zYS10c3UtZ29vZC0xOTE5MDM1ODEuaHRtbNIBU2h0dHBzOi8vZmluYW5jZS55YWhvby5jb20vYW1waHRtbC9uZXdzL3RpbS1wYXJ0aWNpcGFjb2VzLXNhLXRzdS1nb29kLTE5MTkwMzU4MS5odG1s",
      "link": "https://finance.yahoo.com/news/tim-participacoes-sa-tsu-good-191903581.html",
      "links": [
        {
          "href": "https://finance.yahoo.com/news/tim-participacoes-sa-tsu-good-191903581.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 19:19:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        19,
        19,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://finance.yahoo.com",
        "title": "Yahoo Finance"
      },
      "sub_articles": [],
      "summary": "Is TIM Participacoes SA (TSU) A Good Stock To Buy?  Yahoo Finance",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Is TIM Participacoes SA (TSU) A Good Stock To Buy?  Yahoo Finance"
      },
      "title": "Is TIM Participacoes SA (TSU) A Good Stock To Buy? - Yahoo Finance",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Is TIM Participacoes SA (TSU) A Good Stock To Buy? - Yahoo Finance"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiVWh0dHBzOi8vc3RvY2tuZXdzLmNvbS9uZXdzL3RzbGEtem0tc2hvcC0zLXN0b2Nrcy10aGF0LWFyZS11cC1tb3JlLXRoYW4tMTAwLXRoaXMteWVhci_SAQA",
      "link": "https://stocknews.com/news/tsla-zm-shop-3-stocks-that-are-up-more-than-100-this-year/",
      "links": [
        {
          "href": "https://stocknews.com/news/tsla-zm-shop-3-stocks-that-are-up-more-than-100-this-year/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 18:45:52 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        18,
        45,
        52,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://stocknews.com",
        "title": "StockNews.com"
      },
      "sub_articles": [],
      "summary": "TSLA: 3 Stocks That Are Up More Than 100% This Year  StockNews.com",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "TSLA: 3 Stocks That Are Up More Than 100% This Year  StockNews.com"
      },
      "title": "TSLA: 3 Stocks That Are Up More Than 100% This Year - StockNews.com",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "TSLA: 3 Stocks That Are Up More Than 100% This Year - StockNews.com"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEOVKSPab7TfbItDP0Sk2LzMqGQgEKhAIACoHCAowocv1CjCSptoCMMSUnAY",
      "link": "https://www.cnn.com/2020/07/02/investing/premarket-stocks-trading/index.html",
      "links": [
        {
          "href": "https://www.cnn.com/2020/07/02/investing/premarket-stocks-trading/index.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 14:15:41 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        14,
        15,
        41,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.cnn.com",
        "title": "CNN"
      },
      "sub_articles": [],
      "summary": "This data shows the Great Reopening may have stalled  CNN",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "This data shows the Great Reopening may have stalled  CNN"
      },
      "title": "This data shows the Great Reopening may have stalled - CNN",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "This data shows the Great Reopening may have stalled - CNN"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEAmzv2wRlEfhUgTyBrfpn-IqFggEKg0IACoGCAowkqEGMJBZMNL5vAY",
      "link": "https://seekingalpha.com/article/4356924-stocks-to-watch-postmates-walgreens-and-cannabis-plays",
      "links": [
        {
          "href": "https://seekingalpha.com/article/4356924-stocks-to-watch-postmates-walgreens-and-cannabis-plays",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 12:22:57 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        12,
        22,
        57,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://seekingalpha.com",
        "title": "Seeking Alpha"
      },
      "sub_articles": [],
      "summary": "Stocks To Watch: Postmates, Walgreens And Cannabis Plays  Seeking Alpha",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks To Watch: Postmates, Walgreens And Cannabis Plays  Seeking Alpha"
      },
      "title": "Stocks To Watch: Postmates, Walgreens And Cannabis Plays - Seeking Alpha",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks To Watch: Postmates, Walgreens And Cannabis Plays - Seeking Alpha"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEDwBRQ7_dMmdq8SMnM1vPLEqGQgEKhAIACoHCAow4uzwCjCF3bsCMIrOrwM",
      "link": "https://www.bloomberg.com/news/articles/2020-07-02/asian-stocks-to-open-higher-after-u-s-gains-markets-wrap",
      "links": [
        {
          "href": "https://www.bloomberg.com/news/articles/2020-07-02/asian-stocks-to-open-higher-after-u-s-gains-markets-wrap",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 01:51:50 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        1,
        51,
        50,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.bloomberg.com",
        "title": "Bloomberg"
      },
      "sub_articles": [],
      "summary": "Europe Stocks Decline With U.S. Futures; Oil Slips: Markets Wrap  Bloomberg",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Europe Stocks Decline With U.S. Futures; Oil Slips: Markets Wrap  Bloomberg"
      },
      "title": "Europe Stocks Decline With U.S. Futures; Oil Slips: Markets Wrap - Bloomberg",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Europe Stocks Decline With U.S. Futures; Oil Slips: Markets Wrap - Bloomberg"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEDJQ79uvgJprBzV3iEOF9TkqGQgEKhAIACoHCAow2Nb3CjDivdcCMJ_d7gU",
      "link": "https://www.cnbc.com/2020/07/02/coronavirus-update-trump-ambassadors-sold-stocks-as-president-downplayed-pandemic.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/02/coronavirus-update-trump-ambassadors-sold-stocks-as-president-downplayed-pandemic.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 22:26:03 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        22,
        26,
        3,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Trump ambassadors sold stocks as president downplayed pandemic and virus was spreading  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Trump ambassadors sold stocks as president downplayed pandemic and virus was spreading  CNBC"
      },
      "title": "Trump ambassadors sold stocks as president downplayed pandemic and virus was spreading - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Trump ambassadors sold stocks as president downplayed pandemic and virus was spreading - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEINuQCutFMi59jIP8xsMQzcqEwgEKgwIACoFCAowgHkwoBEwwjU",
      "link": "https://www.fool.com/investing/2020/07/03/hamilton-special-3-hot-stocks-under-10.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/03/hamilton-special-3-hot-stocks-under-10.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 02:49:02 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        2,
        49,
        2,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "The Motley Fool"
      },
      "sub_articles": [],
      "summary": "Hamilton Special: 3 Hot Stocks Under $10  The Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Hamilton Special: 3 Hot Stocks Under $10  The Motley Fool"
      },
      "title": "Hamilton Special: 3 Hot Stocks Under $10 - The Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Hamilton Special: 3 Hot Stocks Under $10 - The Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiemh0dHBzOi8vd3d3LmNuYmMuY29tLzIwMjAvMDcvMDMvaGVyZXMtYS1saXN0LW9mLXN0cm9uZy1idXktcmF0ZWQtc3RvY2tzLXdpdGgtYWJvdmUtYXZlcmFnZS15aWVsZHMtZm9yLXRoZS1zZWNvbmQtaGFsZi5odG1s0gEA",
      "link": "https://www.cnbc.com/2020/07/03/heres-a-list-of-strong-buy-rated-stocks-with-above-average-yields-for-the-second-half.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/03/heres-a-list-of-strong-buy-rated-stocks-with-above-average-yields-for-the-second-half.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 12:24:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        12,
        24,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Here's a list of strong-buy rated stocks with above-average yields for the second half  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Here's a list of strong-buy rated stocks with above-average yields for the second half  CNBC"
      },
      "title": "Here's a list of strong-buy rated stocks with above-average yields for the second half - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Here's a list of strong-buy rated stocks with above-average yields for the second half - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiZ2h0dHBzOi8vd3d3LmZvb2wuY28udWsvaW52ZXN0aW5nLzIwMjAvMDcvMDIvMy10b3Atc3RvY2tzLWktdGhpbmstbWlsbGVubmlhbC1pbnZlc3RvcnMtc2hvdWxkLWJlLWJ1eWluZy_SAQA",
      "link": "https://www.fool.co.uk/investing/2020/07/02/3-top-stocks-i-think-millennial-investors-should-be-buying/",
      "links": [
        {
          "href": "https://www.fool.co.uk/investing/2020/07/02/3-top-stocks-i-think-millennial-investors-should-be-buying/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 08:49:16 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        8,
        49,
        16,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.fool.co.uk",
        "title": "Motley Fool UK"
      },
      "sub_articles": [],
      "summary": "Millennial investors: 3 stocks I think they should be buying  Motley Fool UK",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Millennial investors: 3 stocks I think they should be buying  Motley Fool UK"
      },
      "title": "Millennial investors: 3 stocks I think they should be buying - Motley Fool UK",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Millennial investors: 3 stocks I think they should be buying - Motley Fool UK"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEC1KhjtHMapWmQ3rC_QckawqFQgEKg0IACoGCAowrqkBMKBFMLKAAg",
      "link": "https://www.forbes.com/sites/qai/2020/06/30/top-stocks-to-buy-as-dow-looks-to-end-month-in-positive-territory/",
      "links": [
        {
          "href": "https://www.forbes.com/sites/qai/2020/06/30/top-stocks-to-buy-as-dow-looks-to-end-month-in-positive-territory/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Tue, 30 Jun 2020 16:39:11 GMT",
      "published_parsed": [
        2020,
        6,
        30,
        16,
        39,
        11,
        1,
        182,
        0
      ],
      "source": {
        "href": "https://www.forbes.com",
        "title": "Forbes"
      },
      "sub_articles": [],
      "summary": "Top Stocks To Buy As Dow Looks To End Month In Positive Territory  Forbes",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Top Stocks To Buy As Dow Looks To End Month In Positive Territory  Forbes"
      },
      "title": "Top Stocks To Buy As Dow Looks To End Month In Positive Territory - Forbes",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Top Stocks To Buy As Dow Looks To End Month In Positive Territory - Forbes"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiX2h0dHBzOi8vZm9ydHVuZS5jb20vMjAyMC8wNy8wMi9zdG9jay1tYXJrZXQtYmVzdC1xdWFydGVyLXRydW1wLXVzLWVjb25vbXktYmFkLW5ld3MtY29yb25hdmlydXMv0gFjaHR0cHM6Ly9mb3J0dW5lLmNvbS8yMDIwLzA3LzAyL3N0b2NrLW1hcmtldC1iZXN0LXF1YXJ0ZXItdHJ1bXAtdXMtZWNvbm9teS1iYWQtbmV3cy1jb3JvbmF2aXJ1cy9hbXAv",
      "link": "https://fortune.com/2020/07/02/stock-market-best-quarter-trump-us-economy-bad-news-coronavirus/",
      "links": [
        {
          "href": "https://fortune.com/2020/07/02/stock-market-best-quarter-trump-us-economy-bad-news-coronavirus/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 17:27:24 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        17,
        27,
        24,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://fortune.com",
        "title": "Fortune"
      },
      "sub_articles": [],
      "summary": "Stocks had their best quarter in decades. Here’s why that’s bad news for President Trump  Fortune",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks had their best quarter in decades. Here’s why that’s bad news for President Trump  Fortune"
      },
      "title": "Stocks had their best quarter in decades. Here’s why that’s bad news for President Trump - Fortune",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks had their best quarter in decades. Here’s why that’s bad news for President Trump - Fortune"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEGN2ge3NwZgYbNshbUQPlCcqGQgEKhAIACoHCAow2Nb3CjDivdcCMJ_d7gU",
      "link": "https://www.cnbc.com/2020/07/02/stocks-making-the-biggest-moves-in-the-premarket-mcdonalds-tesla-jetblue-facebook-more.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/02/stocks-making-the-biggest-moves-in-the-premarket-mcdonalds-tesla-jetblue-facebook-more.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 13:13:27 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        13,
        13,
        27,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Stocks making the biggest moves in the premarket: McDonald's, Tesla, JetBlue, Facebook & more  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks making the biggest moves in the premarket: McDonald's, Tesla, JetBlue, Facebook & more  CNBC"
      },
      "title": "Stocks making the biggest moves in the premarket: McDonald's, Tesla, JetBlue, Facebook & more - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks making the biggest moves in the premarket: McDonald's, Tesla, JetBlue, Facebook & more - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiiAFodHRwczovL2Vjb25vbWljdGltZXMuaW5kaWF0aW1lcy5jb20vbWFya2V0cy9zdG9ja3MvbmV3cy9tYXJrZXQtdHJlbmRzLXRvcC1zdG9jay1pZGVhcy1pbi02LWNoYXJ0cy90aGUtYmlnLXJld2luZC9zbGlkZXNob3cvNzY3ODMwMTguY21z0gEA",
      "link": "https://economictimes.indiatimes.com/markets/stocks/news/market-trends-top-stock-ideas-in-6-charts/the-big-rewind/slideshow/76783018.cms",
      "links": [
        {
          "href": "https://economictimes.indiatimes.com/markets/stocks/news/market-trends-top-stock-ideas-in-6-charts/the-big-rewind/slideshow/76783018.cms",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 08:24:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        8,
        24,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://economictimes.indiatimes.com",
        "title": "Economic Times"
      },
      "sub_articles": [],
      "summary": "Market trends and top stock ideas in 6 charts - The Big Rewind  Economic Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Market trends and top stock ideas in 6 charts - The Big Rewind  Economic Times"
      },
      "title": "Market trends and top stock ideas in 6 charts - The Big Rewind - Economic Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Market trends and top stock ideas in 6 charts - The Big Rewind - Economic Times"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEIs5-KDz_u3EHzPaXTzMo14qGAgEKg8IACoHCAowjujJATDXzBUwiJS0AQ",
      "link": "https://www.marketwatch.com/story/no-us-stock-funds-is-this-25-year-old-investor-crazy-or-on-to-something-2020-07-02",
      "links": [
        {
          "href": "https://www.marketwatch.com/story/no-us-stock-funds-is-this-25-year-old-investor-crazy-or-on-to-something-2020-07-02",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 14:03:43 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        14,
        3,
        43,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.marketwatch.com",
        "title": "MarketWatch"
      },
      "sub_articles": [],
      "summary": "No U.S. stock funds? Is this 25-year old investor crazy — or on to something?  MarketWatch",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "No U.S. stock funds? Is this 25-year old investor crazy — or on to something?  MarketWatch"
      },
      "title": "No U.S. stock funds? Is this 25-year old investor crazy — or on to something? - MarketWatch",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "No U.S. stock funds? Is this 25-year old investor crazy — or on to something? - MarketWatch"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEEEQmW9cB0OUXwt4aokEniwqGQgEKhAIACoHCAow2pqGCzD954MDMJzyigY",
      "link": "https://economictimes.indiatimes.com/markets/stocks/news/lic-equity-investment-soars-23-in-q1-these-stocks-delivered-up-to-17x-return/articleshow/76765536.cms",
      "links": [
        {
          "href": "https://economictimes.indiatimes.com/markets/stocks/news/lic-equity-investment-soars-23-in-q1-these-stocks-delivered-up-to-17x-return/articleshow/76765536.cms",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 09:37:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        9,
        37,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://economictimes.indiatimes.com",
        "title": "Economic Times"
      },
      "sub_articles": [],
      "summary": "LIC equity investment soars 23% in Q1; these stocks delivered up to 17x return  Economic Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "LIC equity investment soars 23% in Q1; these stocks delivered up to 17x return  Economic Times"
      },
      "title": "LIC equity investment soars 23% in Q1; these stocks delivered up to 17x return - Economic Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "LIC equity investment soars 23% in Q1; these stocks delivered up to 17x return - Economic Times"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0Lzgtc3RvY2stbWFya2V0LXByZWRpY3Rpb25zLWZvci10aGUtc2Vjb25kLWhhbGYtb2YuYXNweNIBZGh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wNC84LXN0b2NrLW1hcmtldC1wcmVkaWN0aW9ucy1mb3ItdGhlLXNlY29uZC1oYWxmLW9mLmFzcHg",
      "link": "https://www.fool.com/investing/2020/07/04/8-stock-market-predictions-for-the-second-half-of.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/8-stock-market-predictions-for-the-second-half-of.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 12:15:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        12,
        15,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "8 Stock Market Predictions for the Second Half of the Year  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "8 Stock Market Predictions for the Second Half of the Year  Motley Fool"
      },
      "title": "8 Stock Market Predictions for the Second Half of the Year - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "8 Stock Market Predictions for the Second Half of the Year - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMif2h0dHBzOi8vd3d3LnJldXRlcnMuY29tL2FydGljbGUvdXMtZXVyb3BlLXN0b2Nrcy9ldXJvcGVhbi1zdG9ja3Mtc2xpZGUtYXMtc3VyZ2UtaW4tdmlydXMtY2FzZXMtaGl0cy1yZWJvdW5kLWhvcGVzLWlkVVNLQk4yNDQwUkHSATRodHRwczovL21vYmlsZS5yZXV0ZXJzLmNvbS9hcnRpY2xlL2FtcC9pZFVTS0JOMjQ0MFJB",
      "link": "https://www.reuters.com/article/us-europe-stocks/european-stocks-slide-as-surge-in-virus-cases-hits-rebound-hopes-idUSKBN2440RA",
      "links": [
        {
          "href": "https://www.reuters.com/article/us-europe-stocks/european-stocks-slide-as-surge-in-virus-cases-hits-rebound-hopes-idUSKBN2440RA",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 07:38:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        7,
        38,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.reuters.com",
        "title": "Reuters"
      },
      "sub_articles": [],
      "summary": "European stocks slide as surge in virus cases hits rebound hopes  Reuters",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "European stocks slide as surge in virus cases hits rebound hopes  Reuters"
      },
      "title": "European stocks slide as surge in virus cases hits rebound hopes - Reuters",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "European stocks slide as surge in virus cases hits rebound hopes - Reuters"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiECPcsgxEx91Lj6JrYWu3J-oqGQgEKhAIACoHCAowocv1CjCSptoCMPrTpgU",
      "link": "https://www.cnn.com/2020/07/01/investing/premarket-stocks-trading/index.html",
      "links": [
        {
          "href": "https://www.cnn.com/2020/07/01/investing/premarket-stocks-trading/index.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Wed, 01 Jul 2020 12:04:05 GMT",
      "published_parsed": [
        2020,
        7,
        1,
        12,
        4,
        5,
        2,
        183,
        0
      ],
      "source": {
        "href": "https://www.cnn.com",
        "title": "CNN"
      },
      "sub_articles": [],
      "summary": "What stock markets need after their banner quarter  CNN",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "What stock markets need after their banner quarter  CNN"
      },
      "title": "What stock markets need after their banner quarter - CNN",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "What stock markets need after their banner quarter - CNN"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEEyPRKOvARcJeL3cl0OOt94qFwgEKg8IACoHCAowjuuKAzCWrzwwlqlf",
      "link": "https://www.nytimes.com/2020/07/01/business/stock-market-today-coronavirus.html",
      "links": [
        {
          "href": "https://www.nytimes.com/2020/07/01/business/stock-market-today-coronavirus.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 11:51:10 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        11,
        51,
        10,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.nytimes.com",
        "title": "The New York Times"
      },
      "sub_articles": [],
      "summary": "Stock Markets Edge Higher: Business Updates  The New York Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stock Markets Edge Higher: Business Updates  The New York Times"
      },
      "title": "Stock Markets Edge Higher: Business Updates - The New York Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stock Markets Edge Higher: Business Updates - The New York Times"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEJgAc9xtLybMy7BHyWn5N98qEwgEKgwIACoFCAowgHkwoBEwwjU",
      "link": "https://www.fool.com/investing/2020/07/03/3-gold-stocks-to-buy-in-july.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/03/3-gold-stocks-to-buy-in-july.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 02:48:02 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        2,
        48,
        2,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "The Motley Fool"
      },
      "sub_articles": [],
      "summary": "3 Gold Stocks to Buy in July  The Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "3 Gold Stocks to Buy in July  The Motley Fool"
      },
      "title": "3 Gold Stocks to Buy in July - The Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "3 Gold Stocks to Buy in July - The Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiZ2h0dHBzOi8vd3d3Lm1hcmtldHdhdGNoLmNvbS9zdG9yeS9zdG9ja3Mtb3Blbi1tb2RlcmF0ZWx5LWhpZ2hlci1hZnRlci1wcm9taXNpbmctdmFjY2luZS1uZXdzLTIwMjAtMDctMDHSAWtodHRwczovL3d3dy5tYXJrZXR3YXRjaC5jb20vYW1wL3N0b3J5L3N0b2Nrcy1vcGVuLW1vZGVyYXRlbHktaGlnaGVyLWFmdGVyLXByb21pc2luZy12YWNjaW5lLW5ld3MtMjAyMC0wNy0wMQ",
      "link": "https://www.marketwatch.com/story/stocks-open-moderately-higher-after-promising-vaccine-news-2020-07-01",
      "links": [
        {
          "href": "https://www.marketwatch.com/story/stocks-open-moderately-higher-after-promising-vaccine-news-2020-07-01",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Wed, 01 Jul 2020 13:36:00 GMT",
      "published_parsed": [
        2020,
        7,
        1,
        13,
        36,
        0,
        2,
        183,
        0
      ],
      "source": {
        "href": "https://www.marketwatch.com",
        "title": "MarketWatch"
      },
      "sub_articles": [],
      "summary": "Stocks open moderately higher after promising vaccine news  MarketWatch",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks open moderately higher after promising vaccine news  MarketWatch"
      },
      "title": "Stocks open moderately higher after promising vaccine news - MarketWatch",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks open moderately higher after promising vaccine news - MarketWatch"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEEdKepIEIa66-rNkzlRMkbEqFwgEKg8IACoHCAowjuuKAzCWrzwwt4QY",
      "link": "https://www.nytimes.com/2020/06/30/business/stock-market-earnings-coronavirus.html",
      "links": [
        {
          "href": "https://www.nytimes.com/2020/06/30/business/stock-market-earnings-coronavirus.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Tue, 30 Jun 2020 23:27:04 GMT",
      "published_parsed": [
        2020,
        6,
        30,
        23,
        27,
        4,
        1,
        182,
        0
      ],
      "source": {
        "href": "https://www.nytimes.com",
        "title": "The New York Times"
      },
      "sub_articles": [],
      "summary": "After a Staggering Rally, What’s Next for Stocks?  The New York Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "After a Staggering Rally, What’s Next for Stocks?  The New York Times"
      },
      "title": "After a Staggering Rally, What’s Next for Stocks? - The New York Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "After a Staggering Rally, What’s Next for Stocks? - The New York Times"
      }
    },
    {
      "guidislink": false,
      "id": "CBMicGh0dHBzOi8vd3d3LnRlbGVncmFwaC5jby51ay9pbnZlc3Rpbmcvc2hhcmVzL2RpYXJ5LXByaXZhdGUtaW52ZXN0b3Itd2lubmluZy1zdG9ja3Mtd29udC1idXlpbmctY3VycmVudC1pbmZsYXRlZC_SAXRodHRwczovL3d3dy50ZWxlZ3JhcGguY28udWsvaW52ZXN0aW5nL3NoYXJlcy9kaWFyeS1wcml2YXRlLWludmVzdG9yLXdpbm5pbmctc3RvY2tzLXdvbnQtYnV5aW5nLWN1cnJlbnQtaW5mbGF0ZWQvYW1wLw",
      "link": "https://www.telegraph.co.uk/investing/shares/diary-private-investor-winning-stocks-wont-buying-current-inflated/",
      "links": [
        {
          "href": "https://www.telegraph.co.uk/investing/shares/diary-private-investor-winning-stocks-wont-buying-current-inflated/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 04:00:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        4,
        0,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.telegraph.co.uk",
        "title": "Telegraph.co.uk"
      },
      "sub_articles": [],
      "summary": "Diary of a private investor: The ‘winning’ stocks I won’t be buying at their current inflated valuations  Telegraph.co.uk",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Diary of a private investor: The ‘winning’ stocks I won’t be buying at their current inflated valuations  Telegraph.co.uk"
      },
      "title": "Diary of a private investor: The ‘winning’ stocks I won’t be buying at their current inflated valuations - Telegraph.co.uk",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Diary of a private investor: The ‘winning’ stocks I won’t be buying at their current inflated valuations - Telegraph.co.uk"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiTGh0dHBzOi8vc3RvY2tuZXdzLmNvbS9uZXdzL3RzbS1hc21sLWF2Z28tMy1zZW1pY29uZHVjdG9yLXN0b2Nrcy1zZXQtdG8tcmlzZS_SAQA",
      "link": "https://stocknews.com/news/tsm-asml-avgo-3-semiconductor-stocks-set-to-rise/",
      "links": [
        {
          "href": "https://stocknews.com/news/tsm-asml-avgo-3-semiconductor-stocks-set-to-rise/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 20:15:57 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        20,
        15,
        57,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://stocknews.com",
        "title": "StockNews.com"
      },
      "sub_articles": [],
      "summary": "TSM: 3 Semiconductor Stocks Set To Rise  StockNews.com",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "TSM: 3 Semiconductor Stocks Set To Rise  StockNews.com"
      },
      "title": "TSM: 3 Semiconductor Stocks Set To Rise - StockNews.com",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "TSM: 3 Semiconductor Stocks Set To Rise - StockNews.com"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiVGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzAzLzUtaGlnaC15aWVsZC1kaXZpZGVuZC1zdG9ja3MtdG8td2F0Y2guYXNweNIBWGh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wMy81LWhpZ2gteWllbGQtZGl2aWRlbmQtc3RvY2tzLXRvLXdhdGNoLmFzcHg",
      "link": "https://www.fool.com/investing/2020/07/03/5-high-yield-dividend-stocks-to-watch.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/03/5-high-yield-dividend-stocks-to-watch.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 11:00:00 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        11,
        0,
        0,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "5 High-Yield Dividend Stocks to Watch  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "5 High-Yield Dividend Stocks to Watch  Motley Fool"
      },
      "title": "5 High-Yield Dividend Stocks to Watch - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "5 High-Yield Dividend Stocks to Watch - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiS2h0dHBzOi8vZmluYW5jZS55YWhvby5jb20vbmV3cy9pbnNlZWdvLWNvcnAtaW5zZy1oZWRnZS1mdW5kcy0wMDE0MzQxODUuaHRtbNIBU2h0dHBzOi8vZmluYW5jZS55YWhvby5jb20vYW1waHRtbC9uZXdzL2luc2VlZ28tY29ycC1pbnNnLWhlZGdlLWZ1bmRzLTAwMTQzNDE4NS5odG1s",
      "link": "https://finance.yahoo.com/news/inseego-corp-insg-hedge-funds-001434185.html",
      "links": [
        {
          "href": "https://finance.yahoo.com/news/inseego-corp-insg-hedge-funds-001434185.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sun, 05 Jul 2020 00:15:38 GMT",
      "published_parsed": [
        2020,
        7,
        5,
        0,
        15,
        38,
        6,
        187,
        0
      ],
      "source": {
        "href": "https://finance.yahoo.com",
        "title": "Yahoo Finance"
      },
      "sub_articles": [],
      "summary": "Inseego Corp. (INSG): Are Hedge Funds Right About This Stock?  Yahoo Finance",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Inseego Corp. (INSG): Are Hedge Funds Right About This Stock?  Yahoo Finance"
      },
      "title": "Inseego Corp. (INSG): Are Hedge Funds Right About This Stock? - Yahoo Finance",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Inseego Corp. (INSG): Are Hedge Funds Right About This Stock? - Yahoo Finance"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEGeNjo2qZfFkQRHRAk2Di9wqGQgEKhAIACoHCAow2Nb3CjDivdcCMM_rngY",
      "link": "https://www.cnbc.com/2020/07/01/stocks-making-the-biggest-moves-after-hours-inovio-cbl-coty-and-more.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/01/stocks-making-the-biggest-moves-after-hours-inovio-cbl-coty-and-more.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Wed, 01 Jul 2020 22:10:25 GMT",
      "published_parsed": [
        2020,
        7,
        1,
        22,
        10,
        25,
        2,
        183,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Stocks making the biggest moves after hours: Inovio, CBL, Coty and more  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks making the biggest moves after hours: Inovio, CBL, Coty and more  CNBC"
      },
      "title": "Stocks making the biggest moves after hours: Inovio, CBL, Coty and more - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks making the biggest moves after hours: Inovio, CBL, Coty and more - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEJR2zM2f6txEJ0QiE_ZDGREqGQgEKhAIACoHCAow2Nb3CjDivdcCMJ_5ngY",
      "link": "https://www.cnbc.com/2020/07/02/cramer-deciphers-the-speculative-and-blue-chip-stocks-driving-the-market.html",
      "links": [
        {
          "href": "https://www.cnbc.com/2020/07/02/cramer-deciphers-the-speculative-and-blue-chip-stocks-driving-the-market.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 00:46:54 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        0,
        46,
        54,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.cnbc.com",
        "title": "CNBC"
      },
      "sub_articles": [],
      "summary": "Jim Cramer deciphers the speculative and blue-chip stocks driving the market  CNBC",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Jim Cramer deciphers the speculative and blue-chip stocks driving the market  CNBC"
      },
      "title": "Jim Cramer deciphers the speculative and blue-chip stocks driving the market - CNBC",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Jim Cramer deciphers the speculative and blue-chip stocks driving the market - CNBC"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiT2h0dHBzOi8vd3d3LmZvb2wuY28udWsvaW52ZXN0aW5nLzIwMjAvMDcvMDEvdG9wLWJyaXRpc2gtc3RvY2tzLWZvci1qdW5lLTIwMjAtMi_SAQA",
      "link": "https://www.fool.co.uk/investing/2020/07/01/top-british-stocks-for-june-2020-2/",
      "links": [
        {
          "href": "https://www.fool.co.uk/investing/2020/07/01/top-british-stocks-for-june-2020-2/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Wed, 01 Jul 2020 04:24:11 GMT",
      "published_parsed": [
        2020,
        7,
        1,
        4,
        24,
        11,
        2,
        183,
        0
      ],
      "source": {
        "href": "https://www.fool.co.uk",
        "title": "Motley Fool UK"
      },
      "sub_articles": [],
      "summary": "Top British stocks for July 2020 - The Motley Fool UK  Motley Fool UK",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Top British stocks for July 2020 - The Motley Fool UK  Motley Fool UK"
      },
      "title": "Top British stocks for July 2020 - The Motley Fool UK - Motley Fool UK",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Top British stocks for July 2020 - The Motley Fool UK - Motley Fool UK"
      }
    },
    {
      "guidislink": false,
      "id": "CBMilQFodHRwczovL2Vjb25vbWljdGltZXMuaW5kaWF0aW1lcy5jb20vbWFya2V0cy9zdG9ja3MvbmV3cy90aGVzZS0xNS1zdG9ja3MtYXJlLWZsYXNoaW5nLWJ1eS1zaWduYWxzLW9uLXRlY2gtY2hhcnRzL3N0b2NrLXBpY2tpbmcvc2xpZGVzaG93Lzc2NzA4Mjg2LmNtc9IBAA",
      "link": "https://economictimes.indiatimes.com/markets/stocks/news/these-15-stocks-are-flashing-buy-signals-on-tech-charts/stock-picking/slideshow/76708286.cms",
      "links": [
        {
          "href": "https://economictimes.indiatimes.com/markets/stocks/news/these-15-stocks-are-flashing-buy-signals-on-tech-charts/stock-picking/slideshow/76708286.cms",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Tue, 30 Jun 2020 09:23:00 GMT",
      "published_parsed": [
        2020,
        6,
        30,
        9,
        23,
        0,
        1,
        182,
        0
      ],
      "source": {
        "href": "https://economictimes.indiatimes.com",
        "title": "Economic Times"
      },
      "sub_articles": [],
      "summary": "These 15 stocks are flashing 'BUY' signals on tech charts - Stock Picking  Economic Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "These 15 stocks are flashing 'BUY' signals on tech charts - Stock Picking  Economic Times"
      },
      "title": "These 15 stocks are flashing 'BUY' signals on tech charts - Stock Picking - Economic Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "These 15 stocks are flashing 'BUY' signals on tech charts - Stock Picking - Economic Times"
      }
    },
    {
      "guidislink": false,
      "id": "CBMigQFodHRwczovL3d3dy5mb29sLmNvLnVrL2ludmVzdGluZy8yMDIwLzA3LzAzL3doZW4tc3RvY2stbWFya2V0cy1yZWNvdmVyLXlvdWxsLWJlLWdsYWQteW91LWJvdWdodC1kaXJ0LWNoZWFwLWZ0c2UtMTAwLXNoYXJlcy10b2RheS_SAQA",
      "link": "https://www.fool.co.uk/investing/2020/07/03/when-stock-markets-recover-youll-be-glad-you-bought-dirt-cheap-ftse-100-shares-today/",
      "links": [
        {
          "href": "https://www.fool.co.uk/investing/2020/07/03/when-stock-markets-recover-youll-be-glad-you-bought-dirt-cheap-ftse-100-shares-today/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 14:30:21 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        14,
        30,
        21,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.fool.co.uk",
        "title": "Motley Fool UK"
      },
      "sub_articles": [],
      "summary": "When stock markets recover, you'll be glad you bought dirt-cheap FTSE 100 shares today  Motley Fool UK",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "When stock markets recover, you'll be glad you bought dirt-cheap FTSE 100 shares today  Motley Fool UK"
      },
      "title": "When stock markets recover, you'll be glad you bought dirt-cheap FTSE 100 shares today - Motley Fool UK",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "When stock markets recover, you'll be glad you bought dirt-cheap FTSE 100 shares today - Motley Fool UK"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiT2h0dHBzOi8vZmluYW5jZS55YWhvby5jb20vbmV3cy9icm9va2ZpZWxkLXByb3BlcnR5LXJlaXQtaW5jLWJweXUtMDA0ODE5OTk2Lmh0bWzSAVdodHRwczovL2ZpbmFuY2UueWFob28uY29tL2FtcGh0bWwvbmV3cy9icm9va2ZpZWxkLXByb3BlcnR5LXJlaXQtaW5jLWJweXUtMDA0ODE5OTk2Lmh0bWw",
      "link": "https://finance.yahoo.com/news/brookfield-property-reit-inc-bpyu-004819996.html",
      "links": [
        {
          "href": "https://finance.yahoo.com/news/brookfield-property-reit-inc-bpyu-004819996.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sun, 05 Jul 2020 00:52:18 GMT",
      "published_parsed": [
        2020,
        7,
        5,
        0,
        52,
        18,
        6,
        187,
        0
      ],
      "source": {
        "href": "https://finance.yahoo.com",
        "title": "Yahoo Finance"
      },
      "sub_articles": [],
      "summary": "Brookfield Property REIT Inc. (BPYU): Are Hedge Funds Right About This Stock?  Yahoo Finance",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Brookfield Property REIT Inc. (BPYU): Are Hedge Funds Right About This Stock?  Yahoo Finance"
      },
      "title": "Brookfield Property REIT Inc. (BPYU): Are Hedge Funds Right About This Stock? - Yahoo Finance",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Brookfield Property REIT Inc. (BPYU): Are Hedge Funds Right About This Stock? - Yahoo Finance"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiiQFodHRwczovL3d3dy5pbnZlc3RvcnNjaHJvbmljbGUuY28udWsvY29tbWVudC8yMDIwLzA2LzMwL21hcmtldC1vdXRsb29rLXN0b2Nrcy1oZWFkLWZvci1iZXN0LXF1YXJ0ZXItaW4teWVhcnMtb24tdGhlLWJlYWNoLWNpbmV3b3JsZC1tb3JlL9IBAA",
      "link": "https://www.investorschronicle.co.uk/comment/2020/06/30/market-outlook-stocks-head-for-best-quarter-in-years-on-the-beach-cineworld-more/",
      "links": [
        {
          "href": "https://www.investorschronicle.co.uk/comment/2020/06/30/market-outlook-stocks-head-for-best-quarter-in-years-on-the-beach-cineworld-more/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Tue, 30 Jun 2020 08:44:30 GMT",
      "published_parsed": [
        2020,
        6,
        30,
        8,
        44,
        30,
        1,
        182,
        0
      ],
      "source": {
        "href": "https://www.investorschronicle.co.uk",
        "title": "Investors Chronicle"
      },
      "sub_articles": [],
      "summary": "Market Outlook: Stocks head for best quarter in years, On The Beach, Cineworld & more  Investors Chronicle",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Market Outlook: Stocks head for best quarter in years, On The Beach, Cineworld & more  Investors Chronicle"
      },
      "title": "Market Outlook: Stocks head for best quarter in years, On The Beach, Cineworld & more - Investors Chronicle",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Market Outlook: Stocks head for best quarter in years, On The Beach, Cineworld & more - Investors Chronicle"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEEvM4cINb4V7oYG-EXFGOwIqGAgEKg8IACoHCAowjujJATDXzBUwyJS0AQ",
      "link": "https://www.marketwatch.com/story/day-trading-stocks-is-a-guaranteed-slaughter-so-why-do-it-2020-06-30",
      "links": [
        {
          "href": "https://www.marketwatch.com/story/day-trading-stocks-is-a-guaranteed-slaughter-so-why-do-it-2020-06-30",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 20:43:25 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        20,
        43,
        25,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.marketwatch.com",
        "title": "MarketWatch"
      },
      "sub_articles": [],
      "summary": "Day trading stocks is a guaranteed slaughter. So why do it?  MarketWatch",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Day trading stocks is a guaranteed slaughter. So why do it?  MarketWatch"
      },
      "title": "Day trading stocks is a guaranteed slaughter. So why do it? - MarketWatch",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Day trading stocks is a guaranteed slaughter. So why do it? - MarketWatch"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYWh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0L3doeS10aGlzLW9uZS1zdG9jay1jb3VsZC1icmluZy1saWZlY2hhbmdpbmctcmV0dXJuLmFzcHjSAWVodHRwczovL3d3dy5mb29sLmNvbS9hbXAvaW52ZXN0aW5nLzIwMjAvMDcvMDQvd2h5LXRoaXMtb25lLXN0b2NrLWNvdWxkLWJyaW5nLWxpZmVjaGFuZ2luZy1yZXR1cm4uYXNweA",
      "link": "https://www.fool.com/investing/2020/07/04/why-this-one-stock-could-bring-lifechanging-return.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/why-this-one-stock-could-bring-lifechanging-return.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 15:00:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        15,
        0,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "Why This One Stock Could Bring Life-Changing Returns  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Why This One Stock Could Bring Life-Changing Returns  Motley Fool"
      },
      "title": "Why This One Stock Could Bring Life-Changing Returns - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Why This One Stock Could Bring Life-Changing Returns - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEAl47wCeDMF3PTQW9ShZyNsqGQgEKhAIACoHCAow4uzwCjCF3bsCMIrOrwM",
      "link": "https://www.bloomberg.com/news/articles/2020-07-01/asian-stock-futures-climb-nasdaq-hits-record-markets-wrap",
      "links": [
        {
          "href": "https://www.bloomberg.com/news/articles/2020-07-01/asian-stock-futures-climb-nasdaq-hits-record-markets-wrap",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Thu, 02 Jul 2020 21:46:12 GMT",
      "published_parsed": [
        2020,
        7,
        2,
        21,
        46,
        12,
        3,
        184,
        0
      ],
      "source": {
        "href": "https://www.bloomberg.com",
        "title": "Bloomberg"
      },
      "sub_articles": [],
      "summary": "Stocks Pare Gains as Virus Angst Offsets Jobs Data: Markets Wrap  Bloomberg",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stocks Pare Gains as Virus Angst Offsets Jobs Data: Markets Wrap  Bloomberg"
      },
      "title": "Stocks Pare Gains as Virus Angst Offsets Jobs Data: Markets Wrap - Bloomberg",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stocks Pare Gains as Virus Angst Offsets Jobs Data: Markets Wrap - Bloomberg"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiECEhrjPoz-e_NVNBzDU12hUqFwgEKg4IACoGCAowl6p7MN-zCTClss0G",
      "link": "https://www.theguardian.com/world/2020/jul/03/chinas-stock-market-closes-highest-level-five-years-caixin-markit",
      "links": [
        {
          "href": "https://www.theguardian.com/world/2020/jul/03/chinas-stock-market-closes-highest-level-five-years-caixin-markit",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 17:42:43 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        17,
        42,
        43,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://www.theguardian.com",
        "title": "The Guardian"
      },
      "sub_articles": [],
      "summary": "China's stock market closes at highest level in five years  The Guardian",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "China's stock market closes at highest level in five years  The Guardian"
      },
      "title": "China's stock market closes at highest level in five years - The Guardian",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "China's stock market closes at highest level in five years - The Guardian"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiTGh0dHBzOi8vZmluYW5jZS55YWhvby5jb20vbmV3cy9maXJzdC1taWR3ZXN0LWJhbmNvcnAtaW5jLWZtYmktMTgxMzQ3MTgxLmh0bWzSAVRodHRwczovL2ZpbmFuY2UueWFob28uY29tL2FtcGh0bWwvbmV3cy9maXJzdC1taWR3ZXN0LWJhbmNvcnAtaW5jLWZtYmktMTgxMzQ3MTgxLmh0bWw",
      "link": "https://finance.yahoo.com/news/first-midwest-bancorp-inc-fmbi-181347181.html",
      "links": [
        {
          "href": "https://finance.yahoo.com/news/first-midwest-bancorp-inc-fmbi-181347181.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 18:13:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        18,
        13,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://finance.yahoo.com",
        "title": "Yahoo Finance"
      },
      "sub_articles": [],
      "summary": "Is First Midwest Bancorp Inc (FMBI) A Good Stock To Buy?  Yahoo Finance",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Is First Midwest Bancorp Inc (FMBI) A Good Stock To Buy?  Yahoo Finance"
      },
      "title": "Is First Midwest Bancorp Inc (FMBI) A Good Stock To Buy? - Yahoo Finance",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Is First Midwest Bancorp Inc (FMBI) A Good Stock To Buy? - Yahoo Finance"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiTGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0L2lub3Zpby1zdG9jay1idXktc2VsbC1vci1ob2xkLmFzcHjSAVBodHRwczovL3d3dy5mb29sLmNvbS9hbXAvaW52ZXN0aW5nLzIwMjAvMDcvMDQvaW5vdmlvLXN0b2NrLWJ1eS1zZWxsLW9yLWhvbGQuYXNweA",
      "link": "https://www.fool.com/investing/2020/07/04/inovio-stock-buy-sell-or-hold.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/inovio-stock-buy-sell-or-hold.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 12:09:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        12,
        9,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "Inovio Stock: Buy, Sell, or Hold?  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Inovio Stock: Buy, Sell, or Hold?  Motley Fool"
      },
      "title": "Inovio Stock: Buy, Sell, or Hold? - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Inovio Stock: Buy, Sell, or Hold? - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEEuISfk3m9gLqzXws68asREqFggEKg4IACoGCAowl6p7MN-zCTCtvxU",
      "link": "https://www.theguardian.com/us-news/2020/jun/30/us-buys-up-world-stock-of-key-covid-19-drug",
      "links": [
        {
          "href": "https://www.theguardian.com/us-news/2020/jun/30/us-buys-up-world-stock-of-key-covid-19-drug",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Wed, 01 Jul 2020 18:14:19 GMT",
      "published_parsed": [
        2020,
        7,
        1,
        18,
        14,
        19,
        2,
        183,
        0
      ],
      "source": {
        "href": "https://www.theguardian.com",
        "title": "The Guardian"
      },
      "sub_articles": [],
      "summary": "US secures world stock of key Covid-19 drug remdesivir  The Guardian",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "US secures world stock of key Covid-19 drug remdesivir  The Guardian"
      },
      "title": "US secures world stock of key Covid-19 drug remdesivir - The Guardian",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "US secures world stock of key Covid-19 drug remdesivir - The Guardian"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiELobEVz5AOlkgzoLnbqgZQwqGQgEKhAIACoHCAow4uGPCzDQpKMDMOm0sAY",
      "link": "https://www.thisismoney.co.uk/money/investing/article-8465971/Snap-undervalued-stocks-bag-bargain.html",
      "links": [
        {
          "href": "https://www.thisismoney.co.uk/money/investing/article-8465971/Snap-undervalued-stocks-bag-bargain.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Tue, 30 Jun 2020 08:42:09 GMT",
      "published_parsed": [
        2020,
        6,
        30,
        8,
        42,
        9,
        1,
        182,
        0
      ],
      "source": {
        "href": "https://www.thisismoney.co.uk",
        "title": "This is Money"
      },
      "sub_articles": [],
      "summary": "Snap up these undervalued stocks and bag a bargain  This is Money",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Snap up these undervalued stocks and bag a bargain  This is Money"
      },
      "title": "Snap up these undervalued stocks and bag a bargain - This is Money",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Snap up these undervalued stocks and bag a bargain - This is Money"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiQmh0dHBzOi8vZmluYW5jZS55YWhvby5jb20vbmV3cy9wYy10ZWwtaW5jLXBjdGktZ29vZC0xODE0NDk5NTcuaHRtbNIBSmh0dHBzOi8vZmluYW5jZS55YWhvby5jb20vYW1waHRtbC9uZXdzL3BjLXRlbC1pbmMtcGN0aS1nb29kLTE4MTQ0OTk1Ny5odG1s",
      "link": "https://finance.yahoo.com/news/pc-tel-inc-pcti-good-181449957.html",
      "links": [
        {
          "href": "https://finance.yahoo.com/news/pc-tel-inc-pcti-good-181449957.html",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 18:14:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        18,
        14,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://finance.yahoo.com",
        "title": "Yahoo Finance"
      },
      "sub_articles": [],
      "summary": "Is PC Tel Inc (PCTI) A Good Stock To Buy?  Yahoo Finance",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Is PC Tel Inc (PCTI) A Good Stock To Buy?  Yahoo Finance"
      },
      "title": "Is PC Tel Inc (PCTI) A Good Stock To Buy? - Yahoo Finance",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Is PC Tel Inc (PCTI) A Good Stock To Buy? - Yahoo Finance"
      }
    },
    {
      "guidislink": false,
      "id": "CBMijwFodHRwczovL3d3dy5wcmluY2VnZW9yZ2VjaXRpemVuLmNvbS9uZXdzL2xvY2FsLW5ld3MvZmVkcy1jb21taXR0ZWQtdG8tcHJvdGVjdGluZy1mcmFzZXItcml2ZXItY2hpbm9vay1zdG9ja3MtZmlzaGVyaWVzLW1pbmlzdGVyLXNheXMtMS4yNDE2NTA0NdIBAA",
      "link": "https://www.princegeorgecitizen.com/news/local-news/feds-committed-to-protecting-fraser-river-chinook-stocks-fisheries-minister-says-1.24165045",
      "links": [
        {
          "href": "https://www.princegeorgecitizen.com/news/local-news/feds-committed-to-protecting-fraser-river-chinook-stocks-fisheries-minister-says-1.24165045",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 15:34:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        15,
        34,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.princegeorgecitizen.com",
        "title": "Prince George Citizen"
      },
      "sub_articles": [],
      "summary": "Feds committed to protecting Fraser River chinook stocks, Fisheries Minister says  Prince George Citizen",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Feds committed to protecting Fraser River chinook stocks, Fisheries Minister says  Prince George Citizen"
      },
      "title": "Feds committed to protecting Fraser River chinook stocks, Fisheries Minister says - Prince George Citizen",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Feds committed to protecting Fraser River chinook stocks, Fisheries Minister says - Prince George Citizen"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEFh4zDN-g2eE119SALB0-3EqFwgEKg8IACoHCAowhO7OATDh9Cgwm4pR",
      "link": "https://apnews.com/87f8921bf3d4a7659c99f76f39bcfb17",
      "links": [
        {
          "href": "https://apnews.com/87f8921bf3d4a7659c99f76f39bcfb17",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 17:27:15 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        17,
        27,
        15,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://apnews.com",
        "title": "The Associated Press"
      },
      "sub_articles": [],
      "summary": "World stocks mostly dip with US closed for holiday  The Associated Press",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "World stocks mostly dip with US closed for holiday  The Associated Press"
      },
      "title": "World stocks mostly dip with US closed for holiday - The Associated Press",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "World stocks mostly dip with US closed for holiday - The Associated Press"
      }
    },
    {
      "guidislink": false,
      "id": "CBMid2h0dHBzOi8vY2xlYW50ZWNobmljYS5jb20vMjAyMC8wNy8wNC90ZXNsYS1zdG9jay1wb3AtdGhlLWhvdC1ldi1tYXJrZXQtYmlnLWF1dG9zLWV2LW1vbWVudC1lbmVyZ3ktaW5kZXBlbmRlbmNlLXdlZWtlbmQv0gF7aHR0cHM6Ly9jbGVhbnRlY2huaWNhLmNvbS8yMDIwLzA3LzA0L3Rlc2xhLXN0b2NrLXBvcC10aGUtaG90LWV2LW1hcmtldC1iaWctYXV0b3MtZXYtbW9tZW50LWVuZXJneS1pbmRlcGVuZGVuY2Utd2Vla2VuZC9hbXAv",
      "link": "https://cleantechnica.com/2020/07/04/tesla-stock-pop-the-hot-ev-market-big-autos-ev-moment-energy-independence-weekend/",
      "links": [
        {
          "href": "https://cleantechnica.com/2020/07/04/tesla-stock-pop-the-hot-ev-market-big-autos-ev-moment-energy-independence-weekend/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 19:48:45 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        19,
        48,
        45,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://cleantechnica.com",
        "title": "CleanTechnica"
      },
      "sub_articles": [],
      "summary": "Tesla Stock Pop, The Hot EV Market, Big Auto’s EV Moment — Energy Independence Weekend  CleanTechnica",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Tesla Stock Pop, The Hot EV Market, Big Auto’s EV Moment — Energy Independence Weekend  CleanTechnica"
      },
      "title": "Tesla Stock Pop, The Hot EV Market, Big Auto’s EV Moment — Energy Independence Weekend - CleanTechnica",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Tesla Stock Pop, The Hot EV Market, Big Auto’s EV Moment — Energy Independence Weekend - CleanTechnica"
      }
    },
    {
      "guidislink": false,
      "id": "CAIiEJGylXl9LqfjILjuXbzbd8wqGQgEKhAIACoHCAow2pqGCzD954MDMJzyigY",
      "link": "https://economictimes.indiatimes.com/markets/stocks/news/etmarkets-survey-15-stocks-that-analysts-say-can-emerge-dark-horses-on-dalal-street/articleshow/76703396.cms",
      "links": [
        {
          "href": "https://economictimes.indiatimes.com/markets/stocks/news/etmarkets-survey-15-stocks-that-analysts-say-can-emerge-dark-horses-on-dalal-street/articleshow/76703396.cms",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Tue, 30 Jun 2020 04:57:22 GMT",
      "published_parsed": [
        2020,
        6,
        30,
        4,
        57,
        22,
        1,
        182,
        0
      ],
      "source": {
        "href": "https://economictimes.indiatimes.com",
        "title": "Economic Times"
      },
      "sub_articles": [],
      "summary": "ETMarkets Survey: 15 stocks that analysts say can emerge Dark Horses on Dalal Street  Economic Times",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "ETMarkets Survey: 15 stocks that analysts say can emerge Dark Horses on Dalal Street  Economic Times"
      },
      "title": "ETMarkets Survey: 15 stocks that analysts say can emerge Dark Horses on Dalal Street - Economic Times",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "ETMarkets Survey: 15 stocks that analysts say can emerge Dark Horses on Dalal Street - Economic Times"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiTGh0dHBzOi8vd3d3LmZvb2wuY2EvMjAyMC8wNy8wNC8yLWNvdmlkLTE5LXJlc2lzdGFudC1zdG9ja3MtdG8tYnV5LXJpZ2h0LW5vdy_SAQA",
      "link": "https://www.fool.ca/2020/07/04/2-covid-19-resistant-stocks-to-buy-right-now/",
      "links": [
        {
          "href": "https://www.fool.ca/2020/07/04/2-covid-19-resistant-stocks-to-buy-right-now/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 14:00:22 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        14,
        0,
        22,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.ca",
        "title": "The Motley Fool Canada"
      },
      "sub_articles": [],
      "summary": "2 COVID-19-Resistant Stocks to Buy Right Now  The Motley Fool Canada",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "2 COVID-19-Resistant Stocks to Buy Right Now  The Motley Fool Canada"
      },
      "title": "2 COVID-19-Resistant Stocks to Buy Right Now - The Motley Fool Canada",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "2 COVID-19-Resistant Stocks to Buy Right Now - The Motley Fool Canada"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiW2h0dHBzOi8vc3RvY2tuZXdzLmNvbS9uZXdzL29yY2wtbGx5LWViYXktY29yLTQtZGl2aWRlbmQtc3RvY2tzLXRvLWJ1eS1pZi10aGVyZS1pcy1hLXNlY29uZC_SAQA",
      "link": "https://stocknews.com/news/orcl-lly-ebay-cor-4-dividend-stocks-to-buy-if-there-is-a-second/",
      "links": [
        {
          "href": "https://stocknews.com/news/orcl-lly-ebay-cor-4-dividend-stocks-to-buy-if-there-is-a-second/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 18:36:35 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        18,
        36,
        35,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://stocknews.com",
        "title": "StockNews.com"
      },
      "sub_articles": [],
      "summary": "ORCL: 4 Dividend Stocks to Buy if There is a Second Market Crash  StockNews.com",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "ORCL: 4 Dividend Stocks to Buy if There is a Second Market Crash  StockNews.com"
      },
      "title": "ORCL: 4 Dividend Stocks to Buy if There is a Second Market Crash - StockNews.com",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "ORCL: 4 Dividend Stocks to Buy if There is a Second Market Crash - StockNews.com"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiUGh0dHBzOi8vd3d3LnN1bmRheWd1YXJkaWFubGl2ZS5jb20vYnVzaW5lc3MvdHYxOC1zdG9jay1tYXktZG91YmxlLWN1cnJlbnQtbGV2ZWxz0gEA",
      "link": "https://www.sundayguardianlive.com/business/tv18-stock-may-double-current-levels",
      "links": [
        {
          "href": "https://www.sundayguardianlive.com/business/tv18-stock-may-double-current-levels",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 21:28:45 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        21,
        28,
        45,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.sundayguardianlive.com",
        "title": "The Sunday Guardian"
      },
      "sub_articles": [],
      "summary": "TV18 stock may double from current levels  The Sunday Guardian",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "TV18 stock may double from current levels  The Sunday Guardian"
      },
      "title": "TV18 stock may double from current levels - The Sunday Guardian",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "TV18 stock may double from current levels - The Sunday Guardian"
      }
    },
    {
      "guidislink": false,
      "id": "CBMiT2h0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzA0L3doeS11YmVycy1zdG9jay1mZWxsLTE0NC1pbi1qdW5lLmFzcHjSAVNodHRwczovL3d3dy5mb29sLmNvbS9hbXAvaW52ZXN0aW5nLzIwMjAvMDcvMDQvd2h5LXViZXJzLXN0b2NrLWZlbGwtMTQ0LWluLWp1bmUuYXNweA",
      "link": "https://www.fool.com/investing/2020/07/04/why-ubers-stock-fell-144-in-june.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/07/04/why-ubers-stock-fell-144-in-june.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 04 Jul 2020 11:36:00 GMT",
      "published_parsed": [
        2020,
        7,
        4,
        11,
        36,
        0,
        5,
        186,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "Why Uber's Stock Fell 14.4% in June  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Why Uber's Stock Fell 14.4% in June  Motley Fool"
      },
      "title": "Why Uber's Stock Fell 14.4% in June - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Why Uber's Stock Fell 14.4% in June - Motley Fool"
      }
    },
    {
      "guidislink": false,
      "id": "CBMifmh0dHBzOi8vd3d3LmZvb2wuY28udWsvaW52ZXN0aW5nLzIwMjAvMDcvMDEvc3RvY2stbWFya2V0LWNyYXNoLWJhcmdhaW5zLWlkLWJ1eS1jaGVhcC1mdHNlLTEwMC1kaXZpZGVuZC1zaGFyZXMtaW4tYW4taXNhLXRvZGF5L9IBAA",
      "link": "https://www.fool.co.uk/investing/2020/07/01/stock-market-crash-bargains-id-buy-cheap-ftse-100-dividend-shares-in-an-isa-today/",
      "links": [
        {
          "href": "https://www.fool.co.uk/investing/2020/07/01/stock-market-crash-bargains-id-buy-cheap-ftse-100-dividend-shares-in-an-isa-today/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Wed, 01 Jul 2020 06:57:10 GMT",
      "published_parsed": [
        2020,
        7,
        1,
        6,
        57,
        10,
        2,
        183,
        0
      ],
      "source": {
        "href": "https://www.fool.co.uk",
        "title": "Motley Fool UK"
      },
      "sub_articles": [],
      "summary": "Stock market crash bargains: I'd buy cheap FTSE 100 dividend shares in an ISA today  Motley Fool UK",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "Stock market crash bargains: I'd buy cheap FTSE 100 dividend shares in an ISA today  Motley Fool UK"
      },
      "title": "Stock market crash bargains: I'd buy cheap FTSE 100 dividend shares in an ISA today - Motley Fool UK",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "Stock market crash bargains: I'd buy cheap FTSE 100 dividend shares in an ISA today - Motley Fool UK"
      }
    },
    {
      "guidislink": false,
      "id": "CBMikwFodHRwczovLzI0N3dhbGxzdC5jb20vaW52ZXN0aW5nLzIwMjAvMDcvMDMvMTAtdW51c3VhbC1oaWdoLXByb2ZpbGUtYW5hbHlzdC11cGdyYWRlcy1hcy1zdG9ja3Mtc3VyZ2UtaW50by1qdWx5LWFrYW1haS1hbWF6b25lYmF5LXNob3BpZnktdGVzbGEtbW9yZS_SAZcBaHR0cHM6Ly8yNDd3YWxsc3QuY29tL2ludmVzdGluZy8yMDIwLzA3LzAzLzEwLXVudXN1YWwtaGlnaC1wcm9maWxlLWFuYWx5c3QtdXBncmFkZXMtYXMtc3RvY2tzLXN1cmdlLWludG8tanVseS1ha2FtYWktYW1hem9uZWJheS1zaG9waWZ5LXRlc2xhLW1vcmUvYW1wLw",
      "link": "https://247wallst.com/investing/2020/07/03/10-unusual-high-profile-analyst-upgrades-as-stocks-surge-into-july-akamai-amazonebay-shopify-tesla-more/",
      "links": [
        {
          "href": "https://247wallst.com/investing/2020/07/03/10-unusual-high-profile-analyst-upgrades-as-stocks-surge-into-july-akamai-amazonebay-shopify-tesla-more/",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Fri, 03 Jul 2020 10:45:55 GMT",
      "published_parsed": [
        2020,
        7,
        3,
        10,
        45,
        55,
        4,
        185,
        0
      ],
      "source": {
        "href": "https://247wallst.com",
        "title": "24/7 Wall St."
      },
      "sub_articles": [],
      "summary": "10 Unusual High-Profile Analyst Upgrades as Stocks Surge Into July: Akamai, Amazon,eBay, Shopify, Tesla & More  24/7 Wall St.",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "10 Unusual High-Profile Analyst Upgrades as Stocks Surge Into July: Akamai, Amazon,eBay, Shopify, Tesla & More  24/7 Wall St."
      },
      "title": "10 Unusual High-Profile Analyst Upgrades as Stocks Surge Into July: Akamai, Amazon,eBay, Shopify, Tesla & More - 24/7 Wall St.",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "10 Unusual High-Profile Analyst Upgrades as Stocks Surge Into July: Akamai, Amazon,eBay, Shopify, Tesla & More - 24/7 Wall St."
      }
    },
    {
      "guidislink": false,
      "id": "CBMiYGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA2LzI3LzctdG9wLXN0b2Nrcy10by1idXktd2hlbi10aGUtc3RvY2stbWFya2V0LWNyYXNoZXMuYXNweNIBZGh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNi8yNy83LXRvcC1zdG9ja3MtdG8tYnV5LXdoZW4tdGhlLXN0b2NrLW1hcmtldC1jcmFzaGVzLmFzcHg",
      "link": "https://www.fool.com/investing/2020/06/27/7-top-stocks-to-buy-when-the-stock-market-crashes.aspx",
      "links": [
        {
          "href": "https://www.fool.com/investing/2020/06/27/7-top-stocks-to-buy-when-the-stock-market-crashes.aspx",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sat, 27 Jun 2020 09:51:00 GMT",
      "published_parsed": [
        2020,
        6,
        27,
        9,
        51,
        0,
        5,
        179,
        0
      ],
      "source": {
        "href": "https://www.fool.com",
        "title": "Motley Fool"
      },
      "sub_articles": [],
      "summary": "7 Top Stocks to Buy When the Stock Market Crashes  Motley Fool",
      "summary_detail": {
        "base": "",
        "language": null,
        "type": "text/html",
        "value": "7 Top Stocks to Buy When the Stock Market Crashes  Motley Fool"
      },
      "title": "7 Top Stocks to Buy When the Stock Market Crashes - Motley Fool",
      "title_detail": {
        "base": "",
        "language": null,
        "type": "text/plain",
        "value": "7 Top Stocks to Buy When the Stock Market Crashes - Motley Fool"
      }
    }
  ],
  "feed": {
    "generator": "NFE/5.0",
    "generator_detail": {
      "name": "NFE/5.0"
    },
    "language": "en-GB",
    "link": "https://news.google.com/search?q=stocks&ceid=GB:en&hl=en-GB&gl=GB",
    "links": [
      {
        "href": "https://news.google.com/search?q=stocks&ceid=GB:en&hl=en-GB&gl=GB",
        "rel": "alternate",
        "type": "text/html"
      }
    ],
    "publisher": "news-webmaster@google.com",
    "publisher_detail": {
      "email": "news-webmaster@google.com"
    },
    "rights": "2020 Google Inc.",
    "rights_detail": {
      "base": "",
      "language": null,
      "type": "text/plain",
      "value": "2020 Google Inc."
    },
    "subtitle": "Google News",
    "subtitle_detail": {
      "base": "",
      "language": null,
      "type": "text/html",
      "value": "Google News"
    },
    "title": "\"stocks\" - Google News",
    "title_detail": {
      "base": "",
      "language": null,
      "type": "text/plain",
      "value": "\"stocks\" - Google News"
    },
    "updated": "Sun, 05 Jul 2020 01:46:30 GMT",
    "updated_parsed": [
      2020,
      7,
      5,
      1,
      46,
      30,
      6,
      187,
      0
    ]
  }
}
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "entries": [
    {
      "guidislink": false,
      "id": "52780894344741",
      "link": "https://news.google.com/__i/rss/rd/articles/CBMiRWh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvdXMvcG9saXRpY3MvdHJ1bXAtbXQtcnVzaG1vcmUuaHRtbNIBSWh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvdXMvcG9saXRpY3MvdHJ1bXAtbXQtcnVzaG1vcmUuYW1wLmh0bWw?oc=5",
      "links": [
        {
          "href": "https://news.google.com/__i/rss/rd/articles/CBMiRWh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvdXMvcG9saXRpY3MvdHJ1bXAtbXQtcnVzaG1vcmUuaHRtbNIBSWh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvdXMvcG9saXRpY3MvdHJ1bXAtbXQtcnVzaG1vcmUuYW1wLmh0bWw?oc=5",
          "rel": "alternate",
          "type": "text/html"
        }
      ],
      "published": "Sun, 05 Jul 2020 01:33:09 GMT",
      "published_parsed": [
        2020,
        7,
        5,
        1,
        33,
        9,
        6,
        187,
        0
      ],
      "source": {
        "href": "https://www.nytimes.com",
        "title": "The New York Times"
      },
      "sub_articles": [
        {
          "publisher": "The New York Times",
          "title": "At Mt. Rushmore and the White House, Trump Updates ‘American Carnage’ Message for 2020",
          "url": "https://news.google.com/__i/rss/rd/articles/CBMiRWh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvdXMvcG9saXRpY3MvdHJ1bXAtbXQtcnVzaG1vcmUuaHRtbNIBSWh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvdXMvcG9saXRpY3MvdHJ1bXAtbXQtcnVzaG1vcmUuYW1wLmh0bWw?oc=5"
        },
        {
          "publisher": "CNN",
          "title": "Stelter: Trump's Mt. Rushmore speech won't make sense to most people",
          "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9ZXk1UHVDT1UzVVnSAQA?oc=5"
        },
        {
          "publisher": "CNN",
          "title": "Trump tries to drag America backward on a very different July 4th",
          "url": "https://news.google.com/__i/rss/rd/articles/CBMiZGh0dHBzOi8vd3d3LmNubi5jb20vMjAyMC8wNy8wNC9wb2xpdGljcy9kb25hbGQtdHJ1bXAtbW91bnQtcnVzaG1vcmUtY3VsdHVyZS13YXJzLWp1bHktNHRoL2luZGV4Lmh0bWzSAWhodHRwczovL2FtcC5jbm4uY29tL2Nubi8yMDIwLzA3LzA0L3BvbGl0aWNzL2RvbmFsZC10cnVtcC1tb3VudC1ydXNobW9yZS1jdWx0dXJlLXdhcnMtanVseS00dGgvaW5kZXguaHRtbA?oc=5"
        },
        {
          "publisher": "The Washington Post",
          "title": "Mount Rushmore is colossal kitsch, perfect for a populist spectacle",
          "url": "https://news.google.com/__i/rss/rd/articles/CBMirAFodHRwczovL3d3dy53YXNoaW5ndG9ucG9zdC5jb20vbGlmZXN0eWxlL3N0eWxlL21vdW50LXJ1c2htb3JlLWlzLWNvbG9zc2FsLWtpdHNjaC1wZXJmZWN0LWZvci1hLXBvcHVsaXN0LXNwZWN0YWNsZS8yMDIwLzA3LzA0LzZjNzQwNjg2LWJlMjktMTFlYS04MGI5LTQwZWNlOWE3MDFkY19zdG9yeS5odG1s0gG7AWh0dHBzOi8vd3d3Lndhc2hpbmd0b25wb3N0LmNvbS9saWZlc3R5bGUvc3R5bGUvbW91bnQtcnVzaG1vcmUtaXMtY29sb3NzYWwta2l0c2NoLXBlcmZlY3QtZm9yLWEtcG9wdWxpc3Qtc3BlY3RhY2xlLzIwMjAvMDcvMDQvNmM3NDA2ODYtYmUyOS0xMWVhLTgwYjktNDBlY2U5YTcwMWRjX3N0b3J5Lmh0bWw_b3V0cHV0VHlwZT1hbXA?oc=5"
        },
        {
          "publisher": "Fox News",
          "title": "Fred Fleitz: At Mount Rushmore, Trump right to highlight danger leftist radicals pose to America",
          "url": "https://news.google.com/__i/rss/rd/articles/CBMiQGh0dHBzOi8vd3d3LmZveG5ld3MuY29tL29waW5pb24vdHJ1bXAtbW91bnQtcnVzaG1vcmUtZnJlZC1mbGVpdHrSAURodHRwczovL3d3dy5mb3huZXdzLmNvbS9vcGluaW9uL3RydW1wLW1vdW50LXJ1c2htb3JlLWZyZWQtZmxlaXR6LmFtcA?oc=5"
        }
      ],
      "summary": "
  1. At Mt. Rushmore and the White House, Trump Updates ‘American Carnage’ Message for 2020  The New York Times
  2. Stelter: Trump's Mt. Rushmore speech won't make sense to most people  CNN
  3. Trump tries to drag America backward on a very different July 4th  CNN
  4. Mount Rushmore is colossal kitsch, perfect for a populist spectacle  The Washington Post
  5. Fred Fleitz: At Mount Rushmore, Trump right to highlight danger leftist radicals pose to America  Fox News
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. At Mt. Rushmore and the White House, Trump Updates ‘American Carnage’ Message for 2020  The New York Times
  2. Stelter: Trump's Mt. Rushmore speech won't make sense to most people  CNN
  3. Trump tries to drag America backward on a very different July 4th  CNN
  4. Mount Rushmore is colossal kitsch, perfect for a populist spectacle  The Washington Post
  5. Fred Fleitz: At Mount Rushmore, Trump right to highlight danger leftist radicals pose to America  Fox News
  6. View Full Coverage on Google News
" }, "title": "At Mt. Rushmore and the White House, Trump Updates ‘American Carnage’ Message for 2020 - The New York Times", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "At Mt. Rushmore and the White House, Trump Updates ‘American Carnage’ Message for 2020 - The New York Times" } }, { "guidislink": false, "id": "52780896053127", "link": "https://news.google.com/__i/rss/rd/articles/CBMiVGh0dHBzOi8vd3d3LmNubi5jb20vMjAyMC8wNy8wNC9wb2xpdGljcy93aGl0ZS1ob3VzZS1qdWx5LTQtcGFydHktcGFuZGVtaWMvaW5kZXguaHRtbNIBWGh0dHBzOi8vYW1wLmNubi5jb20vY25uLzIwMjAvMDcvMDQvcG9saXRpY3Mvd2hpdGUtaG91c2UtanVseS00LXBhcnR5LXBhbmRlbWljL2luZGV4Lmh0bWw?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiVGh0dHBzOi8vd3d3LmNubi5jb20vMjAyMC8wNy8wNC9wb2xpdGljcy93aGl0ZS1ob3VzZS1qdWx5LTQtcGFydHktcGFuZGVtaWMvaW5kZXguaHRtbNIBWGh0dHBzOi8vYW1wLmNubi5jb20vY25uLzIwMjAvMDcvMDQvcG9saXRpY3Mvd2hpdGUtaG91c2UtanVseS00LXBhcnR5LXBhbmRlbWljL2luZGV4Lmh0bWw?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 14:54:56 GMT", "published_parsed": [ 2020, 7, 4, 14, 54, 56, 5, 186, 0 ], "source": { "href": "https://www.cnn.com", "title": "CNN" }, "sub_articles": [ { "publisher": "CNN", "title": "White House hosts a party in the midst of a pandemic", "url": "https://news.google.com/__i/rss/rd/articles/CBMiVGh0dHBzOi8vd3d3LmNubi5jb20vMjAyMC8wNy8wNC9wb2xpdGljcy93aGl0ZS1ob3VzZS1qdWx5LTQtcGFydHktcGFuZGVtaWMvaW5kZXguaHRtbNIBWGh0dHBzOi8vYW1wLmNubi5jb20vY25uLzIwMjAvMDcvMDQvcG9saXRpY3Mvd2hpdGUtaG91c2UtanVseS00LXBhcnR5LXBhbmRlbWljL2luZGV4Lmh0bWw?oc=5" }, { "publisher": "NBC News", "title": "'We need to live with it': White House readies new message for the nation on coronavirus", "url": "https://news.google.com/__i/rss/rd/articles/CBMibmh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL3BvbGl0aWNzL3BvbGl0aWNzLW5ld3Mvd2UtbmVlZC1saXZlLWl0LXdoaXRlLWhvdXNlLXJlYWRpZXMtbmV3LW1lc3NhZ2UtbmF0aW9uLW4xMjMyODg00gEsaHR0cHM6Ly93d3cubmJjbmV3cy5jb20vbmV3cy9hbXAvbmNuYTEyMzI4ODQ?oc=5" }, { "publisher": "ABC News", "title": "Why do Trump and allies repost racist messaging and will it help his reelection effort?", "url": "https://news.google.com/__i/rss/rd/articles/CBMiaGh0dHBzOi8vYWJjbmV3cy5nby5jb20vUG9saXRpY3MvdHJ1bXAtYWxsaWVzLXJlcG9zdC1yYWNpc3QtbWVzc2FnaW5nLXJlZWxlY3Rpb24tZWZmb3J0L3N0b3J5P2lkPTcxNTYyMTM40gFsaHR0cHM6Ly9hYmNuZXdzLmdvLmNvbS9hbXAvUG9saXRpY3MvdHJ1bXAtYWxsaWVzLXJlcG9zdC1yYWNpc3QtbWVzc2FnaW5nLXJlZWxlY3Rpb24tZWZmb3J0L3N0b3J5P2lkPTcxNTYyMTM4?oc=5" }, { "publisher": "The New York Times", "title": "Coronavirus Updates: Trump Hosts July 4 Event at White House", "url": "https://news.google.com/__i/rss/rd/articles/CBMiQWh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvd29ybGQvY29yb25hdmlydXMtdXBkYXRlcy5odG1s0gFFaHR0cHM6Ly93d3cubnl0aW1lcy5jb20vMjAyMC8wNy8wNC93b3JsZC9jb3JvbmF2aXJ1cy11cGRhdGVzLmFtcC5odG1s?oc=5" }, { "publisher": "NBC News", "title": "Trump steps back, done with being 'daily voice' of coronavirus response", "url": "https://news.google.com/__i/rss/rd/articles/CBMicmh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL3BvbGl0aWNzL3doaXRlLWhvdXNlL3RydW1wLXN0ZXBzLWJhY2stZG9uZS1iZWluZy1kYWlseS12b2ljZS1jb3JvbmF2aXJ1cy1yZXNwb25zZS1uMTIzMjkwMNIBLGh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvYW1wL25jbmExMjMyOTAw?oc=5" } ], "summary": "
  1. White House hosts a party in the midst of a pandemic  CNN
  2. 'We need to live with it': White House readies new message for the nation on coronavirus  NBC News
  3. Why do Trump and allies repost racist messaging and will it help his reelection effort?  ABC News
  4. Coronavirus Updates: Trump Hosts July 4 Event at White House  The New York Times
  5. Trump steps back, done with being 'daily voice' of coronavirus response  NBC News
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. White House hosts a party in the midst of a pandemic  CNN
  2. 'We need to live with it': White House readies new message for the nation on coronavirus  NBC News
  3. Why do Trump and allies repost racist messaging and will it help his reelection effort?  ABC News
  4. Coronavirus Updates: Trump Hosts July 4 Event at White House  The New York Times
  5. Trump steps back, done with being 'daily voice' of coronavirus response  NBC News
  6. View Full Coverage on Google News
" }, "title": "White House hosts a party in the midst of a pandemic - CNN", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "White House hosts a party in the midst of a pandemic - CNN" } }, { "guidislink": false, "id": "52780893309403", "link": "https://news.google.com/__i/rss/rd/articles/CBMiVmh0dHBzOi8vd3d3LnBvbGl0aWNvLmNvbS9uZXdzLzIwMjAvMDcvMDQvZmxvcmlkYS1yZWNvcmQtY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMzQ4Nzgw0gFaaHR0cHM6Ly93d3cucG9saXRpY28uY29tL2FtcC9uZXdzLzIwMjAvMDcvMDQvZmxvcmlkYS1yZWNvcmQtY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMzQ4Nzgw?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiVmh0dHBzOi8vd3d3LnBvbGl0aWNvLmNvbS9uZXdzLzIwMjAvMDcvMDQvZmxvcmlkYS1yZWNvcmQtY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMzQ4Nzgw0gFaaHR0cHM6Ly93d3cucG9saXRpY28uY29tL2FtcC9uZXdzLzIwMjAvMDcvMDQvZmxvcmlkYS1yZWNvcmQtY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMzQ4Nzgw?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 23:00:39 GMT", "published_parsed": [ 2020, 7, 4, 23, 0, 39, 5, 186, 0 ], "source": { "href": "https://www.politico.com", "title": "POLITICO" }, "sub_articles": [ { "publisher": "POLITICO", "title": "Florida reports record number of coronavirus cases amid nationwide surge", "url": "https://news.google.com/__i/rss/rd/articles/CBMiVmh0dHBzOi8vd3d3LnBvbGl0aWNvLmNvbS9uZXdzLzIwMjAvMDcvMDQvZmxvcmlkYS1yZWNvcmQtY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMzQ4Nzgw0gFaaHR0cHM6Ly93d3cucG9saXRpY28uY29tL2FtcC9uZXdzLzIwMjAvMDcvMDQvZmxvcmlkYS1yZWNvcmQtY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMzQ4Nzgw?oc=5" }, { "publisher": "Fox News", "title": "Florida reports new high of positive coronavirus cases, Miami-Dade and Broward County reach record levels", "url": "https://news.google.com/__i/rss/rd/articles/CBMiSWh0dHBzOi8vd3d3LmZveG5ld3MuY29tL3VzL2Zsb3JpZGEtMTQtcGVyY2VudC1jb3JvbmF2aXJ1cy1wb3NpdGl2aXR5LXJhdGXSAU1odHRwczovL3d3dy5mb3huZXdzLmNvbS91cy9mbG9yaWRhLTE0LXBlcmNlbnQtY29yb25hdmlydXMtcG9zaXRpdml0eS1yYXRlLmFtcA?oc=5" }, { "publisher": "Reuters", "title": "Florida COVID-19 cases spike to new daily record", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9b1kwRDBTQlItT0XSAQA?oc=5" }, { "publisher": "Miami Herald", "title": "Florida breaks record with 11,458 new virus cases. Miami-Dade and Broward hit highs, too", "url": "https://news.google.com/__i/rss/rd/articles/CBMiQmh0dHBzOi8vd3d3Lm1pYW1paGVyYWxkLmNvbS9uZXdzL2Nvcm9uYXZpcnVzL2FydGljbGUyNDQwMDAwMzIuaHRtbNIBQmh0dHBzOi8vYW1wLm1pYW1paGVyYWxkLmNvbS9uZXdzL2Nvcm9uYXZpcnVzL2FydGljbGUyNDQwMDAwMzIuaHRtbA?oc=5" }, { "publisher": "The Hill", "title": "Infectious disease specialist: Florida 'heading a million miles an hour in the wrong direction' | TheHill", "url": "https://news.google.com/__i/rss/rd/articles/CBMidWh0dHBzOi8vdGhlaGlsbC5jb20vcG9saWN5L2hlYWx0aGNhcmUvNTA1ODMxLWluZmVjdGlvdXMtZGlzZWFzZS1zcGVjaWFsaXN0LWZsb3JpZGEtaGVhZGluZy1hLW1pbGxpb24tbWlsZXMtYW4taG91ci1pbtIBeWh0dHBzOi8vdGhlaGlsbC5jb20vcG9saWN5L2hlYWx0aGNhcmUvNTA1ODMxLWluZmVjdGlvdXMtZGlzZWFzZS1zcGVjaWFsaXN0LWZsb3JpZGEtaGVhZGluZy1hLW1pbGxpb24tbWlsZXMtYW4taG91ci1pbj9hbXA?oc=5" } ], "summary": "
  1. Florida reports record number of coronavirus cases amid nationwide surge  POLITICO
  2. Florida reports new high of positive coronavirus cases, Miami-Dade and Broward County reach record levels  Fox News
  3. Florida COVID-19 cases spike to new daily record  Reuters
  4. Florida breaks record with 11,458 new virus cases. Miami-Dade and Broward hit highs, too  Miami Herald
  5. Infectious disease specialist: Florida 'heading a million miles an hour in the wrong direction' | TheHill  The Hill
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Florida reports record number of coronavirus cases amid nationwide surge  POLITICO
  2. Florida reports new high of positive coronavirus cases, Miami-Dade and Broward County reach record levels  Fox News
  3. Florida COVID-19 cases spike to new daily record  Reuters
  4. Florida breaks record with 11,458 new virus cases. Miami-Dade and Broward hit highs, too  Miami Herald
  5. Infectious disease specialist: Florida 'heading a million miles an hour in the wrong direction' | TheHill  The Hill
  6. View Full Coverage on Google News
" }, "title": "Florida reports record number of coronavirus cases amid nationwide surge - POLITICO", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Florida reports record number of coronavirus cases amid nationwide surge - POLITICO" } }, { "guidislink": false, "id": "CAIiEPRkX5o8tx_cEKF5q1paracqGAgEKg8IACoHCAowhK-LAjD4ySww-9S0BQ", "link": "https://news.google.com/__i/rss/rd/articles/CBMiUmh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L3ByZXNpZGVudC10cnVtcC1leHRlbmRzLXBheWNoZWNrLXByb3RlY3Rpb24tcHJvZ3JhbS_SAVZodHRwczovL255cG9zdC5jb20vMjAyMC8wNy8wNC9wcmVzaWRlbnQtdHJ1bXAtZXh0ZW5kcy1wYXljaGVjay1wcm90ZWN0aW9uLXByb2dyYW0vYW1wLw?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiUmh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L3ByZXNpZGVudC10cnVtcC1leHRlbmRzLXBheWNoZWNrLXByb3RlY3Rpb24tcHJvZ3JhbS_SAVZodHRwczovL255cG9zdC5jb20vMjAyMC8wNy8wNC9wcmVzaWRlbnQtdHJ1bXAtZXh0ZW5kcy1wYXljaGVjay1wcm90ZWN0aW9uLXByb2dyYW0vYW1wLw?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 17:23:07 GMT", "published_parsed": [ 2020, 7, 4, 17, 23, 7, 5, 186, 0 ], "source": { "href": "https://nypost.com", "title": "New York Post" }, "sub_articles": [], "summary": "President Trump extends Paycheck Protection Program  New York Post View Full Coverage on Google News", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "President Trump extends Paycheck Protection Program  New York Post View Full Coverage on Google News" }, "title": "President Trump extends Paycheck Protection Program - New York Post", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "President Trump extends Paycheck Protection Program - New York Post" } }, { "guidislink": false, "id": "52780896970990", "link": "https://news.google.com/__i/rss/rd/articles/CBMiaGh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvdXMtbmV3cy9ncmFuZC1jYW55b24taGlrZXItZmFsbHMtaGVyLWRlYXRoLXRyeWluZy10YWtlLXBob3Rvcy1wYXJrLW4xMjMyOTEx0gEsaHR0cHM6Ly93d3cubmJjbmV3cy5jb20vbmV3cy9hbXAvbmNuYTEyMzI5MTE?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiaGh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvdXMtbmV3cy9ncmFuZC1jYW55b24taGlrZXItZmFsbHMtaGVyLWRlYXRoLXRyeWluZy10YWtlLXBob3Rvcy1wYXJrLW4xMjMyOTEx0gEsaHR0cHM6Ly93d3cubmJjbmV3cy5jb20vbmV3cy9hbXAvbmNuYTEyMzI5MTE?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 17:54:14 GMT", "published_parsed": [ 2020, 7, 4, 17, 54, 14, 5, 186, 0 ], "source": { "href": "https://www.nbcnews.com", "title": "NBC News" }, "sub_articles": [ { "publisher": "NBC News", "title": "Grand Canyon hiker falls to her death trying to take photos, park says", "url": "https://news.google.com/__i/rss/rd/articles/CBMiaGh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvdXMtbmV3cy9ncmFuZC1jYW55b24taGlrZXItZmFsbHMtaGVyLWRlYXRoLXRyeWluZy10YWtlLXBob3Rvcy1wYXJrLW4xMjMyOTEx0gEsaHR0cHM6Ly93d3cubmJjbmV3cy5jb20vbmV3cy9hbXAvbmNuYTEyMzI5MTE?oc=5" }, { "publisher": "CNN", "title": "A hiker died after a fall at the Grand Canyon", "url": "https://news.google.com/__i/rss/rd/articles/CBMiUmh0dHBzOi8vd3d3LmNubi5jb20vMjAyMC8wNy8wNC91cy9ncmFuZC1jYW55b24taGlrZXItZGVhdGgtbWF0aGVyLXBvaW50L2luZGV4Lmh0bWzSAVZodHRwczovL2FtcC5jbm4uY29tL2Nubi8yMDIwLzA3LzA0L3VzL2dyYW5kLWNhbnlvbi1oaWtlci1kZWF0aC1tYXRoZXItcG9pbnQvaW5kZXguaHRtbA?oc=5" }, { "publisher": "USA TODAY", "title": "Woman falls to death at Grand Canyon after hiking off trail, taking photos", "url": "https://news.google.com/__i/rss/rd/articles/CBMif2h0dHBzOi8vd3d3LnVzYXRvZGF5LmNvbS9zdG9yeS9uZXdzL25hdGlvbi8yMDIwLzA3LzA0L2FyaXpvbmEtd29tYW4tZmFsbHMtZGVhdGgtZ3JhbmQtY2FueW9uLWFmdGVyLWhpa2luZy1vZmYtdHJhaWwvNTM3NzMxMDAwMi_SASdodHRwczovL2FtcC51c2F0b2RheS5jb20vYW1wLzUzNzczMTAwMDI?oc=5" }, { "publisher": "CBS News", "title": "Woman falls to her death while taking photos at Grand Canyon, National Park Service says", "url": "https://news.google.com/__i/rss/rd/articles/CBMidWh0dHBzOi8vd3d3LmNic25ld3MuY29tL25ld3Mvd29tYW4tZmFsbHMtdG8taGVyLWRlYXRoLXdoaWxlLXRha2luZy1waG90b3MtYXQtZ3JhbmQtY2FueW9uLW5hdGlvbmFsLXBhcmstc2VydmljZS1zYXlzL9IBeWh0dHBzOi8vd3d3LmNic25ld3MuY29tL2FtcC9uZXdzL3dvbWFuLWZhbGxzLXRvLWhlci1kZWF0aC13aGlsZS10YWtpbmctcGhvdG9zLWF0LWdyYW5kLWNhbnlvbi1uYXRpb25hbC1wYXJrLXNlcnZpY2Utc2F5cy8?oc=5" }, { "publisher": "ABC News", "title": "Woman dies falling into Grand Canyon while taking photos", "url": "https://news.google.com/__i/rss/rd/articles/CBMiWWh0dHBzOi8vYWJjbmV3cy5nby5jb20vVVMvd29tYW4tZGllcy1mYWxsaW5nLWdyYW5kLWNhbnlvbi10YWtpbmctcGhvdG9zL3N0b3J5P2lkPTcxNjE0MDM20gFdaHR0cHM6Ly9hYmNuZXdzLmdvLmNvbS9hbXAvVVMvd29tYW4tZGllcy1mYWxsaW5nLWdyYW5kLWNhbnlvbi10YWtpbmctcGhvdG9zL3N0b3J5P2lkPTcxNjE0MDM2?oc=5" } ], "summary": "
  1. Grand Canyon hiker falls to her death trying to take photos, park says  NBC News
  2. A hiker died after a fall at the Grand Canyon  CNN
  3. Woman falls to death at Grand Canyon after hiking off trail, taking photos  USA TODAY
  4. Woman falls to her death while taking photos at Grand Canyon, National Park Service says  CBS News
  5. Woman dies falling into Grand Canyon while taking photos  ABC News
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Grand Canyon hiker falls to her death trying to take photos, park says  NBC News
  2. A hiker died after a fall at the Grand Canyon  CNN
  3. Woman falls to death at Grand Canyon after hiking off trail, taking photos  USA TODAY
  4. Woman falls to her death while taking photos at Grand Canyon, National Park Service says  CBS News
  5. Woman dies falling into Grand Canyon while taking photos  ABC News
  6. View Full Coverage on Google News
" }, "title": "Grand Canyon hiker falls to her death trying to take photos, park says - NBC News", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Grand Canyon hiker falls to her death trying to take photos, park says - NBC News" } }, { "guidislink": false, "id": "52780884169115", "link": "https://news.google.com/__i/rss/rd/articles/CBMiZWh0dHBzOi8vd3d3Lm5qLmNvbS9uZXdzLzIwMjAvMDcvaGVyZS1hcmUtdGhlLWp1bHktNHRoLWZpcmV3b3Jrcy15b3UtY2FuLXdhdGNoLWluLW5qLXRoaXMtd2Vla2VuZC5odG1s0gF0aHR0cHM6Ly93d3cubmouY29tL25ld3MvMjAyMC8wNy9oZXJlLWFyZS10aGUtanVseS00dGgtZmlyZXdvcmtzLXlvdS1jYW4td2F0Y2gtaW4tbmotdGhpcy13ZWVrZW5kLmh0bWw_b3V0cHV0VHlwZT1hbXA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiZWh0dHBzOi8vd3d3Lm5qLmNvbS9uZXdzLzIwMjAvMDcvaGVyZS1hcmUtdGhlLWp1bHktNHRoLWZpcmV3b3Jrcy15b3UtY2FuLXdhdGNoLWluLW5qLXRoaXMtd2Vla2VuZC5odG1s0gF0aHR0cHM6Ly93d3cubmouY29tL25ld3MvMjAyMC8wNy9oZXJlLWFyZS10aGUtanVseS00dGgtZmlyZXdvcmtzLXlvdS1jYW4td2F0Y2gtaW4tbmotdGhpcy13ZWVrZW5kLmh0bWw_b3V0cHV0VHlwZT1hbXA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Fri, 03 Jul 2020 17:24:23 GMT", "published_parsed": [ 2020, 7, 3, 17, 24, 23, 4, 185, 0 ], "source": { "href": "https://www.nj.com", "title": "NJ.com" }, "sub_articles": [ { "publisher": "NJ.com", "title": "Here are the July 4th fireworks you can watch in N.J. this weekend", "url": "https://news.google.com/__i/rss/rd/articles/CBMiZWh0dHBzOi8vd3d3Lm5qLmNvbS9uZXdzLzIwMjAvMDcvaGVyZS1hcmUtdGhlLWp1bHktNHRoLWZpcmV3b3Jrcy15b3UtY2FuLXdhdGNoLWluLW5qLXRoaXMtd2Vla2VuZC5odG1s0gF0aHR0cHM6Ly93d3cubmouY29tL25ld3MvMjAyMC8wNy9oZXJlLWFyZS10aGUtanVseS00dGgtZmlyZXdvcmtzLXlvdS1jYW4td2F0Y2gtaW4tbmotdGhpcy13ZWVrZW5kLmh0bWw_b3V0cHV0VHlwZT1hbXA?oc=5" }, { "publisher": "Disney Parks", "title": "Enjoy a Special Fourth of July Fireworks Spectacular!", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9T3JGVEFSUzNXeVXSAQA?oc=5" }, { "publisher": "AL.com", "title": "Macy’s New York City July 4th fireworks: How to watch, time", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vd3d3LmFsLmNvbS9uZXdzLzIwMjAvMDcvbWFjeXMtbmV3LXlvcmstY2l0eS1qdWx5LTR0aC1maXJld29ya3MtaG93LXRvLXdhdGNoLXRpbWUuaHRtbNIBbGh0dHBzOi8vd3d3LmFsLmNvbS9uZXdzLzIwMjAvMDcvbWFjeXMtbmV3LXlvcmstY2l0eS1qdWx5LTR0aC1maXJld29ya3MtaG93LXRvLXdhdGNoLXRpbWUuaHRtbD9vdXRwdXRUeXBlPWFtcA?oc=5" }, { "publisher": "ABC News", "title": "A Fourth of July unlike any other as COVID-19 cases keep rising", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9b1c4S2JSR1VzSXPSAQA?oc=5" }, { "publisher": "Newsweek", "title": "Here Are the Best Digital Fireworks to Watch July 4, 2020", "url": "https://news.google.com/__i/rss/rd/articles/CBMiUmh0dHBzOi8vd3d3Lm5ld3N3ZWVrLmNvbS9oZXJlLWFyZS1iZXN0LWRpZ2l0YWwtZmlyZXdvcmtzLXdhdGNoLWp1bHktNC0yMDIwLTE1MTUxNzLSAVhodHRwczovL3d3dy5uZXdzd2Vlay5jb20vaGVyZS1hcmUtYmVzdC1kaWdpdGFsLWZpcmV3b3Jrcy13YXRjaC1qdWx5LTQtMjAyMC0xNTE1MTcyP2FtcD0x?oc=5" } ], "summary": "
  1. Here are the July 4th fireworks you can watch in N.J. this weekend  NJ.com
  2. Enjoy a Special Fourth of July Fireworks Spectacular!  Disney Parks
  3. Macy’s New York City July 4th fireworks: How to watch, time  AL.com
  4. A Fourth of July unlike any other as COVID-19 cases keep rising  ABC News
  5. Here Are the Best Digital Fireworks to Watch July 4, 2020  Newsweek
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Here are the July 4th fireworks you can watch in N.J. this weekend  NJ.com
  2. Enjoy a Special Fourth of July Fireworks Spectacular!  Disney Parks
  3. Macy’s New York City July 4th fireworks: How to watch, time  AL.com
  4. A Fourth of July unlike any other as COVID-19 cases keep rising  ABC News
  5. Here Are the Best Digital Fireworks to Watch July 4, 2020  Newsweek
  6. View Full Coverage on Google News
" }, "title": "Here are the July 4th fireworks you can watch in N.J. this weekend - NJ.com", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Here are the July 4th fireworks you can watch in N.J. this weekend - NJ.com" } }, { "guidislink": false, "id": "52780896691181", "link": "https://news.google.com/__i/rss/rd/articles/CBMiVWh0dHBzOi8vd3d3LmNic25ld3MuY29tL25ld3Mvc2VhdHRsZS1jYXItZHJpdmVzLWludG8tcHJvdGVzdGVycy1pLTUtdG9kYXktMjAyMC0wNy0wNC_SAVlodHRwczovL3d3dy5jYnNuZXdzLmNvbS9hbXAvbmV3cy9zZWF0dGxlLWNhci1kcml2ZXMtaW50by1wcm90ZXN0ZXJzLWktNS10b2RheS0yMDIwLTA3LTA0Lw?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiVWh0dHBzOi8vd3d3LmNic25ld3MuY29tL25ld3Mvc2VhdHRsZS1jYXItZHJpdmVzLWludG8tcHJvdGVzdGVycy1pLTUtdG9kYXktMjAyMC0wNy0wNC_SAVlodHRwczovL3d3dy5jYnNuZXdzLmNvbS9hbXAvbmV3cy9zZWF0dGxlLWNhci1kcml2ZXMtaW50by1wcm90ZXN0ZXJzLWktNS10b2RheS0yMDIwLTA3LTA0Lw?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 20:58:37 GMT", "published_parsed": [ 2020, 7, 4, 20, 58, 37, 5, 186, 0 ], "source": { "href": "https://www.cbsnews.com", "title": "CBS News" }, "sub_articles": [ { "publisher": "CBS News", "title": "2 women injured when car drives through Seattle protest area", "url": "https://news.google.com/__i/rss/rd/articles/CBMiVWh0dHBzOi8vd3d3LmNic25ld3MuY29tL25ld3Mvc2VhdHRsZS1jYXItZHJpdmVzLWludG8tcHJvdGVzdGVycy1pLTUtdG9kYXktMjAyMC0wNy0wNC_SAVlodHRwczovL3d3dy5jYnNuZXdzLmNvbS9hbXAvbmV3cy9zZWF0dGxlLWNhci1kcml2ZXMtaW50by1wcm90ZXN0ZXJzLWktNS10b2RheS0yMDIwLTA3LTA0Lw?oc=5" }, { "publisher": "Yahoo News", "title": "Police: 2 women hit by car on Seattle highway amid protest", "url": "https://news.google.com/__i/rss/rd/articles/CBMiPWh0dHBzOi8vbmV3cy55YWhvby5jb20vMi13b21lbi1oaXQtY2FyLXNlYXR0bGUtMTAyOTQ4NDgwLmh0bWzSAUVodHRwczovL25ld3MueWFob28uY29tL2FtcGh0bWwvMi13b21lbi1oaXQtY2FyLXNlYXR0bGUtMTAyOTQ4NDgwLmh0bWw?oc=5" }, { "publisher": "Fox News", "title": "2 women struck by car on Seattle highway closed amid protests", "url": "https://news.google.com/__i/rss/rd/articles/CBMiVWh0dHBzOi8vd3d3LmZveG5ld3MuY29tL3VzLzItd29tZW4taGl0LWJ5LWNhci1vbi1zZWF0dGxlLWhpZ2h3YXktY2xvc2VkLWFtaWQtcHJvdGVzdHPSAVlodHRwczovL3d3dy5mb3huZXdzLmNvbS91cy8yLXdvbWVuLWhpdC1ieS1jYXItb24tc2VhdHRsZS1oaWdod2F5LWNsb3NlZC1hbWlkLXByb3Rlc3RzLmFtcA?oc=5" }, { "publisher": "KGMI", "title": "Protester from Bellingham hit and seriously injured on I-5 in Seattle", "url": "https://news.google.com/__i/rss/rd/articles/CBMiY2h0dHBzOi8va2dtaS5jb20vbmV3cy8wMDc3MDAtcHJvdGVzdGVyLWZyb20tYmVsbGluZ2hhbS1oaXQtYW5kLXNlcmlvdXNseS1pbmp1cmVkLW9uLWktNS1pbi1zZWF0dGxlL9IBAA?oc=5" }, { "publisher": "KIRO Seattle", "title": "Washington State Patrol seeking witnesses to hit-and-run on I-5", "url": "https://news.google.com/__i/rss/rd/articles/CBMidmh0dHBzOi8vd3d3Lmtpcm83LmNvbS9uZXdzL2xvY2FsL3dhc2hpbmd0b24tc3RhdGUtcGF0cm9sLXNlZWtpbmctd2l0bmVzc2VzLWhpdC1hbmQtcnVuLWktNS9YNTdBSU40SlZOR1dWSVNRWjdDWlJLU0E2WS_SAYUBaHR0cHM6Ly93d3cua2lybzcuY29tL25ld3MvbG9jYWwvd2FzaGluZ3Rvbi1zdGF0ZS1wYXRyb2wtc2Vla2luZy13aXRuZXNzZXMtaGl0LWFuZC1ydW4taS01L1g1N0FJTjRKVk5HV1ZJU1FaN0NaUktTQTZZLz9vdXRwdXRUeXBlPWFtcA?oc=5" } ], "summary": "
  1. 2 women injured when car drives through Seattle protest area  CBS News
  2. Police: 2 women hit by car on Seattle highway amid protest  Yahoo News
  3. 2 women struck by car on Seattle highway closed amid protests  Fox News
  4. Protester from Bellingham hit and seriously injured on I-5 in Seattle  KGMI
  5. Washington State Patrol seeking witnesses to hit-and-run on I-5  KIRO Seattle
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. 2 women injured when car drives through Seattle protest area  CBS News
  2. Police: 2 women hit by car on Seattle highway amid protest  Yahoo News
  3. 2 women struck by car on Seattle highway closed amid protests  Fox News
  4. Protester from Bellingham hit and seriously injured on I-5 in Seattle  KGMI
  5. Washington State Patrol seeking witnesses to hit-and-run on I-5  KIRO Seattle
  6. View Full Coverage on Google News
" }, "title": "2 women injured when car drives through Seattle protest area - CBS News", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "2 women injured when car drives through Seattle protest area - CBS News" } }, { "guidislink": false, "id": "52780898253805", "link": "https://news.google.com/__i/rss/rd/articles/CBMibWh0dHBzOi8vd3d3LmFsamF6ZWVyYS5jb20vbmV3cy8yMDIwLzA3L21hcmtzLXN1YmR1ZWQtZm91cnRoLWp1bHktY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMjAwNzA0MTc0ODMxNTM1Lmh0bWzSAXFodHRwczovL3d3dy5hbGphemVlcmEuY29tL2FtcC9uZXdzLzIwMjAvMDcvbWFya3Mtc3ViZHVlZC1mb3VydGgtanVseS1jb3JvbmF2aXJ1cy1jYXNlcy1zdXJnZS0yMDA3MDQxNzQ4MzE1MzUuaHRtbA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMibWh0dHBzOi8vd3d3LmFsamF6ZWVyYS5jb20vbmV3cy8yMDIwLzA3L21hcmtzLXN1YmR1ZWQtZm91cnRoLWp1bHktY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMjAwNzA0MTc0ODMxNTM1Lmh0bWzSAXFodHRwczovL3d3dy5hbGphemVlcmEuY29tL2FtcC9uZXdzLzIwMjAvMDcvbWFya3Mtc3ViZHVlZC1mb3VydGgtanVseS1jb3JvbmF2aXJ1cy1jYXNlcy1zdXJnZS0yMDA3MDQxNzQ4MzE1MzUuaHRtbA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 20:56:00 GMT", "published_parsed": [ 2020, 7, 4, 20, 56, 0, 5, 186, 0 ], "source": { "href": "https://www.aljazeera.com", "title": "Aljazeera.com" }, "sub_articles": [ { "publisher": "Aljazeera.com", "title": "US marks subdued Fourth of July as coronavirus cases surge", "url": "https://news.google.com/__i/rss/rd/articles/CBMibWh0dHBzOi8vd3d3LmFsamF6ZWVyYS5jb20vbmV3cy8yMDIwLzA3L21hcmtzLXN1YmR1ZWQtZm91cnRoLWp1bHktY29yb25hdmlydXMtY2FzZXMtc3VyZ2UtMjAwNzA0MTc0ODMxNTM1Lmh0bWzSAXFodHRwczovL3d3dy5hbGphemVlcmEuY29tL2FtcC9uZXdzLzIwMjAvMDcvbWFya3Mtc3ViZHVlZC1mb3VydGgtanVseS1jb3JvbmF2aXJ1cy1jYXNlcy1zdXJnZS0yMDA3MDQxNzQ4MzE1MzUuaHRtbA?oc=5" }, { "publisher": "CBS This Morning", "title": "China's role in the United States' July 4 fireworks displays", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9eFpYbkMzYU9Dck3SAQA?oc=5" }, { "publisher": "The Wall Street Journal", "title": "July Fourth Celebrations Are Subdued as U.S. Coronavirus Cases Surge", "url": "https://news.google.com/__i/rss/rd/articles/CBMiYGh0dHBzOi8vd3d3Lndzai5jb20vYXJ0aWNsZXMvdS1zLWNvcm9uYXZpcnVzLWNhc2VzLXN1cmdlLWludG8tZm91cnRoLW9mLWp1bHktd2Vla2VuZC0xMTU5Mzg2NDIwM9IBAA?oc=5" }, { "publisher": "Deadline", "title": "How To Watch Fourth of July Fireworks From Home", "url": "https://news.google.com/__i/rss/rd/articles/CBMiWGh0dHBzOi8vZGVhZGxpbmUuY29tLzIwMjAvMDcvaG93LXRvLXdhdGNoLWZvdXJ0aC1vZi1qdWx5LWZpcmV3b3Jrcy1mcm9tLWhvbWUtMTIwMjk3NzU5Mi_SAVxodHRwczovL2RlYWRsaW5lLmNvbS8yMDIwLzA3L2hvdy10by13YXRjaC1mb3VydGgtb2YtanVseS1maXJld29ya3MtZnJvbS1ob21lLTEyMDI5Nzc1OTIvYW1wLw?oc=5" }, { "publisher": "CBS Evening News", "title": "Americans adjust to muted July 4 celebrations amid coronavirus pandemic", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9RUZpTThCQmROZTjSAQA?oc=5" } ], "summary": "
  1. US marks subdued Fourth of July as coronavirus cases surge  Aljazeera.com
  2. China's role in the United States' July 4 fireworks displays  CBS This Morning
  3. July Fourth Celebrations Are Subdued as U.S. Coronavirus Cases Surge  The Wall Street Journal
  4. How To Watch Fourth of July Fireworks From Home  Deadline
  5. Americans adjust to muted July 4 celebrations amid coronavirus pandemic  CBS Evening News
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. US marks subdued Fourth of July as coronavirus cases surge  Aljazeera.com
  2. China's role in the United States' July 4 fireworks displays  CBS This Morning
  3. July Fourth Celebrations Are Subdued as U.S. Coronavirus Cases Surge  The Wall Street Journal
  4. How To Watch Fourth of July Fireworks From Home  Deadline
  5. Americans adjust to muted July 4 celebrations amid coronavirus pandemic  CBS Evening News
  6. View Full Coverage on Google News
" }, "title": "US marks subdued Fourth of July as coronavirus cases surge - Aljazeera.com", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "US marks subdued Fourth of July as coronavirus cases surge - Aljazeera.com" } }, { "guidislink": false, "id": "CAIiECAkDt-fbqJv49NFKjSExVUqGQgEKhAIACoHCAowvIaCCzDnxf4CMN2F8gU", "link": "https://news.google.com/__i/rss/rd/articles/CBMieGh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvdXMtbmV3cy9pbWFnZS10aG9tYXMtamVmZmVyc29uLWFsb25nc2lkZS1ibGFjay1ncmVhdC1ncmFuZHNvbi1ob2xkcy1taXJyb3ItYW1lcmljYS1uMTIzMjkxM9IBLGh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvYW1wL25jbmExMjMyOTEz?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMieGh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvdXMtbmV3cy9pbWFnZS10aG9tYXMtamVmZmVyc29uLWFsb25nc2lkZS1ibGFjay1ncmVhdC1ncmFuZHNvbi1ob2xkcy1taXJyb3ItYW1lcmljYS1uMTIzMjkxM9IBLGh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvYW1wL25jbmExMjMyOTEz?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 23:50:31 GMT", "published_parsed": [ 2020, 7, 4, 23, 50, 31, 5, 186, 0 ], "source": { "href": "https://www.nbcnews.com", "title": "NBC News" }, "sub_articles": [], "summary": "Image of Thomas Jefferson alongside Black descendant holds 'a mirror' to America  NBC NewsView Full Coverage on Google News", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "Image of Thomas Jefferson alongside Black descendant holds 'a mirror' to America  NBC NewsView Full Coverage on Google News" }, "title": "Image of Thomas Jefferson alongside Black descendant holds 'a mirror' to America - NBC News", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Image of Thomas Jefferson alongside Black descendant holds 'a mirror' to America - NBC News" } }, { "guidislink": false, "id": "52780892105060", "link": "https://news.google.com/__i/rss/rd/articles/CBMiSmh0dHBzOi8vd3d3LnBvbGl0aWNvLmNvbS9uZXdzLzIwMjAvMDcvMDQvY29yb25hdmlydXMtc2Nob29sLW9wZW5pbmctMzQ4NDA10gFOaHR0cHM6Ly93d3cucG9saXRpY28uY29tL2FtcC9uZXdzLzIwMjAvMDcvMDQvY29yb25hdmlydXMtc2Nob29sLW9wZW5pbmctMzQ4NDA1?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiSmh0dHBzOi8vd3d3LnBvbGl0aWNvLmNvbS9uZXdzLzIwMjAvMDcvMDQvY29yb25hdmlydXMtc2Nob29sLW9wZW5pbmctMzQ4NDA10gFOaHR0cHM6Ly93d3cucG9saXRpY28uY29tL2FtcC9uZXdzLzIwMjAvMDcvMDQvY29yb25hdmlydXMtc2Nob29sLW9wZW5pbmctMzQ4NDA1?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 11:22:16 GMT", "published_parsed": [ 2020, 7, 4, 11, 22, 16, 5, 186, 0 ], "source": { "href": "https://www.politico.com", "title": "POLITICO" }, "sub_articles": [ { "publisher": "POLITICO", "title": "'How the hell are we going to do this?' The panic over reopening schools", "url": "https://news.google.com/__i/rss/rd/articles/CBMiSmh0dHBzOi8vd3d3LnBvbGl0aWNvLmNvbS9uZXdzLzIwMjAvMDcvMDQvY29yb25hdmlydXMtc2Nob29sLW9wZW5pbmctMzQ4NDA10gFOaHR0cHM6Ly93d3cucG9saXRpY28uY29tL2FtcC9uZXdzLzIwMjAvMDcvMDQvY29yb25hdmlydXMtc2Nob29sLW9wZW5pbmctMzQ4NDA1?oc=5" }, { "publisher": "The Washington Post", "title": "12 inconvenient truths about schools and kids that should be considered before reopening — from a teacher", "url": "https://news.google.com/__i/rss/rd/articles/CBMilAFodHRwczovL3d3dy53YXNoaW5ndG9ucG9zdC5jb20vZWR1Y2F0aW9uLzIwMjAvMDcvMDMvMTItaW5jb252ZW5pZW50LXRydXRocy1hYm91dC1zY2hvb2xzLWtpZHMtdGhhdC1zaG91bGQtYmUtY29uc2lkZXJlZC1iZWZvcmUtcmVvcGVuaW5nLWJ5LXRlYWNoZXIv0gGjAWh0dHBzOi8vd3d3Lndhc2hpbmd0b25wb3N0LmNvbS9lZHVjYXRpb24vMjAyMC8wNy8wMy8xMi1pbmNvbnZlbmllbnQtdHJ1dGhzLWFib3V0LXNjaG9vbHMta2lkcy10aGF0LXNob3VsZC1iZS1jb25zaWRlcmVkLWJlZm9yZS1yZW9wZW5pbmctYnktdGVhY2hlci8_b3V0cHV0VHlwZT1hbXA?oc=5" }, { "publisher": "NBC News", "title": "Schools want to reopen safely. Without federal funds, many worry they can't.", "url": "https://news.google.com/__i/rss/rd/articles/CBMibmh0dHBzOi8vd3d3Lm5iY25ld3MuY29tL25ld3MvdXMtbmV3cy9zY2hvb2xzLXdhbnQtcmVvcGVuLXNhZmVseS13aXRob3V0LWZlZGVyYWwtZnVuZHMtbWFueS13b3JyeS10aGV5LW4xMjMyNzk20gEsaHR0cHM6Ly93d3cubmJjbmV3cy5jb20vbmV3cy9hbXAvbmNuYTEyMzI3OTY?oc=5" }, { "publisher": "USA TODAY", "title": "The best place for children during the pandemic? It may actually be in school", "url": "https://news.google.com/__i/rss/rd/articles/CBMiYWh0dHBzOi8vd3d3LnVzYXRvZGF5LmNvbS9zdG9yeS9vcGluaW9uLzIwMjAvMDcvMDMvY292aWQtMTkta2lkcy1iYWNrLXRvLXNjaG9vbC1jb2x1bW4vNTM1MDQzMzAwMi_SASdodHRwczovL2FtcC51c2F0b2RheS5jb20vYW1wLzUzNTA0MzMwMDI?oc=5" }, { "publisher": "Express", "title": "Fury as most state school students 'deprived' of proper online education in lockdown", "url": "https://news.google.com/__i/rss/rd/articles/CBMiamh0dHBzOi8vd3d3LmV4cHJlc3MuY28udWsvbmV3cy91ay8xMzA0OTg4L3N0YXRlLXNjaG9vbC1yZW1vdGUtbGVhcm5pbmctY29yb25hdmlydXMtbG9ja2Rvd24tcHJpdmF0ZS1zY2hvb2zSAW5odHRwczovL3d3dy5leHByZXNzLmNvLnVrL25ld3MvdWsvMTMwNDk4OC9zdGF0ZS1zY2hvb2wtcmVtb3RlLWxlYXJuaW5nLWNvcm9uYXZpcnVzLWxvY2tkb3duLXByaXZhdGUtc2Nob29sL2FtcA?oc=5" } ], "summary": "
  1. 'How the hell are we going to do this?' The panic over reopening schools  POLITICO
  2. 12 inconvenient truths about schools and kids that should be considered before reopening — from a teacher  The Washington Post
  3. Schools want to reopen safely. Without federal funds, many worry they can't.  NBC News
  4. The best place for children during the pandemic? It may actually be in school  USA TODAY
  5. Fury as most state school students 'deprived' of proper online education in lockdown  Express
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. 'How the hell are we going to do this?' The panic over reopening schools  POLITICO
  2. 12 inconvenient truths about schools and kids that should be considered before reopening — from a teacher  The Washington Post
  3. Schools want to reopen safely. Without federal funds, many worry they can't.  NBC News
  4. The best place for children during the pandemic? It may actually be in school  USA TODAY
  5. Fury as most state school students 'deprived' of proper online education in lockdown  Express
  6. View Full Coverage on Google News
" }, "title": "'How the hell are we going to do this?' The panic over reopening schools - POLITICO", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "'How the hell are we going to do this?' The panic over reopening schools - POLITICO" } }, { "guidislink": false, "id": "52780896645826", "link": "https://news.google.com/__i/rss/rd/articles/CBMiNWh0dHBzOi8vd3d3LmZveG5ld3MuY29tL3dvcmxkL2VuZ2xpc2gtcHVicy1vcGVuLWNoYW9z0gE5aHR0cHM6Ly93d3cuZm94bmV3cy5jb20vd29ybGQvZW5nbGlzaC1wdWJzLW9wZW4tY2hhb3MuYW1w?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiNWh0dHBzOi8vd3d3LmZveG5ld3MuY29tL3dvcmxkL2VuZ2xpc2gtcHVicy1vcGVuLWNoYW9z0gE5aHR0cHM6Ly93d3cuZm94bmV3cy5jb20vd29ybGQvZW5nbGlzaC1wdWJzLW9wZW4tY2hhb3MuYW1w?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 17:21:48 GMT", "published_parsed": [ 2020, 7, 4, 17, 21, 48, 5, 186, 0 ], "source": { "href": "https://www.foxnews.com", "title": "Fox News" }, "sub_articles": [ { "publisher": "Fox News", "title": "English pubs opened at 6 a.m., coronavirus restrictions ease, as police brace for 'chaos'", "url": "https://news.google.com/__i/rss/rd/articles/CBMiNWh0dHBzOi8vd3d3LmZveG5ld3MuY29tL3dvcmxkL2VuZ2xpc2gtcHVicy1vcGVuLWNoYW9z0gE5aHR0cHM6Ly93d3cuZm94bmV3cy5jb20vd29ybGQvZW5nbGlzaC1wdWJzLW9wZW4tY2hhb3MuYW1w?oc=5" }, { "publisher": "CNN", "title": "England has one of the world's worst Covid death rates. Now many fear it's about to drink itself into chaos", "url": "https://news.google.com/__i/rss/rd/articles/CBMiU2h0dHBzOi8vd3d3LmNubi5jb20vdHJhdmVsL2FydGljbGUvZW5nbGFuZC1wdWItb3BlbmluZy1jb3JvbmF2aXJ1cy1jaGFvcy9pbmRleC5odG1s0gFPaHR0cHM6Ly93d3cuY25uLmNvbS90cmF2ZWwvYW1wL2VuZ2xhbmQtcHViLW9wZW5pbmctY29yb25hdmlydXMtY2hhb3MvaW5kZXguaHRtbA?oc=5" }, { "publisher": "PBS NewsHour", "title": "English pubs reopen but little normal elsewhere in the world", "url": "https://news.google.com/__i/rss/rd/articles/CBMiX2h0dHBzOi8vd3d3LnBicy5vcmcvbmV3c2hvdXIvd29ybGQvZW5nbGlzaC1wdWJzLXJlb3Blbi1idXQtbGl0dGxlLW5vcm1hbC1lbHNld2hlcmUtaW4tdGhlLXdvcmxk0gFjaHR0cHM6Ly93d3cucGJzLm9yZy9uZXdzaG91ci9hbXAvd29ybGQvZW5nbGlzaC1wdWJzLXJlb3Blbi1idXQtbGl0dGxlLW5vcm1hbC1lbHNld2hlcmUtaW4tdGhlLXdvcmxk?oc=5" }, { "publisher": "The Guardian", "title": "The Guardian view on reopened pubs: a reckless risk to a cautious nation", "url": "https://news.google.com/__i/rss/rd/articles/CBMifWh0dHBzOi8vd3d3LnRoZWd1YXJkaWFuLmNvbS9jb21tZW50aXNmcmVlLzIwMjAvanVsLzAzL3RoZS1ndWFyZGlhbi12aWV3LW9uLXJlb3BlbmVkLXB1YnMtYS1yZWNrbGVzcy1yaXNrLXRvLWEtY2F1dGlvdXMtbmF0aW9u0gF9aHR0cHM6Ly9hbXAudGhlZ3VhcmRpYW4uY29tL2NvbW1lbnRpc2ZyZWUvMjAyMC9qdWwvMDMvdGhlLWd1YXJkaWFuLXZpZXctb24tcmVvcGVuZWQtcHVicy1hLXJlY2tsZXNzLXJpc2stdG8tYS1jYXV0aW91cy1uYXRpb24?oc=5" }, { "publisher": "Sky News", "title": "Pubs, hairdressers and theme parks reopen in England – UK COVID-19 update", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9a19HaGhINlhMTmfSAQA?oc=5" } ], "summary": "
  1. English pubs opened at 6 a.m., coronavirus restrictions ease, as police brace for 'chaos'  Fox News
  2. England has one of the world's worst Covid death rates. Now many fear it's about to drink itself into chaos  CNN
  3. English pubs reopen but little normal elsewhere in the world  PBS NewsHour
  4. The Guardian view on reopened pubs: a reckless risk to a cautious nation  The Guardian
  5. Pubs, hairdressers and theme parks reopen in England – UK COVID-19 update  Sky News
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. English pubs opened at 6 a.m., coronavirus restrictions ease, as police brace for 'chaos'  Fox News
  2. England has one of the world's worst Covid death rates. Now many fear it's about to drink itself into chaos  CNN
  3. English pubs reopen but little normal elsewhere in the world  PBS NewsHour
  4. The Guardian view on reopened pubs: a reckless risk to a cautious nation  The Guardian
  5. Pubs, hairdressers and theme parks reopen in England – UK COVID-19 update  Sky News
  6. View Full Coverage on Google News
" }, "title": "English pubs opened at 6 a.m., coronavirus restrictions ease, as police brace for 'chaos' - Fox News", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "English pubs opened at 6 a.m., coronavirus restrictions ease, as police brace for 'chaos' - Fox News" } }, { "guidislink": false, "id": "52780891516149", "link": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vd3d3Lndzai5jb20vYXJ0aWNsZXMvYS1ub3J0aC1rb3JlYW4tZGVmZWN0b3JzLXRhbGUtc2hvd3Mtcm90dGluZy1taWxpdGFyeS0xMTU5Mzg2NzYwN9IBAA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vd3d3Lndzai5jb20vYXJ0aWNsZXMvYS1ub3J0aC1rb3JlYW4tZGVmZWN0b3JzLXRhbGUtc2hvd3Mtcm90dGluZy1taWxpdGFyeS0xMTU5Mzg2NzYwN9IBAA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 13:43:51 GMT", "published_parsed": [ 2020, 7, 4, 13, 43, 51, 5, 186, 0 ], "source": { "href": "https://www.wsj.com", "title": "The Wall Street Journal" }, "sub_articles": [ { "publisher": "The Wall Street Journal", "title": "A North Korean Defector’s Tale Shows Rotting Military", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vd3d3Lndzai5jb20vYXJ0aWNsZXMvYS1ub3J0aC1rb3JlYW4tZGVmZWN0b3JzLXRhbGUtc2hvd3Mtcm90dGluZy1taWxpdGFyeS0xMTU5Mzg2NzYwN9IBAA?oc=5" }, { "publisher": "Al Jazeera English", "title": "N Korea says no US talks plan as Bolton hints 'October surprise'", "url": "https://news.google.com/__i/rss/rd/articles/CBMiamh0dHBzOi8vd3d3LmFsamF6ZWVyYS5jb20vbmV3cy8yMDIwLzA3L2tvcmVhLXRhbGtzLXBsYW4tYm9sdG9uLWhpbnRzLW9jdG9iZXItc3VycHJpc2UtMjAwNzA0MDk0MzQ4OTA1Lmh0bWzSAW5odHRwczovL3d3dy5hbGphemVlcmEuY29tL2FtcC9uZXdzLzIwMjAvMDcva29yZWEtdGFsa3MtcGxhbi1ib2x0b24taGludHMtb2N0b2Jlci1zdXJwcmlzZS0yMDA3MDQwOTQzNDg5MDUuaHRtbA?oc=5" }, { "publisher": "The New York Times", "title": "In North Korea, Coronavirus Hurts Like No Sanctions Could", "url": "https://news.google.com/__i/rss/rd/articles/CBMiVGh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvd29ybGQvYXNpYS9ub3J0aC1rb3JlYS1zYW5jdGlvbnMtY29yb25hdmlydXMuaHRtbNIBWGh0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvd29ybGQvYXNpYS9ub3J0aC1rb3JlYS1zYW5jdGlvbnMtY29yb25hdmlydXMuYW1wLmh0bWw?oc=5" }, { "publisher": "New York Post ", "title": "North Korea doesn't want talks with the US", "url": "https://news.google.com/__i/rss/rd/articles/CBMiSWh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L25vcnRoLWtvcmVhLWRvZXNudC13YW50LXRhbGtzLXdpdGgtdGhlLXUtcy_SAU1odHRwczovL255cG9zdC5jb20vMjAyMC8wNy8wNC9ub3J0aC1rb3JlYS1kb2VzbnQtd2FudC10YWxrcy13aXRoLXRoZS11LXMvYW1wLw?oc=5" }, { "publisher": "Bloomberg", "title": "U.S. Nuclear Envoy to Visit South Korea, Japan, Yonhap Reports", "url": "https://news.google.com/__i/rss/rd/articles/CBMibmh0dHBzOi8vd3d3LmJsb29tYmVyZy5jb20vbmV3cy9hcnRpY2xlcy8yMDIwLTA3LTA0L3Utcy1udWNsZWFyLWVudm95LXRvLXZpc2l0LXNvdXRoLWtvcmVhLWphcGFuLXlvbmhhcC1yZXBvcnRz0gFyaHR0cHM6Ly93d3cuYmxvb21iZXJnLmNvbS9hbXAvbmV3cy9hcnRpY2xlcy8yMDIwLTA3LTA0L3Utcy1udWNsZWFyLWVudm95LXRvLXZpc2l0LXNvdXRoLWtvcmVhLWphcGFuLXlvbmhhcC1yZXBvcnRz?oc=5" } ], "summary": "
  1. A North Korean Defector’s Tale Shows Rotting Military  The Wall Street Journal
  2. N Korea says no US talks plan as Bolton hints 'October surprise'  Al Jazeera English
  3. In North Korea, Coronavirus Hurts Like No Sanctions Could  The New York Times
  4. North Korea doesn't want talks with the US  New York Post
  5. U.S. Nuclear Envoy to Visit South Korea, Japan, Yonhap Reports  Bloomberg
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. A North Korean Defector’s Tale Shows Rotting Military  The Wall Street Journal
  2. N Korea says no US talks plan as Bolton hints 'October surprise'  Al Jazeera English
  3. In North Korea, Coronavirus Hurts Like No Sanctions Could  The New York Times
  4. North Korea doesn't want talks with the US  New York Post
  5. U.S. Nuclear Envoy to Visit South Korea, Japan, Yonhap Reports  Bloomberg
  6. View Full Coverage on Google News
" }, "title": "A North Korean Defector’s Tale Shows Rotting Military - The Wall Street Journal", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "A North Korean Defector’s Tale Shows Rotting Military - The Wall Street Journal" } }, { "guidislink": false, "id": "52780880940676", "link": "https://news.google.com/__i/rss/rd/articles/CBMiXmh0dHBzOi8vd3d3LmZveG5ld3MuY29tL3BvbGl0aWNzL2F0LXVuLWh1bWFuLXJpZ2h0cy1jb3VuY2lsLTUzLWJhY2stY2hpbmFzLWhvbmcta29uZy1jcmFja2Rvd27SAWJodHRwczovL3d3dy5mb3huZXdzLmNvbS9wb2xpdGljcy9hdC11bi1odW1hbi1yaWdodHMtY291bmNpbC01My1iYWNrLWNoaW5hcy1ob25nLWtvbmctY3JhY2tkb3duLmFtcA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiXmh0dHBzOi8vd3d3LmZveG5ld3MuY29tL3BvbGl0aWNzL2F0LXVuLWh1bWFuLXJpZ2h0cy1jb3VuY2lsLTUzLWJhY2stY2hpbmFzLWhvbmcta29uZy1jcmFja2Rvd27SAWJodHRwczovL3d3dy5mb3huZXdzLmNvbS9wb2xpdGljcy9hdC11bi1odW1hbi1yaWdodHMtY291bmNpbC01My1iYWNrLWNoaW5hcy1ob25nLWtvbmctY3JhY2tkb3duLmFtcA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 20:57:20 GMT", "published_parsed": [ 2020, 7, 4, 20, 57, 20, 5, 186, 0 ], "source": { "href": "https://www.foxnews.com", "title": "Fox News" }, "sub_articles": [ { "publisher": "Fox News", "title": "At UN Human Rights Council, 53 countries back China's draconian Hong Kong crackdown", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXmh0dHBzOi8vd3d3LmZveG5ld3MuY29tL3BvbGl0aWNzL2F0LXVuLWh1bWFuLXJpZ2h0cy1jb3VuY2lsLTUzLWJhY2stY2hpbmFzLWhvbmcta29uZy1jcmFja2Rvd27SAWJodHRwczovL3d3dy5mb3huZXdzLmNvbS9wb2xpdGljcy9hdC11bi1odW1hbi1yaWdodHMtY291bmNpbC01My1iYWNrLWNoaW5hcy1ob25nLWtvbmctY3JhY2tkb3duLmFtcA?oc=5" }, { "publisher": "Guardian News", "title": "What China's new security law means for Hong Kong", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9LTJCVjE0U0s2VE3SAQA?oc=5" }, { "publisher": "CNBC", "title": "Hong Kong officials 'very disappointed' at Canada's move to suspend extradition pact", "url": "https://news.google.com/__i/rss/rd/articles/CBMidmh0dHBzOi8vd3d3LmNuYmMuY29tLzIwMjAvMDcvMDQvaG9uZy1rb25nLW9mZmljaWFscy12ZXJ5LWRpc2FwcG9pbnRlZC1hdC1jYW5hZGFzLW1vdmUtdG8tc3VzcGVuZC1leHRyYWRpdGlvbi1wYWN0Lmh0bWzSAXpodHRwczovL3d3dy5jbmJjLmNvbS9hbXAvMjAyMC8wNy8wNC9ob25nLWtvbmctb2ZmaWNpYWxzLXZlcnktZGlzYXBwb2ludGVkLWF0LWNhbmFkYXMtbW92ZS10by1zdXNwZW5kLWV4dHJhZGl0aW9uLXBhY3QuaHRtbA?oc=5" }, { "publisher": "The Washington Post", "title": "China extends its reign of random fear", "url": "https://news.google.com/__i/rss/rd/articles/CBMimQFodHRwczovL3d3dy53YXNoaW5ndG9ucG9zdC5jb20vb3BpbmlvbnMvZ2xvYmFsLW9waW5pb25zL2NoaW5hLWV4dGVuZHMtaXRzLXJlaWduLW9mLXJhbmRvbS1mZWFyLzIwMjAvMDcvMDMvYmEwYjE3NmUtYmM5My0xMWVhLThjZjUtOWMxYjhkN2Y4NGM2X3N0b3J5Lmh0bWzSAagBaHR0cHM6Ly93d3cud2FzaGluZ3RvbnBvc3QuY29tL29waW5pb25zL2dsb2JhbC1vcGluaW9ucy9jaGluYS1leHRlbmRzLWl0cy1yZWlnbi1vZi1yYW5kb20tZmVhci8yMDIwLzA3LzAzL2JhMGIxNzZlLWJjOTMtMTFlYS04Y2Y1LTljMWI4ZDdmODRjNl9zdG9yeS5odG1sP291dHB1dFR5cGU9YW1w?oc=5" }, { "publisher": "The Sun", "title": "Brits intolerant? No, we’ve shown tyrannical communist China what freedom is", "url": "https://news.google.com/__i/rss/rd/articles/CBMiSGh0dHBzOi8vd3d3LnRoZXN1bi5jby51ay9uZXdzLzEyMDMyMzc1L2JyaXRzLXNob3ctY2hpbmEtd2hhdC1mcmVlZG9tLWlzL9IBTGh0dHBzOi8vd3d3LnRoZXN1bi5jby51ay9uZXdzLzEyMDMyMzc1L2JyaXRzLXNob3ctY2hpbmEtd2hhdC1mcmVlZG9tLWlzL2FtcC8?oc=5" } ], "summary": "
  1. At UN Human Rights Council, 53 countries back China's draconian Hong Kong crackdown  Fox News
  2. What China's new security law means for Hong Kong  Guardian News
  3. Hong Kong officials 'very disappointed' at Canada's move to suspend extradition pact  CNBC
  4. China extends its reign of random fear  The Washington Post
  5. Brits intolerant? No, we’ve shown tyrannical communist China what freedom is  The Sun
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. At UN Human Rights Council, 53 countries back China's draconian Hong Kong crackdown  Fox News
  2. What China's new security law means for Hong Kong  Guardian News
  3. Hong Kong officials 'very disappointed' at Canada's move to suspend extradition pact  CNBC
  4. China extends its reign of random fear  The Washington Post
  5. Brits intolerant? No, we’ve shown tyrannical communist China what freedom is  The Sun
  6. View Full Coverage on Google News
" }, "title": "At UN Human Rights Council, 53 countries back China's draconian Hong Kong crackdown - Fox News", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "At UN Human Rights Council, 53 countries back China's draconian Hong Kong crackdown - Fox News" } }, { "guidislink": false, "id": "52780887677654", "link": "https://news.google.com/__i/rss/rd/articles/CBMidGh0dHBzOi8vdGhlaGlsbC5jb20vcG9saWN5L2ludGVybmF0aW9uYWwvcnVzc2lhLzUwNTg2MC1wdXRpbi1yYWluYm93LWZsYWctYXQtdXMtZW1iYXNzeS1pbi1tb3Njb3ctcmV2ZWFsZWQtc29tZXRoaW5n0gF4aHR0cHM6Ly90aGVoaWxsLmNvbS9wb2xpY3kvaW50ZXJuYXRpb25hbC9ydXNzaWEvNTA1ODYwLXB1dGluLXJhaW5ib3ctZmxhZy1hdC11cy1lbWJhc3N5LWluLW1vc2Nvdy1yZXZlYWxlZC1zb21ldGhpbmc_YW1w?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMidGh0dHBzOi8vdGhlaGlsbC5jb20vcG9saWN5L2ludGVybmF0aW9uYWwvcnVzc2lhLzUwNTg2MC1wdXRpbi1yYWluYm93LWZsYWctYXQtdXMtZW1iYXNzeS1pbi1tb3Njb3ctcmV2ZWFsZWQtc29tZXRoaW5n0gF4aHR0cHM6Ly90aGVoaWxsLmNvbS9wb2xpY3kvaW50ZXJuYXRpb25hbC9ydXNzaWEvNTA1ODYwLXB1dGluLXJhaW5ib3ctZmxhZy1hdC11cy1lbWJhc3N5LWluLW1vc2Nvdy1yZXZlYWxlZC1zb21ldGhpbmc_YW1w?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 18:11:17 GMT", "published_parsed": [ 2020, 7, 4, 18, 11, 17, 5, 186, 0 ], "source": { "href": "https://thehill.com", "title": "The Hill" }, "sub_articles": [ { "publisher": "The Hill", "title": "Putin: Rainbow flag at US Embassy in Moscow 'revealed something about the people that work there' | TheHill", "url": "https://news.google.com/__i/rss/rd/articles/CBMidGh0dHBzOi8vdGhlaGlsbC5jb20vcG9saWN5L2ludGVybmF0aW9uYWwvcnVzc2lhLzUwNTg2MC1wdXRpbi1yYWluYm93LWZsYWctYXQtdXMtZW1iYXNzeS1pbi1tb3Njb3ctcmV2ZWFsZWQtc29tZXRoaW5n0gF4aHR0cHM6Ly90aGVoaWxsLmNvbS9wb2xpY3kvaW50ZXJuYXRpb25hbC9ydXNzaWEvNTA1ODYwLXB1dGluLXJhaW5ib3ctZmxhZy1hdC11cy1lbWJhc3N5LWluLW1vc2Nvdy1yZXZlYWxlZC1zb21ldGhpbmc_YW1w?oc=5" }, { "publisher": "Reuters", "title": "Putin mocks U.S. embassy for flying rainbow flag", "url": "https://news.google.com/__i/rss/rd/articles/CBMidWh0dHBzOi8vd3d3LnJldXRlcnMuY29tL2FydGljbGUvdXMtcnVzc2lhLXB1dGluLXJhaW5ib3cvcHV0aW4tbW9ja3MtdS1zLWVtYmFzc3ktZm9yLWZseWluZy1yYWluYm93LWZsYWctaWRVU0tCTjI0NDJFUdIBNGh0dHBzOi8vbW9iaWxlLnJldXRlcnMuY29tL2FydGljbGUvYW1wL2lkVVNLQk4yNDQyRVE?oc=5" }, { "publisher": "Forbes", "title": "Russia Has Given Putin The Result He Wanted: Now He Needs New Ideas", "url": "https://news.google.com/__i/rss/rd/articles/CBMifmh0dHBzOi8vd3d3LmZvcmJlcy5jb20vc2l0ZXMvamFtZXNyb2RnZXJzZXVyb3BlLzIwMjAvMDcvMDQvcnVzc2lhLWhhcy1naXZlbi1wdXRpbi10aGUtcmVzdWx0LWhlLXdhbnRlZC1ub3ctaGUtbmVlZHMtbmV3LWlkZWFzL9IBggFodHRwczovL3d3dy5mb3JiZXMuY29tL3NpdGVzL2phbWVzcm9kZ2Vyc2V1cm9wZS8yMDIwLzA3LzA0L3J1c3NpYS1oYXMtZ2l2ZW4tcHV0aW4tdGhlLXJlc3VsdC1oZS13YW50ZWQtbm93LWhlLW5lZWRzLW5ldy1pZGVhcy9hbXAv?oc=5" }, { "publisher": "New York Post ", "title": "Coronavirus cases surging in Russia after controversial vote extending Putin rule", "url": "https://news.google.com/__i/rss/rd/articles/CBMiYWh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L2Nvcm9uYXZpcnVzLWNhc2VzLXN1cmdpbmctaW4tcnVzc2lhLWFmdGVyLWNvbnRyb3ZlcnNpYWwtcHV0aW4tdm90ZS_SAWVodHRwczovL255cG9zdC5jb20vMjAyMC8wNy8wNC9jb3JvbmF2aXJ1cy1jYXNlcy1zdXJnaW5nLWluLXJ1c3NpYS1hZnRlci1jb250cm92ZXJzaWFsLXB1dGluLXZvdGUvYW1wLw?oc=5" }, { "publisher": "New York Daily News", "title": "Vladimir Putin trashes U.S. embassy for flying LGBT rainbow flag", "url": "https://news.google.com/__i/rss/rd/articles/CBMihgFodHRwczovL3d3dy5ueWRhaWx5bmV3cy5jb20vbmV3cy93b3JsZC9ueS12bGFkaW1pci1wdXRpbi11cy1lbWJhc3N5LXJhaW5ib3ctZmxhZy1tb3Njb3ctMjAyMDA3MDQtYXBobWpuZHdkemR4cmQybTJxZDN5dWZobWUtc3RvcnkuaHRtbNIBlQFodHRwczovL3d3dy5ueWRhaWx5bmV3cy5jb20vbmV3cy93b3JsZC9ueS12bGFkaW1pci1wdXRpbi11cy1lbWJhc3N5LXJhaW5ib3ctZmxhZy1tb3Njb3ctMjAyMDA3MDQtYXBobWpuZHdkemR4cmQybTJxZDN5dWZobWUtc3RvcnkuaHRtbD9vdXRwdXRUeXBlPWFtcA?oc=5" } ], "summary": "
  1. Putin: Rainbow flag at US Embassy in Moscow 'revealed something about the people that work there' | TheHill  The Hill
  2. Putin mocks U.S. embassy for flying rainbow flag  Reuters
  3. Russia Has Given Putin The Result He Wanted: Now He Needs New Ideas  Forbes
  4. Coronavirus cases surging in Russia after controversial vote extending Putin rule  New York Post
  5. Vladimir Putin trashes U.S. embassy for flying LGBT rainbow flag  New York Daily News
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Putin: Rainbow flag at US Embassy in Moscow 'revealed something about the people that work there' | TheHill  The Hill
  2. Putin mocks U.S. embassy for flying rainbow flag  Reuters
  3. Russia Has Given Putin The Result He Wanted: Now He Needs New Ideas  Forbes
  4. Coronavirus cases surging in Russia after controversial vote extending Putin rule  New York Post
  5. Vladimir Putin trashes U.S. embassy for flying LGBT rainbow flag  New York Daily News
  6. View Full Coverage on Google News
" }, "title": "Putin: Rainbow flag at US Embassy in Moscow 'revealed something about the people that work there' | TheHill - The Hill", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Putin: Rainbow flag at US Embassy in Moscow 'revealed something about the people that work there' | TheHill - The Hill" } }, { "guidislink": false, "id": "CBMifWh0dHBzOi8vd3d3Lm1zbi5jb20vZW4tdXMvbmV3cy91cy90ZXhhcy1zZWVzLWhpZ2hlc3QtbnVtYmVyLW9mLWNvcm9uYXZpcnVzLWNhc2VzLXJlY29yZGVkLXNpbmNlLXN0YXJ0LW9mLXBhbmRlbWljL2FyLUJCMTZsY1Fi0gEA", "link": "https://news.google.com/__i/rss/rd/articles/CBMifWh0dHBzOi8vd3d3Lm1zbi5jb20vZW4tdXMvbmV3cy91cy90ZXhhcy1zZWVzLWhpZ2hlc3QtbnVtYmVyLW9mLWNvcm9uYXZpcnVzLWNhc2VzLXJlY29yZGVkLXNpbmNlLXN0YXJ0LW9mLXBhbmRlbWljL2FyLUJCMTZsY1Fi0gEA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMifWh0dHBzOi8vd3d3Lm1zbi5jb20vZW4tdXMvbmV3cy91cy90ZXhhcy1zZWVzLWhpZ2hlc3QtbnVtYmVyLW9mLWNvcm9uYXZpcnVzLWNhc2VzLXJlY29yZGVkLXNpbmNlLXN0YXJ0LW9mLXBhbmRlbWljL2FyLUJCMTZsY1Fi0gEA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 23:13:00 GMT", "published_parsed": [ 2020, 7, 4, 23, 13, 0, 5, 186, 0 ], "source": { "href": "https://www.msn.com", "title": "MSN Money" }, "sub_articles": [], "summary": "Texas sees highest number of coronavirus cases recorded since start of pandemic  MSN MoneyView Full Coverage on Google News", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "Texas sees highest number of coronavirus cases recorded since start of pandemic  MSN MoneyView Full Coverage on Google News" }, "title": "Texas sees highest number of coronavirus cases recorded since start of pandemic - MSN Money", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Texas sees highest number of coronavirus cases recorded since start of pandemic - MSN Money" } }, { "guidislink": false, "id": "52780895681953", "link": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9iZWxsYWdpby1lcnJvci1tYXktYmlnZ2VzdC1zcG9ydHNib29rLWxvc3MtdmVnYXMtMDAzMTI5MjUxLS1zcHQuaHRtbNIBZWh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9hbXBodG1sL2JlbGxhZ2lvLWVycm9yLW1heS1iaWdnZXN0LXNwb3J0c2Jvb2stbG9zcy12ZWdhcy0wMDMxMjkyNTEtLXNwdC5odG1s?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9iZWxsYWdpby1lcnJvci1tYXktYmlnZ2VzdC1zcG9ydHNib29rLWxvc3MtdmVnYXMtMDAzMTI5MjUxLS1zcHQuaHRtbNIBZWh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9hbXBodG1sL2JlbGxhZ2lvLWVycm9yLW1heS1iaWdnZXN0LXNwb3J0c2Jvb2stbG9zcy12ZWdhcy0wMDMxMjkyNTEtLXNwdC5odG1s?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 00:31:00 GMT", "published_parsed": [ 2020, 7, 5, 0, 31, 0, 6, 187, 0 ], "source": { "href": "https://sports.yahoo.com", "title": "Yahoo Sports" }, "sub_articles": [ { "publisher": "Yahoo Sports", "title": "Bellagio error may be biggest sportsbook loss for Vegas", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9iZWxsYWdpby1lcnJvci1tYXktYmlnZ2VzdC1zcG9ydHNib29rLWxvc3MtdmVnYXMtMDAzMTI5MjUxLS1zcHQuaHRtbNIBZWh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9hbXBodG1sL2JlbGxhZ2lvLWVycm9yLW1heS1iaWdnZXN0LXNwb3J0c2Jvb2stbG9zcy12ZWdhcy0wMDMxMjkyNTEtLXNwdC5odG1s?oc=5" }, { "publisher": "NBC Southern California", "title": "Bellagio Start Times Error Leads to Big Sports Betting Loss in Vegas", "url": "https://news.google.com/__i/rss/rd/articles/CBMid2h0dHBzOi8vd3d3Lm5iY2xvc2FuZ2VsZXMuY29tL25ld3Mvc3BvcnRzL2JlbGxhZ2lvLXN0YXJ0LXRpbWVzLWVycm9yLWxlYWRzLXRvLWJpZy1zcG9ydHMtYmV0dGluZy1sb3NzLWluLXZlZ2FzLzIzOTA4OTIv0gF7aHR0cHM6Ly93d3cubmJjbG9zYW5nZWxlcy5jb20vbmV3cy9zcG9ydHMvYmVsbGFnaW8tc3RhcnQtdGltZXMtZXJyb3ItbGVhZHMtdG8tYmlnLXNwb3J0cy1iZXR0aW5nLWxvc3MtaW4tdmVnYXMvMjM5MDg5Mi8_YW1w?oc=5" }, { "publisher": "KTNV Channel 13 Las Vegas", "title": "Chief nurse at Vegas-area hospital opens up about experience amid pandemic", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9emVfTjR5N05URmPSAQA?oc=5" }, { "publisher": "Casino.Org News", "title": "The Venetian, Caesars Palace Could Temporarily Shutter as Diverse Nevada Businesses Disregard Mask...", "url": "https://news.google.com/__i/rss/rd/articles/CBMigwFodHRwczovL3d3dy5jYXNpbm8ub3JnL25ld3MvdGhlLXZlbmV0aWFuLWNhZXNhcnMtcGFsYWNlLWNvdWxkLXRlbXBvcmFyaWx5LXNodXR0ZXItYXMtZGl2ZXJzZS1uZXZhZGEtYnVzaW5lc3Nlcy1kaXNyZWdhcmQtbWFzay1ydWxlL9IBhwFodHRwczovL3d3dy5jYXNpbm8ub3JnL25ld3MvdGhlLXZlbmV0aWFuLWNhZXNhcnMtcGFsYWNlLWNvdWxkLXRlbXBvcmFyaWx5LXNodXR0ZXItYXMtZGl2ZXJzZS1uZXZhZGEtYnVzaW5lc3Nlcy1kaXNyZWdhcmQtbWFzay1ydWxlL2FtcC8?oc=5" }, { "publisher": "News3LV", "title": "Three Station Casinos properties to remain closed indefinitely", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXGh0dHA6Ly9uZXdzM2x2LmNvbS9uZXdzL2xvY2FsL3RocmVlLXN0YXRpb24tY2FzaW5vcy1wcm9wZXJ0aWVzLWxhcy12ZWdhcy1jbG9zZWQtaW5kZWZpbml0ZWx50gFhaHR0cHM6Ly9uZXdzM2x2LmNvbS9hbXAvbmV3cy9sb2NhbC90aHJlZS1zdGF0aW9uLWNhc2lub3MtcHJvcGVydGllcy1sYXMtdmVnYXMtY2xvc2VkLWluZGVmaW5pdGVseQ?oc=5" } ], "summary": "
  1. Bellagio error may be biggest sportsbook loss for Vegas  Yahoo Sports
  2. Bellagio Start Times Error Leads to Big Sports Betting Loss in Vegas  NBC Southern California
  3. Chief nurse at Vegas-area hospital opens up about experience amid pandemic  KTNV Channel 13 Las Vegas
  4. The Venetian, Caesars Palace Could Temporarily Shutter as Diverse Nevada Businesses Disregard Mask...  Casino.Org News
  5. Three Station Casinos properties to remain closed indefinitely  News3LV
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Bellagio error may be biggest sportsbook loss for Vegas  Yahoo Sports
  2. Bellagio Start Times Error Leads to Big Sports Betting Loss in Vegas  NBC Southern California
  3. Chief nurse at Vegas-area hospital opens up about experience amid pandemic  KTNV Channel 13 Las Vegas
  4. The Venetian, Caesars Palace Could Temporarily Shutter as Diverse Nevada Businesses Disregard Mask...  Casino.Org News
  5. Three Station Casinos properties to remain closed indefinitely  News3LV
  6. View Full Coverage on Google News
" }, "title": "Bellagio error may be biggest sportsbook loss for Vegas - Yahoo Sports", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Bellagio error may be biggest sportsbook loss for Vegas - Yahoo Sports" } }, { "guidislink": false, "id": "52780887561765", "link": "https://news.google.com/__i/rss/rd/articles/CBMia2h0dHBzOi8vd3d3LmNyeXB0b2dsb2JlLmNvbS9sYXRlc3QvMjAyMC8wNy9lbG9uLW11c2stZGVuaWVzLXJ1bW9ycy1vbi1wbGFucy10by11c2UtdGhlLWV0aGVyZXVtLWJsb2NrY2hhaW4v0gFzaHR0cHM6Ly93d3cuY3J5cHRvZ2xvYmUuY29tL2xhdGVzdC8yMDIwLzA3L2Vsb24tbXVzay1kZW5pZXMtcnVtb3JzLW9uLXBsYW5zLXRvLXVzZS10aGUtZXRoZXJldW0tYmxvY2tjaGFpbi8_YW1wPXllcw?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMia2h0dHBzOi8vd3d3LmNyeXB0b2dsb2JlLmNvbS9sYXRlc3QvMjAyMC8wNy9lbG9uLW11c2stZGVuaWVzLXJ1bW9ycy1vbi1wbGFucy10by11c2UtdGhlLWV0aGVyZXVtLWJsb2NrY2hhaW4v0gFzaHR0cHM6Ly93d3cuY3J5cHRvZ2xvYmUuY29tL2xhdGVzdC8yMDIwLzA3L2Vsb24tbXVzay1kZW5pZXMtcnVtb3JzLW9uLXBsYW5zLXRvLXVzZS10aGUtZXRoZXJldW0tYmxvY2tjaGFpbi8_YW1wPXllcw?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 12:55:47 GMT", "published_parsed": [ 2020, 7, 4, 12, 55, 47, 5, 186, 0 ], "source": { "href": "https://www.cryptoglobe.com", "title": "CryptoGlobe" }, "sub_articles": [ { "publisher": "CryptoGlobe", "title": "Elon Musk Rejects Rumors on Plans to Use the Ethereum Blockchain", "url": "https://news.google.com/__i/rss/rd/articles/CBMia2h0dHBzOi8vd3d3LmNyeXB0b2dsb2JlLmNvbS9sYXRlc3QvMjAyMC8wNy9lbG9uLW11c2stZGVuaWVzLXJ1bW9ycy1vbi1wbGFucy10by11c2UtdGhlLWV0aGVyZXVtLWJsb2NrY2hhaW4v0gFzaHR0cHM6Ly93d3cuY3J5cHRvZ2xvYmUuY29tL2xhdGVzdC8yMDIwLzA3L2Vsb24tbXVzay1kZW5pZXMtcnVtb3JzLW9uLXBsYW5zLXRvLXVzZS10aGUtZXRoZXJldW0tYmxvY2tjaGFpbi8_YW1wPXllcw?oc=5" }, { "publisher": "OilPrice.com", "title": "Elon Musk Trolls SEC And Short Sellers As Tesla Stock Rallies", "url": "https://news.google.com/__i/rss/rd/articles/CBMidWh0dHBzOi8vb2lscHJpY2UuY29tL0xhdGVzdC1FbmVyZ3ktTmV3cy9Xb3JsZC1OZXdzL0Vsb24tTXVzay1Ucm9sbHMtU0VDLUFuZC1TaG9ydC1TZWxsZXJzLUFzLVRlc2xhLVN0b2NrLVJhbGxpZXMuaHRtbNIBeWh0dHBzOi8vb2lscHJpY2UuY29tL0xhdGVzdC1FbmVyZ3ktTmV3cy9Xb3JsZC1OZXdzL0Vsb24tTXVzay1Ucm9sbHMtU0VDLUFuZC1TaG9ydC1TZWxsZXJzLUFzLVRlc2xhLVN0b2NrLVJhbGxpZXMuYW1wLmh0bWw?oc=5" }, { "publisher": "CNBC", "title": "In college, Elon Musk thought these 5 things would change the world", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXGh0dHBzOi8vd3d3LmNuYmMuY29tLzIwMjAvMDcvMDMvdGhpbmdzLWEteW91bmctZWxvbi1tdXNrLXRob3VnaHQtd291bGQtY2hhbmdlLXRoZS13b3JsZC5odG1s0gFgaHR0cHM6Ly93d3cuY25iYy5jb20vYW1wLzIwMjAvMDcvMDMvdGhpbmdzLWEteW91bmctZWxvbi1tdXNrLXRob3VnaHQtd291bGQtY2hhbmdlLXRoZS13b3JsZC5odG1s?oc=5" }, { "publisher": "Bloomberg", "title": "Tesla's Overexcited Fans Should Cool Down a Little", "url": "https://news.google.com/__i/rss/rd/articles/CBMiaGh0dHBzOi8vd3d3LmJsb29tYmVyZy5jb20vb3Bpbmlvbi9hcnRpY2xlcy8yMDIwLTA3LTAzL3Rlc2xhLXMtb3ZlcmV4Y2l0ZWQtZmFucy1zaG91bGQtY29vbC1kb3duLWEtbGl0dGxl0gFsaHR0cHM6Ly93d3cuYmxvb21iZXJnLmNvbS9hbXAvb3Bpbmlvbi9hcnRpY2xlcy8yMDIwLTA3LTAzL3Rlc2xhLXMtb3ZlcmV4Y2l0ZWQtZmFucy1zaG91bGQtY29vbC1kb3duLWEtbGl0dGxl?oc=5" }, { "publisher": "BNN", "title": "Tesla's overexcited fans should cool down a little", "url": "https://news.google.com/__i/rss/rd/articles/CBMiWGh0dHBzOi8vd3d3LmJubmJsb29tYmVyZy5jYS90ZXNsYS1zLW92ZXJleGNpdGVkLWZhbnMtc2hvdWxkLWNvb2wtZG93bi1hLWxpdHRsZS0xLjE0NjAyMzLSAQA?oc=5" } ], "summary": "
  1. Elon Musk Rejects Rumors on Plans to Use the Ethereum Blockchain  CryptoGlobe
  2. Elon Musk Trolls SEC And Short Sellers As Tesla Stock Rallies  OilPrice.com
  3. In college, Elon Musk thought these 5 things would change the world  CNBC
  4. Tesla's Overexcited Fans Should Cool Down a Little  Bloomberg
  5. Tesla's overexcited fans should cool down a little  BNN
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Elon Musk Rejects Rumors on Plans to Use the Ethereum Blockchain  CryptoGlobe
  2. Elon Musk Trolls SEC And Short Sellers As Tesla Stock Rallies  OilPrice.com
  3. In college, Elon Musk thought these 5 things would change the world  CNBC
  4. Tesla's Overexcited Fans Should Cool Down a Little  Bloomberg
  5. Tesla's overexcited fans should cool down a little  BNN
  6. View Full Coverage on Google News
" }, "title": "Elon Musk Rejects Rumors on Plans to Use the Ethereum Blockchain - CryptoGlobe", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Elon Musk Rejects Rumors on Plans to Use the Ethereum Blockchain - CryptoGlobe" } }, { "guidislink": false, "id": "52780890030157", "link": "https://news.google.com/__i/rss/rd/articles/CBMiaWh0dHBzOi8vd3d3Lm5ld3N3ZWVrLmNvbS90aGVzZS1zdGF0ZXMtZmFsbC1iZWhpbmQtYWRtaW5pc3RlcmluZy11bmVtcGxveW1lbnQtaGVscC1kdXJpbmctcGFuZGVtaWMtMTUxNTM3OdIBb2h0dHBzOi8vd3d3Lm5ld3N3ZWVrLmNvbS90aGVzZS1zdGF0ZXMtZmFsbC1iZWhpbmQtYWRtaW5pc3RlcmluZy11bmVtcGxveW1lbnQtaGVscC1kdXJpbmctcGFuZGVtaWMtMTUxNTM3OT9hbXA9MQ?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiaWh0dHBzOi8vd3d3Lm5ld3N3ZWVrLmNvbS90aGVzZS1zdGF0ZXMtZmFsbC1iZWhpbmQtYWRtaW5pc3RlcmluZy11bmVtcGxveW1lbnQtaGVscC1kdXJpbmctcGFuZGVtaWMtMTUxNTM3OdIBb2h0dHBzOi8vd3d3Lm5ld3N3ZWVrLmNvbS90aGVzZS1zdGF0ZXMtZmFsbC1iZWhpbmQtYWRtaW5pc3RlcmluZy11bmVtcGxveW1lbnQtaGVscC1kdXJpbmctcGFuZGVtaWMtMTUxNTM3OT9hbXA9MQ?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Fri, 03 Jul 2020 21:54:29 GMT", "published_parsed": [ 2020, 7, 3, 21, 54, 29, 4, 185, 0 ], "source": { "href": "https://www.newsweek.com", "title": "Newsweek" }, "sub_articles": [ { "publisher": "Newsweek", "title": "These States Fall Behind in Administering Unemployment Help During Pandemic", "url": "https://news.google.com/__i/rss/rd/articles/CBMiaWh0dHBzOi8vd3d3Lm5ld3N3ZWVrLmNvbS90aGVzZS1zdGF0ZXMtZmFsbC1iZWhpbmQtYWRtaW5pc3RlcmluZy11bmVtcGxveW1lbnQtaGVscC1kdXJpbmctcGFuZGVtaWMtMTUxNTM3OdIBb2h0dHBzOi8vd3d3Lm5ld3N3ZWVrLmNvbS90aGVzZS1zdGF0ZXMtZmFsbC1iZWhpbmQtYWRtaW5pc3RlcmluZy11bmVtcGxveW1lbnQtaGVscC1kdXJpbmctcGFuZGVtaWMtMTUxNTM3OT9hbXA9MQ?oc=5" }, { "publisher": "The Motley Fool", "title": "Why June's Unemployment Data Could Cause Confusion About How Fast the Economy Is Improving", "url": "https://news.google.com/__i/rss/rd/articles/CBMiYGh0dHBzOi8vd3d3LmZvb2wuY29tL2ludmVzdGluZy8yMDIwLzA3LzAzL3doeS1qdW5lcy11bmVtcGxveW1lbnQtZGF0YS1jb3VsZC1jYXVzZS1jb25mdXNpb24uYXNweNIBZGh0dHBzOi8vd3d3LmZvb2wuY29tL2FtcC9pbnZlc3RpbmcvMjAyMC8wNy8wMy93aHktanVuZXMtdW5lbXBsb3ltZW50LWRhdGEtY291bGQtY2F1c2UtY29uZnVzaW9uLmFzcHg?oc=5" }, { "publisher": "World Socialist Web Site", "title": "US unemployment rate dips, but millions remain jobless or face wage cuts", "url": "https://news.google.com/__i/rss/rd/articles/CBMiOWh0dHBzOi8vd3d3Lndzd3Mub3JnL2VuL2FydGljbGVzLzIwMjAvMDcvMDMvam9icy1qMDMuaHRtbNIBAA?oc=5" }, { "publisher": "WWLP-22News", "title": "Unemployment rate sees positive numbers as economy slowly opens during pandemic", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9UzZ1ejVCbV8tcWfSAQA?oc=5" }, { "publisher": "Nation News", "title": "Record job creation in US", "url": "https://news.google.com/__i/rss/rd/articles/CBMiSGh0dHBzOi8vd3d3Lm5hdGlvbm5ld3MuY29tL25hdGlvbm5ld3MvbmV3cy8yNDY0NjYvcmVjb3JkLWpvYi1jcmVhdGlvbi11c9IBAA?oc=5" } ], "summary": "
  1. These States Fall Behind in Administering Unemployment Help During Pandemic  Newsweek
  2. Why June's Unemployment Data Could Cause Confusion About How Fast the Economy Is Improving  The Motley Fool
  3. US unemployment rate dips, but millions remain jobless or face wage cuts  World Socialist Web Site
  4. Unemployment rate sees positive numbers as economy slowly opens during pandemic  WWLP-22News
  5. Record job creation in US  Nation News
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. These States Fall Behind in Administering Unemployment Help During Pandemic  Newsweek
  2. Why June's Unemployment Data Could Cause Confusion About How Fast the Economy Is Improving  The Motley Fool
  3. US unemployment rate dips, but millions remain jobless or face wage cuts  World Socialist Web Site
  4. Unemployment rate sees positive numbers as economy slowly opens during pandemic  WWLP-22News
  5. Record job creation in US  Nation News
  6. View Full Coverage on Google News
" }, "title": "These States Fall Behind in Administering Unemployment Help During Pandemic - Newsweek", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "These States Fall Behind in Administering Unemployment Help During Pandemic - Newsweek" } }, { "guidislink": false, "id": "52780896751623", "link": "https://news.google.com/__i/rss/rd/articles/CBMiZWh0dHBzOi8vd3d3LmNuZXQuY29tL2hvdy10by9pb3MtMTQtZmVhdHVyZXMtYXBwbGUtYm9ycm93ZWQtZ29vZ2xlLWFuZHJvaWQtbWFrZS1pcGhvbmUtYmV0dGVyLWluLTIwMjAv0gFuaHR0cHM6Ly93d3cuY25ldC5jb20vZ29vZ2xlLWFtcC9uZXdzL2lvcy0xNC1mZWF0dXJlcy1hcHBsZS1ib3Jyb3dlZC1nb29nbGUtYW5kcm9pZC1tYWtlLWlwaG9uZS1iZXR0ZXItaW4tMjAyMC8?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiZWh0dHBzOi8vd3d3LmNuZXQuY29tL2hvdy10by9pb3MtMTQtZmVhdHVyZXMtYXBwbGUtYm9ycm93ZWQtZ29vZ2xlLWFuZHJvaWQtbWFrZS1pcGhvbmUtYmV0dGVyLWluLTIwMjAv0gFuaHR0cHM6Ly93d3cuY25ldC5jb20vZ29vZ2xlLWFtcC9uZXdzL2lvcy0xNC1mZWF0dXJlcy1hcHBsZS1ib3Jyb3dlZC1nb29nbGUtYW5kcm9pZC1tYWtlLWlwaG9uZS1iZXR0ZXItaW4tMjAyMC8?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 13:17:05 GMT", "published_parsed": [ 2020, 7, 4, 13, 17, 5, 5, 186, 0 ], "source": { "href": "https://www.cnet.com", "title": "CNET" }, "sub_articles": [ { "publisher": "CNET", "title": "7 new iOS 14 features Apple borrowed from Android to make the iPhone better", "url": "https://news.google.com/__i/rss/rd/articles/CBMiZWh0dHBzOi8vd3d3LmNuZXQuY29tL2hvdy10by9pb3MtMTQtZmVhdHVyZXMtYXBwbGUtYm9ycm93ZWQtZ29vZ2xlLWFuZHJvaWQtbWFrZS1pcGhvbmUtYmV0dGVyLWluLTIwMjAv0gFuaHR0cHM6Ly93d3cuY25ldC5jb20vZ29vZ2xlLWFtcC9uZXdzL2lvcy0xNC1mZWF0dXJlcy1hcHBsZS1ib3Jyb3dlZC1nb29nbGUtYW5kcm9pZC1tYWtlLWlwaG9uZS1iZXR0ZXItaW4tMjAyMC8?oc=5" }, { "publisher": "Tom's Guide", "title": "iOS 14 hands-on preview: The biggest iPhone update in years", "url": "https://news.google.com/__i/rss/rd/articles/CBMiKGh0dHBzOi8vd3d3LnRvbXNndWlkZS5jb20vcmV2aWV3cy9pb3MtMTTSAQA?oc=5" }, { "publisher": "Japan Today", "title": "Google-backed groups criticize Apple's new warnings on user tracking", "url": "https://news.google.com/__i/rss/rd/articles/CBMiaWh0dHBzOi8vamFwYW50b2RheS5jb20vY2F0ZWdvcnkvdGVjaC9nb29nbGUtYmFja2VkLWdyb3Vwcy1jcml0aWNpemUtYXBwbGUncy1uZXctd2FybmluZ3Mtb24tdXNlci10cmFja2luZ9IBAA?oc=5" }, { "publisher": "iMore", "title": "Users complain of battery drain in iOS 13.5.1", "url": "https://news.google.com/__i/rss/rd/articles/CBMiO2h0dHBzOi8vd3d3Lmltb3JlLmNvbS91c2Vycy1jb21wbGFpbi1iYXR0ZXJ5LWRyYWluLWlvcy0xMzUx0gE_aHR0cHM6Ly93d3cuaW1vcmUuY29tL3VzZXJzLWNvbXBsYWluLWJhdHRlcnktZHJhaW4taW9zLTEzNTE_YW1w?oc=5" }, { "publisher": "9to5Mac", "title": "Hands-on: Everything you can do with the new iPhone App Library in iOS 14", "url": "https://news.google.com/__i/rss/rd/articles/CBMiRGh0dHBzOi8vOXRvNW1hYy5jb20vMjAyMC8wNy8wMy9ob3ctdG8tdXNlLWlwaG9uZS1hcHAtbGlicmFyeS1pb3MtMTQv0gFIaHR0cHM6Ly85dG81bWFjLmNvbS8yMDIwLzA3LzAzL2hvdy10by11c2UtaXBob25lLWFwcC1saWJyYXJ5LWlvcy0xNC9hbXAv?oc=5" } ], "summary": "
  1. 7 new iOS 14 features Apple borrowed from Android to make the iPhone better  CNET
  2. iOS 14 hands-on preview: The biggest iPhone update in years  Tom's Guide
  3. Google-backed groups criticize Apple's new warnings on user tracking  Japan Today
  4. Users complain of battery drain in iOS 13.5.1  iMore
  5. Hands-on: Everything you can do with the new iPhone App Library in iOS 14  9to5Mac
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. 7 new iOS 14 features Apple borrowed from Android to make the iPhone better  CNET
  2. iOS 14 hands-on preview: The biggest iPhone update in years  Tom's Guide
  3. Google-backed groups criticize Apple's new warnings on user tracking  Japan Today
  4. Users complain of battery drain in iOS 13.5.1  iMore
  5. Hands-on: Everything you can do with the new iPhone App Library in iOS 14  9to5Mac
  6. View Full Coverage on Google News
" }, "title": "7 new iOS 14 features Apple borrowed from Android to make the iPhone better - CNET", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "7 new iOS 14 features Apple borrowed from Android to make the iPhone better - CNET" } }, { "guidislink": false, "id": "52780895452664", "link": "https://news.google.com/__i/rss/rd/articles/CBMiVGh0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vbmV3cy9mb3VydGgtb2YtanVseS1zYWxlcy1iZXN0LWxhcHRvcC1kZWFscy1ocC1kZWxsLWxlbm92b9IBWGh0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vYW1wL25ld3MvZm91cnRoLW9mLWp1bHktc2FsZXMtYmVzdC1sYXB0b3AtZGVhbHMtaHAtZGVsbC1sZW5vdm8?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiVGh0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vbmV3cy9mb3VydGgtb2YtanVseS1zYWxlcy1iZXN0LWxhcHRvcC1kZWFscy1ocC1kZWxsLWxlbm92b9IBWGh0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vYW1wL25ld3MvZm91cnRoLW9mLWp1bHktc2FsZXMtYmVzdC1sYXB0b3AtZGVhbHMtaHAtZGVsbC1sZW5vdm8?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 21:06:00 GMT", "published_parsed": [ 2020, 7, 4, 21, 6, 0, 5, 186, 0 ], "source": { "href": "https://www.techradar.com", "title": "TechRadar" }, "sub_articles": [ { "publisher": "TechRadar", "title": "4th of July sales: laptop deals from Dell, Lenovo, HP and more available now", "url": "https://news.google.com/__i/rss/rd/articles/CBMiVGh0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vbmV3cy9mb3VydGgtb2YtanVseS1zYWxlcy1iZXN0LWxhcHRvcC1kZWFscy1ocC1kZWxsLWxlbm92b9IBWGh0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vYW1wL25ld3MvZm91cnRoLW9mLWp1bHktc2FsZXMtYmVzdC1sYXB0b3AtZGVhbHMtaHAtZGVsbC1sZW5vdm8?oc=5" }, { "publisher": "Digital Trends", "title": "Dell XPS 17 Review: Leaving The MacBook Pro In The Dust", "url": "https://news.google.com/__i/rss/rd/articles/CBMiRWh0dHBzOi8vd3d3LmRpZ2l0YWx0cmVuZHMuY29tL2xhcHRvcC1yZXZpZXdzL2RlbGwteHBzLTE3LTIwMjAtcmV2aWV3L9IBSWh0dHBzOi8vd3d3LmRpZ2l0YWx0cmVuZHMuY29tL2xhcHRvcC1yZXZpZXdzL2RlbGwteHBzLTE3LTIwMjAtcmV2aWV3Lz9hbXA?oc=5" }, { "publisher": "Laptop Mag", "title": "Dell XPS 15 vs. Surface Book 3: Which premium laptop is best?", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXGh0dHBzOi8vd3d3LmxhcHRvcG1hZy5jb20vdWsvbmV3cy9kZWxsLXhwcy0xNS12cy1zdXJmYWNlLWJvb2stMy13aGljaC1wcmVtaXVtLWxhcHRvcC1pcy1iZXN00gFgaHR0cHM6Ly93d3cubGFwdG9wbWFnLmNvbS91ay9hbXAvbmV3cy9kZWxsLXhwcy0xNS12cy1zdXJmYWNlLWJvb2stMy13aGljaC1wcmVtaXVtLWxhcHRvcC1pcy1iZXN0?oc=5" }, { "publisher": "TechRadar", "title": "You can pick up a Dell XPS 13 for cheap thanks to this weekend's 4th of July sales", "url": "https://news.google.com/__i/rss/rd/articles/CBMicGh0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vbmV3cy95b3UtY2FuLXBpY2stdXAtYS1kZWxsLXhwcy0xMy1mb3ItY2hlYXAtdGhhbmtzLXRvLXRoaXMtd2Vla2VuZHMtNHRoLW9mLWp1bHktc2FsZXPSAXRodHRwczovL3d3dy50ZWNocmFkYXIuY29tL2FtcC9uZXdzL3lvdS1jYW4tcGljay11cC1hLWRlbGwteHBzLTEzLWZvci1jaGVhcC10aGFua3MtdG8tdGhpcy13ZWVrZW5kcy00dGgtb2YtanVseS1zYWxlcw?oc=5" }, { "publisher": "Digital Trends", "title": "5 laptop deals you can’t afford to miss this 4th of July", "url": "https://news.google.com/__i/rss/rd/articles/CBMiT2h0dHBzOi8vd3d3LmRpZ2l0YWx0cmVuZHMuY29tL2R0ZGVhbHMvYmVzdC1sYXB0b3AtZGVhbHMtNHRoLW9mLWp1bHktc2FsZXMtMjAyMC_SAVNodHRwczovL3d3dy5kaWdpdGFsdHJlbmRzLmNvbS9kdGRlYWxzL2Jlc3QtbGFwdG9wLWRlYWxzLTR0aC1vZi1qdWx5LXNhbGVzLTIwMjAvP2FtcA?oc=5" } ], "summary": "
  1. 4th of July sales: laptop deals from Dell, Lenovo, HP and more available now  TechRadar
  2. Dell XPS 17 Review: Leaving The MacBook Pro In The Dust  Digital Trends
  3. Dell XPS 15 vs. Surface Book 3: Which premium laptop is best?  Laptop Mag
  4. You can pick up a Dell XPS 13 for cheap thanks to this weekend's 4th of July sales  TechRadar
  5. 5 laptop deals you can’t afford to miss this 4th of July  Digital Trends
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. 4th of July sales: laptop deals from Dell, Lenovo, HP and more available now  TechRadar
  2. Dell XPS 17 Review: Leaving The MacBook Pro In The Dust  Digital Trends
  3. Dell XPS 15 vs. Surface Book 3: Which premium laptop is best?  Laptop Mag
  4. You can pick up a Dell XPS 13 for cheap thanks to this weekend's 4th of July sales  TechRadar
  5. 5 laptop deals you can’t afford to miss this 4th of July  Digital Trends
  6. View Full Coverage on Google News
" }, "title": "4th of July sales: laptop deals from Dell, Lenovo, HP and more available now - TechRadar", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "4th of July sales: laptop deals from Dell, Lenovo, HP and more available now - TechRadar" } }, { "guidislink": false, "id": "52780892940555", "link": "https://news.google.com/__i/rss/rd/articles/CBMingFodHRwczovL3d3dy5hbmRyb2lkcG9saWNlLmNvbS8yMDIwLzA3LzA0LzEyLW5ldy1hbmQtbm90YWJsZS1hbmRyb2lkLWFwcHMtZnJvbS10aGUtbGFzdC13ZWVrLWluY2x1ZGluZy1taS1jb250cm9sLWNlbnRlci1qaW9tZWV0LWFuZC1zd2lzc2NvdmlkLTYtMjctMjAtNy00LTIwL9IBogFodHRwczovL3d3dy5hbmRyb2lkcG9saWNlLmNvbS8yMDIwLzA3LzA0LzEyLW5ldy1hbmQtbm90YWJsZS1hbmRyb2lkLWFwcHMtZnJvbS10aGUtbGFzdC13ZWVrLWluY2x1ZGluZy1taS1jb250cm9sLWNlbnRlci1qaW9tZWV0LWFuZC1zd2lzc2NvdmlkLTYtMjctMjAtNy00LTIwLz9hbXA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMingFodHRwczovL3d3dy5hbmRyb2lkcG9saWNlLmNvbS8yMDIwLzA3LzA0LzEyLW5ldy1hbmQtbm90YWJsZS1hbmRyb2lkLWFwcHMtZnJvbS10aGUtbGFzdC13ZWVrLWluY2x1ZGluZy1taS1jb250cm9sLWNlbnRlci1qaW9tZWV0LWFuZC1zd2lzc2NvdmlkLTYtMjctMjAtNy00LTIwL9IBogFodHRwczovL3d3dy5hbmRyb2lkcG9saWNlLmNvbS8yMDIwLzA3LzA0LzEyLW5ldy1hbmQtbm90YWJsZS1hbmRyb2lkLWFwcHMtZnJvbS10aGUtbGFzdC13ZWVrLWluY2x1ZGluZy1taS1jb250cm9sLWNlbnRlci1qaW9tZWV0LWFuZC1zd2lzc2NvdmlkLTYtMjctMjAtNy00LTIwLz9hbXA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 14:57:29 GMT", "published_parsed": [ 2020, 7, 4, 14, 57, 29, 5, 186, 0 ], "source": { "href": "https://www.androidpolice.com", "title": "Android Police" }, "sub_articles": [ { "publisher": "Android Police", "title": "12 new and notable Android apps from the last week including Mi Control Center, JioMeet, and SwissCovid (6/27/20 - 7/4/20)", "url": "https://news.google.com/__i/rss/rd/articles/CBMingFodHRwczovL3d3dy5hbmRyb2lkcG9saWNlLmNvbS8yMDIwLzA3LzA0LzEyLW5ldy1hbmQtbm90YWJsZS1hbmRyb2lkLWFwcHMtZnJvbS10aGUtbGFzdC13ZWVrLWluY2x1ZGluZy1taS1jb250cm9sLWNlbnRlci1qaW9tZWV0LWFuZC1zd2lzc2NvdmlkLTYtMjctMjAtNy00LTIwL9IBogFodHRwczovL3d3dy5hbmRyb2lkcG9saWNlLmNvbS8yMDIwLzA3LzA0LzEyLW5ldy1hbmQtbm90YWJsZS1hbmRyb2lkLWFwcHMtZnJvbS10aGUtbGFzdC13ZWVrLWluY2x1ZGluZy1taS1jb250cm9sLWNlbnRlci1qaW9tZWV0LWFuZC1zd2lzc2NvdmlkLTYtMjctMjAtNy00LTIwLz9hbXA?oc=5" }, { "publisher": "Hindustan Times", "title": "Editorji Tech Wrap: Jio takes on Zoom, crime chat network cracked & more", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9dzFwR3d2SEVnR1XSAQA?oc=5" }, { "publisher": "MSPoweruser", "title": "India's largest telecom network announces JioMeet to take on Zoom and Google Meet - MSPoweruser", "url": "https://news.google.com/__i/rss/rd/articles/CBMiOmh0dHBzOi8vbXNwb3dlcnVzZXIuY29tL3JlbGlhbmNlLWppb21lZXQtem9vbS1nb29nbGUtbWVldC_SAT5odHRwczovL21zcG93ZXJ1c2VyLmNvbS9yZWxpYW5jZS1qaW9tZWV0LXpvb20tZ29vZ2xlLW1lZXQvYW1wLw?oc=5" }, { "publisher": "Android Police", "title": "JioMeet is basically a completely free 1:1 copy of Zoom", "url": "https://news.google.com/__i/rss/rd/articles/CBMiYGh0dHBzOi8vd3d3LmFuZHJvaWRwb2xpY2UuY29tLzIwMjAvMDcvMDMvamlvbWVldC1pcy1iYXNpY2FsbHktYS1jb21wbGV0ZWx5LWZyZWUtMTEtY29weS1vZi16b29tL9IBZGh0dHBzOi8vd3d3LmFuZHJvaWRwb2xpY2UuY29tLzIwMjAvMDcvMDMvamlvbWVldC1pcy1iYXNpY2FsbHktYS1jb21wbGV0ZWx5LWZyZWUtMTEtY29weS1vZi16b29tLz9hbXA?oc=5" }, { "publisher": "AndroidPIT", "title": "The best 5 new apps for Android smartphones and iOS this week", "url": "https://news.google.com/__i/rss/rd/articles/CBMiNGh0dHBzOi8vd3d3LmFuZHJvaWRwaXQuY29tL2FwcHMtb2YtdGhlLXdlZWstNC03LTIwMjDSAT1odHRwczovL3d3dy5hbmRyb2lkcGl0LmNvbS9hcHBzLW9mLXRoZS13ZWVrLTQtNy0yMDIwP2FtcD10cnVl?oc=5" } ], "summary": "
  1. 12 new and notable Android apps from the last week including Mi Control Center, JioMeet, and SwissCovid (6/27/20 - 7/4/20)  Android Police
  2. Editorji Tech Wrap: Jio takes on Zoom, crime chat network cracked & more  Hindustan Times
  3. India's largest telecom network announces JioMeet to take on Zoom and Google Meet - MSPoweruser  MSPoweruser
  4. JioMeet is basically a completely free 1:1 copy of Zoom  Android Police
  5. The best 5 new apps for Android smartphones and iOS this week  AndroidPIT
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. 12 new and notable Android apps from the last week including Mi Control Center, JioMeet, and SwissCovid (6/27/20 - 7/4/20)  Android Police
  2. Editorji Tech Wrap: Jio takes on Zoom, crime chat network cracked & more  Hindustan Times
  3. India's largest telecom network announces JioMeet to take on Zoom and Google Meet - MSPoweruser  MSPoweruser
  4. JioMeet is basically a completely free 1:1 copy of Zoom  Android Police
  5. The best 5 new apps for Android smartphones and iOS this week  AndroidPIT
  6. View Full Coverage on Google News
" }, "title": "12 new and notable Android apps from the last week including Mi Control Center, JioMeet, and SwissCovid (6/27/20 - 7/4/20) - Android Police", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "12 new and notable Android apps from the last week including Mi Control Center, JioMeet, and SwissCovid (6/27/20 - 7/4/20) - Android Police" } }, { "guidislink": false, "id": "52780897404578", "link": "https://news.google.com/__i/rss/rd/articles/CBMiT2h0dHBzOi8vd3d3LnRoZXZlcmdlLmNvbS8yMDIwLzcvNC8yMTMxMzM5My9kdWNrZHVja2dvLWluZGlhLXByaXZhY3ktYXBwcy1iYW5uZWTSAVxodHRwczovL3d3dy50aGV2ZXJnZS5jb20vcGxhdGZvcm0vYW1wLzIwMjAvNy80LzIxMzEzMzkzL2R1Y2tkdWNrZ28taW5kaWEtcHJpdmFjeS1hcHBzLWJhbm5lZA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiT2h0dHBzOi8vd3d3LnRoZXZlcmdlLmNvbS8yMDIwLzcvNC8yMTMxMzM5My9kdWNrZHVja2dvLWluZGlhLXByaXZhY3ktYXBwcy1iYW5uZWTSAVxodHRwczovL3d3dy50aGV2ZXJnZS5jb20vcGxhdGZvcm0vYW1wLzIwMjAvNy80LzIxMzEzMzkzL2R1Y2tkdWNrZ28taW5kaWEtcHJpdmFjeS1hcHBzLWJhbm5lZA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 19:01:48 GMT", "published_parsed": [ 2020, 7, 4, 19, 1, 48, 5, 186, 0 ], "source": { "href": "https://www.theverge.com", "title": "The Verge" }, "sub_articles": [ { "publisher": "The Verge", "title": "DuckDuckGo reinstated in India after being unreachable since July 1st", "url": "https://news.google.com/__i/rss/rd/articles/CBMiT2h0dHBzOi8vd3d3LnRoZXZlcmdlLmNvbS8yMDIwLzcvNC8yMTMxMzM5My9kdWNrZHVja2dvLWluZGlhLXByaXZhY3ktYXBwcy1iYW5uZWTSAVxodHRwczovL3d3dy50aGV2ZXJnZS5jb20vcGxhdGZvcm0vYW1wLzIwMjAvNy80LzIxMzEzMzkzL2R1Y2tkdWNrZ28taW5kaWEtcHJpdmFjeS1hcHBzLWJhbm5lZA?oc=5" }, { "publisher": "Android Police", "title": "DuckDuckGo coming back online in India following country-wide block", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vd3d3LmFuZHJvaWRwb2xpY2UuY29tLzIwMjAvMDcvMDQvZHVja2R1Y2tnby1oYXMtYmVlbi1ibG9ja2VkLWJ5LW11bHRpcGxlLWluZGlhbi1pc3BzL9IBYWh0dHBzOi8vd3d3LmFuZHJvaWRwb2xpY2UuY29tLzIwMjAvMDcvMDQvZHVja2R1Y2tnby1oYXMtYmVlbi1ibG9ja2VkLWJ5LW11bHRpcGxlLWluZGlhbi1pc3BzLz9hbXA?oc=5" } ], "summary": "
  1. DuckDuckGo reinstated in India after being unreachable since July 1st  The Verge
  2. DuckDuckGo coming back online in India following country-wide block  Android Police
  3. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. DuckDuckGo reinstated in India after being unreachable since July 1st  The Verge
  2. DuckDuckGo coming back online in India following country-wide block  Android Police
  3. View Full Coverage on Google News
" }, "title": "DuckDuckGo reinstated in India after being unreachable since July 1st - The Verge", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "DuckDuckGo reinstated in India after being unreachable since July 1st - The Verge" } }, { "guidislink": false, "id": "52780880034766", "link": "https://news.google.com/__i/rss/rd/articles/CBMiWGh0dHBzOi8vdmFyaWV0eS5jb20vMjAyMC9maWxtL25ld3MvaGFtaWx0b24tZGlzbmV5LXBsdXMtbGluLW1hbnVlbC1taXJhbmRhLTItMTIzNDY5ODI5Mi_SAVxodHRwczovL3ZhcmlldHkuY29tLzIwMjAvZmlsbS9uZXdzL2hhbWlsdG9uLWRpc25leS1wbHVzLWxpbi1tYW51ZWwtbWlyYW5kYS0yLTEyMzQ2OTgyOTIvYW1wLw?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiWGh0dHBzOi8vdmFyaWV0eS5jb20vMjAyMC9maWxtL25ld3MvaGFtaWx0b24tZGlzbmV5LXBsdXMtbGluLW1hbnVlbC1taXJhbmRhLTItMTIzNDY5ODI5Mi_SAVxodHRwczovL3ZhcmlldHkuY29tLzIwMjAvZmlsbS9uZXdzL2hhbWlsdG9uLWRpc25leS1wbHVzLWxpbi1tYW51ZWwtbWlyYW5kYS0yLTEyMzQ2OTgyOTIvYW1wLw?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 22:26:07 GMT", "published_parsed": [ 2020, 7, 4, 22, 26, 7, 5, 186, 0 ], "source": { "href": "https://variety.com", "title": "Variety" }, "sub_articles": [ { "publisher": "Variety", "title": "‘Hamilton’ Cast Celebrates Disney Plus Launch and Reveals Inside Secrets of Film", "url": "https://news.google.com/__i/rss/rd/articles/CBMiWGh0dHBzOi8vdmFyaWV0eS5jb20vMjAyMC9maWxtL25ld3MvaGFtaWx0b24tZGlzbmV5LXBsdXMtbGluLW1hbnVlbC1taXJhbmRhLTItMTIzNDY5ODI5Mi_SAVxodHRwczovL3ZhcmlldHkuY29tLzIwMjAvZmlsbS9uZXdzL2hhbWlsdG9uLWRpc25leS1wbHVzLWxpbi1tYW51ZWwtbWlyYW5kYS0yLTEyMzQ2OTgyOTIvYW1wLw?oc=5" }, { "publisher": "CinemaBlend", "title": "Lin-Manuel Miranda's Wife Has The Best Reaction When He Kisses Actresses In Hamilton", "url": "https://news.google.com/__i/rss/rd/articles/CBMifGh0dHBzOi8vd3d3LmNpbmVtYWJsZW5kLmNvbS9uZXdzLzI1NDk0ODQvbGluLW1hbnVlbC1taXJhbmRhcy13aWZlLWhhcy10aGUtYmVzdC1yZWFjdGlvbi13aGVuLWhlLWtpc3Nlcy1hY3RyZXNzZXMtaW4taGFtaWx0b27SAXxodHRwczovL2FtcC5jaW5lbWFibGVuZC5jb20vbmV3cy8yNTQ5NDg0L2xpbi1tYW51ZWwtbWlyYW5kYXMtd2lmZS1oYXMtdGhlLWJlc3QtcmVhY3Rpb24td2hlbi1oZS1raXNzZXMtYWN0cmVzc2VzLWluLWhhbWlsdG9u?oc=5" }, { "publisher": "Polygon", "title": "Hamilton review: the movie is a very different experience than the Broadway show", "url": "https://news.google.com/__i/rss/rd/articles/CBMifmh0dHBzOi8vd3d3LnBvbHlnb24uY29tL2Rpc25leS1wbHVzLzIwMjAvNy8zLzIxMzEyMzYyL2hhbWlsdG9uLW1vdmllLXJldmlldy1kaXNuZXktcGx1cy1saW4tbWFudWVsLW1pcmFuZGEtc3RyZWFtaW5nLWhhbWlsZmlsbdIBiwFodHRwczovL3d3dy5wb2x5Z29uLmNvbS9wbGF0Zm9ybS9hbXAvZGlzbmV5LXBsdXMvMjAyMC83LzMvMjEzMTIzNjIvaGFtaWx0b24tbW92aWUtcmV2aWV3LWRpc25leS1wbHVzLWxpbi1tYW51ZWwtbWlyYW5kYS1zdHJlYW1pbmctaGFtaWxmaWxt?oc=5" }, { "publisher": "TechRadar", "title": "Hamilton on Disney Plus lives up to the hype", "url": "https://news.google.com/__i/rss/rd/articles/CBMiS2h0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vbmV3cy9oYW1pbHRvbi1vbi1kaXNuZXktcGx1cy1saXZlcy11cC10by10aGUtaHlwZdIBT2h0dHBzOi8vd3d3LnRlY2hyYWRhci5jb20vYW1wL25ld3MvaGFtaWx0b24tb24tZGlzbmV5LXBsdXMtbGl2ZXMtdXAtdG8tdGhlLWh5cGU?oc=5" }, { "publisher": "Yahoo Lifestyle", "title": "Hamilton Is a Family-Friendly Musical, but There Are a Few Things to Know Before Watching", "url": "https://news.google.com/__i/rss/rd/articles/CBMiU2h0dHBzOi8vd3d3LnlhaG9vLmNvbS9saWZlc3R5bGUvaGFtaWx0b24tZmFtaWx5LWZyaWVuZGx5LW11c2ljYWwtZmV3LTIxMzY1MzA2NC5odG1s0gFbaHR0cHM6Ly93d3cueWFob28uY29tL2FtcGh0bWwvbGlmZXN0eWxlL2hhbWlsdG9uLWZhbWlseS1mcmllbmRseS1tdXNpY2FsLWZldy0yMTM2NTMwNjQuaHRtbA?oc=5" } ], "summary": "
  1. ‘Hamilton’ Cast Celebrates Disney Plus Launch and Reveals Inside Secrets of Film  Variety
  2. Lin-Manuel Miranda's Wife Has The Best Reaction When He Kisses Actresses In Hamilton  CinemaBlend
  3. Hamilton review: the movie is a very different experience than the Broadway show  Polygon
  4. Hamilton on Disney Plus lives up to the hype  TechRadar
  5. Hamilton Is a Family-Friendly Musical, but There Are a Few Things to Know Before Watching  Yahoo Lifestyle
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. ‘Hamilton’ Cast Celebrates Disney Plus Launch and Reveals Inside Secrets of Film  Variety
  2. Lin-Manuel Miranda's Wife Has The Best Reaction When He Kisses Actresses In Hamilton  CinemaBlend
  3. Hamilton review: the movie is a very different experience than the Broadway show  Polygon
  4. Hamilton on Disney Plus lives up to the hype  TechRadar
  5. Hamilton Is a Family-Friendly Musical, but There Are a Few Things to Know Before Watching  Yahoo Lifestyle
  6. View Full Coverage on Google News
" }, "title": "‘Hamilton’ Cast Celebrates Disney Plus Launch and Reveals Inside Secrets of Film - Variety", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "‘Hamilton’ Cast Celebrates Disney Plus Launch and Reveals Inside Secrets of Film - Variety" } }, { "guidislink": false, "id": "CBMiWGh0dHBzOi8vd3d3LnRtei5jb20vMjAyMC8wNy8wNC9rYW55ZS13ZXN0LWFubm91bmNlcy0yMDIwLXByZXNpZGVudGlhbC1ydW4tYmlkLWVsb24tbXVzay_SAVhodHRwczovL2FtcC50bXouY29tLzIwMjAvMDcvMDQva2FueWUtd2VzdC1hbm5vdW5jZXMtMjAyMC1wcmVzaWRlbnRpYWwtcnVuLWJpZC1lbG9uLW11c2sv", "link": "https://news.google.com/__i/rss/rd/articles/CBMiWGh0dHBzOi8vd3d3LnRtei5jb20vMjAyMC8wNy8wNC9rYW55ZS13ZXN0LWFubm91bmNlcy0yMDIwLXByZXNpZGVudGlhbC1ydW4tYmlkLWVsb24tbXVzay_SAVhodHRwczovL2FtcC50bXouY29tLzIwMjAvMDcvMDQva2FueWUtd2VzdC1hbm5vdW5jZXMtMjAyMC1wcmVzaWRlbnRpYWwtcnVuLWJpZC1lbG9uLW11c2sv?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiWGh0dHBzOi8vd3d3LnRtei5jb20vMjAyMC8wNy8wNC9rYW55ZS13ZXN0LWFubm91bmNlcy0yMDIwLXByZXNpZGVudGlhbC1ydW4tYmlkLWVsb24tbXVzay_SAVhodHRwczovL2FtcC50bXouY29tLzIwMjAvMDcvMDQva2FueWUtd2VzdC1hbm5vdW5jZXMtMjAyMC1wcmVzaWRlbnRpYWwtcnVuLWJpZC1lbG9uLW11c2sv?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 01:08:00 GMT", "published_parsed": [ 2020, 7, 5, 1, 8, 0, 6, 187, 0 ], "source": { "href": "https://www.tmz.com", "title": "TMZ" }, "sub_articles": [], "summary": "Kanye West Announces 2020 Presidential Bid, Elon Musk Supports  TMZView Full Coverage on Google News", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "Kanye West Announces 2020 Presidential Bid, Elon Musk Supports  TMZView Full Coverage on Google News" }, "title": "Kanye West Announces 2020 Presidential Bid, Elon Musk Supports - TMZ", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Kanye West Announces 2020 Presidential Bid, Elon Musk Supports - TMZ" } }, { "guidislink": false, "id": "52780897268730", "link": "https://news.google.com/__i/rss/rd/articles/CBMifmh0dHBzOi8vd3d3LnVzYXRvZGF5LmNvbS9zdG9yeS9lbnRlcnRhaW5tZW50LzIwMjAvMDcvMDQvanVseS00dGgtbWF0dGhldy1tY2NvbmF1Z2hleS1tYWRvbm5hLW1vcmUtY3JpdGljYWwtaG9saWRheS81Mzc1NzgzMDAyL9IBJ2h0dHBzOi8vYW1wLnVzYXRvZGF5LmNvbS9hbXAvNTM3NTc4MzAwMg?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMifmh0dHBzOi8vd3d3LnVzYXRvZGF5LmNvbS9zdG9yeS9lbnRlcnRhaW5tZW50LzIwMjAvMDcvMDQvanVseS00dGgtbWF0dGhldy1tY2NvbmF1Z2hleS1tYWRvbm5hLW1vcmUtY3JpdGljYWwtaG9saWRheS81Mzc1NzgzMDAyL9IBJ2h0dHBzOi8vYW1wLnVzYXRvZGF5LmNvbS9hbXAvNTM3NTc4MzAwMg?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 17:24:45 GMT", "published_parsed": [ 2020, 7, 4, 17, 24, 45, 5, 186, 0 ], "source": { "href": "https://www.usatoday.com", "title": "USA TODAY" }, "sub_articles": [ { "publisher": "USA TODAY", "title": "'Growing pains are good': Matthew McConaughey calls on America to reflect, other celebs criticize July 4th holiday", "url": "https://news.google.com/__i/rss/rd/articles/CBMifmh0dHBzOi8vd3d3LnVzYXRvZGF5LmNvbS9zdG9yeS9lbnRlcnRhaW5tZW50LzIwMjAvMDcvMDQvanVseS00dGgtbWF0dGhldy1tY2NvbmF1Z2hleS1tYWRvbm5hLW1vcmUtY3JpdGljYWwtaG9saWRheS81Mzc1NzgzMDAyL9IBJ2h0dHBzOi8vYW1wLnVzYXRvZGF5LmNvbS9hbXAvNTM3NTc4MzAwMg?oc=5" }, { "publisher": "Yahoo Entertainment", "title": "Matthew McConaughey shares inspiring 4th of July message: 'Wear the d*** mask'", "url": "https://news.google.com/__i/rss/rd/articles/CBMifGh0dHBzOi8vd3d3LnlhaG9vLmNvbS9lbnRlcnRhaW5tZW50L21hdHRoZXctbWMtY29uYXVnaGV5LXNoYXJlcy1pbnNwaXJpbmctNHRoLW9mLWp1bHktbWVzc2FnZS13ZWFyLXRoZS1kLW1hc2stMTgxMDQ3MTMwLmh0bWzSAYQBaHR0cHM6Ly93d3cueWFob28uY29tL2FtcGh0bWwvZW50ZXJ0YWlubWVudC9tYXR0aGV3LW1jLWNvbmF1Z2hleS1zaGFyZXMtaW5zcGlyaW5nLTR0aC1vZi1qdWx5LW1lc3NhZ2Utd2Vhci10aGUtZC1tYXNrLTE4MTA0NzEzMC5odG1s?oc=5" }, { "publisher": "Vulture", "title": "Matthew McConaughey Shared an Essential Fourth of July Message", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXGh0dHBzOi8vd3d3LnZ1bHR1cmUuY29tLzIwMjAvMDcvd2F0Y2gtbWF0dGhldy1tY2NvbmF1Z2hleS1zaGFyZXMtZm91cnRoLW9mLWp1bHktbWVzc2FnZS5odG1s0gFgaHR0cHM6Ly93d3cudnVsdHVyZS5jb20vYW1wLzIwMjAvMDcvd2F0Y2gtbWF0dGhldy1tY2NvbmF1Z2hleS1zaGFyZXMtZm91cnRoLW9mLWp1bHktbWVzc2FnZS5odG1s?oc=5" }, { "publisher": "Billboard", "title": "Jennifer Lopez, Florida Georgia Line and More Celebrate 4th of July 2020", "url": "https://news.google.com/__i/rss/rd/articles/CBMid2h0dHBzOi8vd3d3LmJpbGxib2FyZC5jb20vYXJ0aWNsZXMvbmV3cy85NDEzNTAxL2plbm5pZmVyLWxvcGV6LWZsb3JpZGEtZ2VvcmdpYS1saW5lLWFuZC1tb3JlLWNlbGVicmF0ZS00dGgtb2YtanVseS0yMDIw0gF7aHR0cHM6Ly93d3cuYmlsbGJvYXJkLmNvbS9hbXAvYXJ0aWNsZXMvbmV3cy85NDEzNTAxL2plbm5pZmVyLWxvcGV6LWZsb3JpZGEtZ2VvcmdpYS1saW5lLWFuZC1tb3JlLWNlbGVicmF0ZS00dGgtb2YtanVseS0yMDIw?oc=5" }, { "publisher": "PopCulture.com", "title": "July 4th: Matthew McConaughey Has a Passionate Message Americans Need to See", "url": "https://news.google.com/__i/rss/rd/articles/CBMiYGh0dHBzOi8vcG9wY3VsdHVyZS5jb20vY2VsZWJyaXR5L25ld3MvanVseS00dGgtbWF0dGhldy1tY2NvbmF1Z2hleS1wYXNzaW9uYXRlLW1lc3NhZ2UtYW1lcmljYW5zL9IBZGh0dHBzOi8vcG9wY3VsdHVyZS5jb20vY2VsZWJyaXR5L2FtcC9uZXdzL2p1bHktNHRoLW1hdHRoZXctbWNjb25hdWdoZXktcGFzc2lvbmF0ZS1tZXNzYWdlLWFtZXJpY2Fucy8?oc=5" } ], "summary": "
  1. 'Growing pains are good': Matthew McConaughey calls on America to reflect, other celebs criticize July 4th holiday  USA TODAY
  2. Matthew McConaughey shares inspiring 4th of July message: 'Wear the d*** mask'  Yahoo Entertainment
  3. Matthew McConaughey Shared an Essential Fourth of July Message  Vulture
  4. Jennifer Lopez, Florida Georgia Line and More Celebrate 4th of July 2020  Billboard
  5. July 4th: Matthew McConaughey Has a Passionate Message Americans Need to See  PopCulture.com
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. 'Growing pains are good': Matthew McConaughey calls on America to reflect, other celebs criticize July 4th holiday  USA TODAY
  2. Matthew McConaughey shares inspiring 4th of July message: 'Wear the d*** mask'  Yahoo Entertainment
  3. Matthew McConaughey Shared an Essential Fourth of July Message  Vulture
  4. Jennifer Lopez, Florida Georgia Line and More Celebrate 4th of July 2020  Billboard
  5. July 4th: Matthew McConaughey Has a Passionate Message Americans Need to See  PopCulture.com
  6. View Full Coverage on Google News
" }, "title": "'Growing pains are good': Matthew McConaughey calls on America to reflect, other celebs criticize July 4th holiday - USA TODAY", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "'Growing pains are good': Matthew McConaughey calls on America to reflect, other celebs criticize July 4th holiday - USA TODAY" } }, { "guidislink": false, "id": "CBMifWh0dHBzOi8vd3d3Lm1zbi5jb20vZW4tdXMvdHYvY2VsZWJyaXR5L2Fkcmllbm5lLWJhaWxvbi1zaG93cy1vZmYtcXVhcmFudGluZS13ZWlnaHQtbG9zcy1hbmQtbmV3LXRhbi1pbi1iaWtpbmktcGljL2FyLUJCMTZrU1ha0gEA", "link": "https://news.google.com/__i/rss/rd/articles/CBMifWh0dHBzOi8vd3d3Lm1zbi5jb20vZW4tdXMvdHYvY2VsZWJyaXR5L2Fkcmllbm5lLWJhaWxvbi1zaG93cy1vZmYtcXVhcmFudGluZS13ZWlnaHQtbG9zcy1hbmQtbmV3LXRhbi1pbi1iaWtpbmktcGljL2FyLUJCMTZrU1ha0gEA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMifWh0dHBzOi8vd3d3Lm1zbi5jb20vZW4tdXMvdHYvY2VsZWJyaXR5L2Fkcmllbm5lLWJhaWxvbi1zaG93cy1vZmYtcXVhcmFudGluZS13ZWlnaHQtbG9zcy1hbmQtbmV3LXRhbi1pbi1iaWtpbmktcGljL2FyLUJCMTZrU1ha0gEA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 19:56:00 GMT", "published_parsed": [ 2020, 7, 4, 19, 56, 0, 5, 186, 0 ], "source": { "href": "https://www.msn.com", "title": "MSN Money" }, "sub_articles": [], "summary": "Adrienne Bailon Shows Off Quarantine Weight Loss and New Tan in Bikini Pic  MSN MoneyView Full Coverage on Google News", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "Adrienne Bailon Shows Off Quarantine Weight Loss and New Tan in Bikini Pic  MSN MoneyView Full Coverage on Google News" }, "title": "Adrienne Bailon Shows Off Quarantine Weight Loss and New Tan in Bikini Pic - MSN Money", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Adrienne Bailon Shows Off Quarantine Weight Loss and New Tan in Bikini Pic - MSN Money" } }, { "guidislink": false, "id": "52780894996848", "link": "https://news.google.com/__i/rss/rd/articles/CBMiTmh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L2RvZGdlcnMtZGF2aWQtcHJpY2Utb3B0cy1vdXQtb2YtbWxiLTIwMjAtc2Vhc29uL9IBUmh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L2RvZGdlcnMtZGF2aWQtcHJpY2Utb3B0cy1vdXQtb2YtbWxiLTIwMjAtc2Vhc29uL2FtcC8?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiTmh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L2RvZGdlcnMtZGF2aWQtcHJpY2Utb3B0cy1vdXQtb2YtbWxiLTIwMjAtc2Vhc29uL9IBUmh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L2RvZGdlcnMtZGF2aWQtcHJpY2Utb3B0cy1vdXQtb2YtbWxiLTIwMjAtc2Vhc29uL2FtcC8?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 22:01:27 GMT", "published_parsed": [ 2020, 7, 4, 22, 1, 27, 5, 186, 0 ], "source": { "href": "https://nypost.com", "title": "New York Post" }, "sub_articles": [ { "publisher": "New York Post ", "title": "Dodgers' David Price opts out of MLB 2020 season over health concerns", "url": "https://news.google.com/__i/rss/rd/articles/CBMiTmh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L2RvZGdlcnMtZGF2aWQtcHJpY2Utb3B0cy1vdXQtb2YtbWxiLTIwMjAtc2Vhc29uL9IBUmh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L2RvZGdlcnMtZGF2aWQtcHJpY2Utb3B0cy1vdXQtb2YtbWxiLTIwMjAtc2Vhc29uL2FtcC8?oc=5" }, { "publisher": "Yahoo Sports", "title": "Dodgers pitcher David Price opts out of 2020 MLB season", "url": "https://news.google.com/__i/rss/rd/articles/CBMiaWh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9kb2RnZXJzLXBpdGNoZXItZGF2aWQtcHJpY2UtYW5ub3VuY2VzLWhlbGwtb3B0LW91dC1vZi0yMDIwLXNlYXNvbi0yMDUwNTA3MTUuaHRtbNIBcWh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9hbXBodG1sL2RvZGdlcnMtcGl0Y2hlci1kYXZpZC1wcmljZS1hbm5vdW5jZXMtaGVsbC1vcHQtb3V0LW9mLTIwMjAtc2Vhc29uLTIwNTA1MDcxNS5odG1s?oc=5" }, { "publisher": "MLB Trade Rumors", "title": "David Price Opts Out Of 2020 Season", "url": "https://news.google.com/__i/rss/rd/articles/CBMiT2h0dHBzOi8vd3d3Lm1sYnRyYWRlcnVtb3JzLmNvbS8yMDIwLzA3L2RhdmlkLXByaWNlLW9wdHMtb3V0LW9mLTIwMjAtc2Vhc29uLmh0bWzSAQA?oc=5" }, { "publisher": "Los Angeles Times", "title": "This day in sports: Dodgers and Angels top the standings in 1962", "url": "https://news.google.com/__i/rss/rd/articles/CBMiRWh0dHBzOi8vd3d3LmxhdGltZXMuY29tL3Nwb3J0cy9zdG9yeS8yMDIwLTA3LTA0L2RhdGUtaW4tc3BvcnRzLWp1bHktNNIBAA?oc=5" }, { "publisher": "Bleacher Report", "title": "Dodgers' David Price Opts Out of 2020 Season, Cites Family's Health as Priority", "url": "https://news.google.com/__i/rss/rd/articles/CBMieGh0dHBzOi8vYmxlYWNoZXJyZXBvcnQuY29tL2FydGljbGVzLzI4OTg4NjUtZG9kZ2Vycy1kYXZpZC1wcmljZS1vcHRzLW91dC1vZi0yMDIwLXNlYXNvbi1jaXRlcy1mYW1pbHlzLWhlYWx0aC1hcy1wcmlvcml0edIBiAFodHRwczovL3N5bmRpY2F0aW9uLmJsZWFjaGVycmVwb3J0LmNvbS9hbXAvMjg5ODg2NS1kb2RnZXJzLWRhdmlkLXByaWNlLW9wdHMtb3V0LW9mLTIwMjAtc2Vhc29uLWNpdGVzLWZhbWlseXMtaGVhbHRoLWFzLXByaW9yaXR5LmFtcC5odG1s?oc=5" } ], "summary": "
  1. Dodgers' David Price opts out of MLB 2020 season over health concerns  New York Post
  2. Dodgers pitcher David Price opts out of 2020 MLB season  Yahoo Sports
  3. David Price Opts Out Of 2020 Season  MLB Trade Rumors
  4. This day in sports: Dodgers and Angels top the standings in 1962  Los Angeles Times
  5. Dodgers' David Price Opts Out of 2020 Season, Cites Family's Health as Priority  Bleacher Report
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Dodgers' David Price opts out of MLB 2020 season over health concerns  New York Post
  2. Dodgers pitcher David Price opts out of 2020 MLB season  Yahoo Sports
  3. David Price Opts Out Of 2020 Season  MLB Trade Rumors
  4. This day in sports: Dodgers and Angels top the standings in 1962  Los Angeles Times
  5. Dodgers' David Price Opts Out of 2020 Season, Cites Family's Health as Priority  Bleacher Report
  6. View Full Coverage on Google News
" }, "title": "Dodgers' David Price opts out of MLB 2020 season over health concerns - New York Post", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Dodgers' David Price opts out of MLB 2020 season over health concerns - New York Post" } }, { "guidislink": false, "id": "52780892380627", "link": "https://news.google.com/__i/rss/rd/articles/CBMicGh0dHBzOi8vd3d3LmVzcG4uY29tL21tYS91ZmMvc3RvcnkvXy9pZC8yOTQxMTQxNS9zb3VyY2VzLXVmYy1uZWdvdGlhdGlvbnMta2FtYXJ1LXVzbWFuLXZzLWpvcmdlLW1hc3ZpZGFsLXVmYy0yNTHSAX1odHRwczovL3d3dy5lc3BuLmNvbS9tbWEvdWZjL3N0b3J5L18vaWQvMjk0MTE0MTUvc291cmNlcy11ZmMtbmVnb3RpYXRpb25zLWthbWFydS11c21hbi12cy1qb3JnZS1tYXN2aWRhbC11ZmMtMjUxP3BsYXRmb3JtPWFtcA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMicGh0dHBzOi8vd3d3LmVzcG4uY29tL21tYS91ZmMvc3RvcnkvXy9pZC8yOTQxMTQxNS9zb3VyY2VzLXVmYy1uZWdvdGlhdGlvbnMta2FtYXJ1LXVzbWFuLXZzLWpvcmdlLW1hc3ZpZGFsLXVmYy0yNTHSAX1odHRwczovL3d3dy5lc3BuLmNvbS9tbWEvdWZjL3N0b3J5L18vaWQvMjk0MTE0MTUvc291cmNlcy11ZmMtbmVnb3RpYXRpb25zLWthbWFydS11c21hbi12cy1qb3JnZS1tYXN2aWRhbC11ZmMtMjUxP3BsYXRmb3JtPWFtcA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 00:12:15 GMT", "published_parsed": [ 2020, 7, 5, 0, 12, 15, 6, 187, 0 ], "source": { "href": "https://www.espn.com", "title": "ESPN" }, "sub_articles": [ { "publisher": "ESPN", "title": "Sources -- UFC in negotiations for Kamaru Usman vs. Jorge Masvidal at UFC 251", "url": "https://news.google.com/__i/rss/rd/articles/CBMicGh0dHBzOi8vd3d3LmVzcG4uY29tL21tYS91ZmMvc3RvcnkvXy9pZC8yOTQxMTQxNS9zb3VyY2VzLXVmYy1uZWdvdGlhdGlvbnMta2FtYXJ1LXVzbWFuLXZzLWpvcmdlLW1hc3ZpZGFsLXVmYy0yNTHSAX1odHRwczovL3d3dy5lc3BuLmNvbS9tbWEvdWZjL3N0b3J5L18vaWQvMjk0MTE0MTUvc291cmNlcy11ZmMtbmVnb3RpYXRpb25zLWthbWFydS11c21hbi12cy1qb3JnZS1tYXN2aWRhbC11ZmMtMjUxP3BsYXRmb3JtPWFtcA?oc=5" }, { "publisher": "MMA Junkie", "title": "Don't expect Jorge Masvidal or Colby Covington to step in at UFC 251", "url": "https://news.google.com/__i/rss/rd/articles/CBMib2h0dHBzOi8vbW1hanVua2llLnVzYXRvZGF5LmNvbS8yMDIwLzA3L2thbWFydS11c21hbi1yZXBsYWNlbWVudC1vcHBvbmVudC1qb3JnZS1tYXN2aWRhbC11ZmMtMjUxLWNvbGJ5LWNvdmluZ3RvbtIBc2h0dHBzOi8vbW1hanVua2llLnVzYXRvZGF5LmNvbS8yMDIwLzA3L2thbWFydS11c21hbi1yZXBsYWNlbWVudC1vcHBvbmVudC1qb3JnZS1tYXN2aWRhbC11ZmMtMjUxLWNvbGJ5LWNvdmluZ3Rvbi9hbXA?oc=5" }, { "publisher": "New York Post ", "title": "UFC 'Fight Island' up in the air as Gilbert Burns contracts COVID-19", "url": "https://news.google.com/__i/rss/rd/articles/CBMiYWh0dHBzOi8vbnlwb3N0LmNvbS8yMDIwLzA3LzA0L3VmYy1maWdodC1pc2xhbmQtdXAtaW4tdGhlLWFpci1hcy1naWxiZXJ0LWJ1cm5zLWNvbnRyYWN0cy1jb3ZpZC0xOS_SAWVodHRwczovL255cG9zdC5jb20vMjAyMC8wNy8wNC91ZmMtZmlnaHQtaXNsYW5kLXVwLWluLXRoZS1haXItYXMtZ2lsYmVydC1idXJucy1jb250cmFjdHMtY292aWQtMTkvYW1wLw?oc=5" }, { "publisher": "The National", "title": "UFC 251: Gilbert Burns ruled out of Fight Island after testing positive for coronavirus - reports", "url": "https://news.google.com/__i/rss/rd/articles/CBMilQFodHRwczovL3d3dy50aGVuYXRpb25hbC5hZS9zcG9ydC9vdGhlci1zcG9ydC91ZmMtMjUxLWdpbGJlcnQtYnVybnMtcnVsZWQtb3V0LW9mLWZpZ2h0LWlzbGFuZC1hZnRlci10ZXN0aW5nLXBvc2l0aXZlLWZvci1jb3JvbmF2aXJ1cy1yZXBvcnRzLTEuMTA0Mzc3ONIBlQFodHRwczovL2FtcC50aGVuYXRpb25hbC5hZS9zcG9ydC9vdGhlci1zcG9ydC91ZmMtMjUxLWdpbGJlcnQtYnVybnMtcnVsZWQtb3V0LW9mLWZpZ2h0LWlzbGFuZC1hZnRlci10ZXN0aW5nLXBvc2l0aXZlLWZvci1jb3JvbmF2aXJ1cy1yZXBvcnRzLTEuMTA0Mzc3OA?oc=5" }, { "publisher": "ESPN", "title": "Gilbert Burns removed from UFC 251 main event, source says", "url": "https://news.google.com/__i/rss/rd/articles/CBMiVWh0dHBzOi8vd3d3LmVzcG4uY29tL21tYS9zdG9yeS9fL2lkLzI5NDA4ODA1L2dpbGJlcnQtYnVybnMtcmVtb3ZlZC11ZmMtMjUxLW1haW4tZXZlbnTSAWJodHRwczovL3d3dy5lc3BuLmNvbS9tbWEvc3RvcnkvXy9pZC8yOTQwODgwNS9naWxiZXJ0LWJ1cm5zLXJlbW92ZWQtdWZjLTI1MS1tYWluLWV2ZW50P3BsYXRmb3JtPWFtcA?oc=5" } ], "summary": "
  1. Sources -- UFC in negotiations for Kamaru Usman vs. Jorge Masvidal at UFC 251  ESPN
  2. Don't expect Jorge Masvidal or Colby Covington to step in at UFC 251  MMA Junkie
  3. UFC 'Fight Island' up in the air as Gilbert Burns contracts COVID-19  New York Post
  4. UFC 251: Gilbert Burns ruled out of Fight Island after testing positive for coronavirus - reports  The National
  5. Gilbert Burns removed from UFC 251 main event, source says  ESPN
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Sources -- UFC in negotiations for Kamaru Usman vs. Jorge Masvidal at UFC 251  ESPN
  2. Don't expect Jorge Masvidal or Colby Covington to step in at UFC 251  MMA Junkie
  3. UFC 'Fight Island' up in the air as Gilbert Burns contracts COVID-19  New York Post
  4. UFC 251: Gilbert Burns ruled out of Fight Island after testing positive for coronavirus - reports  The National
  5. Gilbert Burns removed from UFC 251 main event, source says  ESPN
  6. View Full Coverage on Google News
" }, "title": "Sources -- UFC in negotiations for Kamaru Usman vs. Jorge Masvidal at UFC 251 - ESPN", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Sources -- UFC in negotiations for Kamaru Usman vs. Jorge Masvidal at UFC 251 - ESPN" } }, { "guidislink": false, "id": "52780896975162", "link": "https://news.google.com/__i/rss/rd/articles/CBMidGh0dHBzOi8vMjQ3c3BvcnRzLmNvbS9BcnRpY2xlL0NhbGViLVdpbGxpYW1zLU9rbGFob21hLUxpbmNvbG4tUmlsZXktZml2ZS1zdGFyLWNvbW1pdHMtU29vbmVycy1xdWFydGVyYmFjay0xNDg4MzQ2Mzkv0gF4aHR0cHM6Ly8yNDdzcG9ydHMuY29tL0FydGljbGUvQ2FsZWItV2lsbGlhbXMtT2tsYWhvbWEtTGluY29sbi1SaWxleS1maXZlLXN0YXItY29tbWl0cy1Tb29uZXJzLXF1YXJ0ZXJiYWNrLTE0ODgzNDYzOS9BbXAv?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMidGh0dHBzOi8vMjQ3c3BvcnRzLmNvbS9BcnRpY2xlL0NhbGViLVdpbGxpYW1zLU9rbGFob21hLUxpbmNvbG4tUmlsZXktZml2ZS1zdGFyLWNvbW1pdHMtU29vbmVycy1xdWFydGVyYmFjay0xNDg4MzQ2Mzkv0gF4aHR0cHM6Ly8yNDdzcG9ydHMuY29tL0FydGljbGUvQ2FsZWItV2lsbGlhbXMtT2tsYWhvbWEtTGluY29sbi1SaWxleS1maXZlLXN0YXItY29tbWl0cy1Tb29uZXJzLXF1YXJ0ZXJiYWNrLTE0ODgzNDYzOS9BbXAv?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 01:09:09 GMT", "published_parsed": [ 2020, 7, 5, 1, 9, 9, 6, 187, 0 ], "source": { "href": "https://247sports.com", "title": "247Sports" }, "sub_articles": [ { "publisher": "247Sports", "title": "Top-ranked quarterback Caleb Williams commits to Oklahoma", "url": "https://news.google.com/__i/rss/rd/articles/CBMidGh0dHBzOi8vMjQ3c3BvcnRzLmNvbS9BcnRpY2xlL0NhbGViLVdpbGxpYW1zLU9rbGFob21hLUxpbmNvbG4tUmlsZXktZml2ZS1zdGFyLWNvbW1pdHMtU29vbmVycy1xdWFydGVyYmFjay0xNDg4MzQ2Mzkv0gF4aHR0cHM6Ly8yNDdzcG9ydHMuY29tL0FydGljbGUvQ2FsZWItV2lsbGlhbXMtT2tsYWhvbWEtTGluY29sbi1SaWxleS1maXZlLXN0YXItY29tbWl0cy1Tb29uZXJzLXF1YXJ0ZXJiYWNrLTE0ODgzNDYzOS9BbXAv?oc=5" }, { "publisher": "Yahoo Sports", "title": "Report: Top quarterback recruit Caleb Williams gave Maryland last word before college decision", "url": "https://news.google.com/__i/rss/rd/articles/CBMiTGh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9yZXBvcnQtdG9wLXF1YXJ0ZXJiYWNrLXJlY3J1aXQtY2FsZWItMTI1ODQ0MTg3Lmh0bWzSAVRodHRwczovL3Nwb3J0cy55YWhvby5jb20vYW1waHRtbC9yZXBvcnQtdG9wLXF1YXJ0ZXJiYWNrLXJlY3J1aXQtY2FsZWItMTI1ODQ0MTg3Lmh0bWw?oc=5" }, { "publisher": "Rivals.com", "title": "Domino Effect: Caleb Williams' commitment to Oklahoma", "url": "https://news.google.com/__i/rss/rd/articles/CBMiTWh0dHBzOi8vbi5yaXZhbHMuY29tL25ld3MvZG9taW5vLWVmZmVjdC1jYWxlYi13aWxsaWFtcy1jb21taXRtZW50LXRvLW9rbGFob21h0gEA?oc=5" }, { "publisher": "247Sports", "title": "Five-star QB Caleb Williams announcing commitment on CBS HQ", "url": "https://news.google.com/__i/rss/rd/articles/CBMiZmh0dHBzOi8vMjQ3c3BvcnRzLmNvbS9BcnRpY2xlL0NhbGViLVdpbGxpYW1zLWNvbW1pdG1lbnQtT2tsYWhvbWEtTWFyeWxhbmQtTFNVLUNCUy1TcG9ydHMtSFEtMTQ4ODE4MjI3L9IBamh0dHBzOi8vMjQ3c3BvcnRzLmNvbS9BcnRpY2xlL0NhbGViLVdpbGxpYW1zLWNvbW1pdG1lbnQtT2tsYWhvbWEtTWFyeWxhbmQtTFNVLUNCUy1TcG9ydHMtSFEtMTQ4ODE4MjI3L0FtcC8?oc=5" }, { "publisher": "MSN Money", "title": "WATCH: Five-star 2021 QB Caleb Williams announces commitment Saturday on CBS Sports HQ", "url": "https://news.google.com/__i/rss/rd/articles/CBMilQFodHRwczovL3d3dy5tc24uY29tL2VuLXVzL3Nwb3J0cy9uY2FhZmIvd2F0Y2gtZml2ZS1zdGFyLTIwMjEtcWItY2FsZWItd2lsbGlhbXMtYW5ub3VuY2VzLWNvbW1pdG1lbnQtc2F0dXJkYXktb24tY2JzLXNwb3J0cy1ocS9hci1CQjE2a01ndj9saT1CQjE1bXM1cdIBAA?oc=5" } ], "summary": "
  1. Top-ranked quarterback Caleb Williams commits to Oklahoma  247Sports
  2. Report: Top quarterback recruit Caleb Williams gave Maryland last word before college decision  Yahoo Sports
  3. Domino Effect: Caleb Williams' commitment to Oklahoma  Rivals.com
  4. Five-star QB Caleb Williams announcing commitment on CBS HQ  247Sports
  5. WATCH: Five-star 2021 QB Caleb Williams announces commitment Saturday on CBS Sports HQ  MSN Money
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Top-ranked quarterback Caleb Williams commits to Oklahoma  247Sports
  2. Report: Top quarterback recruit Caleb Williams gave Maryland last word before college decision  Yahoo Sports
  3. Domino Effect: Caleb Williams' commitment to Oklahoma  Rivals.com
  4. Five-star QB Caleb Williams announcing commitment on CBS HQ  247Sports
  5. WATCH: Five-star 2021 QB Caleb Williams announces commitment Saturday on CBS Sports HQ  MSN Money
  6. View Full Coverage on Google News
" }, "title": "Top-ranked quarterback Caleb Williams commits to Oklahoma - 247Sports", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Top-ranked quarterback Caleb Williams commits to Oklahoma - 247Sports" } }, { "guidislink": false, "id": "52780891193574", "link": "https://news.google.com/__i/rss/rd/articles/CBMiSmh0dHBzOi8vd3d3Lndhc2hpbmd0b25wb3N0LmNvbS9zcG9ydHMvMjAyMC8wNy8wNC9yb24tcml2ZXJhLXJlZHNraW5zLW5hbWUv0gFZaHR0cHM6Ly93d3cud2FzaGluZ3RvbnBvc3QuY29tL3Nwb3J0cy8yMDIwLzA3LzA0L3Jvbi1yaXZlcmEtcmVkc2tpbnMtbmFtZS8_b3V0cHV0VHlwZT1hbXA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiSmh0dHBzOi8vd3d3Lndhc2hpbmd0b25wb3N0LmNvbS9zcG9ydHMvMjAyMC8wNy8wNC9yb24tcml2ZXJhLXJlZHNraW5zLW5hbWUv0gFZaHR0cHM6Ly93d3cud2FzaGluZ3RvbnBvc3QuY29tL3Nwb3J0cy8yMDIwLzA3LzA0L3Jvbi1yaXZlcmEtcmVkc2tpbnMtbmFtZS8_b3V0cHV0VHlwZT1hbXA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 00:00:45 GMT", "published_parsed": [ 2020, 7, 5, 0, 0, 45, 6, 187, 0 ], "source": { "href": "https://www.washingtonpost.com", "title": "The Washington Post" }, "sub_articles": [ { "publisher": "The Washington Post", "title": "Ron Rivera says it ‘would be awesome’ if Redskins change name by start of 2020 season", "url": "https://news.google.com/__i/rss/rd/articles/CBMiSmh0dHBzOi8vd3d3Lndhc2hpbmd0b25wb3N0LmNvbS9zcG9ydHMvMjAyMC8wNy8wNC9yb24tcml2ZXJhLXJlZHNraW5zLW5hbWUv0gFZaHR0cHM6Ly93d3cud2FzaGluZ3RvbnBvc3QuY29tL3Nwb3J0cy8yMDIwLzA3LzA0L3Jvbi1yaXZlcmEtcmVkc2tpbnMtbmFtZS8_b3V0cHV0VHlwZT1hbXA?oc=5" }, { "publisher": "CNN", "title": "Washington Redskins will review name, team says", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9bllSNG5vTF9JdTTSAQA?oc=5" }, { "publisher": "WTOP", "title": "Column: Some more appropriate names for Washington NFL team", "url": "https://news.google.com/__i/rss/rd/articles/CBMiaGh0dHBzOi8vd3RvcC5jb20vd2FzaGluZ3Rvbi1yZWRza2lucy8yMDIwLzA3L2NvbHVtbi1zb21lLW1vcmUtYXBwcm9wcmlhdGUtbmFtZXMtZm9yLXdhc2hpbmd0b24tbmZsLXRlYW0v0gFsaHR0cHM6Ly93dG9wLmNvbS93YXNoaW5ndG9uLXJlZHNraW5zLzIwMjAvMDcvY29sdW1uLXNvbWUtbW9yZS1hcHByb3ByaWF0ZS1uYW1lcy1mb3Itd2FzaGluZ3Rvbi1uZmwtdGVhbS9hbXAv?oc=5" }, { "publisher": "Yahoo Sports", "title": "If the Redskins go with a new name, quarterback Dwayne Haskins has a favorite", "url": "https://news.google.com/__i/rss/rd/articles/CBMiUGh0dHBzOi8vc3BvcnRzLnlhaG9vLmNvbS9yZWRza2lucy1uYW1lLXF1YXJ0ZXJiYWNrLWR3YXluZS1oYXNraW5zLTAwNDAzNDIxMi5odG1s0gFYaHR0cHM6Ly9zcG9ydHMueWFob28uY29tL2FtcGh0bWwvcmVkc2tpbnMtbmFtZS1xdWFydGVyYmFjay1kd2F5bmUtaGFza2lucy0wMDQwMzQyMTIuaHRtbA?oc=5" }, { "publisher": "CNN", "title": "If they're going to rename the Washington Redskins, these are the likeliest contenders", "url": "https://news.google.com/__i/rss/rd/articles/CBMiV2h0dHBzOi8vd3d3LmNubi5jb20vMjAyMC8wNy8wMy91cy93YXNoaW5ndG9uLXJlZHNraW5zLXRlYW0tbmFtZS1uZmwtc3B0LXRybmQvaW5kZXguaHRtbNIBW2h0dHBzOi8vYW1wLmNubi5jb20vY25uLzIwMjAvMDcvMDMvdXMvd2FzaGluZ3Rvbi1yZWRza2lucy10ZWFtLW5hbWUtbmZsLXNwdC10cm5kL2luZGV4Lmh0bWw?oc=5" } ], "summary": "
  1. Ron Rivera says it ‘would be awesome’ if Redskins change name by start of 2020 season  The Washington Post
  2. Washington Redskins will review name, team says  CNN
  3. Column: Some more appropriate names for Washington NFL team  WTOP
  4. If the Redskins go with a new name, quarterback Dwayne Haskins has a favorite  Yahoo Sports
  5. If they're going to rename the Washington Redskins, these are the likeliest contenders  CNN
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Ron Rivera says it ‘would be awesome’ if Redskins change name by start of 2020 season  The Washington Post
  2. Washington Redskins will review name, team says  CNN
  3. Column: Some more appropriate names for Washington NFL team  WTOP
  4. If the Redskins go with a new name, quarterback Dwayne Haskins has a favorite  Yahoo Sports
  5. If they're going to rename the Washington Redskins, these are the likeliest contenders  CNN
  6. View Full Coverage on Google News
" }, "title": "Ron Rivera says it ‘would be awesome’ if Redskins change name by start of 2020 season - The Washington Post", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Ron Rivera says it ‘would be awesome’ if Redskins change name by start of 2020 season - The Washington Post" } }, { "guidislink": false, "id": "52780880362349", "link": "https://news.google.com/__i/rss/rd/articles/CBMia2h0dHBzOi8vd3d3LmtzbC5jb20vYXJ0aWNsZS80Njc3MzA2Mi9maXJld29ya3MtY2FuY2VsZWQtdGhpcy15ZWFyLXdhdGNoLXRoZS1sdW5hci1lY2xpcHNlLWJ1Y2stbW9vbi1pbnN0ZWFk0gEA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMia2h0dHBzOi8vd3d3LmtzbC5jb20vYXJ0aWNsZS80Njc3MzA2Mi9maXJld29ya3MtY2FuY2VsZWQtdGhpcy15ZWFyLXdhdGNoLXRoZS1sdW5hci1lY2xpcHNlLWJ1Y2stbW9vbi1pbnN0ZWFk0gEA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 01:14:09 GMT", "published_parsed": [ 2020, 7, 5, 1, 14, 9, 6, 187, 0 ], "source": { "href": "https://www.ksl.com", "title": "KSL.com" }, "sub_articles": [ { "publisher": "KSL.com", "title": "Fireworks canceled this year? Watch the lunar eclipse 'Buck Moon' instead", "url": "https://news.google.com/__i/rss/rd/articles/CBMia2h0dHBzOi8vd3d3LmtzbC5jb20vYXJ0aWNsZS80Njc3MzA2Mi9maXJld29ya3MtY2FuY2VsZWQtdGhpcy15ZWFyLXdhdGNoLXRoZS1sdW5hci1lY2xpcHNlLWJ1Y2stbW9vbi1pbnN0ZWFk0gEA?oc=5" }, { "publisher": "CNET", "title": "How to watch the 'buck moon' lunar eclipse this Fourth of July weekend", "url": "https://news.google.com/__i/rss/rd/articles/CBMiZmh0dHBzOi8vd3d3LmNuZXQuY29tL2hvdy10by9ob3ctdG8td2F0Y2gtdGhlLTIwMjAtYnVjay1tb29uLWx1bmFyLWVjbGlwc2UtdGhpcy1mb3VydGgtb2YtanVseS13ZWVrZW5kL9IBb2h0dHBzOi8vd3d3LmNuZXQuY29tL2dvb2dsZS1hbXAvbmV3cy9ob3ctdG8td2F0Y2gtdGhlLTIwMjAtYnVjay1tb29uLWx1bmFyLWVjbGlwc2UtdGhpcy1mb3VydGgtb2YtanVseS13ZWVrZW5kLw?oc=5" }, { "publisher": "CBS New York", "title": "'Buck Moon' Lunar Eclipse Visible Saturday Night", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9MlJFYlQzWXMtbVHSAQA?oc=5" }, { "publisher": "Space.com", "title": "The 'Buck Moon' lunar eclipse this Fourth of July will be hard to see", "url": "https://news.google.com/__i/rss/rd/articles/CBMiT2h0dHBzOi8vd3d3LnNwYWNlLmNvbS9idWNrLW1vb24tbHVuYXItZWNsaXBzZS1mb3VydGgtb2YtanVseS0yMDIwLWZvcmVjYXN0Lmh0bWzSAQA?oc=5" }, { "publisher": "AccuWeather.com", "title": "Moon makes headlines during the holiday weekend", "url": "https://news.google.com/__i/rss/rd/articles/CBMibWh0dHBzOi8vd3d3LmFjY3V3ZWF0aGVyLmNvbS9lbi93ZWF0aGVyLWJsb2dzL2FzdHJvbm9teS9tb29uLW1ha2VzLWhlYWRsaW5lcy1kdXJpbmctdGhlLWhvbGlkYXktd2Vla2VuZC83Njk0NzPSAQA?oc=5" } ], "summary": "
  1. Fireworks canceled this year? Watch the lunar eclipse 'Buck Moon' instead  KSL.com
  2. How to watch the 'buck moon' lunar eclipse this Fourth of July weekend  CNET
  3. 'Buck Moon' Lunar Eclipse Visible Saturday Night  CBS New York
  4. The 'Buck Moon' lunar eclipse this Fourth of July will be hard to see  Space.com
  5. Moon makes headlines during the holiday weekend  AccuWeather.com
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Fireworks canceled this year? Watch the lunar eclipse 'Buck Moon' instead  KSL.com
  2. How to watch the 'buck moon' lunar eclipse this Fourth of July weekend  CNET
  3. 'Buck Moon' Lunar Eclipse Visible Saturday Night  CBS New York
  4. The 'Buck Moon' lunar eclipse this Fourth of July will be hard to see  Space.com
  5. Moon makes headlines during the holiday weekend  AccuWeather.com
  6. View Full Coverage on Google News
" }, "title": "Fireworks canceled this year? Watch the lunar eclipse 'Buck Moon' instead - KSL.com", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Fireworks canceled this year? Watch the lunar eclipse 'Buck Moon' instead - KSL.com" } }, { "guidislink": false, "id": "CAIiELZNkO1SMwGqJ-nK6URRT9IqMwgEKioIACIQIy2Z_nMMhehesVpLZUEpbyoUCAoiECMtmf5zDIXoXrFaS2VBKW8w5qjKBg", "link": "https://news.google.com/__i/rss/rd/articles/CBMiRWh0dHBzOi8vd3d3LmxpdmVzY2llbmNlLmNvbS93aGF0LWNvbG9yLWFyZS1vdGhlci1wbGFuZXRzLXN1bnNldHMuaHRtbNIBSWh0dHBzOi8vd3d3LmxpdmVzY2llbmNlLmNvbS9hbXAvd2hhdC1jb2xvci1hcmUtb3RoZXItcGxhbmV0cy1zdW5zZXRzLmh0bWw?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiRWh0dHBzOi8vd3d3LmxpdmVzY2llbmNlLmNvbS93aGF0LWNvbG9yLWFyZS1vdGhlci1wbGFuZXRzLXN1bnNldHMuaHRtbNIBSWh0dHBzOi8vd3d3LmxpdmVzY2llbmNlLmNvbS9hbXAvd2hhdC1jb2xvci1hcmUtb3RoZXItcGxhbmV0cy1zdW5zZXRzLmh0bWw?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 11:26:09 GMT", "published_parsed": [ 2020, 7, 4, 11, 26, 9, 5, 186, 0 ], "source": { "href": "https://www.livescience.com", "title": "Live Science" }, "sub_articles": [], "summary": "What color is the sunset on other planets?  Live Science", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "What color is the sunset on other planets?  Live Science" }, "title": "What color is the sunset on other planets? - Live Science", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "What color is the sunset on other planets? - Live Science" } }, { "guidislink": false, "id": "CAIiEONY-4RBNPsPTmhPvOzZ5igqFwgEKg8IACoHCAowjuuKAzCWrzwwxoIY", "link": "https://news.google.com/__i/rss/rd/articles/CBMiR2h0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvaGVhbHRoL2Nvcm9uYXZpcnVzLW5lYW5kZXJ0aGFscy5odG1s0gFLaHR0cHM6Ly93d3cubnl0aW1lcy5jb20vMjAyMC8wNy8wNC9oZWFsdGgvY29yb25hdmlydXMtbmVhbmRlcnRoYWxzLmFtcC5odG1s?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiR2h0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvaGVhbHRoL2Nvcm9uYXZpcnVzLW5lYW5kZXJ0aGFscy5odG1s0gFLaHR0cHM6Ly93d3cubnl0aW1lcy5jb20vMjAyMC8wNy8wNC9oZWFsdGgvY29yb25hdmlydXMtbmVhbmRlcnRoYWxzLmFtcC5odG1s?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 00:06:12 GMT", "published_parsed": [ 2020, 7, 5, 0, 6, 12, 6, 187, 0 ], "source": { "href": "https://www.nytimes.com", "title": "The New York Times" }, "sub_articles": [], "summary": "DNA Linked to Covid-19 Was Inherited From Neanderthals, Study Finds  The New York Times", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "DNA Linked to Covid-19 Was Inherited From Neanderthals, Study Finds  The New York Times" }, "title": "DNA Linked to Covid-19 Was Inherited From Neanderthals, Study Finds - The New York Times", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "DNA Linked to Covid-19 Was Inherited From Neanderthals, Study Finds - The New York Times" } }, { "guidislink": false, "id": "52780897294923", "link": "https://news.google.com/__i/rss/rd/articles/CBMicmh0dHBzOi8vd3d3LmNic25ld3MuY29tL25ld3Mvcm9ja2V0LWxhYi1sb3Nlcy1lbGVjdHJvbi1ib29zdGVyLWZpdmUtc21hbGwtc2F0ZWxsaXRlcy1pbi1sYXVuY2gtZmFpbHVyZS0yMDIwLTA3LTA0L9IBdmh0dHBzOi8vd3d3LmNic25ld3MuY29tL2FtcC9uZXdzL3JvY2tldC1sYWItbG9zZXMtZWxlY3Ryb24tYm9vc3Rlci1maXZlLXNtYWxsLXNhdGVsbGl0ZXMtaW4tbGF1bmNoLWZhaWx1cmUtMjAyMC0wNy0wNC8?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMicmh0dHBzOi8vd3d3LmNic25ld3MuY29tL25ld3Mvcm9ja2V0LWxhYi1sb3Nlcy1lbGVjdHJvbi1ib29zdGVyLWZpdmUtc21hbGwtc2F0ZWxsaXRlcy1pbi1sYXVuY2gtZmFpbHVyZS0yMDIwLTA3LTA0L9IBdmh0dHBzOi8vd3d3LmNic25ld3MuY29tL2FtcC9uZXdzL3JvY2tldC1sYWItbG9zZXMtZWxlY3Ryb24tYm9vc3Rlci1maXZlLXNtYWxsLXNhdGVsbGl0ZXMtaW4tbGF1bmNoLWZhaWx1cmUtMjAyMC0wNy0wNC8?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 00:24:20 GMT", "published_parsed": [ 2020, 7, 5, 0, 24, 20, 6, 187, 0 ], "source": { "href": "https://www.cbsnews.com", "title": "CBS News" }, "sub_articles": [ { "publisher": "CBS News", "title": "Rocket Lab loses Electron booster, five small satellites in launch failure", "url": "https://news.google.com/__i/rss/rd/articles/CBMicmh0dHBzOi8vd3d3LmNic25ld3MuY29tL25ld3Mvcm9ja2V0LWxhYi1sb3Nlcy1lbGVjdHJvbi1ib29zdGVyLWZpdmUtc21hbGwtc2F0ZWxsaXRlcy1pbi1sYXVuY2gtZmFpbHVyZS0yMDIwLTA3LTA0L9IBdmh0dHBzOi8vd3d3LmNic25ld3MuY29tL2FtcC9uZXdzL3JvY2tldC1sYWItbG9zZXMtZWxlY3Ryb24tYm9vc3Rlci1maXZlLXNtYWxsLXNhdGVsbGl0ZXMtaW4tbGF1bmNoLWZhaWx1cmUtMjAyMC0wNy0wNC8?oc=5" }, { "publisher": "Ars Technica", "title": "After a second stage failure, Rocket Lab loses seven satellites", "url": "https://news.google.com/__i/rss/rd/articles/CBMiVmh0dHBzOi8vYXJzdGVjaG5pY2EuY29tL3NjaWVuY2UvMjAyMC8wNy9vbi1pdHMtMTN0aC1sYXVuY2gtcm9ja2V0LWxhYi1sb3Nlcy1hLW1pc3Npb24v0gFcaHR0cHM6Ly9hcnN0ZWNobmljYS5jb20vc2NpZW5jZS8yMDIwLzA3L29uLWl0cy0xM3RoLWxhdW5jaC1yb2NrZXQtbGFiLWxvc2VzLWEtbWlzc2lvbi8_YW1wPTE?oc=5" }, { "publisher": "The Verge", "title": "Rocket Lab’s 13th launch ends in failure, after rocket experiences problem mid-flight", "url": "https://news.google.com/__i/rss/rd/articles/CBMiZWh0dHBzOi8vd3d3LnRoZXZlcmdlLmNvbS8yMDIwLzcvNC8yMTMxMzUwMi9yb2NrZXQtbGFiLWVsZWN0cm9uLWxhdW5jaC1mYWlsdXJlLXBpY3Mtb3ItaXQtZGlkbnQtaGFwcGVu0gFyaHR0cHM6Ly93d3cudGhldmVyZ2UuY29tL3BsYXRmb3JtL2FtcC8yMDIwLzcvNC8yMTMxMzUwMi9yb2NrZXQtbGFiLWVsZWN0cm9uLWxhdW5jaC1mYWlsdXJlLXBpY3Mtb3ItaXQtZGlkbnQtaGFwcGVu?oc=5" }, { "publisher": "planet.com", "title": "Rocket Lab Electron Rocket Fails Carrying Five SuperDoves", "url": "https://news.google.com/__i/rss/rd/articles/CBMiUGh0dHBzOi8vd3d3LnBsYW5ldC5jb20vcHVsc2Uvcm9ja2V0LWxhYi1lbGVjdHJvbi1sYXVuY2gtZmFpbHVyZS1maXZlLXN1cGVyZG92ZXMv0gEA?oc=5" }, { "publisher": "Spaceflight Now", "title": "Live coverage: Rocket Lab confirms launch failure after liftoff with seven satellites", "url": "https://news.google.com/__i/rss/rd/articles/CBMiXWh0dHBzOi8vc3BhY2VmbGlnaHRub3cuY29tLzIwMjAvMDcvMDQvZWxlY3Ryb24tcGljcy1vci1pdC1kaWRudC1oYXBwZW4tbWlzc2lvbi1zdGF0dXMtY2VudGVyL9IBAA?oc=5" } ], "summary": "
  1. Rocket Lab loses Electron booster, five small satellites in launch failure  CBS News
  2. After a second stage failure, Rocket Lab loses seven satellites  Ars Technica
  3. Rocket Lab’s 13th launch ends in failure, after rocket experiences problem mid-flight  The Verge
  4. Rocket Lab Electron Rocket Fails Carrying Five SuperDoves  planet.com
  5. Live coverage: Rocket Lab confirms launch failure after liftoff with seven satellites  Spaceflight Now
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Rocket Lab loses Electron booster, five small satellites in launch failure  CBS News
  2. After a second stage failure, Rocket Lab loses seven satellites  Ars Technica
  3. Rocket Lab’s 13th launch ends in failure, after rocket experiences problem mid-flight  The Verge
  4. Rocket Lab Electron Rocket Fails Carrying Five SuperDoves  planet.com
  5. Live coverage: Rocket Lab confirms launch failure after liftoff with seven satellites  Spaceflight Now
  6. View Full Coverage on Google News
" }, "title": "Rocket Lab loses Electron booster, five small satellites in launch failure - CBS News", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Rocket Lab loses Electron booster, five small satellites in launch failure - CBS News" } }, { "guidislink": false, "id": "CAIiEGp18wGfU12v7GbG2xMqcBUqFwgEKg8IACoHCAowjuuKAzCWrzwwloEY", "link": "https://news.google.com/__i/rss/rd/articles/CBMiZ2h0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvaGVhbHRoLzIzOS1leHBlcnRzLXdpdGgtMS1iaWctY2xhaW0tdGhlLWNvcm9uYXZpcnVzLWlzLWFpcmJvcm5lLmh0bWzSAWtodHRwczovL3d3dy5ueXRpbWVzLmNvbS8yMDIwLzA3LzA0L2hlYWx0aC8yMzktZXhwZXJ0cy13aXRoLTEtYmlnLWNsYWltLXRoZS1jb3JvbmF2aXJ1cy1pcy1haXJib3JuZS5hbXAuaHRtbA?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiZ2h0dHBzOi8vd3d3Lm55dGltZXMuY29tLzIwMjAvMDcvMDQvaGVhbHRoLzIzOS1leHBlcnRzLXdpdGgtMS1iaWctY2xhaW0tdGhlLWNvcm9uYXZpcnVzLWlzLWFpcmJvcm5lLmh0bWzSAWtodHRwczovL3d3dy5ueXRpbWVzLmNvbS8yMDIwLzA3LzA0L2hlYWx0aC8yMzktZXhwZXJ0cy13aXRoLTEtYmlnLWNsYWltLXRoZS1jb3JvbmF2aXJ1cy1pcy1haXJib3JuZS5hbXAuaHRtbA?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sun, 05 Jul 2020 00:49:10 GMT", "published_parsed": [ 2020, 7, 5, 0, 49, 10, 6, 187, 0 ], "source": { "href": "https://www.nytimes.com", "title": "The New York Times" }, "sub_articles": [], "summary": "239 Experts With 1 Big Claim: The Coronavirus Is Airborne  The New York TimesView Full Coverage on Google News", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "239 Experts With 1 Big Claim: The Coronavirus Is Airborne  The New York TimesView Full Coverage on Google News" }, "title": "239 Experts With 1 Big Claim: The Coronavirus Is Airborne - The New York Times", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "239 Experts With 1 Big Claim: The Coronavirus Is Airborne - The New York Times" } }, { "guidislink": false, "id": "CBMiiwFodHRwczovL3d3dy5yZXV0ZXJzLmNvbS9hcnRpY2xlL3VzLWhlYWx0aC1jb3JvbmF2aXJ1cy11c2EvZmxvcmlkYS10ZXhhcy1wb3N0LWRhaWx5LWNvdmlkLTE5LXJlY29yZHMtYXMtcG9zaXRpdml0eS1yYXRlcy1jbGltYi1pZFVTS0JOMjQ1MEpT0gE0aHR0cHM6Ly9tb2JpbGUucmV1dGVycy5jb20vYXJ0aWNsZS9hbXAvaWRVU0tCTjI0NTBKUw", "link": "https://news.google.com/__i/rss/rd/articles/CBMiiwFodHRwczovL3d3dy5yZXV0ZXJzLmNvbS9hcnRpY2xlL3VzLWhlYWx0aC1jb3JvbmF2aXJ1cy11c2EvZmxvcmlkYS10ZXhhcy1wb3N0LWRhaWx5LWNvdmlkLTE5LXJlY29yZHMtYXMtcG9zaXRpdml0eS1yYXRlcy1jbGltYi1pZFVTS0JOMjQ1MEpT0gE0aHR0cHM6Ly9tb2JpbGUucmV1dGVycy5jb20vYXJ0aWNsZS9hbXAvaWRVU0tCTjI0NTBKUw?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiiwFodHRwczovL3d3dy5yZXV0ZXJzLmNvbS9hcnRpY2xlL3VzLWhlYWx0aC1jb3JvbmF2aXJ1cy11c2EvZmxvcmlkYS10ZXhhcy1wb3N0LWRhaWx5LWNvdmlkLTE5LXJlY29yZHMtYXMtcG9zaXRpdml0eS1yYXRlcy1jbGltYi1pZFVTS0JOMjQ1MEpT0gE0aHR0cHM6Ly9tb2JpbGUucmV1dGVycy5jb20vYXJ0aWNsZS9hbXAvaWRVU0tCTjI0NTBKUw?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 15:28:00 GMT", "published_parsed": [ 2020, 7, 4, 15, 28, 0, 5, 186, 0 ], "source": { "href": "https://www.reuters.com", "title": "Reuters" }, "sub_articles": [], "summary": "Florida, Texas post daily COVID-19 records as 'positivity' rates climb  Reuters", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "Florida, Texas post daily COVID-19 records as 'positivity' rates climb  Reuters" }, "title": "Florida, Texas post daily COVID-19 records as 'positivity' rates climb - Reuters", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Florida, Texas post daily COVID-19 records as 'positivity' rates climb - Reuters" } }, { "guidislink": false, "id": "CAIiEBdib7ZvVqDiFFUcjHVhvk8qGQgEKhAIACoHCAow_o3_CjD4hvgCMLeq5AU", "link": "https://news.google.com/__i/rss/rd/articles/CBMiVmh0dHBzOi8vZm94Nm5vdy5jb20vMjAyMC8wNy8wNC9yYXJlLWJyYWluLWVhdGluZy1hbW9lYmEtaW5mZWN0aW9uLXJlcG9ydGVkLWluLWZsb3JpZGEv0gFaaHR0cHM6Ly9mb3g2bm93LmNvbS8yMDIwLzA3LzA0L3JhcmUtYnJhaW4tZWF0aW5nLWFtb2ViYS1pbmZlY3Rpb24tcmVwb3J0ZWQtaW4tZmxvcmlkYS9hbXAv?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiVmh0dHBzOi8vZm94Nm5vdy5jb20vMjAyMC8wNy8wNC9yYXJlLWJyYWluLWVhdGluZy1hbW9lYmEtaW5mZWN0aW9uLXJlcG9ydGVkLWluLWZsb3JpZGEv0gFaaHR0cHM6Ly9mb3g2bm93LmNvbS8yMDIwLzA3LzA0L3JhcmUtYnJhaW4tZWF0aW5nLWFtb2ViYS1pbmZlY3Rpb24tcmVwb3J0ZWQtaW4tZmxvcmlkYS9hbXAv?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 18:28:27 GMT", "published_parsed": [ 2020, 7, 4, 18, 28, 27, 5, 186, 0 ], "source": { "href": "https://fox6now.com", "title": "WITI FOX 6 Milwaukee" }, "sub_articles": [], "summary": "Rare brain-eating amoeba infection reported in Florida  WITI FOX 6 MilwaukeeView Full Coverage on Google News", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "Rare brain-eating amoeba infection reported in Florida  WITI FOX 6 MilwaukeeView Full Coverage on Google News" }, "title": "Rare brain-eating amoeba infection reported in Florida - WITI FOX 6 Milwaukee", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Rare brain-eating amoeba infection reported in Florida - WITI FOX 6 Milwaukee" } }, { "guidislink": false, "id": "52780897325949", "link": "https://news.google.com/__i/rss/rd/articles/CBMiTmh0dHBzOi8vcGl0dHNidXJnaC5jYnNsb2NhbC5jb20vMjAyMC8wNy8wNC9hbGxlZ2hlbnktY28taGVhbHRoLWRlcHQtMTUwLWNhc2VzL9IBUmh0dHBzOi8vcGl0dHNidXJnaC5jYnNsb2NhbC5jb20vMjAyMC8wNy8wNC9hbGxlZ2hlbnktY28taGVhbHRoLWRlcHQtMTUwLWNhc2VzL2FtcC8?oc=5", "links": [ { "href": "https://news.google.com/__i/rss/rd/articles/CBMiTmh0dHBzOi8vcGl0dHNidXJnaC5jYnNsb2NhbC5jb20vMjAyMC8wNy8wNC9hbGxlZ2hlbnktY28taGVhbHRoLWRlcHQtMTUwLWNhc2VzL9IBUmh0dHBzOi8vcGl0dHNidXJnaC5jYnNsb2NhbC5jb20vMjAyMC8wNy8wNC9hbGxlZ2hlbnktY28taGVhbHRoLWRlcHQtMTUwLWNhc2VzL2FtcC8?oc=5", "rel": "alternate", "type": "text/html" } ], "published": "Sat, 04 Jul 2020 15:11:23 GMT", "published_parsed": [ 2020, 7, 4, 15, 11, 23, 5, 186, 0 ], "source": { "href": "https://pittsburgh.cbslocal.com", "title": "CBS Pittsburgh" }, "sub_articles": [ { "publisher": "CBS Pittsburgh", "title": "Allegheny Co. Health Dept. Reports 150 New Coronavirus Cases As County Total Climbs To 3,263", "url": "https://news.google.com/__i/rss/rd/articles/CBMiTmh0dHBzOi8vcGl0dHNidXJnaC5jYnNsb2NhbC5jb20vMjAyMC8wNy8wNC9hbGxlZ2hlbnktY28taGVhbHRoLWRlcHQtMTUwLWNhc2VzL9IBUmh0dHBzOi8vcGl0dHNidXJnaC5jYnNsb2NhbC5jb20vMjAyMC8wNy8wNC9hbGxlZ2hlbnktY28taGVhbHRoLWRlcHQtMTUwLWNhc2VzL2FtcC8?oc=5" }, { "publisher": "PennLive", "title": "Pa. adds 634 coronavirus cases, totals 6,700+ related deaths as of Saturday", "url": "https://news.google.com/__i/rss/rd/articles/CBMicmh0dHBzOi8vd3d3LnBlbm5saXZlLmNvbS9uZXdzLzIwMjAvMDcvcGEtYWRkcy02MzQtY29yb25hdmlydXMtY2FzZXMtdG90YWxzLTY3MDAtcmVsYXRlZC1kZWF0aHMtYXMtb2Ytc2F0dXJkYXkuaHRtbNIBgQFodHRwczovL3d3dy5wZW5ubGl2ZS5jb20vbmV3cy8yMDIwLzA3L3BhLWFkZHMtNjM0LWNvcm9uYXZpcnVzLWNhc2VzLXRvdGFscy02NzAwLXJlbGF0ZWQtZGVhdGhzLWFzLW9mLXNhdHVyZGF5Lmh0bWw_b3V0cHV0VHlwZT1hbXA?oc=5" }, { "publisher": "CBS Pittsburgh", "title": "Allegheny County Reports 150 Cases Of Coronavirus", "url": "https://news.google.com/__i/rss/rd/articles/CBMiK2h0dHBzOi8vd3d3LnlvdXR1YmUuY29tL3dhdGNoP3Y9XzRmTDRiNk9veDjSAQA?oc=5" }, { "publisher": "TribLIVE", "title": "Allegheny County reports 150 new coronavirus cases, no new deaths", "url": "https://news.google.com/__i/rss/rd/articles/CBMicWh0dHBzOi8vdHJpYmxpdmUuY29tL2xvY2FsL3BpdHRzYnVyZ2gtYWxsZWdoZW55L2FsbGVnaGVueS1jb3VudHktcmVwb3J0cy0xNTAtbmV3LWNvcm9uYXZpcnVzLWNhc2VzLW5vLW5ldy1kZWF0aHMv0gEA?oc=5" }, { "publisher": "WTAE Pittsburgh", "title": "Allegheny County Health Department says contact tracing to be slower with spike in cases", "url": "https://news.google.com/__i/rss/rd/articles/CBMifmh0dHBzOi8vd3d3Lnd0YWUuY29tL2FydGljbGUvYWxsZWdoZW55LWNvdW50eS1oZWFsdGgtZGVwYXJ0bWVudC1zYXlzLWNvbnRhY3QtdHJhY2luZy10by1iZS1zbG93ZXItd2l0aC1zcGlrZS1pbi1jYXNlcy8zMzE0MTQyMNIBggFodHRwczovL3d3dy53dGFlLmNvbS9hbXAvYXJ0aWNsZS9hbGxlZ2hlbnktY291bnR5LWhlYWx0aC1kZXBhcnRtZW50LXNheXMtY29udGFjdC10cmFjaW5nLXRvLWJlLXNsb3dlci13aXRoLXNwaWtlLWluLWNhc2VzLzMzMTQxNDIw?oc=5" } ], "summary": "
  1. Allegheny Co. Health Dept. Reports 150 New Coronavirus Cases As County Total Climbs To 3,263  CBS Pittsburgh
  2. Pa. adds 634 coronavirus cases, totals 6,700+ related deaths as of Saturday  PennLive
  3. Allegheny County Reports 150 Cases Of Coronavirus  CBS Pittsburgh
  4. Allegheny County reports 150 new coronavirus cases, no new deaths  TribLIVE
  5. Allegheny County Health Department says contact tracing to be slower with spike in cases  WTAE Pittsburgh
  6. View Full Coverage on Google News
", "summary_detail": { "base": "", "language": null, "type": "text/html", "value": "
  1. Allegheny Co. Health Dept. Reports 150 New Coronavirus Cases As County Total Climbs To 3,263  CBS Pittsburgh
  2. Pa. adds 634 coronavirus cases, totals 6,700+ related deaths as of Saturday  PennLive
  3. Allegheny County Reports 150 Cases Of Coronavirus  CBS Pittsburgh
  4. Allegheny County reports 150 new coronavirus cases, no new deaths  TribLIVE
  5. Allegheny County Health Department says contact tracing to be slower with spike in cases  WTAE Pittsburgh
  6. View Full Coverage on Google News
" }, "title": "Allegheny Co. Health Dept. Reports 150 New Coronavirus Cases As County Total Climbs To 3,263 - CBS Pittsburgh", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Allegheny Co. Health Dept. Reports 150 New Coronavirus Cases As County Total Climbs To 3,263 - CBS Pittsburgh" } } ], "feed": { "generator": "NFE/5.0", "generator_detail": { "name": "NFE/5.0" }, "language": "en-US", "link": "https://news.google.com/?ceid=US:en&hl=en-US&gl=US", "links": [ { "href": "https://news.google.com/?ceid=US:en&hl=en-US&gl=US", "rel": "alternate", "type": "text/html" } ], "publisher": "news-webmaster@google.com", "publisher_detail": { "email": "news-webmaster@google.com" }, "rights": "2020 Google Inc.", "rights_detail": { "base": "", "language": null, "type": "text/plain", "value": "2020 Google Inc." }, "subtitle": "Google News", "subtitle_detail": { "base": "", "language": null, "type": "text/html", "value": "Google News" }, "title": "Top stories - Google News", "title_detail": { "base": "", "language": null, "type": "text/plain", "value": "Top stories - Google News" }, "updated": "Sun, 05 Jul 2020 01:43:46 GMT", "updated_parsed": [ 2020, 7, 5, 1, 43, 46, 6, 187, 0 ] } }
POST SERP
{{baseUrl}}/v1/serp/
BODY json

{
  "query": "",
  "website": ""
}
Examples
REQUEST

CURL *hnd = curl_easy_init();

curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "POST");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/v1/serp/");

struct curl_slist *headers = NULL;
headers = curl_slist_append(headers, "content-type: application/json");
curl_easy_setopt(hnd, CURLOPT_HTTPHEADER, headers);

curl_easy_setopt(hnd, CURLOPT_POSTFIELDS, "{\n  \"query\": \"\",\n  \"website\": \"\"\n}");

CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])

(client/post "{{baseUrl}}/v1/serp/" {:content-type :json
                                                     :form-params {:query ""
                                                                   :website ""}})
require "http/client"

url = "{{baseUrl}}/v1/serp/"
headers = HTTP::Headers{
  "content-type" => "application/json"
}
reqBody = "{\n  \"query\": \"\",\n  \"website\": \"\"\n}"

response = HTTP::Client.post url, headers: headers, body: reqBody
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
    Method = HttpMethod.Post,
    RequestUri = new Uri("{{baseUrl}}/v1/serp/"),
    Content = new StringContent("{\n  \"query\": \"\",\n  \"website\": \"\"\n}")
    {
        Headers =
        {
            ContentType = new MediaTypeHeaderValue("application/json")
        }
    }
};
using (var response = await client.SendAsync(request))
{
    response.EnsureSuccessStatusCode();
    var body = await response.Content.ReadAsStringAsync();
    Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/v1/serp/");
var request = new RestRequest("", Method.Post);
request.AddHeader("content-type", "application/json");
request.AddParameter("application/json", "{\n  \"query\": \"\",\n  \"website\": \"\"\n}", ParameterType.RequestBody);
var response = client.Execute(request);
package main

import (
	"fmt"
	"strings"
	"net/http"
	"io"
)

func main() {

	url := "{{baseUrl}}/v1/serp/"

	payload := strings.NewReader("{\n  \"query\": \"\",\n  \"website\": \"\"\n}")

	req, _ := http.NewRequest("POST", url, payload)

	req.Header.Add("content-type", "application/json")

	res, _ := http.DefaultClient.Do(req)

	defer res.Body.Close()
	body, _ := io.ReadAll(res.Body)

	fmt.Println(res)
	fmt.Println(string(body))

}
POST /baseUrl/v1/serp/ HTTP/1.1
Content-Type: application/json
Host: example.com
Content-Length: 34

{
  "query": "",
  "website": ""
}
AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("POST", "{{baseUrl}}/v1/serp/")
  .setHeader("content-type", "application/json")
  .setBody("{\n  \"query\": \"\",\n  \"website\": \"\"\n}")
  .execute()
  .toCompletableFuture()
  .thenAccept(System.out::println)
  .join();

client.close();
HttpRequest request = HttpRequest.newBuilder()
    .uri(URI.create("{{baseUrl}}/v1/serp/"))
    .header("content-type", "application/json")
    .method("POST", HttpRequest.BodyPublishers.ofString("{\n  \"query\": \"\",\n  \"website\": \"\"\n}"))
    .build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();

MediaType mediaType = MediaType.parse("application/json");
RequestBody body = RequestBody.create(mediaType, "{\n  \"query\": \"\",\n  \"website\": \"\"\n}");
Request request = new Request.Builder()
  .url("{{baseUrl}}/v1/serp/")
  .post(body)
  .addHeader("content-type", "application/json")
  .build();

Response response = client.newCall(request).execute();
HttpResponse response = Unirest.post("{{baseUrl}}/v1/serp/")
  .header("content-type", "application/json")
  .body("{\n  \"query\": \"\",\n  \"website\": \"\"\n}")
  .asString();
const data = JSON.stringify({
  query: '',
  website: ''
});

const xhr = new XMLHttpRequest();
xhr.withCredentials = true;

xhr.addEventListener('readystatechange', function () {
  if (this.readyState === this.DONE) {
    console.log(this.responseText);
  }
});

xhr.open('POST', '{{baseUrl}}/v1/serp/');
xhr.setRequestHeader('content-type', 'application/json');

xhr.send(data);
import axios from 'axios';

const options = {
  method: 'POST',
  url: '{{baseUrl}}/v1/serp/',
  headers: {'content-type': 'application/json'},
  data: {query: '', website: ''}
};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const url = '{{baseUrl}}/v1/serp/';
const options = {
  method: 'POST',
  headers: {'content-type': 'application/json'},
  body: '{"query":"","website":""}'
};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
const settings = {
  async: true,
  crossDomain: true,
  url: '{{baseUrl}}/v1/serp/',
  method: 'POST',
  headers: {
    'content-type': 'application/json'
  },
  processData: false,
  data: '{\n  "query": "",\n  "website": ""\n}'
};

$.ajax(settings).done(function (response) {
  console.log(response);
});
val client = OkHttpClient()

val mediaType = MediaType.parse("application/json")
val body = RequestBody.create(mediaType, "{\n  \"query\": \"\",\n  \"website\": \"\"\n}")
val request = Request.Builder()
  .url("{{baseUrl}}/v1/serp/")
  .post(body)
  .addHeader("content-type", "application/json")
  .build()

val response = client.newCall(request).execute()
const http = require('https');

const options = {
  method: 'POST',
  hostname: 'example.com',
  port: null,
  path: '/baseUrl/v1/serp/',
  headers: {
    'content-type': 'application/json'
  }
};

const req = http.request(options, function (res) {
  const chunks = [];

  res.on('data', function (chunk) {
    chunks.push(chunk);
  });

  res.on('end', function () {
    const body = Buffer.concat(chunks);
    console.log(body.toString());
  });
});

req.write(JSON.stringify({query: '', website: ''}));
req.end();
const request = require('request');

const options = {
  method: 'POST',
  url: '{{baseUrl}}/v1/serp/',
  headers: {'content-type': 'application/json'},
  body: {query: '', website: ''},
  json: true
};

request(options, function (error, response, body) {
  if (error) throw new Error(error);

  console.log(body);
});
const unirest = require('unirest');

const req = unirest('POST', '{{baseUrl}}/v1/serp/');

req.headers({
  'content-type': 'application/json'
});

req.type('json');
req.send({
  query: '',
  website: ''
});

req.end(function (res) {
  if (res.error) throw new Error(res.error);

  console.log(res.body);
});
const axios = require('axios').default;

const options = {
  method: 'POST',
  url: '{{baseUrl}}/v1/serp/',
  headers: {'content-type': 'application/json'},
  data: {query: '', website: ''}
};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const fetch = require('node-fetch');

const url = '{{baseUrl}}/v1/serp/';
const options = {
  method: 'POST',
  headers: {'content-type': 'application/json'},
  body: '{"query":"","website":""}'
};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
#import 

NSDictionary *headers = @{ @"content-type": @"application/json" };
NSDictionary *parameters = @{ @"query": @"",
                              @"website": @"" };

NSData *postData = [NSJSONSerialization dataWithJSONObject:parameters options:0 error:nil];

NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/v1/serp/"]
                                                       cachePolicy:NSURLRequestUseProtocolCachePolicy
                                                   timeoutInterval:10.0];
[request setHTTPMethod:@"POST"];
[request setAllHTTPHeaderFields:headers];
[request setHTTPBody:postData];

NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
                                            completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
                                                if (error) {
                                                    NSLog(@"%@", error);
                                                } else {
                                                    NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
                                                    NSLog(@"%@", httpResponse);
                                                }
                                            }];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt

let uri = Uri.of_string "{{baseUrl}}/v1/serp/" in
let headers = Header.add (Header.init ()) "content-type" "application/json" in
let body = Cohttp_lwt_body.of_string "{\n  \"query\": \"\",\n  \"website\": \"\"\n}" in

Client.call ~headers ~body `POST uri
>>= fun (res, body_stream) ->
  (* Do stuff with the result *)
 "{{baseUrl}}/v1/serp/",
  CURLOPT_RETURNTRANSFER => true,
  CURLOPT_ENCODING => "",
  CURLOPT_MAXREDIRS => 10,
  CURLOPT_TIMEOUT => 30,
  CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
  CURLOPT_CUSTOMREQUEST => "POST",
  CURLOPT_POSTFIELDS => json_encode([
    'query' => '',
    'website' => ''
  ]),
  CURLOPT_HTTPHEADER => [
    "content-type: application/json"
  ],
]);

$response = curl_exec($curl);
$err = curl_error($curl);

curl_close($curl);

if ($err) {
  echo "cURL Error #:" . $err;
} else {
  echo $response;
}
request('POST', '{{baseUrl}}/v1/serp/', [
  'body' => '{
  "query": "",
  "website": ""
}',
  'headers' => [
    'content-type' => 'application/json',
  ],
]);

echo $response->getBody();
setUrl('{{baseUrl}}/v1/serp/');
$request->setMethod(HTTP_METH_POST);

$request->setHeaders([
  'content-type' => 'application/json'
]);

$request->setContentType('application/json');
$request->setBody(json_encode([
  'query' => '',
  'website' => ''
]));

try {
  $response = $request->send();

  echo $response->getBody();
} catch (HttpException $ex) {
  echo $ex;
}
append(json_encode([
  'query' => '',
  'website' => ''
]));
$request->setRequestUrl('{{baseUrl}}/v1/serp/');
$request->setRequestMethod('POST');
$request->setBody($body);

$request->setHeaders([
  'content-type' => 'application/json'
]);

$client->enqueue($request)->send();
$response = $client->getResponse();

echo $response->getBody();
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-WebRequest -Uri '{{baseUrl}}/v1/serp/' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
  "query": "",
  "website": ""
}'
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-RestMethod -Uri '{{baseUrl}}/v1/serp/' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
  "query": "",
  "website": ""
}'
import http.client

conn = http.client.HTTPSConnection("example.com")

payload = "{\n  \"query\": \"\",\n  \"website\": \"\"\n}"

headers = { 'content-type': "application/json" }

conn.request("POST", "/baseUrl/v1/serp/", payload, headers)

res = conn.getresponse()
data = res.read()

print(data.decode("utf-8"))
import requests

url = "{{baseUrl}}/v1/serp/"

payload = {
    "query": "",
    "website": ""
}
headers = {"content-type": "application/json"}

response = requests.post(url, json=payload, headers=headers)

print(response.json())
library(httr)

url <- "{{baseUrl}}/v1/serp/"

payload <- "{\n  \"query\": \"\",\n  \"website\": \"\"\n}"

encode <- "json"

response <- VERB("POST", url, body = payload, content_type("application/json"), encode = encode)

content(response, "text")
require 'uri'
require 'net/http'

url = URI("{{baseUrl}}/v1/serp/")

http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true

request = Net::HTTP::Post.new(url)
request["content-type"] = 'application/json'
request.body = "{\n  \"query\": \"\",\n  \"website\": \"\"\n}"

response = http.request(request)
puts response.read_body
require 'faraday'

conn = Faraday.new(
  url: 'https://example.com',
  headers: {'Content-Type' => 'application/json'}
)

response = conn.post('/baseUrl/v1/serp/') do |req|
  req.body = "{\n  \"query\": \"\",\n  \"website\": \"\"\n}"
end

puts response.status
puts response.body
use serde_json::json;
use reqwest;

#[tokio::main]
pub async fn main() {
    let url = "{{baseUrl}}/v1/serp/";

    let payload = json!({
        "query": "",
        "website": ""
    });

    let mut headers = reqwest::header::HeaderMap::new();
    headers.insert("content-type", "application/json".parse().unwrap());

    let client = reqwest::Client::new();
    let response = client.post(url)
        .headers(headers)
        .json(&payload)
        .send()
        .await;

    let results = response.unwrap()
        .json::()
        .await
        .unwrap();

    dbg!(results);
}
curl --request POST \
  --url {{baseUrl}}/v1/serp/ \
  --header 'content-type: application/json' \
  --data '{
  "query": "",
  "website": ""
}'
echo '{
  "query": "",
  "website": ""
}' |  \
  http POST {{baseUrl}}/v1/serp/ \
  content-type:application/json
wget --quiet \
  --method POST \
  --header 'content-type: application/json' \
  --body-data '{\n  "query": "",\n  "website": ""\n}' \
  --output-document \
  - {{baseUrl}}/v1/serp/
import Foundation

let headers = ["content-type": "application/json"]
let parameters = [
  "query": "",
  "website": ""
] as [String : Any]

let postData = JSONSerialization.data(withJSONObject: parameters, options: [])

let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/v1/serp/")! as URL,
                                        cachePolicy: .useProtocolCachePolicy,
                                    timeoutInterval: 10.0)
request.httpMethod = "POST"
request.allHTTPHeaderFields = headers
request.httpBody = postData as Data

let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
  if (error != nil) {
    print(error as Any)
  } else {
    let httpResponse = response as? HTTPURLResponse
    print(httpResponse)
  }
})

dataTask.resume()
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "poisition": "-1",
  "query": "q=google&num=100",
  "searched_results": "100",
  "website": "https://www.exmaple.com"
}
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "poisition": "1",
  "query": "q=google+searc+api&num=100",
  "searched_results": "100",
  "website": "https://www.google.com"
}
Examples
REQUEST

CURL *hnd = curl_easy_init();

curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "GET");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/v1/search/:query");

CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])

(client/get "{{baseUrl}}/v1/search/:query")
require "http/client"

url = "{{baseUrl}}/v1/search/:query"

response = HTTP::Client.get url
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
    Method = HttpMethod.Get,
    RequestUri = new Uri("{{baseUrl}}/v1/search/:query"),
};
using (var response = await client.SendAsync(request))
{
    response.EnsureSuccessStatusCode();
    var body = await response.Content.ReadAsStringAsync();
    Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/v1/search/:query");
var request = new RestRequest("", Method.Get);
var response = client.Execute(request);
package main

import (
	"fmt"
	"net/http"
	"io"
)

func main() {

	url := "{{baseUrl}}/v1/search/:query"

	req, _ := http.NewRequest("GET", url, nil)

	res, _ := http.DefaultClient.Do(req)

	defer res.Body.Close()
	body, _ := io.ReadAll(res.Body)

	fmt.Println(res)
	fmt.Println(string(body))

}
GET /baseUrl/v1/search/:query HTTP/1.1
Host: example.com

AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("GET", "{{baseUrl}}/v1/search/:query")
  .execute()
  .toCompletableFuture()
  .thenAccept(System.out::println)
  .join();

client.close();
HttpRequest request = HttpRequest.newBuilder()
    .uri(URI.create("{{baseUrl}}/v1/search/:query"))
    .method("GET", HttpRequest.BodyPublishers.noBody())
    .build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();

Request request = new Request.Builder()
  .url("{{baseUrl}}/v1/search/:query")
  .get()
  .build();

Response response = client.newCall(request).execute();
HttpResponse response = Unirest.get("{{baseUrl}}/v1/search/:query")
  .asString();
const data = null;

const xhr = new XMLHttpRequest();
xhr.withCredentials = true;

xhr.addEventListener('readystatechange', function () {
  if (this.readyState === this.DONE) {
    console.log(this.responseText);
  }
});

xhr.open('GET', '{{baseUrl}}/v1/search/:query');

xhr.send(data);
import axios from 'axios';

const options = {method: 'GET', url: '{{baseUrl}}/v1/search/:query'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const url = '{{baseUrl}}/v1/search/:query';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
const settings = {
  async: true,
  crossDomain: true,
  url: '{{baseUrl}}/v1/search/:query',
  method: 'GET',
  headers: {}
};

$.ajax(settings).done(function (response) {
  console.log(response);
});
val client = OkHttpClient()

val request = Request.Builder()
  .url("{{baseUrl}}/v1/search/:query")
  .get()
  .build()

val response = client.newCall(request).execute()
const http = require('https');

const options = {
  method: 'GET',
  hostname: 'example.com',
  port: null,
  path: '/baseUrl/v1/search/:query',
  headers: {}
};

const req = http.request(options, function (res) {
  const chunks = [];

  res.on('data', function (chunk) {
    chunks.push(chunk);
  });

  res.on('end', function () {
    const body = Buffer.concat(chunks);
    console.log(body.toString());
  });
});

req.end();
const request = require('request');

const options = {method: 'GET', url: '{{baseUrl}}/v1/search/:query'};

request(options, function (error, response, body) {
  if (error) throw new Error(error);

  console.log(body);
});
const unirest = require('unirest');

const req = unirest('GET', '{{baseUrl}}/v1/search/:query');

req.end(function (res) {
  if (res.error) throw new Error(res.error);

  console.log(res.body);
});
const axios = require('axios').default;

const options = {method: 'GET', url: '{{baseUrl}}/v1/search/:query'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const fetch = require('node-fetch');

const url = '{{baseUrl}}/v1/search/:query';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
#import 

NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/v1/search/:query"]
                                                       cachePolicy:NSURLRequestUseProtocolCachePolicy
                                                   timeoutInterval:10.0];
[request setHTTPMethod:@"GET"];

NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
                                            completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
                                                if (error) {
                                                    NSLog(@"%@", error);
                                                } else {
                                                    NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
                                                    NSLog(@"%@", httpResponse);
                                                }
                                            }];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt

let uri = Uri.of_string "{{baseUrl}}/v1/search/:query" in

Client.call `GET uri
>>= fun (res, body_stream) ->
  (* Do stuff with the result *)
 "{{baseUrl}}/v1/search/:query",
  CURLOPT_RETURNTRANSFER => true,
  CURLOPT_ENCODING => "",
  CURLOPT_MAXREDIRS => 10,
  CURLOPT_TIMEOUT => 30,
  CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
  CURLOPT_CUSTOMREQUEST => "GET",
]);

$response = curl_exec($curl);
$err = curl_error($curl);

curl_close($curl);

if ($err) {
  echo "cURL Error #:" . $err;
} else {
  echo $response;
}
request('GET', '{{baseUrl}}/v1/search/:query');

echo $response->getBody();
setUrl('{{baseUrl}}/v1/search/:query');
$request->setMethod(HTTP_METH_GET);

try {
  $response = $request->send();

  echo $response->getBody();
} catch (HttpException $ex) {
  echo $ex;
}
setRequestUrl('{{baseUrl}}/v1/search/:query');
$request->setRequestMethod('GET');
$client->enqueue($request)->send();
$response = $client->getResponse();

echo $response->getBody();
$response = Invoke-WebRequest -Uri '{{baseUrl}}/v1/search/:query' -Method GET 
$response = Invoke-RestMethod -Uri '{{baseUrl}}/v1/search/:query' -Method GET 
import http.client

conn = http.client.HTTPSConnection("example.com")

conn.request("GET", "/baseUrl/v1/search/:query")

res = conn.getresponse()
data = res.read()

print(data.decode("utf-8"))
import requests

url = "{{baseUrl}}/v1/search/:query"

response = requests.get(url)

print(response.json())
library(httr)

url <- "{{baseUrl}}/v1/search/:query"

response <- VERB("GET", url, content_type("application/octet-stream"))

content(response, "text")
require 'uri'
require 'net/http'

url = URI("{{baseUrl}}/v1/search/:query")

http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true

request = Net::HTTP::Get.new(url)

response = http.request(request)
puts response.read_body
require 'faraday'

conn = Faraday.new(
  url: 'https://example.com',
)

response = conn.get('/baseUrl/v1/search/:query') do |req|
end

puts response.status
puts response.body
use reqwest;

#[tokio::main]
pub async fn main() {
    let url = "{{baseUrl}}/v1/search/:query";

    let client = reqwest::Client::new();
    let response = client.get(url)
        .send()
        .await;

    let results = response.unwrap()
        .json::()
        .await
        .unwrap();

    dbg!(results);
}
curl --request GET \
  --url {{baseUrl}}/v1/search/:query
http GET {{baseUrl}}/v1/search/:query
wget --quiet \
  --method GET \
  --output-document \
  - {{baseUrl}}/v1/search/:query
import Foundation

let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/v1/search/:query")! as URL,
                                        cachePolicy: .useProtocolCachePolicy,
                                    timeoutInterval: 10.0)
request.httpMethod = "GET"

let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
  if (error != nil) {
    print(error as Any)
  } else {
    let httpResponse = response as? HTTPURLResponse
    print(httpResponse)
  }
})

dataTask.resume()
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "answer": null,
  "results": [
    {
      "description": "Create an account or log in to Instagram - A simple, fun & creative way to capture, edit & share photos, videos & messages with friends & family.",
      "link": "https://www.instagram.com/",
      "title": "Instagram"
    },
    {
      "description": "Bringing you closer to the people and things you love. — Instagram from Facebook Connect with friends, share what you're up to, or see what's new from others ...",
      "link": "https://play.google.com/store/apps/details?id=com.instagram.android&hl=en_US",
      "title": "Instagram - Apps on Google Play"
    },
    {
      "description": "Read reviews, compare customer ratings, see screenshots, and learn more about Instagram. Download Instagram and enjoy it on your iPhone, iPad, and iPod ...",
      "link": "https://apps.apple.com/us/app/instagram/id389801252",
      "title": "‎Instagram on the App Store"
    },
    {
      "description": "Instagram · June 10 at 4:35 PM ·. These powerful posts from the Black community embody resilience and hope ...",
      "link": "https://www.facebook.com/instagram/",
      "title": "Instagram - Home | Facebook"
    },
    {
      "description": "Instagram is an American photo and video-sharing social networking service owned by Facebook, Inc. It was created by Kevin Systrom and Mike Krieger, and ...",
      "link": "https://en.wikipedia.org/wiki/Instagram",
      "title": "Instagram - Wikipedia"
    },
    {
      "description": "2 days ago - Instagram. June 2020. Online influencers under fire for blacking ...",
      "link": "https://www.theguardian.com/technology/instagram",
      "title": "Instagram | Technology | The Guardian"
    },
    {
      "description": "1 day ago - Then, on May 25, George Floyd was killed in police custody in Minneapolis, sparking protests around the country. Instagram had already been a ...",
      "link": "https://www.nytimes.com/2020/06/11/arts/design/art-accounts-to-follow-on-instagram.html",
      "title": "Five Art Accounts to Follow on Instagram Now - The New York ..."
    },
    {
      "description": "May 20, 2020 - Instagram is testing a feature that allows Insta users to share their live streams directly to IGTV as soon as the broadcast is over. These lives don't ...",
      "link": "https://adespresso.com/blog/instagram-updates-you-need-to-make/",
      "title": "Top Instagram Updates in 2020 - May Edition - AdEspresso"
    },
    {
      "description": "Learn how to create captivating visuals, grow your following, and drive engagement on Instagram.",
      "link": "https://www.hubspot.com/instagram-marketing",
      "title": "Instagram Marketing: The Ultimate Guide - HubSpot"
    },
    {
      "description": "2 days ago - It's a nice tool to diversify your Instagram feed and engage more of your followers - and it can, indeed, add a “wow” factor to your social marketing.",
      "link": "https://www.socialmediatoday.com/news/5-tools-to-boost-your-instagram-marketing-efforts-in-2020/579612/",
      "title": "5 Tools to Boost Your Instagram Marketing Efforts in 2020 ..."
    },
    {
      "description": "Learn more about Instagram brand resources and download the Instagram logos, images, screenshots and more you need for your project.",
      "link": "https://instagram-brand.com/",
      "title": "Instagram Brand Resources"
    },
    {
      "description": "Jan 9, 2019 - Everything you need to know about using Instagram for business—from setting up your account to creating a winning strategy.",
      "link": "https://blog.hootsuite.com/how-to-use-instagram-for-business/",
      "title": "How to Use Instagram for Business: A Simple 6-Step Guide"
    },
    {
      "description": "1 day ago - Actor Keegan Allen and influencer Olivia Jade are among two popular Instagram accounts that used the \"BLM — Donate Now\" filter.",
      "link": "https://www.insider.com/influencers-promote-black-lives-matter-donation-instagram-ar-filter-2020-6",
      "title": "Influencers promote Black Lives Matter donation Instagram AR ..."
    },
    {
      "description": "8 hours ago - If you scroll all the way down to Kylie Jenner's first Instagram posts, you'll see that she, too, once fell victim to the duck face selfie and sepia filter ...",
      "link": "https://www.yahoo.com/lifestyle/kylie-jenner-very-first-instagram-154018364.html",
      "title": "Kylie Jenner's first Instagram posts are unbelievably normal ..."
    },
    {
      "description": "Nicki Minaj CRUSHES Instagram With New Bangin' Booty Photos With Tekashi 6ix9ine!! Instagram. Jun 11, 2020 at 20:59 pm UTC By Mike Walters · Nicki Minaj ...",
      "link": "https://theblast.com/c/nicki-minaj-tekashi-6ix9ine-69-trollz-photos-video-smoking-hot-pictures-instagram-rainbow-wig",
      "title": "Nicki Minaj CRUSHES Instagram With New Bangin' Booty ..."
    },
    {
      "description": "Everything you need to know about using Instagram Stories. From posting and scheduling stories, using stickers, and everything in-between.",
      "link": "https://buffer.com/library/instagram-stories/",
      "title": "Instagram Stories: The Complete Guide to Creating Standout ..."
    },
    {
      "description": "1 day ago - Instagram has a bad reputation for negatively influencing the way people see themselves. But a new study shows that its influence can be ...",
      "link": "https://www.ecowatch.com/exercise-study-instagram-2646169143.html",
      "title": "Instagram Gets Couch Potatoes Up and Running, Study Says ..."
    },
    {
      "description": "3 days ago - Instagram lets you add a call to action (CTA) to your ads that goes to a landing page, but you can only add a link to one page. This is why if you're ...",
      "link": "https://www.socialmediaexaminer.com/how-to-improve-instagram-video-ads-5-tips/",
      "title": "How to Improve Your Instagram Video Ads: 5 Tips : Social ..."
    },
    {
      "description": "Instagram allows users to edit and upload photos and short videos through a mobile app. Users can add a caption to each of their posts and use hashtags and ...",
      "link": "https://searchcio.techtarget.com/definition/Instagram",
      "title": "What is Instagram? - Definition from WhatIs.com - SearchCIO"
    },
    {
      "description": "Grow your Instagram and Facebook presence with exclusive insights and best-in-class management tools for your team. Start a 14-day Free Trial.",
      "link": "https://pro.iconosquare.com/",
      "title": "Iconosquare - Instagram & Facebook Analytics and ..."
    },
    {
      "description": "Save Time by Scheduling Your Instagram Posts Ahead of Time. Manage Multiple Accounts, Schedule Video, Reposting, Analytics & Uploading Tools.",
      "link": "https://later.com/",
      "title": "Later: #1 Instagram Scheduler & Social Media Platform"
    },
    {
      "description": "1 day ago - Benafsha Soonawala says that her recent nude picture was removed by Instagram. Check out her latest post.",
      "link": "https://www.hindustantimes.com/tv/benafsha-soonawala-says-instagram-removed-her-topless-pic-they-couldn-t-take-such-extra-hotness/story-ldS0SdnqMwacVxRCK5zfnO.html",
      "title": "Benafsha Soonawala says Instagram removed her topless pic ..."
    },
    {
      "description": "May 27, 2020 - Ads will start showing up on Instagram's IGTV product as the company begins working with creators like Lele Pons and Adam Waheed as well ...",
      "link": "https://www.theverge.com/2020/5/27/21271009/instagram-ads-igtv-live-badges-test-update-creators",
      "title": "Instagram will share revenue with creators for the first time ..."
    },
    {
      "description": "Dec 3, 2019 - How many people use Instagram? In June 2018, Instagram had reached one billion monthly active users, up from 800 million in September ...",
      "link": "https://www.statista.com/statistics/253577/number-of-monthly-active-instagram-users/",
      "title": "• Instagram: active users 2018 | Statista"
    },
    {
      "description": "Why You Should Follow Them: For fun artwork, puns, and extremely important conversations. 3. ZHK DESIGNS. Instagram. View this photo on ...",
      "link": "https://www.buzzfeed.com/sumedha_bharpilania/21-desi-illustrators-you-need-to-follow-on-instagram-right",
      "title": "21 Desi Artists You Absolutely Need To Follow On Instagram"
    },
    {
      "description": "Jun 4, 2020 - Instagram does not provide users of its embedding API a copyright license to display embedded images on other websites, the company said in ...",
      "link": "https://arstechnica.com/tech-policy/2020/06/instagram-just-threw-users-of-its-embedding-api-under-the-bus/",
      "title": "Instagram just threw users of its embedding API under the bus ..."
    },
    {
      "description": "10 hours ago - Black Owned Tour” is an Instagram account dedicated to highlighting local black-owned businesses.",
      "link": "https://www.10tv.com/article/news/local/instagram-account-shines-light-on-local-black-owned-businesses/530-308237a8-958e-4a4d-b7c7-7ab2949ee935",
      "title": "Instagram account shines light on local black-owned businesses"
    },
    {
      "description": "Jun 3, 2020 - This extension better than a mobile version of Instagram! View and upload IG Story and other functions in your browser.",
      "link": "https://chrome.google.com/webstore/detail/web-for-instagram/bonieeblbnamfclndbgnhblogabjijbp?hl=en-US",
      "title": "Web for Instagram™ - Google Chrome"
    },
    {
      "description": "Try our new tools for Instagram™: download photo, video and stories, view Live, mass download, direct message, upload photo.",
      "link": "https://chrome.google.com/webstore/detail/downloader-for-instagram/olkpikmlhoaojbbmmpejnimiglejmboe?hl=en",
      "title": "Downloader for Instagram™ + Direct Message - Google Chrome"
    },
    {
      "description": "Feb 26, 2016 - Download this app from Microsoft Store for Windows 10. See screenshots, read the latest customer reviews, and compare ratings for Instagram.",
      "link": "https://www.microsoft.com/en-us/p/instagram/9nblggh5l9xt",
      "title": "Get Instagram - Microsoft Store"
    },
    {
      "description": "The 6 best #GolfWRX photos on Instagram today (6.11.20). Published. 13 hours ago. on. Jun 11, 2020. By. Gianni Magliocco. Share; Tweet. In this segment ...",
      "link": "http://www.golfwrx.com/614302/the-6-best-golfwrx-photos-on-instagram-today-6-11-20/",
      "title": "The 6 best #GolfWRX photos on Instagram today (6.11.20 ..."
    },
    {
      "description": "May 19, 2020 - Starting today, you'll be able to browse and buy products directly from a business' Facebook Page or Instagram profile. Both Facebook and ...",
      "link": "https://techcrunch.com/2020/05/19/facebook-shops/",
      "title": "Facebook and Instagram roll out Shops, turning business ..."
    },
    {
      "description": "3 days ago - On Wednesday, 50 white celebrity women will hand over their Instagram accounts to 50 black women for the day to foster dialogue and reach ...",
      "link": "https://www.forbes.com/sites/martyswant/2020/06/09/how-bozoma-saint-john-is-amplifying-black-voices-through-white-celebrities-instagram-accounts/",
      "title": "How Bozoma Saint John Is Amplifying Black Voices Through ..."
    },
    {
      "description": "Instagram photo, video, and IGTV downloader - Free, online, and one-click download.",
      "link": "https://downloadgram.com/",
      "title": "DownloadGram - Instagram photo, video and IGTV ..."
    },
    {
      "description": "Feb 18, 2020 - The Instagram Money Calculator estimates earnings for Instagram Influencers. The Instagram Engagement Rate Calculator is a quick way to ...",
      "link": "https://influencermarketinghub.com/instagram-money-calculator/",
      "title": "Instagram Money Calculator (Instagram Influencer ..."
    },
    {
      "description": "BBC News, 1 May. https://www.bbc.com/news/world-africa-36132482 Zappavigna, M. (2016). 'Social media photography: Construing subjectivity in Instagram ...",
      "link": "https://books.google.com/books?id=_QHMDwAAQBAJ&pg=PT208&lpg=PT208&dq=instagram&source=bl&ots=kx1k9_bjvs&sig=ACfU3U28VuLB9EfcIJIJs-Dykyl6zC_Adw&hl=en&sa=X&ved=2ahUKEwjt3fTus_3pAhXsgnIEHTjKBZcQ6AEwRHoECG0QAQ",
      "title": "Instagram: Visual Social Media Cultures - Google Books Result"
    },
    {
      "description": "To log in to your Instagram account and order products in your store, you must now have an Instagram Business account associated with a Facebook Page.",
      "link": "https://www.hivency.com/login-instagram-account/",
      "title": "Login Instagram Account | Hivency"
    },
    {
      "description": "IN THIS CHAPTER Finding Instagram apps for your device or computer Deploying Instagram apps on Windows and Mac computers Installing Instagram apps on ...",
      "link": "https://books.google.com/books?id=9JJFDwAAQBAJ&pg=PT16&lpg=PT16&dq=instagram&source=bl&ots=dvTKF3C37q&sig=ACfU3U0L59-z1pbR2BHuJlOafe3G5SjXcw&hl=en&sa=X&ved=2ahUKEwjt3fTus_3pAhXsgnIEHTjKBZcQ6AEwRnoECG8QAQ",
      "title": "Instagram For Business For Dummies - Google Books Result"
    },
    {
      "description": "Download Instagram followers, comments and likes to excel and Google Sheets ... 4 May 2020 Type up your Instagram bio and copy and paste your favorite font ...",
      "link": "http://vistaballoon.com/o51fbzs/how-to-copy-comments-from-instagram.html",
      "title": "How to copy comments from instagram"
    },
    {
      "description": "Apr 12, 2020 - The following tips can help you make the best out of your own Instagram experience so you can grow your followers and increase engagement.",
      "link": "https://www.lifewire.com/instagram-tips-for-beginners-3485872",
      "title": "11 Instagram Tips for Beginners - Lifewire"
    },
    {
      "description": "23 hours ago - Vanessa Bryant got tattoos to honor her husband Kobe and daughter Gianna in February, according to her tattoo artist's Instagram . TMZ Sports ...",
      "link": "https://bleacherreport.com/articles/2895859-vanessa-bryant-reveals-tattoos-honoring-kobe-gianna-on-instagram",
      "title": "Vanessa Bryant Reveals Tattoos Honoring Kobe, Gianna on ..."
    },
    {
      "description": "1 day ago - Suzanne Somers, 73, reunites with her lookalike granddaughter Violet Somers, 22, in new Instagram video. By Sarah Sotoodeh For ...",
      "link": "https://www.dailymail.co.uk/tvshowbiz/article-8410969/Suzanne-Somers-reunites-lookalike-granddaughter-Violet-Somers-new-Instagram-video.html",
      "title": "Suzanne Somers reunites with her lookalike granddaughter ..."
    },
    {
      "description": "10 hours ago - @fairybonesmusic. Part of what makes Fairy Bones' Instagram feed fun is because you're witnessing a band become stars right before your eyes, ...",
      "link": "https://www.phoenixnewtimes.com/music/best-phoenix-music-instagram-accounts-11406390",
      "title": "20 Best Valley Music Instagram Accounts | Phoenix New Times"
    },
    {
      "description": "You can generate unlimited Likes/Followers for Instagram. com is the best instagram auto liker!Here, you'll find instagram auto liker, instagram auto followers.",
      "link": "http://brittocharette.com/x77c/free-unlimited-likes-on-instagram.html",
      "title": "Free unlimited likes on instagram - Britto Charette"
    },
    {
      "description": "Will The Protests Change Instagram for Good? Maybe. Probably Not. by Andrea Whittle. June 12, 2020 1:01 pm. Cindy Sherman - December 2017.",
      "link": "https://www.wmagazine.com/story/instagram-armchair-activism-influencers-protests/",
      "title": "Is This The End Of Instagram As We Know It? | W Magazine ..."
    },
    {
      "description": "Apr 24, 2018 - Instagram's Snapchat-like feature lets you create sequences of photos and videos that expire after a day. Now with type mode in Stories!",
      "link": "https://www.cnet.com/how-to/how-to-use-instagram-stories/",
      "title": "Instagram Stories: Everything you need to know - CNET"
    },
    {
      "description": "Download Followers Track for Instagram! and enjoy it on your iPhone, iPad, and iPod touch. 6 Software is available for free download: Checker Version 4.",
      "link": "http://marinermedia.com/ik3jcdgzk/instagram-checker-download.html",
      "title": "Instagram checker download - Mariner Media"
    },
    {
      "description": "5 hours ago - Note: These screenshots were captured in the Instagram application on iOS. Step 1: Once you've taken or imported a video in Stories, tap the ...",
      "link": "https://www.adweek.com/digital/instagram-heres-how-to-use-the-sound-on-sticker-in-stories/",
      "title": "Instagram: Here's How to Use the Sound On Sticker in Stories ..."
    },
    {
      "description": "7 hours ago - Instagram has always been an accessible way to armchair travel. During the COVID-19 pandemic, the platform has offered a view of ...",
      "link": "https://www.artsy.net/article/artsy-editorial-7-curators-instagram-provide-access-museums-quarantine",
      "title": "7 Curators Using Instagram to Provide Access to Museums ..."
    },
    {
      "description": "2019 Instagram music ใน story ทำไมของผมใช้ได้ครับ. And 80% of Instagram users come from outside of the United States! I guess a picture really is worth a ...",
      "link": "http://goodcheer.org/bgf7/instagram-music.html",
      "title": "Instagram music - Good Cheer Food Bank"
    },
    {
      "description": "For less than $70, you can get 10,000 Instagram followers! That's enough to start elbowing your way into this industry. It's possible and fairly simple to go live on ...",
      "link": "http://gynecologysurgeons.com/mgvnj/merge-instagram-followers.html",
      "title": "Merge instagram followers"
    },
    {
      "description": "7 hours ago - Okay, not really, but back when Instagram was just a few years old, they definitely used it like us. Case in point: If you scroll all the way down to ...",
      "link": "https://www.intheknow.com/2020/06/12/kylie-jenners-very-first-instagram-posts-are-just-as-basic-as-everyone-elses/",
      "title": "Kylie Jenner's very first Instagram posts are just as basic as ..."
    },
    {
      "description": "row2k Features. row2k features > row2k Exclusives. InstaRowing. This Week's Best of Rowing on Instagram 6/12/2020. June 12, 2020. Erik Dresser, row2k.com.",
      "link": "https://www.row2k.com/features/4017/This-Week-s-Best-of-Rowing-on-Instagram-6-12-2020/",
      "title": "This Week's Best of Rowing on Instagram 6/12/2020 - Row2k"
    },
    {
      "description": "9 hours ago - Yuzvendra Chahal took to Instagram on Friday to post a video of him bowling an impressive leg-spinner to knock over New Zealand batsman ...",
      "link": "https://sports.ndtv.com/cricket/yuzvendra-chahal-trolls-uncle-chris-gayle-praises-kuldeep-yadav-on-instagram-2245380",
      "title": "Yuzvendra Chahal Trolls \"Uncle\" Chris Gayle, Praises ..."
    },
    {
      "description": "9 hours ago - Thanks to her edgy social media presence, this model, photographer, blogger, and painter has become a true Instagram sensation with 4.5 ...",
      "link": "https://www.boredpanda.com/weird-instagram-photography-digital-art-ellen-sheidlin/",
      "title": "This Russian Artist Gained 4.5M Followers On Instagram ..."
    },
    {
      "description": "Open the instagram profile of the user whose profile picture you want to download. ... To Download instagram photos just enter the URL of instagram photo in ...",
      "link": "http://rhodeislanddentalmn.com/gc3/instagram-profile-download-free.html",
      "title": "Instagram profile download free - Rhode Island Dental"
    },
    {
      "description": "1 day ago - Elizabeth Hurley posed in the bath with her arms in the air to mark her 55th birthday on InstagramCredit: Instagram. And other stars are striking ...",
      "link": "https://www.thesun.co.uk/news/11843276/celebrity-instagram-poses-hidden-meanings/",
      "title": "celebrities' favourite Instagram poses and the ... - The Sun"
    },
    {
      "description": "21 hours ago - Bucs TE Rob Gronkowski bid farewell to his hairy companion Mr. Stache today on Instagram.",
      "link": "https://bucswire.usatoday.com/2020/06/11/gronk-bids-farewell-to-mr-stache-on-instagram/",
      "title": "Gronk bids farewell to Mr. Stache on Instagram - Bucs Wire"
    },
    {
      "description": "100k free Instagram likes and free Instagram followers! Home Free Instagram Likes And Followers Welcome to FREEGramLikes. The free likes will increase your ...",
      "link": "http://wafels.be/xmpj7/how-to-get-5000-followers-on-instagram.html",
      "title": "How to get 5000 followers on instagram - Wafels"
    },
    {
      "description": "17 hours ago - Need some training inspiration? You'll find workouts for all levels on our Instagram page.",
      "link": "https://www.coachmag.co.uk/home-workouts/8596/follow-coach-on-instagram-for-video-workouts-from-top-pts",
      "title": "Follow Coach On Instagram For Video Workouts From Top PTs"
    },
    {
      "description": "7 hours ago - OAKLAND — Federal prosecutors have charged an Alameda County man with posing as a 14-year-old girl on Instagram in order to lure boys ...",
      "link": "https://www.mercurynews.com/feds-alameda-man-posed-as-teen-girl-on-instagram-to-lure-boys",
      "title": "Feds: Alameda man posed as teen girl on Instagram to lure boys"
    },
    {
      "description": "In this post, I share the step-by-step instructions on how to create a new location on Instagram. In online mode, the App will use cell towers to determine the ...",
      "link": "http://salmonriverbrewery.com/qzdrls/does-instagram-track-location.html",
      "title": "Does instagram track location - Salmon River Brewery"
    },
    {
      "description": "5 hours ago - In the Zoom segment leaked to Instagram on June 10, Vaksman says, “Because most of the trouble coming from where? From black people.",
      "link": "https://qns.com/story/2020/06/12/st-johns-university-fires-coach-after-racist-comments-leak-on-instagram/",
      "title": "St. John's University fires coach after racist comments leak on ..."
    },
    {
      "description": "46 mins ago - The app has a usability issue for hearing-impaired people and doesn't caption videos. In response, at least one Instagram account is manually ...",
      "link": "https://www.capradio.org/articles/2020/06/12/volunteers-add-captions-to-black-lives-matter-instagram-videos-to-help-hard-of-hearing-community/",
      "title": "Volunteers Add Captions To Black Lives Matter Instagram ..."
    },
    {
      "description": "8 hours ago - This list of 102 Black makers, crafters, designers, gardeners, and musicians will help enrich your Instagram feed and support Black-owned ...",
      "link": "https://www.countryliving.com/life/inspirational-stories/a32791453/black-instagram-accounts-interior-designers-crafters/",
      "title": "102 Black Instagram Accounts to Follow for Home Design ..."
    },
    {
      "description": "5 hours ago - In several Instagram posts, some dating back to at least 2016, Realtor Ryan Jones used language that many online found offensive. In once ...",
      "link": "https://www.baltimoresun.com/maryland/harford/aegis/cng-ag-racist-realtor-20200612-possnm52rfh7je43f6jlg7pq7m-story.html",
      "title": "Harford real estate agent under fire for racially insensitive ..."
    },
    {
      "description": "Jul 3, 2019 - Want to find the best Instagram captions? Whether you like cool captions or need selfie quotes for your photos, you'll find a mega list of captions ...",
      "link": "https://www.oberlo.com/blog/instagram-captions",
      "title": "300+ Best Instagram Captions for Your Photos & Selfies - Oberlo"
    },
    {
      "description": "Mar 24, 2020 - Instagram has launched a new feature called Co-Watching that allows users to share photos and videos over video chat to watch together.",
      "link": "https://markets.businessinsider.com/news/stocks/instagram-co-watching-feature-group-video-calling-sharing-posts-coronavirus-2020-3-1029027937",
      "title": "Instagram sped up rollout on its new feature that lets friends ..."
    },
    {
      "description": "2 days ago - PRINCE CHARLES last year upped his social media game and posted his first ever photograph to Instagram to commemorate the creation of ...",
      "link": "https://www.express.co.uk/news/royal/1294044/prince-charles-latest-royal-family-news-instagram-social-media-queen-elizabeth-spt",
      "title": "Royal landmark: Touching message in Prince Charles' first ..."
    },
    {
      "description": "marchroute-instagram-1024x1024.png. Privacy Policy | Log In. © American Federation of State, County and Municipal Employees, AFL–CIO.",
      "link": "https://wfse.org/file/23503",
      "title": "marchroute-instagram-1024x1024.png | AFSCME at Work"
    },
    {
      "description": "Instagram users can set their privacy settings such that their posted photos and videos are available only to their own followers and require approval from the user ...",
      "link": "http://acumen.lib.ua.edu/content/u0015/0000001/0002349/u0015_0000001_0002349.pdf",
      "title": "INDIVIDUAL, TECHNOLOGICAL, SOCIO ... - Acumen"
    },
    {
      "description": "8 Nov 2019 — Instagram. “Rethink forgotten and abandoned places; places that have the potential of becoming something better. Refine and transform rather ...",
      "link": "https://kjellandersjoberg.se/journal/posts/instagram_2172559166213048498_1387743716/74914119_126573782092340_6580899078930915549_n/",
      "title": "Instagram post of kjellandersjoberg on 2019-11-08 10:34:16 ..."
    },
    {
      "description": "Jul 1, 2016 - This thesis aims to find out how. Leeuwarden and Amsterdam, two cities in the Netherlands, are utilising Instagram by using affordances ...",
      "link": "https://www.diva-portal.org/smash/get/diva2:1038452/FULLTEXT01.pdf",
      "title": "City branding on Instagram: DMOs and their usage of ... - DiVA"
    },
    {
      "description": "May 24, 2018 - To achieve this aim a quantitative content analysis of prominent Swedish politicians' Instagram posts (n=1641) was conducted. The findings show.",
      "link": "http://lup.lub.lu.se/student-papers/record/8945953/file/8945962.pdf",
      "title": "Personalisation on Instagram - Lund University Publications"
    },
    {
      "description": "Nov 21, 2016 - Instagram is rolling out new live video and messaging features with a temporary twist.",
      "link": "https://www.techradar.com/in/news/instagram-has-launched-its-own-take-on-live-video-and-messaging",
      "title": "Instagram has launched its own take on Live Video and ..."
    },
    {
      "description": "“A comparison of Facebook and Instagram concerning emotions regarding, and identification with an automatically generated autobiography”. Deborah Klink.",
      "link": "http://essay.utwente.nl/78313/1/Klink%20Deborah_BA_PSY.pdf",
      "title": "Bachelor Thesis “A comparison of Facebook and Instagram ..."
    },
    {
      "description": "Feb 21, 2018 - Styling for Instagram by Leela Cyd, 9782888933502, available at Book Depository with free delivery worldwide.",
      "link": "https://www.bookdepository.com/Styling-for-Instagram-Leela-Cyd/9782888933502",
      "title": "Styling for Instagram : Leela Cyd : 9782888933502"
    },
    {
      "description": "Next related hashtags on Instagram used with word muscleup are fit training gymnastics strong strength streetworkout shredded fitfam pullups abs ...",
      "link": "https://www.tagsfinder.com/en-us/related/muscleup/",
      "title": "#muscleup and related hashtags on Instagram - TagsFinder.com"
    },
    {
      "description": "1 day ago - The German company apologized last month for the ad promoting its new Golf 8 and removed it from its official Instagram page. The world's ...",
      "link": "https://ktla.com/news/nationworld/volkswagen-resists-firing-responsible-employees-despite-racist-instagram-ad/",
      "title": "Volkswagen resists firing responsible employees despite ..."
    },
    {
      "description": "Hangout this or that Instagram Story Templates TEMPLATE STORIES DO INSTAGRAM MINHA QUARENTENA EM GIFS bsf list questions snapchat #bsf #list # ...",
      "link": "https://www.pinterest.com/amandairyn/instagram-story-template/",
      "title": "16 Best Instagram Story Template images ... - Pinterest"
    },
    {
      "description": "Instagram is the most popular social media platform for influencer marketing (Mohsin, 2019). The platform is mostly used by influencers and consumers who ...",
      "link": "http://arno.uvt.nl/show.cgi?fid=150748",
      "title": "Product placement on Instagram - University of Tilburg"
    },
    {
      "description": "Apr 17, 2019 - Tehran, April 17, IRNA - Iran's Foreign Ministry spokesman condemned the Instagram social network in blocking accounts of some of the ...",
      "link": "https://en.irna.ir/news/83282774/Instagram-s-measure-shows-fragility-of-Western-freedom-Spox",
      "title": "Instagram's measure shows fragility of Western freedom: Spox ..."
    },
    {
      "description": "Instagram Wall § - Benjanin Ball La rede det to aoh - Ency King FRANCIS BALL ' S DESCENDANTS . SCENDANTS . 21 . 21 . fully , 96 years of age . Children : 3 ...",
      "link": "https://books.google.com/books?id=n6wwAAAAMAAJ&pg=PA21&lpg=PA21&dq=instagram&source=bl&ots=jGNZTJ2MuK&sig=ACfU3U2peJK2j-4F3MLjDyRfWMWBZEuZGQ&hl=en&sa=X&ved=2ahUKEwjt3fTus_3pAhXsgnIEHTjKBZcQ6AEwc3oECHEQAQ",
      "title": "Francis Ball's Descendants: Or, The West Springfield Ball ..."
    },
    {
      "description": "Feb 22, 2019 - refer to Instagram posts building upon or reproducing existing copyrighted works. The extent to which UGC must be original to attract copyright ...",
      "link": "https://heinonline.org/hol-cgi-bin/get_pdf.cgi?handle=hein.journals/saclj31§ion=10",
      "title": "FAIR USE ON INSTAGRAM Transformative Self ... - HeinOnline"
    },
    {
      "description": "99 111 total followers. Source: Instagram. Created with Highcharts 5.0.14 Followers Jan 24 Jan 26 Jan 28 Jan 30 0 60,000 120,000. Days Weeks ...",
      "link": "https://annons.di.se/en-no/influencers/sophia-anderberg-3710/stats/instagram-6066",
      "title": "Instagram – Sophia Anderberg Statistics - Dagens Industri"
    },
    {
      "description": "Source: Instagram. Created with Highcharts 5.0.14 Followers Apr … Apr 22 Apr 24 Apr 26 Apr 28 Apr 30 May 2 May 4 May 6 May 8 May 10 May 12 May 14 May ...",
      "link": "http://advertise.bonniermag.se/en/influencers/emily-slotte-2630/stats/instagram-5443",
      "title": "Instagram – Emily Slotte Statistics"
    },
    {
      "description": "Aug 2, 2016 - He is the first prime minister of the Instagram age. —Andrew-Gee (2016). While Barack Obama partly transformed dynamics of digital politicking in ...",
      "link": "https://journals.sagepub.com/doi/pdf/10.1177/0002764217744838",
      "title": "Justin Trudeau, Instagram, and Celebrity Politics - SAGE ..."
    },
    {
      "description": "Jun 29, 2017 - Instagram Download. Instagram ist eine kostenlose App für euer Smartphone – egal ob Android oder iOS. Mit diesen Links könnt ihr Instagram ...",
      "link": "https://www.giga.de/downloads/instagram/",
      "title": "Instagram - Giga"
    },
    {
      "description": "INDEX WORDS: admissions, advertising diversity, enrollment management, higher education, Facebook, Instagram, marketing, social media ...",
      "link": "http://search.proquest.com/openview/89d5556d32104dfcb0bd10ca744824e5/1.pdf?pq-origsite=gscholar&cbl=18750&diss=y",
      "title": "HIGHER EDUCATION PRIORITIES REFLECTED THROUGH ..."
    },
    {
      "description": "Keywords: Online food photo, Instagram food photo, Intent to visit restaurant,. Perception on price of food, Experimental study. Ref. code: 25616002040811UKW ...",
      "link": "http://ethesisarchive.library.tu.ac.th/thesis/2018/TU_2018_6002040811_10316_9982.pdf",
      "title": "how online food photos on instagram influence ... - TU e-Thesis"
    },
    {
      "description": "Mar 23, 2015 - Instagram, LinkedIn, Facebook and Google+, where more personal information was leaked. The tools used are discussed, the results of the ...",
      "link": "https://www.mdpi.com/1999-5903/7/1/67/pdf",
      "title": "Download PDF - MDPI"
    },
    {
      "description": "... in a newspaper or in handbills , at least one month previous to the day of exhibition . - instagram : Fifth . All articles offered for premiums must be owned 16.",
      "link": "https://books.google.com/books?id=_ulMAAAAYAAJ&pg=PA16&lpg=PA16&dq=instagram&source=bl&ots=Png5FuqqZQ&sig=ACfU3U0jNcpVhT_oXqjbGx_zmB0honn_lA&hl=en&sa=X&ved=2ahUKEwjt3fTus_3pAhXsgnIEHTjKBZcQ6AEwfHoECHIQAQ",
      "title": "Annual Report of the Indiana State Board of Agriculture"
    },
    {
      "description": "que en un entorn ace 5 a IN I - Puiululla A r e na instagram Phim TORTEMS y aura leygull dhe s hume selon vin ro \" ; W HERE was once an honest gentleman ...",
      "link": "https://books.google.com/books?id=IP4BAAAAQAAJ&pg=PA61&lpg=PA61&dq=instagram&source=bl&ots=4jV1WgChNM&sig=ACfU3U0mJZ807miNyU33EV3XjibRhKOT6g&hl=en&sa=X&ved=2ahUKEwjt3fTus_3pAhXsgnIEHTjKBZcQ6AEwfXoECHQQAQ",
      "title": "The old fairy tales [retold]. - Page 61 - Google Books Result"
    },
    {
      "description": "Slate Run , Snow Shoe , Stone , . . . . . . . . . . . . . fontos a : 58 n Forow the ori ca serbest CONAS OO A DONOS X o SPOR OT * * * 200 I ' m going on instagram : .",
      "link": "https://books.google.com/books?id=XL4WAAAAYAAJ&pg=PA61&lpg=PA61&dq=instagram&source=bl&ots=uvgXITH7Qy&sig=ACfU3U1lFKEffyOIa6D3xQGpqCfvBJAXDA&hl=en&sa=X&ved=2ahUKEwjt3fTus_3pAhXsgnIEHTjKBZcQ6AEwfnoECHMQAQ",
      "title": "Report of the Department of Forestry of the State of ..."
    }
  ],
  "total": 93
}
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "answer": null,
  "results": [
    {
      "description": "Jun 11, 2019 - The Custom Search JSON API lets you develop websites and applications to retrieve and display search results from Google Custom Search ...",
      "link": "https://developers.google.com/custom-search/v1/overview",
      "title": "Custom Search JSON API | Google Developers"
    },
    {
      "description": "As a result, the API provides a single URI that acts as the service endpoint. You can retrieve results for a particular search by sending an HTTP GET request to its ...",
      "link": "https://developers.google.com/custom-search/v1/using_rest",
      "title": "Using REST to Invoke the API | Custom Search | Google ..."
    },
    {
      "description": "Apr 8, 2020 - This is the cx parameter used by the API. Identify your application to Google with API key. Custom Search JSON API requires the use of an API ...",
      "link": "https://developers.google.com/custom-search/v1/introduction",
      "title": "Custom Search JSON API: Introduction | Google Developers"
    },
    {
      "description": "SerpApi is a real-time API to access Google search results. We handle the issues of having to rent proxies, solving captchas, and parsing rich structured data for ...",
      "link": "https://serpapi.com/",
      "title": "SerpApi: Google Search API"
    },
    {
      "description": "Jun 26, 2012 - You could just send them through like a browser does, and then parse the html, that is what I have always done, even for things like Youtube.",
      "link": "https://stackoverflow.com/questions/4082966/what-are-the-alternatives-now-that-the-google-web-search-api-has-been-deprecated",
      "title": "What are the alternatives now that the Google web search API ..."
    },
    {
      "description": "Google AJAX Search API is not the same, as it is intended for embedding search results in widgets. Yahoo BOSS is a good example of a search API, even though ...",
      "link": "https://www.quora.com/Is-there-an-API-for-Google-search-results",
      "title": "Is there an API for Google search results? - Quora"
    },
    {
      "description": "Jan 22, 2020 - Is There a Google Search API? Google's supremacy in search engines is so massive that people often wonder how to scrape data from Google ...",
      "link": "https://rapidapi.com/blog/google-search-api/",
      "title": "Google Search API Tutorial: Capture & Record Search Results"
    },
    {
      "description": "Google Search API Documentation. API to perform unlimited Google searches. Learn more about this API. source. POSTpost crawl. search. GETget search.",
      "link": "https://rapidapi.com/apigeek/api/google-search3",
      "title": "Google Search API Documentation (apigeek) | RapidAPI"
    },
    {
      "description": "The Google AJAX Search API is designed to make it easier for webmasters and ... site that includes Google Web, Video, News, Maps, and Blog search results.",
      "link": "https://support.google.com/code/answer/55728?hl=en",
      "title": "What is the Google AJAX Search API? - Google Developers ..."
    },
    {
      "description": "Nov 9, 2019 - However, as part of this service, Google provides a free Google Search API that that lets you query Google's search engine to check search ...",
      "link": "https://mixedanalytics.com/blog/seo-data-google-custom-search-json-api/",
      "title": "Get SEO Data with the Google Custom Search JSON API ..."
    }
  ],
  "total": 1840000000
}
GET Status
{{baseUrl}}/
Examples
REQUEST

CURL *hnd = curl_easy_init();

curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "GET");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/");

CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])

(client/get "{{baseUrl}}/")
require "http/client"

url = "{{baseUrl}}/"

response = HTTP::Client.get url
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
    Method = HttpMethod.Get,
    RequestUri = new Uri("{{baseUrl}}/"),
};
using (var response = await client.SendAsync(request))
{
    response.EnsureSuccessStatusCode();
    var body = await response.Content.ReadAsStringAsync();
    Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/");
var request = new RestRequest("", Method.Get);
var response = client.Execute(request);
package main

import (
	"fmt"
	"net/http"
	"io"
)

func main() {

	url := "{{baseUrl}}/"

	req, _ := http.NewRequest("GET", url, nil)

	res, _ := http.DefaultClient.Do(req)

	defer res.Body.Close()
	body, _ := io.ReadAll(res.Body)

	fmt.Println(res)
	fmt.Println(string(body))

}
GET /baseUrl/ HTTP/1.1
Host: example.com

AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("GET", "{{baseUrl}}/")
  .execute()
  .toCompletableFuture()
  .thenAccept(System.out::println)
  .join();

client.close();
HttpRequest request = HttpRequest.newBuilder()
    .uri(URI.create("{{baseUrl}}/"))
    .method("GET", HttpRequest.BodyPublishers.noBody())
    .build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();

Request request = new Request.Builder()
  .url("{{baseUrl}}/")
  .get()
  .build();

Response response = client.newCall(request).execute();
HttpResponse response = Unirest.get("{{baseUrl}}/")
  .asString();
const data = null;

const xhr = new XMLHttpRequest();
xhr.withCredentials = true;

xhr.addEventListener('readystatechange', function () {
  if (this.readyState === this.DONE) {
    console.log(this.responseText);
  }
});

xhr.open('GET', '{{baseUrl}}/');

xhr.send(data);
import axios from 'axios';

const options = {method: 'GET', url: '{{baseUrl}}/'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const url = '{{baseUrl}}/';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
const settings = {
  async: true,
  crossDomain: true,
  url: '{{baseUrl}}/',
  method: 'GET',
  headers: {}
};

$.ajax(settings).done(function (response) {
  console.log(response);
});
val client = OkHttpClient()

val request = Request.Builder()
  .url("{{baseUrl}}/")
  .get()
  .build()

val response = client.newCall(request).execute()
const http = require('https');

const options = {
  method: 'GET',
  hostname: 'example.com',
  port: null,
  path: '/baseUrl/',
  headers: {}
};

const req = http.request(options, function (res) {
  const chunks = [];

  res.on('data', function (chunk) {
    chunks.push(chunk);
  });

  res.on('end', function () {
    const body = Buffer.concat(chunks);
    console.log(body.toString());
  });
});

req.end();
const request = require('request');

const options = {method: 'GET', url: '{{baseUrl}}/'};

request(options, function (error, response, body) {
  if (error) throw new Error(error);

  console.log(body);
});
const unirest = require('unirest');

const req = unirest('GET', '{{baseUrl}}/');

req.end(function (res) {
  if (res.error) throw new Error(res.error);

  console.log(res.body);
});
const axios = require('axios').default;

const options = {method: 'GET', url: '{{baseUrl}}/'};

try {
  const { data } = await axios.request(options);
  console.log(data);
} catch (error) {
  console.error(error);
}
const fetch = require('node-fetch');

const url = '{{baseUrl}}/';
const options = {method: 'GET'};

try {
  const response = await fetch(url, options);
  const data = await response.json();
  console.log(data);
} catch (error) {
  console.error(error);
}
#import 

NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/"]
                                                       cachePolicy:NSURLRequestUseProtocolCachePolicy
                                                   timeoutInterval:10.0];
[request setHTTPMethod:@"GET"];

NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
                                            completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
                                                if (error) {
                                                    NSLog(@"%@", error);
                                                } else {
                                                    NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
                                                    NSLog(@"%@", httpResponse);
                                                }
                                            }];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt

let uri = Uri.of_string "{{baseUrl}}/" in

Client.call `GET uri
>>= fun (res, body_stream) ->
  (* Do stuff with the result *)
 "{{baseUrl}}/",
  CURLOPT_RETURNTRANSFER => true,
  CURLOPT_ENCODING => "",
  CURLOPT_MAXREDIRS => 10,
  CURLOPT_TIMEOUT => 30,
  CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
  CURLOPT_CUSTOMREQUEST => "GET",
]);

$response = curl_exec($curl);
$err = curl_error($curl);

curl_close($curl);

if ($err) {
  echo "cURL Error #:" . $err;
} else {
  echo $response;
}
request('GET', '{{baseUrl}}/');

echo $response->getBody();
setUrl('{{baseUrl}}/');
$request->setMethod(HTTP_METH_GET);

try {
  $response = $request->send();

  echo $response->getBody();
} catch (HttpException $ex) {
  echo $ex;
}
setRequestUrl('{{baseUrl}}/');
$request->setRequestMethod('GET');
$client->enqueue($request)->send();
$response = $client->getResponse();

echo $response->getBody();
$response = Invoke-WebRequest -Uri '{{baseUrl}}/' -Method GET 
$response = Invoke-RestMethod -Uri '{{baseUrl}}/' -Method GET 
import http.client

conn = http.client.HTTPSConnection("example.com")

conn.request("GET", "/baseUrl/")

res = conn.getresponse()
data = res.read()

print(data.decode("utf-8"))
import requests

url = "{{baseUrl}}/"

response = requests.get(url)

print(response.json())
library(httr)

url <- "{{baseUrl}}/"

response <- VERB("GET", url, content_type("application/octet-stream"))

content(response, "text")
require 'uri'
require 'net/http'

url = URI("{{baseUrl}}/")

http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true

request = Net::HTTP::Get.new(url)

response = http.request(request)
puts response.read_body
require 'faraday'

conn = Faraday.new(
  url: 'https://example.com',
)

response = conn.get('/baseUrl/') do |req|
end

puts response.status
puts response.body
use reqwest;

#[tokio::main]
pub async fn main() {
    let url = "{{baseUrl}}/";

    let client = reqwest::Client::new();
    let response = client.get(url)
        .send()
        .await;

    let results = response.unwrap()
        .json::()
        .await
        .unwrap();

    dbg!(results);
}
curl --request GET \
  --url {{baseUrl}}/
http GET {{baseUrl}}/
wget --quiet \
  --method GET \
  --output-document \
  - {{baseUrl}}/
import Foundation

let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/")! as URL,
                                        cachePolicy: .useProtocolCachePolicy,
                                    timeoutInterval: 10.0)
request.httpMethod = "GET"

let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
  if (error != nil) {
    print(error as Any)
  } else {
    let httpResponse = response as? HTTPURLResponse
    print(httpResponse)
  }
})

dataTask.resume()
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "status": false
}
RESPONSE HEADERS

Content-Type
application/json
RESPONSE BODY json

{
  "status": true
}