ReactJs - NewsMonkey with Routing
ReactJs - NewsMonkey
Routing, props, state
App.js
-----------------------------
import React, { PureComponent } from "react";
import { Navbar } from "./components/Navbar";
import News from "./components/News";
import { BrowserRouter as Router, Route, Switch } from "react-router-dom";
export default class App extends PureComponent {
pageSize = 15;
render() {
return (
<>
<Router>
<Navbar />
<Switch>
<Route exact path="/"><News key="general" pageSize={this.pageSize} country="in" category="general" colorName="fuchsia" /></Route>
<Route exact path="/business"><News key="business" pageSize={this.pageSize} country="in" category="business" colorName="olive" /></Route>
<Route exact path="/entertainment"><News key="entertainment" pageSize={this.pageSize} country="in" category="entertainment" colorName="brown" /></Route>
<Route exact path="/general"><News key="general" pageSize={this.pageSize} country="in" category="general" colorName="blue"/></Route>
<Route exact path="/health"><News key="health" pageSize={this.pageSize} country="in" category="health" colorName="green" /></Route>
<Route exact path="/science"><News key="science" pageSize={this.pageSize} country="in" category="science" colorName="purple" /></Route>
<Route exact path="/sports"><News key="sports" pageSize={this.pageSize} country="in" category="sports" colorName="grey"/></Route>
<Route exact path="/technology"><News key="technology" pageSize={this.pageSize} country="in" category="technology" colorName="teal" /></Route>
</Switch>
</Router>
</>
);
}
}
-----------------------------------------------
Navbar.js
----------------------------------------
import React, { Component } from 'react'
import { Link } from "react-router-dom";
export class Navbar extends Component {
render() {
return (
<div>
<nav className="navbar navbar-expand-lg navbar-dark bg-dark">
<div className="container-fluid">
<Link className="navbar-brand" to="/">NewsMonkey</Link>
<button className="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarSupportedContent" aria-controls="navbarSupportedContent" aria-expanded="false" aria-label="Toggle navigation">
<span className="navbar-toggler-icon"></span>
</button>
<div className="collapse navbar-collapse" id="navbarSupportedContent">
<ul className="navbar-nav me-auto mb-2 mb-lg-0">
<li className="nav-item">
<Link className="nav-link" aria-current="page" to="/">Home</Link>
</li>
<li className="nav-item"><Link className="nav-link" to="/business">Business</Link></li>
<li className="nav-item"><Link className="nav-link" to="/entertainment">Entertainment</Link></li>
<li className="nav-item"><Link className="nav-link" to="/general">General</Link></li>
<li className="nav-item"><Link className="nav-link" to="/health">Health</Link></li>
<li className="nav-item"><Link className="nav-link" to="/science">Science</Link></li>
<li className="nav-item"><Link className="nav-link" to="/sports">Sports</Link></li>
<li className="nav-item"><Link className="nav-link" to="/technology">Technology</Link></li>
</ul>
</div>
</div>
</nav>
</div>
)
}
}
export default Navbar
-----------------------------------
News.js
----------------------------
import React, { Component } from 'react'
import NewsItem from './NewsItem'
import Spinner from './Spinner';
import PropTypes from 'prop-types'
export class News extends Component {
static defaultProps = {
country: 'in',
pageSize: 8,
category: 'general'
}
static propTypes = {
country: PropTypes.string,
pageSize: PropTypes.number,
category: PropTypes.string
}
constructor(props) {
super(props);
console.log("Hellow I am a constructor from the news component.");
this.state = {
articles: [],
loading: false,
page:1
}
document.title = `${this.capitalizeFirstLetter(this.props.category)} - NewsMonkey`;
}
capitalizeFirstLetter = (string) => {
return string.charAt(0).toUpperCase() + string.slice(1);
}
async updateNews(){
const url = `https://newsapi.org/v2/top-headlines?country=${this.props.country}&category=${this.props.category}&apiKey=64e38e341c0941b7be1b8835508b382e&page=${this.state.page}&pageSize=${this.props.pageSize}`;
this.setState({loading:true});
let data = await fetch(url);
let parsedData = await data.json();
console.log(parsedData);
this.setState({
articles: parsedData.articles,
totalResults: parsedData.totalResults,
loading: false
});
}
async componentDidMount() {
/* let url = `https://newsapi.org/v2/top-headlines?country=${this.props.country}&category=${this.props.category}&apiKey=64e38e341c0941b7be1b8835508b382e&page=1&pageSize=${this.props.pageSize}`;
this.setState({loading:true});
let data = await fetch(url);
let parsedData = await data.json();
console.log(parsedData);
this.setState({
articles: parsedData.articles,
totalResults: parsedData.totalResults,
loading: false
}); */
this.updateNews();
}
handlePrevClick = async () => {
console.log("Prev click");
/* let url = `https://newsapi.org/v2/top-headlines?country=${this.props.country}&category=${this.props.category}&apiKey=64e38e341c0941b7be1b8835508b382e&page=${this.state.page - 1}&pageSize=${this.props.pageSize}`;
this.setState({loading:true});
let data = await fetch(url);
let parsedData = await data.json();
console.log(parsedData);
this.setState({
page: this.state.page - 1,
articles: parsedData.articles,
loading:false
}); */
this.setState({page: this.state.page - 1});
this.updateNews();
}
handleNextClick = async () => {
console.log("Next click");
/* if(!(this.state.page + 1 > Math.ceil(this.state.totalResults/this.props.pageSize))){
let url = `https://newsapi.org/v2/top-headlines?country=${this.props.country}&category=${this.props.category}&apiKey=64e38e341c0941b7be1b8835508b382e&page=${this.state.page + 1}&pageSize=${this.props.pageSize}`;
this.setState({loading:true});
let data = await fetch(url);
let parsedData = await data.json();
console.log(parsedData);
this.setState({
page: this.state.page + 1,
articles: parsedData.articles,
loading:false
});
} */
this.setState({page: this.state.page + 1});
this.updateNews();
}
render() {
let {colorName} = this.props;
return (
<div className='container my-3'>
<h3 className="text-center" style={{margin:'25px 0', borderBottom:'1px solid #ccc', padding: '0 0 15px 0'}}>NewsMonkey - Top {this.capitalizeFirstLetter(this.props.category)} Headlines</h3>
{this.state.loading && <Spinner />}
<div className='row'>
{!this.state.loading && this.state.articles.map((element) => {
return <div className="col-md-4" key={element.url}>
<NewsItem title={element.title ? element.title : ""} description={element.description ? element.description : ""} imageUrl={element.urlToImage} newsUrl={element.url} author={element.author} date={element.publishedAt} source={element.source.name} bgColor={colorName} />
</div>
})}
</div>
<div className="container d-flex justify-content-between mt-3">
<button disabled={this.state.page<=1} type="button" className="btn btn-dark" onClick={this.handlePrevClick}>← Previous</button>
<button disabled={this.state.page + 1 > Math.ceil(this.state.totalResults/this.props.pageSize)} type="button" className="btn btn-dark" onClick={this.handleNextClick}>Next →</button>
</div>
</div>
)
}
}
export default News
------------------------------------------
NewsItem.js
--------------------------------------------
import React, { Component } from 'react'
import '../App.css';
export class NewsItem extends Component {
render() {
let {title, description, imageUrl, newsUrl, author, date, source, bgColor} = this.props;
return (
<div className="card">
<span className={`position-absolute badge rounded-pill`} style={{right:'0', zIndex:'1', top:'-10px', backgroundColor: bgColor}}>{source}</span>
<img src={!imageUrl?"https://cdn.ndtv.com/common/images/ogndtv.png":imageUrl} className="card-img-top" alt="..." />
<div className="card-body">
<h5 className="card-title">{title}</h5>
<p className="card-text">{description}</p>
<p className="card-text"><small className="text-muted">By {!author?'Unknown':author} on {new Date(date).toGMTString()}</small></p>
<a rel="noreferrer" href={newsUrl} target='_blank' className="btn btn-sm btn-dark">Read more</a>
</div>
</div>
)
}
}
export default NewsItem
------------------------------------------------
Spinner.js
---------------------------------------------
import React, { Component } from 'react'
import loading from './loading.gif';
export class Spinner extends Component {
render() {
return (
<div className='text-center'>
<img src={loading} alt="loading" />
</div>
)
}
}
export default Spinner
--------------------------------
SampleOutput.json
-----------------------------------
{
"status": "ok",
"totalResults": 1322,
"articles": [
{
"source": {
"id": null,
"name": "Gizmodo.com"
},
"author": "Mack DeGeurin",
"title": "Russia Bans Thousands of Officials From Using iPhones for Work Emails Over Spying Fears",
"description": "Thousands of top Russian officials and state employees have reportedly been banned from using iPhones and other Apple products over concerns they could serve as surreptitious spying tools for Western intelligence agencies. It looks like top government officia…",
"url": "https://gizmodo.com/russia-bans-officials-use-of-iphones-government-work-1850646999",
"urlToImage": "https://i.kinja-img.com/gawker-media/image/upload/c_fill,f_auto,fl_progressive,g_center,h_675,pg_1,q_80,w_1200/705b4a664199f0f29312697d88f494b7.jpg",
"publishedAt": "2023-07-17T14:30:00Z",
"content": "Thousands of top Russian officials and state employees have reportedly been banned from using iPhones and other Apple products over concerns they could serve as surreptitious spying tools for Western… [+2781 chars]"
},
{
"source": {
"id": null,
"name": "Gizmodo.com"
},
"author": "Andrew Liszewski",
"title": "An Original, Factory-Sealed, 4GB iPhone Just Sold at Auction for Over $190,000",
"description": "Many of us can remember the excitement of tearing off the plastic shrink wrap and opening our first iPhones, but imagine the excitement you’d be feeling 16 years later if you’d kept it sealed in its original box because an unopened iPhone just sold at auction…",
"url": "https://gizmodo.com/original-sealed-iphone-sells-auction-190-000-dollars-1850647037",
"urlToImage": "https://i.kinja-img.com/gawker-media/image/upload/c_fill,f_auto,fl_progressive,g_center,h_675,pg_1,q_80,w_1200/b12b60a53ac52b0f260d780625fa4786.jpg",
"publishedAt": "2023-07-17T14:50:00Z",
"content": "Many of us can remember the excitement of tearing off the plastic shrink wrap and opening our first iPhones, but imagine the excitement youd be feeling 16 years later if youd kept it sealed in its or… [+2230 chars]"
},
{
"source": {
"id": null,
"name": "The Guardian"
},
"author": "Samuel Gibbs Consumer technology editor",
"title": "Amazon Fire Max 11 review: nice-looking tablet but poor software",
"description": "Biggest and most premium Amazon slate yet is let down badly by Fire OS and lack of key appsThe Fire Max 11 is Amazon’s first premium tablet and is designed to look and feel more like an iPad at half the cost. But while the appearance of the new machine is a s…",
"url": "https://www.theguardian.com/technology/2023/jul/17/amazon-fire-max-11-review-nice-looking-tablet-but-poor-software",
"urlToImage": "https://i.guim.co.uk/img/media/fe8765e9367851322e26b0f4189496213260cbb8/731_506_4641_2784/master/4641.jpg?width=1200&height=630&quality=85&auto=format&fit=crop&overlay-align=bottom%2Cleft&overlay-width=100p&overlay-base64=L2ltZy9zdGF0aWMvb3ZlcmxheXMvdGctcmV2aWV3LTMucG5n&enable=upscale&s=d6ba2bc933d8b6ef138a2af2215658b9",
"publishedAt": "2023-07-17T06:00:21Z",
"content": "The Fire Max 11 is Amazons first premium tablet and is designed to look and feel more like an iPad at half the cost. But while the appearance of the new machine is a step up, it falls far short of ex… [+7179 chars]"
},
{
"source": {
"id": null,
"name": "The Guardian"
},
"author": "Rhian Jones",
"title": "Swiftly resolved? The problems in concert ticketing – and how to fix them",
"description": "After an outright debacle in the US, European fans of Taylor Swift have still found getting tickets to be a nightmare. Industry experts explain how to improve the experienceLast year, thousands faced disaster when trying to buy tickets for Taylor Swift’s Eras…",
"url": "https://www.theguardian.com/music/2023/jul/17/taylor-swift-problems-in-concert-ticketing-and-how-to-fix-them",
"urlToImage": "https://i.guim.co.uk/img/media/e3f3a336d20764cdaf635f696fa826340769402f/0_93_6000_3600/master/6000.jpg?width=1200&height=630&quality=85&auto=format&fit=crop&overlay-align=bottom%2Cleft&overlay-width=100p&overlay-base64=L2ltZy9zdGF0aWMvb3ZlcmxheXMvdGctZGVmYXVsdC5wbmc&enable=upscale&s=a47c691f1e96ebda55a9328401286be7",
"publishedAt": "2023-07-17T09:40:09Z",
"content": "Last year, thousands faced disaster when trying to buy tickets for Taylor Swifts Eras tour in the US. Fans said the presale access codes they were given didnt work properly and the Ticketmaster websi… [+9504 chars]"
},
{
"source": {
"id": null,
"name": "MacRumors"
},
"author": "Juli Clover",
"title": "Samsung Debuts New $1,599 ViewFinity S9 5K Display to Compete with Apple's Studio Display",
"description": "Samsung today announced the upcoming U.S. launch of its ViewFinity S9 display, which is designed to compete with the Studio Display from Apple. The ViewFinity S9 previously launched in South Korea in June, but next month it will be expanding to the United Sta…",
"url": "https://www.macrumors.com/2023/07/17/samsung-viewfinity-s9-display/",
"urlToImage": "https://images.macrumors.com/t/awWP6F8ByAx0PUTKtXwqahF2t1k=/2000x/article-new/2023/07/samsung-viewfinity-s9.jpg",
"publishedAt": "2023-07-17T08:00:00Z",
"content": "Samsung today announced the upcoming U.S. launch of its ViewFinity S9 display, which is designed to compete with the Studio Display from Apple. The ViewFinity S9 previously launched in South Korea in… [+2667 chars]"
},
{
"source": {
"id": null,
"name": "CNET"
},
"author": "Lisa Eadicicco",
"title": "The OnePlus Foldable Could Be the Competitor Samsung and Google Need - CNET",
"description": "More competition means more choices for consumers. And the gadget could give OnePlus a chance to revive its reputation as the \"flagship killer.\"",
"url": "https://www.cnet.com/tech/mobile/the-oneplus-foldable-could-be-the-competitor-samsung-and-google-need/",
"urlToImage": "https://www.cnet.com/a/img/resize/7c3ecefd29a5bf1f65e0b7c8d739a09072c07657/hub/2023/02/07/ce9e1bc6-7160-43cb-90fa-dab24b4d1f64/img-5755.jpg?auto=webp&fit=crop&height=675&width=1200",
"publishedAt": "2023-07-17T12:00:08Z",
"content": "It's shaping up to be a big year for foldable phones. We've already seen new devices with bendable screens from Google and Motorola, and Samsung's new Flip and Fold phones are likely just around the … [+5611 chars]"
},
{
"source": {
"id": null,
"name": "MacRumors"
},
"author": "Hartley Charlton",
"title": "iPhone 15 Could Feature Stacked Battery Technology",
"description": "Apple's iPhone 15 lineup could feature stacked battery technology for increased energy density and prolonged lifespan, a recent rumor claims.\n\n\n\niPhone 15 lineup dummy models.\n\nAccording to the Twitter user \"RGcloudS,\" the iPhone 15 lineup will feature st…",
"url": "https://www.macrumors.com/2023/07/17/iphone-15-could-feature-stacked-battery-technology/",
"urlToImage": "https://images.macrumors.com/t/YJqidUuUjqTWt19nMzvM2LYr2A4=/3840x/article-new/2023/05/iphone-15-dummy.jpg",
"publishedAt": "2023-07-17T13:18:37Z",
"content": "Apple's iPhone 15 lineup could feature stacked battery technology for increased energy density and prolonged lifespan, a recent rumor claims.\r\nAccording to the Twitter user \"RGcloudS,\" the iPhone 15… [+1609 chars]"
},
{
"source": {
"id": null,
"name": "MacRumors"
},
"author": "Mitchel Broussard",
"title": "Deals: Apple's iPad Air Discounted on Amazon by Up to $119, Starting at $499.99",
"description": "Amazon today has a few deals on the iPad Air, all of which represent all-time low prices for these tablets. The sales are focused on the 5th generation iPad Air, which has a delivery date as soon as July 19 for select colors.\n\n\n\nNote: MacRumors is an affiliat…",
"url": "https://www.macrumors.com/2023/07/17/deals-apples-ipad-air-amazon/",
"urlToImage": "https://images.macrumors.com/t/Zvqv5mCK-a7jIAu-8fLkc0xrye0=/1600x/article-new/2023/02/ipad-air-purple.jpg",
"publishedAt": "2023-07-17T14:24:13Z",
"content": "Amazon today has a few deals on the iPad Air, all of which represent all-time low prices for these tablets. The sales are focused on the 5th generation iPad Air, which has a delivery date as soon as … [+977 chars]"
},
{
"source": {
"id": "business-insider",
"name": "Business Insider"
},
"author": "Kristina Etter",
"title": "A 5G-powered app could be the solution to muddy speakers at concerts and sporting events — but it's not for everyone",
"description": "Mixhalo, an app conceived by Incubus guitarist Mike Einziger and his wife, Ann Marie Simpson-Einziger, streams sound directly from the mixing board.",
"url": "https://www.businessinsider.com/mixhalo-app-5g-sound-quality-live-events-2023-7",
"urlToImage": "https://i.insider.com/64a575404cc8540019cb699a?width=1200&format=jpeg",
"publishedAt": "2023-07-17T15:30:35Z",
"content": ".insider-raw-embed + p { display: none; }\r\n\n // 5G Playbook\n const seriesTitle = \"5G Playbook\";\n // put sponsor text here\n const text = \"Presented by\";\n // 6495cb1365b9ce0018a496f9\n const sponsorLogo… [+5700 chars]"
},
{
"source": {
"id": null,
"name": "Boing Boing"
},
"author": "Boing Boing's Shop",
"title": "Treat yourself to a beautifully refurbished Apple iPad 7 for half off",
"description": "We thank our sponsor for making this content possible; it is not written by the editorial staff nor does it necessarily reflect its views.\n\n\n\nTL:DR; Ideal for FaceTiming, gaming, or catching up on your reading, this refurbished Apple iPad 7 is also easy on th…",
"url": "https://boingboing.net/2023/07/17/treat-yourself-to-a-beautifully-refurbished-apple-ipad-7-for-half-off.html",
"urlToImage": "https://s0.wp.com/i/blank.jpg",
"publishedAt": "2023-07-17T15:00:00Z",
"content": "We thank our sponsor for making this content possible; it is not written by the editorial staff nor does it necessarily reflect its views.\r\nTL:DR; Ideal for FaceTiming, gaming, or catching up on your… [+2146 chars]"
},
{
"source": {
"id": null,
"name": "Hipertextual"
},
"author": "Rubén Chicharro",
"title": "Oleada de Mac con M3: todo lo que Apple prepara para después de verano",
"description": "Apple podría lanzar nuevos Mac con chip M3 después del verano; concretamente, durante el mes de octubre, según ha revelado Mark Gurman, de Bloomberg. La compañía, que durante la WWDC de 2023 lanzó nuevos equipos de escritorio, así como un MacBook Air de 15 pu…",
"url": "http://hipertextual.com/2023/07/apple-mac-m3-para-despues-del-verano",
"urlToImage": "https://imgs.hipertextual.com/wp-content/uploads/2023/06/MacBook-Air-M2-15-2.jpg",
"publishedAt": "2023-07-17T09:02:53Z",
"content": "Apple podría lanzar nuevos Mac con chip M3 después del verano; concretamente, durante el mes de octubre, según ha revelado Mark Gurman, de Bloomberg. La compañía, que durante la WWDC de 2023 lanzó nu… [+2340 chars]"
},
{
"source": {
"id": null,
"name": "Hipertextual"
},
"author": "José María López",
"title": "14 sitios web para leer y descargar libros gratis y de forma legal",
"description": "Si te gusta leer, nunca lo habías tenido tan fácil para crear tu propia biblioteca. Especialmente si te falta espacio en casa. Gracias a los libros electrónicos puedes almacenar decenas y decenas de libros y disfrutarlos en la pantalla de tu Kindle, iPad o cu…",
"url": "http://hipertextual.com/2023/07/descargar-libros-gratis",
"urlToImage": "https://imgs.hipertextual.com/wp-content/uploads/2023/07/Kindle-Outdoor-Reading.jpg",
"publishedAt": "2023-07-17T09:01:00Z",
"content": "Si te gusta leer, nunca lo habías tenido tan fácil para crear tu propia biblioteca. Especialmente si te falta espacio en casa. Gracias a los libros electrónicos puedes almacenar decenas y decenas de … [+7333 chars]"
},
{
"source": {
"id": null,
"name": "Xataka.com"
},
"author": "Ricardo Aguilar",
"title": "Apple Watch Ultra con impresión 3D y Mac con chip M3. El arsenal de Apple para otoño",
"description": "Apple está ultimando detalles para el periodo otoñal. Esperamos iPhone, nuevos Mac y Apple Watch antes de que finalice el año. Tanto Gurman como Ming-Chi Kuo siguen con el goteo de información, esta vez en lo respectivo a los nuevos Mac y su posible fecha de …",
"url": "https://www.xataka.com/ordenadores/apple-watch-ultra-impresion-3d-mac-chip-m3-arsenal-apple-para-otono",
"urlToImage": "https://i.blogs.es/98fc86/1366_2000/840_560.jpeg",
"publishedAt": "2023-07-17T11:01:36Z",
"content": "Apple está ultimando detalles para el periodo otoñal. Esperamos iPhone, nuevos Mac y Apple Watch antes de que finalice el año. Tanto Gurman como Ming-Chi Kuo siguen con el goteo de información, esta … [+1951 chars]"
},
{
"source": {
"id": "usa-today",
"name": "USA Today"
},
"author": "USA TODAY, Clare Mulroy, USA TODAY",
"title": "Toddler aggression: When to worry about your toddler biting, according to a psychologist",
"description": "Because toddlers lack the language skills to clearly communicate their feelings, they may bite to express frustration, overstimulation or excitement.",
"url": "https://www.usatoday.com/story/news/2023/07/17/why-do-toddlers-bite/70352027007/",
"urlToImage": "https://www.gannett-cdn.com/-mm-/1abbac059a7e6f21ff3aa7e38760a41a48819119/c=0-217-2118-1414/local/-/media/2018/01/17/USATODAY/USATODAY/636517855636336738-GettyImages-508407558.jpg?auto=webp&format=pjpg&width=1200",
"publishedAt": "2023-07-17T11:00:27Z",
"content": "\"Ouch Charlie, that really hurt!\"\r\nThe 2007 viral \"Charlie Bit My Finger\" video seemed to reach every corner of the internet after it was first uploaded becoming a meme,merch and, eventually, an NFT … [+3821 chars]"
},
{
"source": {
"id": "fox-news",
"name": "Fox News"
},
"author": "Kurt Knutsson, CyberGuy Report",
"title": "How AI could revolutionize full-body scans and cancer detection",
"description": "Artificial intelligence is being used for preventative health care by providing full-body scans. Kurt \"CyberGuy\" Knutsson explains how it works and what some of the risks are.",
"url": "https://www.foxnews.com/tech/ai-revolutionize-full-body-scans-cancer-detection",
"urlToImage": "https://static.foxnews.com/foxnews.com/content/uploads/2023/07/1-How-AI-could-revolutionize-full-body-scans-and-cancer-detection.jpg",
"publishedAt": "2023-07-17T14:21:45Z",
"content": "As we've seen in the world of health tech, artificial intelligence (AI) is not just making waves it's making tsunamis. The latest splash? Full-body AI scans are becoming the vanguard of preventive me… [+6197 chars]"
},
{
"source": {
"id": null,
"name": "heise online"
},
"author": "Malte Kirchner",
"title": "M3 in Anmarsch: Apple hat angeblich Pläne für den Oktober",
"description": "Im September neue iPhones und die Apple Watch, im Oktober gibt es Macs: Es gibt neue Gerüchte, was Apple dieses Jahr noch in Hinblick auf Events plant.",
"url": "https://www.heise.de/news/M3-in-Anmarsch-Apple-hat-angeblich-Plaene-fuer-den-Oktober-9218834.html",
"urlToImage": "https://heise.cloudimg.io/bound/1200x1200/q85.png-lossy-85.webp-lossy-85.foil1/_www-heise-de_/imgs/18/4/2/7/2/5/4/8/apple_chip-86af9c78d1d4ad5a.png",
"publishedAt": "2023-07-17T15:21:00Z",
"content": "Für den Mac war das Jahr 2023 bereits recht ereignisreich laut einem neuen Medienbericht plant Apple aber für Oktober wohl noch weitere neue Produkte. Im Gespräch ist die Einführung der nächsten Proz… [+2535 chars]"
},
{
"source": {
"id": null,
"name": "heise online"
},
"author": "Ben Schwan",
"title": "\"Vision Products Group\": Apple baut spezielles Team für Vision Pro & Co. auf",
"description": "Die VPG kümmert sich um aktuelle und künftige Headsets – und arbeitet außerhalb der regulären Infrastruktur des Konzerns, wie es in einem neuen Bericht heißt.",
"url": "https://www.heise.de/news/Vision-Products-Group-Apple-baut-spezielles-Team-fuer-Vision-Pro-Co-auf-9218132.html",
"urlToImage": "https://heise.cloudimg.io/bound/1200x1200/q85.png-lossy-85.webp-lossy-85.foil1/_www-heise-de_/imgs/18/4/2/7/2/1/5/9/Apple-WWCD23-Vision-Pro-rotation-230605-2c2a0a1a8219a863.jpg",
"publishedAt": "2023-07-17T08:44:00Z",
"content": "Apples Einführung der Vision Pro sorgt auch intern für Umbaumaßnahmen. Im Gegensatz zu anderen Hardwareteams wie jenen für iPhone, iPad oder Mac soll Apple dafür eine eigene Gruppe geschaffen haben, … [+2467 chars]"
},
{
"source": {
"id": null,
"name": "9to5Mac"
},
"author": "Michael Potuck",
"title": "Apple announces latest Apple Music Live concert event with Burna Boy at London Stadium",
"description": "The next Apple Music Live performance is set with Burna Boy’s show from the London Stadium streaming for free. Here’s how to watch on July 19.\n more…\nThe post Apple announces latest Apple Music Live concert event with Burna Boy at London Stadium appeared firs…",
"url": "https://9to5mac.com/2023/07/17/apple-music-live-concert-burna-boy-july-19/",
"urlToImage": "https://i0.wp.com/9to5mac.com/wp-content/uploads/sites/6/2023/07/apple-music-live-burna-boy.jpg?resize=1200%2C628&quality=82&strip=all&ssl=1",
"publishedAt": "2023-07-17T15:46:41Z",
"content": "The next Apple Music Live performance is set with Burna Boy’s show from the London Stadium streaming for free. Here’s how to watch on July 19.\r\nIn May we saw Apple Music Live team up with Ed Sheeran … [+550 chars]"
},
{
"source": {
"id": null,
"name": "9to5Mac"
},
"author": "Ben Lovejoy",
"title": "Russian security service bans all Apple devices, repeats nonsensical spying claims",
"description": "The Russian security service, the FSB, has extended its earlier ban on the use of iPhones. The latest ban applies to thousands more government workers, and now includes iPads and Macs.\nThe FSB has repeated its earlier claims that Apple has provided the NSA wi…",
"url": "https://9to5mac.com/2023/07/17/russian-security-service-bans-apple/",
"urlToImage": "https://i0.wp.com/9to5mac.com/wp-content/uploads/sites/6/2023/07/Russian-security-service-bans-all-Apple-devices.jpg?resize=1200%2C628&quality=82&strip=all&ssl=1",
"publishedAt": "2023-07-17T11:14:31Z",
"content": "The Russian security service, the FSB, has extended its earlier ban on the use of iPhones. The latest ban applies to thousands more government workers, and now includes iPads and Macs.\r\nThe FSB has r… [+2836 chars]"
},
{
"source": {
"id": null,
"name": "9to5Mac"
},
"author": "Michael Potuck",
"title": "Samsung reveals ViewFinity S9 5K monitor specs, price, launch date",
"description": "Back at CES 2023 in January, Samsung teased its ViewFinity S9 5K monitor. Now details for the product that will go head-to-head with Apple’s Studio Display have been revealed including full specs, price, and an August release date.\n more…\nThe post Samsung rev…",
"url": "https://9to5mac.com/2023/07/17/samsung-viewfinity-5k-monitor-specs-price-launch-date/",
"urlToImage": "https://i0.wp.com/9to5mac.com/wp-content/uploads/sites/6/2023/07/samsung-viewfinity-s9.jpg?resize=1200%2C628&quality=82&strip=all&ssl=1",
"publishedAt": "2023-07-17T08:00:00Z",
"content": "Back at CES 2023 in January, Samsung teased its ViewFinity S9 5K monitor. Now details for the product that will go head-to-head with Apple’s Studio Display have been revealed including full specs, pr… [+2276 chars]"
},
{
"source": {
"id": null,
"name": "9to5Mac"
},
"author": "Rikka Altland",
"title": "Monday’s best deals: iPhone 12 Pro Max $620, AirTags from $22, 15W Belkin MagSafe gear, more",
"description": "Monday is dishing out a fresh batch of Apple discounts courtesy of 9to5Toys. On tap to start the week, we have some all-time lows on iPhone 12 Pro Max at $620, alongside other 12 series handsets from $360. That’s joined by even lower prices on AirTags from $2…",
"url": "https://9to5mac.com/2023/07/17/iphone-12-pro-max-airtags-more/",
"urlToImage": "https://i0.wp.com/9to5mac.com/wp-content/uploads/sites/6/2022/06/iphone-12-pro-max-airtags.jpg?resize=1200%2C628&quality=82&strip=all&ssl=1",
"publishedAt": "2023-07-17T15:50:10Z",
"content": "Monday is dishing out a fresh batch of Apple discounts courtesy of 9to5Toys. On tap to start the week, we have some all-time lows on iPhone 12 Pro Max at $620, alongside other 12 series handsets from… [+4775 chars]"
},
{
"source": {
"id": null,
"name": "9to5Mac"
},
"author": "Michael Potuck",
"title": "Watch how next-gen laser tech fixes iPhone screens without removing them [Video]",
"description": "The most expensive component to fix on an iPhone or any smartphone is typically the screen. Now a new laser repair process can fix OLED panels that have developed lines without having to remove the screen. Check out how the impressive new tech works below.\n m…",
"url": "https://9to5mac.com/2023/07/17/watch-lasers-fix-iphone-screens-without-removing-them/",
"urlToImage": "https://i0.wp.com/9to5mac.com/wp-content/uploads/sites/6/2023/07/laser-fixes-iphone-screens.jpg?resize=1200%2C628&quality=82&strip=all&ssl=1",
"publishedAt": "2023-07-17T13:38:22Z",
"content": "The most expensive component to fix on an iPhone or any smartphone is typically the screen. Now a new laser repair process can fix OLED panels that have developed lines without having to remove the s… [+1293 chars]"
},
{
"source": {
"id": null,
"name": "9to5Mac"
},
"author": "Ben Lovejoy",
"title": "iPhone Diary: StandBy is a great way to reduce distractions (and screen time)",
"description": "I’ve been using the iOS 17 developer beta for a few weeks now, and been meaning to write a roundup of the features I’ve found most useful. I will get around to that, but there’s one which stands out to me – and that’s StandBy.\nApple’s primary intention with t…",
"url": "https://9to5mac.com/2023/07/17/iphone-diary-standby/",
"urlToImage": "https://i0.wp.com/9to5mac.com/wp-content/uploads/sites/6/2023/07/StandBy-dock.jpg?resize=1200%2C628&quality=82&strip=all&ssl=1",
"publishedAt": "2023-07-17T14:20:18Z",
"content": "I’ve been using the iOS 17 developer beta for a few weeks now, and been meaning to write a roundup of the features I’ve found most useful. I will get around to that, but there’s one which stands out … [+2281 chars]"
},
{
"source": {
"id": null,
"name": "The Guardian"
},
"author": "Hannah Marriott",
"title": "‘We used to check every day, now it’s every minute’: how we got addicted to weather apps",
"description": "As unprecedented weather leads to increasing climate anxiety, there’s a raft of different apps catering for every kind of forecastOne day in 2020, close to the beginning of the Covid-19 pandemic, Matt Rickett realized he was checking weather apps all the time…",
"url": "https://www.theguardian.com/us-news/2023/jul/17/weather-apps-addiction-climate-crisis-anxiety",
"urlToImage": "https://i.guim.co.uk/img/media/9cd9aeb5414215b63ae40905e036c32591de4ea4/248_1026_3925_2355/master/3925.jpg?width=1200&height=630&quality=85&auto=format&fit=crop&overlay-align=bottom%2Cleft&overlay-width=100p&overlay-base64=L2ltZy9zdGF0aWMvb3ZlcmxheXMvdGctZGVmYXVsdC5wbmc&enable=upscale&s=f1b7d9bc4e140b929e307c391f1f7070",
"publishedAt": "2023-07-17T05:00:19Z",
"content": "One day in 2020, close to the beginning of the Covid-19 pandemic, Matt Rickett realized he was checking weather apps all the time. He immediately understood why: Everything felt so unpredictable, so … [+10279 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (Malcolm Owen)",
"title": "Apple TV+ tech problems disrupt Lionel Messi's MLS debut",
"description": "A live stream on Apple TV+ formally revealing soccer legend Lionel Messi had joined Major League Soccer's Inter Miami team was struck by audio problems — and the Internet is mad about it.Lionel Messi [Inter Miami CF]On Sunday night, Apple TV+ hosted a live st…",
"url": "https://appleinsider.com/articles/23/07/17/apple-tv-tech-problems-disrupt-lionel-messis-mls-debut",
"urlToImage": "https://photos5.appleinsider.com/gallery/55415-112569-Messi-xl.jpg",
"publishedAt": "2023-07-17T11:08:31Z",
"content": "Lionel Messi [Inter Miami CF]\r\nA live stream on Apple TV+ formally revealing soccer legend Lionel Messi had joined Major League Soccer's Inter Miami team was struck by audio problems — and the Intern… [+1569 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (Malcolm Owen)",
"title": "New iMac rumors: Apple Silicon M3, largest model ever, and more",
"description": "Apple's iMac has a number of changes coming soon, including a shift to the M3 Apple Silicon chip and maybe the biggest model ever. Here are all the rumors about what Apple is said to be planning for the venerable iMac.The rear of the 24-inch iMac.The 24-inch …",
"url": "https://appleinsider.com/articles/23/07/17/new-imac-rumors-apple-silicon-m3-largest-model-ever-and-more",
"urlToImage": "https://photos5.appleinsider.com/gallery/55412-112561-iMac-24-inch-xl.jpg",
"publishedAt": "2023-07-17T12:37:28Z",
"content": "The rear of the 24-inch iMac.\r\nApple's iMac has a number of changes coming soon, including a shift to the M3 Apple Silicon chip and maybe the biggest model ever. Here are all the rumors about what Ap… [+5617 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (Andrew O'Hara)",
"title": "SmartWings shades, SwitchBot Lock adds Matter & more on the HomeKit Insider Podcast",
"description": "On this week's episode of the HomeKit Insider podcast, your hosts review the Thread-enabled SmartWings shades, talk about the Switchbot lock adding Apple Home support through Matter, making home scenes for vacation time, and more!HomeKit InsiderThis week, the…",
"url": "https://appleinsider.com/articles/23/07/17/smartwings-shades-switchbot-lock-adds-matter-more-on-the-homekit-insider-podcast",
"urlToImage": "https://photos5.appleinsider.com/gallery/46889-91403-HKI-Header-xl.jpg",
"publishedAt": "2023-07-17T13:19:13Z",
"content": "HomeKit Insider\r\nOn this week's episode of the HomeKit Insider podcast, your hosts review the Thread-enabled SmartWings shades, talk about the Switchbot lock adding Apple Home support through Matter,… [+1533 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (Malcolm Owen)",
"title": "Apple India successes prompt new $220 stock price target from Morgan Stanley",
"description": "Apple's drive to increase its iPhone presence in India will be financially powerful, leading Morgan Stanley to raise their stock price target for the company.Mumbai, IndiaApple has been expanding both its manufacturing and retail efforts in India over the las…",
"url": "https://appleinsider.com/articles/23/07/17/apple-india-successes-prompt-new-220-stock-price-target-from-morgan-stanley",
"urlToImage": "https://photos5.appleinsider.com/gallery/55422-112580-55006-111603-50489-99331-18914-18533-india-mumbai-xl-xl-xl-xl.jpg",
"publishedAt": "2023-07-17T15:41:17Z",
"content": "Mumbai, India\r\nApple's drive to increase its iPhone presence in India will be financially powerful, leading Morgan Stanley to raise their stock price target for the company. \r\nApple has been expandin… [+2763 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (Malcolm Owen)",
"title": "Unopened original iPhone auction smashes record with $158,000 price",
"description": "An original 2007 4GB iPhone has broken sales records at auction, with a 4GB first release unit still in its factory sealing selling for over $158,000.The second lot in LCG Auctions' 2023 Summer Premier Auction ran from June 30 until July 16, with the virtual …",
"url": "https://appleinsider.com/articles/23/07/17/unopened-original-iphone-auction-smashes-record-with-158000-price",
"urlToImage": "https://photos5.appleinsider.com/gallery/55413-112562-55173-112017-My-project-xl-xl.jpg",
"publishedAt": "2023-07-17T00:35:59Z",
"content": "An original 2007 4GB iPhone has broken sales records at auction, with a 4GB first release unit still in its factory sealing selling for over $158,000. \r\nThe second lot in LCG Auctions' 2023 Summer Pr… [+1256 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (William Gallagher)",
"title": "Samsung's Studio Display rival finally coming in August",
"description": "Samsung has announced US shipping for its ViewFinity S9 5K monitor, aimed at being a rival to the more costly Apple Studio Display.Samsung ViewFinity S9The Samsung ViewFinity S9 5K has already been released in South Korea, but US buyers have been waiting for …",
"url": "https://appleinsider.com/articles/23/07/17/samsungs-studio-display-rival-finally-coming-in-august",
"urlToImage": "https://photos5.appleinsider.com/gallery/55118-111873-S9-xl.jpg",
"publishedAt": "2023-07-17T09:43:49Z",
"content": "Samsung ViewFinity S9\r\nSamsung has announced US shipping for its ViewFinity S9 5K monitor, aimed at being a rival to the more costly Apple Studio Display.\r\nThe Samsung ViewFinity S9 5K has already be… [+1667 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (Andrew Orr)",
"title": "iPhone 15 thinner bezels rumor supported by new leak",
"description": "A leaked image, purportedly showing iPhone 15 screen glass and protectors, may provide supporting evidence to the rumor that certain models may feature thinner bezels.New leak reveals details about iPhone 15 lineupIn March, a prominent leaker known as Ice Uni…",
"url": "https://appleinsider.com/articles/23/07/17/iphone-15-thinner-bezels-rumor-supported-by-new-leak",
"urlToImage": "https://photos5.appleinsider.com/gallery/55423-112582-53522-107506-000-lead-Bezels-xl-xl.jpg",
"publishedAt": "2023-07-17T16:14:42Z",
"content": "New leak reveals details about iPhone 15 lineup\r\nA leaked image, purportedly showing iPhone 15 screen glass and protectors, may provide supporting evidence to the rumor that certain models may featur… [+1345 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (Malcolm Owen)",
"title": "Rumor: iPhone 15 may use longer-lasting stacked batteries",
"description": "The iPhone 15 is rumored to use a \"stacked battery\" that could result in lower heat and a better overall battery life.Renders of the iPhone 15 ProBattery technology advances often result in devices having more power available to use, among other improvements.…",
"url": "https://appleinsider.com/articles/23/07/17/rumor-iphone-15-may-use-longer-lasting-stacked-batteries",
"urlToImage": "https://photos5.appleinsider.com/gallery/55416-112575-55282-112364-iPhone-15-Pro-colors-2-xl-xl.jpg",
"publishedAt": "2023-07-17T12:03:46Z",
"content": "Renders of the iPhone 15 Pro\r\nThe iPhone 15 is rumored to use a \"stacked battery\" that could result in lower heat and a better overall battery life. \r\nBattery technology advances often result in devi… [+2937 chars]"
},
{
"source": {
"id": null,
"name": "AppleInsider"
},
"author": "news@appleinsider.com (Jess Pingrey)",
"title": "Daily deals July 17: $250 off M1 Mac mini, $999 M2 MacBook Air, iPhone 12 Pro from $499, more",
"description": "Today's hottest deals include a 15\" MacBook Pro for $664, $550 off a Lenovo 16\" Legion Pro 7i gaming laptop, 50% off a Razer BlackWidow wired gaming keyboard, Govee outdoor Smart string lights for $13, and more.Save $100 on an M2 MacBook AirThe AppleInsider t…",
"url": "https://appleinsider.com/articles/23/07/17/daily-deals-july-17-250-off-m1-mac-mini-999-m2-macbook-air-iphone-12-pro-from-499-more",
"urlToImage": "https://photos5.appleinsider.com/gallery/55411-112577-daily-deals-July-17-xl.jpg",
"publishedAt": "2023-07-17T13:49:27Z",
"content": "Save $100 on an M2 MacBook Air\r\nToday's hottest deals include a 15\" MacBook Pro for $664, $550 off a Lenovo 16\" Legion Pro 7i gaming laptop, 50% off a Razer BlackWidow wired gaming keyboard, Govee ou… [+2951 chars]"
},
{
"source": {
"id": null,
"name": "Macworld"
},
"author": "Jason Cross",
"title": "How to use StandBy in iOS 17 to make your perfect smart home hub",
"description": "Macworld\n\n\n\r\n\n\n\n\nApple has created an all-new “charging stand” experience for iPhones with iOS 17. Branded StandBy, this new feature turns your iPhone into a pseudo-smart-home hub whenever it is connected to power and turned to landscape orientation.\r\n\n\n\n\nYou…",
"url": "https://www.macworld.com/article/1972460/ios-17-standby-clock-widgets-photos-customize.html",
"urlToImage": "https://www.macworld.com/wp-content/uploads/2023/07/standby-how-to-hero.jpg?quality=50&strip=all&w=1024",
"publishedAt": "2023-07-17T11:15:00Z",
"content": "Skip to contentType your search and hit enter\r\nWhen you purchase through links in our articles, we may earn a small commission. This doesn't affect our editorial independence\r\n.\r\nApple has created an… [+3720 chars]"
},
{
"source": {
"id": null,
"name": "Elespanol.com"
},
"author": "Adrián Raya",
"title": "Probamos el Huawei Watch 4 Pro, uno de los relojes más avanzados y 'premium' que puedes comprar",
"description": "El nuevo smartwatch de la marca en España destaca por su fabricación y diseño, así como es compatible con los teléfonos móviles Android.",
"url": "https://www.elespanol.com/elandroidelibre/moviles-android/analisis/20230717/probamos-huawei-watch-pro-relojes-avanzados-premium-puedes-comprar/778422252_0.html",
"urlToImage": "https://s1.eestatic.com/2023/07/12/elandroidelibre/778432330_234754079_1200x630.jpg",
"publishedAt": "2023-07-17T00:49:59Z",
"content": "El mercado de relojes inteligentes en España es muy competitivo; a disposición del consumidor hay todo tipo de dispositivos, para todo tipo de bolsillos. Pero pocos son como el Huawei Watch 4 Pro, qu… [+11961 chars]"
},
{
"source": {
"id": null,
"name": "Journal du geek"
},
"author": "Rédacteur Invité",
"title": "L’antivirus Bitdefender propose des tarifs extraordinairement bas (- 60%)",
"description": "Installer un antivirus de qualité peut aider à réduire les risques de piratage.\nL’antivirus Bitdefender propose des tarifs extraordinairement bas (- 60%)",
"url": "https://www.journaldugeek.com/2023/07/17/lantivirus-bitdefender-propose-des-tarifs-extraordinairement-bas-60/",
"urlToImage": "https://www.journaldugeek.com/content/uploads/2022/05/cybersecurite-prive.jpg",
"publishedAt": "2023-07-17T15:11:53Z",
"content": "Installer un antivirus de qualité peut aider à réduire les risques de piratage.L’antivirus Bitdefender Antivirus Plus ne coûte que 16 euros la première année en ce moment, contre 39,99 euros par an d… [+3752 chars]"
},
{
"source": {
"id": null,
"name": "Applesfera.com"
},
"author": "Alberto García",
"title": "Potente y con gran capacidad: el Apple iPad Air suma un nuevo descuentazo después del Prime Day",
"description": "Si después del Prime Day 2023 estamos buscando renovar la tableta de Apple, el iPad Air (2022) tiene uno de los mejores descuentos hasta la fecha en Amazon. Concretamente hablamos de la versión de mayor capacidad de almacenamiento, de 256 GB, que tenemos ahor…",
"url": "https://www.applesfera.com/seleccion/potente-gran-capacidad-apple-ipad-air-suma-nuevo-descuentazo-despues-prime-day",
"urlToImage": "https://i.blogs.es/f7642f/ipad-air-2022/840_560.jpeg",
"publishedAt": "2023-07-17T10:33:00Z",
"content": "Si después del Prime Day 2023 estamos buscando renovar la tableta de Apple, el iPad Air (2022) tiene uno de los mejores descuentos hasta la fecha en Amazon. Concretamente hablamos de la versión de ma… [+2575 chars]"
},
{
"source": {
"id": null,
"name": "Applesfera.com"
},
"author": "Fran Bouzas",
"title": "Según Kuo, el Apple Watch Ultra 2 usará piezas impresas en 3D. Y eso son muy buenas noticias",
"description": "En septiembre del año pasado, en Cupertino anunciaron el Apple Watch Ultra. Toda una revolución en el mundo de los smartwatch que ha sido capaz de atraer a los deportistas más extremos. Es un modelo pensado para ellos. Está hecho en titanio para resistir lo q…",
"url": "https://www.applesfera.com/rumores/kuo-apple-watch-ultra-2-usara-piezas-impresas-3d-eso-muy-buenas-noticias",
"urlToImage": "https://i.blogs.es/c0cc09/nat-weerawong-popsymhrez4-unsplash-2/840_560.jpeg",
"publishedAt": "2023-07-17T12:01:35Z",
"content": "En septiembre del año pasado, en Cupertino anunciaron el Apple Watch Ultra. Toda una revolución en el mundo de los smartwatch que ha sido capaz de atraer a los deportistas más extremos. Es un modelo … [+2064 chars]"
},
{
"source": {
"id": null,
"name": "Applesfera.com"
},
"author": "Miguel López",
"title": "Fechas y modelos de los próximos Mac: Gurman desvela la agenda otoñal de Apple",
"description": "Mark Gurman ha filtrado algunos detalles sobre lo que podríamos ver más allá de la presentación del iPhone 15 este mes de septiembre. El editor de Bloomberg ha usado su boletín dominical Power On para describir lo que sería el calendario de lanzamientos de Ma…",
"url": "https://www.applesfera.com/sobremesa/fechas-modelos-proximos-mac-gurman-desvela-agenda-otonal-apple",
"urlToImage": "https://i.blogs.es/f02e17/captura-de-pantalla-2023-07-17-a-las-10.39.12/840_560.jpeg",
"publishedAt": "2023-07-17T09:01:35Z",
"content": "Mark Gurman ha filtrado algunos detalles sobre lo que podríamos ver más allá de la presentación del iPhone 15 este mes de septiembre. El editor de Bloomberg ha usado su boletín dominical Power On par… [+1813 chars]"
},
{
"source": {
"id": null,
"name": "Applesfera.com"
},
"author": "Miguel López",
"title": "Si tienes este modelo concreto de iPhone por casa te ha tocado la lotería. Acaban de pagar por él casi 170.000 euros",
"description": "Sabemos que las subastas de los poquísimos iPhone originales que quedan con su envoltorio original pueden acabar en precios de decenas de miles de dólares, pero recientemente hemos visto como se han roto todos los récords. Uno de esos iPhone ha protagonizado …",
"url": "https://www.applesfera.com/iphone/tienes-este-modelo-concreto-iphone-casa-te-ha-tocado-loteria-acaban-pagar-casi-170-000-euros",
"urlToImage": "https://i.blogs.es/358ac3/iphone-original-subasta/840_560.jpeg",
"publishedAt": "2023-07-17T08:01:32Z",
"content": "Sabemos que las subastas de los poquísimos iPhone originales que quedan con su envoltorio original pueden acabar en precios de decenas de miles de dólares, pero recientemente hemos visto como se han … [+1650 chars]"
},
{
"source": {
"id": null,
"name": "Applesfera.com"
},
"author": "Fran Bouzas",
"title": "Se descubre un iPhone 15 en un nuevo color, el orgullo de Barbie",
"description": "Quedan ya menos de dos meses para que Apple anuncie de manera oficial el iPhone 15 en su ya habitual evento de septiembre. Promete ser uno de los mejores lanzamientos de los últimos años con un tan esperado puerto USB-C, titanio, mayor batería, Dynamic Island…",
"url": "https://www.applesfera.com/rumores/se-descubre-iphone-15-nuevo-color-orgullo-barbie",
"urlToImage": "https://i.blogs.es/e696d5/rosa/840_560.jpeg",
"publishedAt": "2023-07-17T10:01:34Z",
"content": "Quedan ya menos de dos meses para que Apple anuncie de manera oficial el iPhone 15 en su ya habitual evento de septiembre. Promete ser uno de los mejores lanzamientos de los últimos años con un tan e… [+1757 chars]"
},
{
"source": {
"id": null,
"name": "Applesfera.com"
},
"author": "David Bernal Raspall",
"title": "\"Quiero 4.000 cafés\": la primera llamada desde un iPhone fue una trolleada de Steve Jobs de la que tuvo que disculparse",
"description": "La historia tanto de ese proyecto ultrasecreto llamado iPhone como de su presentación al mundo está llena de anécdotas, pues Steve Jobs sabía que iba a hacer historia. Anécdotas como la de la primera llamada de teléfono hecha jamás por un iPhone. Una historia…",
"url": "https://www.applesfera.com/curiosidades/quiero-4-000-cafes-primera-llamada-iphone-fue-trolleada-steve-jobs-que-tuvo-que-disculparse",
"urlToImage": "https://i.blogs.es/3d7cfe/steve-jobs-og-iphone.jpg/840_560.png",
"publishedAt": "2023-07-17T14:00:51Z",
"content": "La historia tanto de ese proyecto ultrasecreto llamado iPhone como de su presentación al mundo está llena de anécdotas, pues Steve Jobs sabía que iba a hacer historia. Anécdotas como la de la primera… [+2253 chars]"
},
{
"source": {
"id": null,
"name": "Applesfera.com"
},
"author": "Miguel López",
"title": "El iPhone puede avisarte de la temida canícula para evitar golpes de calor: así se activa",
"description": "Hemos entrado oficialmente en lo que se consideran las cuatro peores semanas del año, la temida canícula. La segunda mitad de julio y la primera de agosto es el periodo en el que hace más calor, y a las temperaturas récord que esta semana podemos tener en muc…",
"url": "https://www.applesfera.com/tutoriales/iphone-puede-avisarte-temida-canicula-para-evitar-golpes-calor-asi-se-activa",
"urlToImage": "https://i.blogs.es/b231a6/iphone-aviso-temperatura-extrema-calor/840_560.jpeg",
"publishedAt": "2023-07-17T11:01:35Z",
"content": "Hemos entrado oficialmente en lo que se consideran las cuatro peores semanas del año, la temida canícula. La segunda mitad de julio y la primera de agosto es el periodo en el que hace más calor, y a … [+1993 chars]"
},
{
"source": {
"id": null,
"name": "Applesfera.com"
},
"author": "Miguel López",
"title": "iOS 17 lleva la pantalla de bloqueo a un nuevo nivel",
"description": "Una de las cosas que más espero de iOS 17 es el conjunto de novedades que puedes utilizar sin ni siquiera salir de la pantalla de bloqueo del iPhone. Apple se ha puesto las pilas con elementos como los Widgets, que por fin cobran interactividad y pasan a ser …",
"url": "https://www.applesfera.com/ios/ios-17-lleva-pantalla-bloqueo-a-nuevo-nivel",
"urlToImage": "https://i.blogs.es/18e66a/captura-de-pantalla-2023-07-17-a-las-14.07.29/840_560.jpeg",
"publishedAt": "2023-07-17T15:01:34Z",
"content": "Una de las cosas que más espero de iOS 17 es el conjunto de novedades que puedes utilizar sin ni siquiera salir de la pantalla de bloqueo del iPhone. Apple se ha puesto las pilas con elementos como l… [+2324 chars]"
},
{
"source": {
"id": null,
"name": "MakeUseOf"
},
"author": "Olasubomi Gbenjo",
"title": "6 Questions to Ask Before Buying a New Laptop",
"description": "Buying a new laptop? These are the questions you need to ask before you grab your wallet.",
"url": "https://www.makeuseof.com/questions-to-ask-before-buying-new-laptop/",
"urlToImage": "https://static1.makeuseofimages.com/wordpress/wp-content/uploads/2023/07/a-lady-holding-a-laptop.jpg",
"publishedAt": "2023-07-17T12:31:19Z",
"content": "If you're considering buying a new laptop, you may wonder, \"What's the best laptop in the market? What are the best brands to choose from? And what top-of-the-line specs should I be looking out for?\"… [+9462 chars]"
},
{
"source": {
"id": null,
"name": "MakeUseOf"
},
"author": "Katie Rees",
"title": "Passkeys, Simple Sign-Ins, and More: 1Password's 4 New Features Explained",
"description": "The password manager has added several improvements to its service that speeds up and further secures the logging-in process.",
"url": "https://www.makeuseof.com/1password-new-features-explained/",
"urlToImage": "https://static1.makeuseofimages.com/wordpress/wp-content/uploads/2023/07/1password-iphone-1.jpg",
"publishedAt": "2023-07-17T13:17:00Z",
"content": "You may be using 1Password in your day-to-day life to keep your passwords, payment card information, and other sensitive data safely stored. The password manager has taken things up a level, with sev… [+3872 chars]"
},
{
"source": {
"id": null,
"name": "Presse-citron"
},
"author": "RPB",
"title": "Comment Revolut veut rendre vos vacances plus fun",
"description": "Revolut lance une nouvelle marketplace spécial voyage dans son application.",
"url": "https://www.presse-citron.net/comment-revolut-veut-rendre-vos-vacances-plus-fun/",
"urlToImage": "https://www.presse-citron.net/app/uploads/2023/07/revolut.jpg",
"publishedAt": "2023-07-17T16:00:16Z",
"content": "<ul><li>Revolut lance une nouvelle marketplace spécial voyages et loisirs</li><li>Baptisée Experiences, la plateforme compte plus de 300 000 activités et produits de voyages directement dans l’applic… [+2748 chars]"
},
{
"source": {
"id": null,
"name": "Dpreview.com"
},
"author": "Mike Tomkins",
"title": "Nik Collection 6 review: Upgraded UI, much easier selections as plugin suite grows",
"description": "It's been a couple of years now since last we looked at the venerable Nik Collection. With a new version having launched recently that overhauls some of its component plugins, now seems like a great time to revisit the popular plugin pack to see what it can d…",
"url": "https://www.dpreview.com/articles/0448610317/nik-collection-6-review-upgraded-ui-much-easier-selections-as-plugin-suite-grows",
"urlToImage": "https://1.img-dpreview.com/files/p/E~TS940x788~articles/0448610317/Nik-6-Color-Efex-Control-Lines-UI.jpeg",
"publishedAt": "2023-07-17T14:00:00Z",
"content": "It's been a couple of years now since last we looked at the venerable Nik Collection. With a new version having launched recently that overhauls some of its component plugins, now seems like a great … [+14154 chars]"
},
{
"source": {
"id": null,
"name": "Pitchfork"
},
"author": "Pitchfork",
"title": "Troye Sivan, Jamila Woods, Laurel Halo, and More: This Week’s Pitchfork Selects Playlist",
"description": "Our weekly playlist highlights songs that our writers, editors, and contributors are listening to on repeat",
"url": "https://pitchfork.com/news/troye-sivan-jamila-woods-laurel-halo-this-week-pitchfork-selects-playlist/",
"urlToImage": "https://media.pitchfork.com/photos/64b192215185b039bca7d026/16:9/w_1280,c_limit/Pitchfork-Selects.jpg",
"publishedAt": "2023-07-17T13:03:16Z",
"content": "The staff of Pitchfork listens to a lot of new music. A lot of it. On any given day our writers, editors, and contributors go through an imposing number of new releases, giving recommendations to eac… [+1003 chars]"
},
{
"source": {
"id": null,
"name": "The A.V. Club"
},
"author": "Saloni Gajjar",
"title": "Emmy voters desperately need to watch more television",
"description": "What will it take for Emmy voters to broaden their viewing horizons in order to actually honor the best of TV? It’s a question worth asking on the heels of the 2023 nominations. It’s not a new phenomenon for the buzziest, most popular shows to occupy a huge c…",
"url": "https://www.avclub.com/emmy-voters-desperately-need-to-watch-more-television-1850640616",
"urlToImage": "https://i.kinja-img.com/gawker-media/image/upload/c_fill,f_auto,fl_progressive,g_center,h_675,pg_1,q_80,w_1200/8445870162ed46cd9b0017325c9b9bab.png",
"publishedAt": "2023-07-17T15:00:00Z",
"content": "What will it take for Emmy voters to broaden their viewing horizons in order to actually honor the best of TV? Its a question worth asking on the heels of the 2023 nominations. Its not a new phenomen… [+4738 chars]"
},
{
"source": {
"id": null,
"name": "kottke.org"
},
"author": "Jason Kottke",
"title": "Explore the Graphic Design Treasures of the Internet Archive",
"description": "archives.design is a labor of love site run by Valery Marier where she collects graphic design related materials that",
"url": "https://kottke.org/23/07/graphic-design-internet-archive",
"urlToImage": "https://kottke.org/plus/misc/images/archive-design-01.jpg",
"publishedAt": "2023-07-17T16:13:38Z",
"content": "archives.design is a labor of love site run by Valery Marier where she collects graphic design related materials that are available to freely borrow, stream, or download from the Internet Archive. I'… [+342 chars]"
},
{
"source": {
"id": null,
"name": "Mental Floss"
},
"author": "Mark Peters",
"title": "11 Successful (and Silly) Euphemisms for the F-Word",
"description": "The f-word is often thought of as the most useful and flexible word in English. Whether that’s true or not, the term is so successful that it’s spawned dozens of euphemisms. Here are a few of them.",
"url": "https://www.mentalfloss.com/posts/f-word-euphemisms",
"urlToImage": "https://images2.minutemediacdn.com/image/upload/c_crop,w_3838,h_2158,x_0,y_0/c_fill,w_1440,ar_16:9,f_auto,q_auto,g_auto/images/voltaxMediaLibrary/mmsport/mentalfloss/01h57rvepqvb3v8ms425.jpg",
"publishedAt": "2023-07-17T12:00:00Z",
"content": "The f-word is often thought of as the most useful and flexible word in English. Whether thats true or not, the term is so successful that its spawned dozens of euphemismssome with a lengthy history i… [+4814 chars]"
},
{
"source": {
"id": null,
"name": "Ritholtz.com"
},
"author": "Barry Ritholtz",
"title": "How to Get Rich in the Markets",
"description": "Money makes the world go round. Global capital markets (stocks, bonds, private investments, real estate) are worth over $100 trillion. If you want to become wealthy, go where the money is. If you are smart, and understand how to play this, your odds of amassi…",
"url": "https://ritholtz.com/2023/07/how-to-get-rich-in-the-markets/",
"urlToImage": "https://ritholtz.com/wp-content/uploads/2023/07/Wooing_the_Wealthy_Widow_-_The_Mascot_New_Orleans_1895.jpg",
"publishedAt": "2023-07-17T13:00:02Z",
"content": "Money makes the world go round. Global capital markets (stocks, bonds, private investments, real estate) are worth over $100 trillion. If you want to become wealthy, go where the money is. If you are… [+5520 chars]"
},
{
"source": {
"id": null,
"name": "Android Authority"
},
"author": "Hadlee Simons",
"title": "You told us: You definitely want a rotating bezel on the Galaxy Watch 6",
"description": "The Galaxy Watch 6 series is rumored to arrive with a rotating bezel, and polled readers really hope this turns out to be true.",
"url": "https://www.androidauthority.com/samsung-galaxy-watch-6-rotating-bezel-poll-results-3345743/",
"urlToImage": "https://www.androidauthority.com/wp-content/uploads/2023/07/Galaxy-Watch-4-Classic-bezel-scaled.jpg",
"publishedAt": "2023-07-17T09:51:59Z",
"content": "Samsung is holding its Unpacked event on July 26, and were expecting the Galaxy Watch 6 series to debut here as well. Earlier leaks point to the new watches bringing back the rotating bezel, which wa… [+2429 chars]"
},
{
"source": {
"id": null,
"name": "Android Authority"
},
"author": "Hadlee Simons",
"title": "The next MacBook Air could be dynamite in a small package",
"description": "Apple could reportedly launch a trio of M3-powered Mac computers in October, including a 13-inch MacBook Air.",
"url": "https://www.androidauthority.com/apple-macbook-air-m3-leak-3345713/",
"urlToImage": "https://www.androidauthority.com/wp-content/uploads/2023/07/apple-macbook-air-15-inch-lid.jpg",
"publishedAt": "2023-07-17T07:52:24Z",
"content": "<ul><li>Apple could launch the first Macs with M3 chips in October, a journalist has suggested.</li><li>We could see a 13-inch MacBook Air, 13-inch MacBook Pro, and a new iMac on the day.</li></ul>\r\n… [+1771 chars]"
},
{
"source": {
"id": null,
"name": "Android Authority"
},
"author": "Hadlee Simons",
"title": "Would you rather buy an original iPhone or 238 iPhone 14s?",
"description": "An original, sealed iPhone has sold for almost $200,000 in an online auction. So what makes this particular model special?",
"url": "https://www.androidauthority.com/original-iphone-auction-july-2023-3345691/",
"urlToImage": "https://www.androidauthority.com/wp-content/uploads/2020/03/Apple-logo-Apple-iPhone-11.jpg",
"publishedAt": "2023-07-17T06:15:35Z",
"content": "<ul><li>A first-generation 4GB iPhone has sold for just over $190,000 at an auction.</li><li>The phone is reportedly considered a holy grail due to a limited production run.</li></ul>\r\nFirst-generati… [+1669 chars]"
},
{
"source": {
"id": null,
"name": "BGR"
},
"author": "Chris Smith",
"title": "This new iPhone Vision concept is stunning, and I need Apple to make it a reality",
"description": "If there’s one thing I’ve heard repeatedly in the 15 years since Apple introduced the iPhone, it’s that the device is boring. Apple reuses the …\nThe post This new iPhone Vision concept is stunning, and I need Apple to make it a reality appeared first on BGR.",
"url": "https://bgr.com/tech/this-new-iphone-vision-concept-is-stunning-and-i-need-apple-to-make-it-a-reality/",
"urlToImage": "https://bgr.com/wp-content/uploads/2022/09/apple-iphone-14-pro-5.jpg?quality=82&strip=all",
"publishedAt": "2023-07-17T00:18:00Z",
"content": "If there’s one thing I’ve heard repeatedly in the 15 years since Apple introduced the iPhone, it’s that the device is boring. Apple reuses the same design for at least three years, delivering minor t… [+3864 chars]"
},
{
"source": {
"id": null,
"name": "BGR"
},
"author": "Andy Meek",
"title": "3 more sci-fi gems to check out after Foundation on Apple TV+",
"description": "The debut on Friday of Season 2 of Foundation, the masterful Apple TV+ sci-fi drama based on the award-winning novels from Isaac Asimov, was met …\nThe post 3 more sci-fi gems to check out after Foundation on Apple TV+ appeared first on BGR.",
"url": "https://bgr.com/entertainment/3-more-sci-fi-gems-to-check-out-after-foundation-on-apple-tv/",
"urlToImage": "https://bgr.com/wp-content/uploads/2023/07/rsz_1foundation_photo_020102.jpg?quality=82&strip=all",
"publishedAt": "2023-07-17T00:48:00Z",
"content": "The debut on Friday of Season 2 of Foundation, the masterful Apple TV+ sci-fi drama based on the award-winning novels from Isaac Asimov, was met with absolutely rapturous reviews from critics, with t… [+6354 chars]"
},
{
"source": {
"id": null,
"name": "BGR"
},
"author": "Maren Estrada",
"title": "Apple AirTag 4-packs are on sale for less than they were on Prime Day",
"description": "Bluetooth item trackers have never been as popular as they are right now, as we learned in a report earlier this year. Needless to say, the …\nThe post Apple AirTag 4-packs are on sale for less than they were on Prime Day appeared first on BGR.",
"url": "https://bgr.com/deals/apple-airtag-4-packs-are-on-sale-for-less-than-they-were-on-prime-day/",
"urlToImage": "https://bgr.com/wp-content/uploads/2023/06/Apple-AirTag-Bluetooth-Tracker.jpg?quality=82&strip=all",
"publishedAt": "2023-07-17T11:47:00Z",
"content": "Bluetooth item trackers have never been as popular as they are right now, as we learned in a report earlier this year. Needless to say, the recent sales boom is thanks largely to the popularity of Ap… [+2586 chars]"
},
{
"source": {
"id": null,
"name": "BGR"
},
"author": "José Adorno",
"title": "Rare 1st-gen 4GB iPhone sold for $190,000 in record-breaking auction",
"description": "If you think selling an original iPhone for $63,000 is a lot of money, think twice. A factory sealed 2007 iPhone has been sold at …\nThe post Rare 1st-gen 4GB iPhone sold for $190,000 in record-breaking auction appeared first on BGR.",
"url": "https://bgr.com/tech/rare-1st-gen-4gb-iphone-sold-for-190000-in-record-breaking-auction/",
"urlToImage": "https://bgr.com/wp-content/uploads/2023/07/original-4gb-iphone-sold-auction-bgr.jpg?quality=82&strip=all",
"publishedAt": "2023-07-17T14:06:00Z",
"content": "If you think selling an original iPhone for $63,000 is a lot of money, think twice. A factory sealed 2007 iPhone has been sold at auction for $190,373 (via MacRumors). This is three times more than t… [+1920 chars]"
},
{
"source": {
"id": null,
"name": "Small Business Trends"
},
"author": "Annie Pilon",
"title": "National Day Calendar for Business 2023",
"description": "The following national day calendar can help you plan your marketing materials and bring some fun to your business throughout all of 2023.",
"url": "https://smallbiztrends.com/2023/07/national-day-calendar.html",
"urlToImage": "https://media.smallbiztrends.com/2022/12/national-day-calendar.png",
"publishedAt": "2023-07-17T00:53:40Z",
"content": "Holidays and celebrations can be perfect opportunities for businesses to offer promotions or highlight their offerings. Even if you want to celebrate every day, there are enough national days to acco… [+61707 chars]"
},
{
"source": {
"id": null,
"name": "iMore"
},
"author": "Palash Volvoikar",
"title": "Apple creates dedicated AR division to handle future Vision launches",
"description": "Apple has created a dedicated division called the Vision Products Group, which will handle future AR/VR launches for the company.",
"url": "https://www.imore.com/gaming/virtual-reality/apple-creates-dedicated-ar-division-to-handle-future-vision-launches",
"urlToImage": "https://cdn.mos.cms.futurecdn.net/VxpaN4KAsyS3nKYJfSEp7A-1200-80.jpeg",
"publishedAt": "2023-07-17T05:30:12Z",
"content": "Apple recently entered a new product category with the Apple Vision Pro headset. It's a new thing for the company, and it appears it's taking a different approach with this product. According to Mark… [+2012 chars]"
},
{
"source": {
"id": null,
"name": "iMore"
},
"author": "Tammy Rogers",
"title": "You can't pay for Spotify through Apple subscriptions anymore",
"description": "Spotify has sent around an email to a small percentage of its subscribers who subscribe through Apple subscriptions – they won't be able to anymore.",
"url": "https://www.imore.com/apps/audio-apps/you-cant-pay-for-spotify-through-apple-subscriptions-anymore",
"urlToImage": "https://cdn.mos.cms.futurecdn.net/T62yoDbw8KEVU8qQgFbaKd-1200-80.jpeg",
"publishedAt": "2023-07-17T09:40:19Z",
"content": "Spotify has slipped out of the news cycle a little recently, something a green circle is likely pleased about after its 'new' app problems and controversy surrounding its rumored plans to make users … [+1543 chars]"
},
{
"source": {
"id": null,
"name": "iMore"
},
"author": "Palash Volvoikar",
"title": "M3-powered Macs to debut in October with new iMac, followed by MacBook Air and Pro",
"description": "The Apple Silicon M3 is going to debut in October 2023, with a new iMac, with the MacBook Air and Pro coming later, says a new report.",
"url": "https://www.imore.com/mac/m3-powered-macs-to-debut-in-october-with-new-imac-followed-by-macbook-air-and-pro",
"urlToImage": "https://cdn.mos.cms.futurecdn.net/ZbkPyZxQGdQANcnw3PR9M-1200-80.jpg",
"publishedAt": "2023-07-17T00:34:28Z",
"content": "Apple has a new chip on the horizon. As the M2 gets older, it's almost time for the Apple Silicon M3 to come around. It looks like we may get it as early as October as well. In his latest Power On ne… [+1523 chars]"
},
{
"source": {
"id": null,
"name": "iMore"
},
"author": "john-anthony.disotto@futurenet.com (John-Anthony Disotto)",
"title": "Lionel Messi unveiled as Inter Miami player despite Apple technical glitches",
"description": "Messi was unveiled as an Inter Miami player on Sunday night amongst bad weather conditions and Apple's bad stream audio.",
"url": "https://www.imore.com/music-movies-tv/lionel-messi-unveiled-as-inter-miami-player-despite-apple-technical-glitches",
"urlToImage": "https://cdn.mos.cms.futurecdn.net/rtXTmt4X9GcjnQ6EgsBWzE-1200-80.jpg",
"publishedAt": "2023-07-17T09:26:46Z",
"content": "Sunday night, in front of a sold-out Fort Lauderdale crowd, Lionel Messi was officially revealed as an Inter Miami player.\r\nSoccer fans from around the world were excited to see arguably the greatest… [+2379 chars]"
},
{
"source": {
"id": null,
"name": "iMore"
},
"author": "Stephen Warwick",
"title": "iPhone 15's major battery upgrade could be powered by electric vehicle tech",
"description": "A new inside report claims the iPhone 15 will use stacked battery designs, following rumors of a major upgrade to battery capacity.",
"url": "https://www.imore.com/iphone/iphone-15/iphone-15s-major-battery-upgrade-could-be-powered-by-electric-vehicle-tech",
"urlToImage": "https://cdn.mos.cms.futurecdn.net/NBeQsn8uxEUBQyALpC34sj-1200-80.jpeg",
"publishedAt": "2023-07-17T10:48:16Z",
"content": "Following reports that the entire iPhone 15 lineup is due a significant capacity upgrade when it comes out later this year, a new report claims that this upgrade could be powered by the stacked batte… [+1995 chars]"
},
{
"source": {
"id": null,
"name": "iMore"
},
"author": "daryl.baxter@futurenet.com (Daryl Baxter)",
"title": "Samsung announces its 5K Studio Display rival at the same price but with better features",
"description": "With a height-adjustable stand and a 4K camera, it's already ahead of the Studio Display - but will the price put you off?",
"url": "https://www.imore.com/apple/samsung-announces-its-5k-studio-display-rival-at-the-same-price-but-with-better-features",
"urlToImage": "https://cdn.mos.cms.futurecdn.net/ZhcnCXN4j98xb86MbLEWbS-1200-80.png",
"publishedAt": "2023-07-17T13:29:58Z",
"content": "While Apple brought out its 5K Studio Display back in March 2022, Samsung has been hinting about its rival display for most of this year, but now it's announced that the display is available in the U… [+2159 chars]"
},
{
"source": {
"id": null,
"name": "iMore"
},
"author": "Palash Volvoikar",
"title": "Original 2007 4GB iPhone sells for $190,000 at auction, setting new record",
"description": "An original 4GB iPhone from 2007 just sold for over $190,000 at an auction, shattering the previous record.",
"url": "https://www.imore.com/iphone/original-2007-4gb-iphone-sells-for-dollar190000-at-auction-setting-new-record",
"urlToImage": "https://cdn.mos.cms.futurecdn.net/N8JVyuhsq5nYfoA2HkmNpB-1200-80.jpg",
"publishedAt": "2023-07-17T07:34:41Z",
"content": "Apple has been an industry icon for a long time now, and as such its older products are now worth a lot more than they were at launch. Apple's vintage products go at prices that are much higher than … [+1667 chars]"
},
{
"source": {
"id": null,
"name": "iMore"
},
"author": "Tammy Rogers",
"title": "Focal Bathys Review: The French Masterwork",
"description": "Going up against the AirPods Max is always tricky business, but the Focal Bathys bring some luxury features and sound quality in buckets. They will cost you, however.",
"url": "https://www.imore.com/airpods/focal-bathys-review-the-french-masterwork",
"urlToImage": "https://cdn.mos.cms.futurecdn.net/xTwf3GhCwRRmQZemQz6mQj-1200-80.jpg",
"publishedAt": "2023-07-17T10:55:49Z",
"content": "You want to know what's fun about testing headphones? Beyond the part where you, you know. Use lots of headphones. It’s seeing different companies' design perspectives, and what they view as the most… [+9551 chars]"
},
{
"source": {
"id": null,
"name": "MacRumors"
},
"author": "Joe Rossignol",
"title": "MacBook Pro With 3nm Chip Reportedly Launching Later This Year",
"description": "Apple plans to release a new MacBook Pro with an upgraded chip manufactured with TSMC's advanced 3nm process in the third quarter of 2023, according to a preview of an upcoming DigiTimes report shared today.\n\n\n\n\n\n\"Apple's next-generation MacBook Pro slated fo…",
"url": "https://www.macrumors.com/2023/07/17/3nm-macbook-pro-reportedly-launching-in-2023/",
"urlToImage": "https://images.macrumors.com/t/xwPVlnXXwJrbmhIzXSr71cf7snw=/1600x/article-new/2022/07/Touch-Bar-13-Inch-MacBook-Pro.jpg",
"publishedAt": "2023-07-17T16:21:17Z",
"content": "Apple plans to release a new MacBook Pro with an upgraded chip manufactured with TSMC's advanced 3nm process in the third quarter of 2023, according to a preview of an upcoming DigiTimes report share… [+1705 chars]"
},
{
"source": {
"id": null,
"name": "MacRumors"
},
"author": "Tim Hardwick",
"title": "Rare 4GB Original iPhone Sells for Record $190,000 at Auction",
"description": "A factory sealed original 2007 iPhone has been sold at auction for $190,373, far exceeding the previous record for an auctioned iPhone.\n\n\n\n\n\nApple sold the 4GB original iPhone for a limited amount of time, making it is the rarest of the first-generation…",
"url": "https://www.macrumors.com/2023/07/17/rare-original-iphone-record-auction-price/",
"urlToImage": "https://images.macrumors.com/t/8L1tHQc_lz99o-wvrhad8aFL27E=/2500x/article-new/2023/06/iPhone-Sealed-in-Box-Feature-16x9-1.jpg",
"publishedAt": "2023-07-17T11:19:21Z",
"content": "A factory sealed original 2007 iPhone has been sold at auction for $190,373, far exceeding the previous record for an auctioned iPhone.\r\nApple sold the 4GB original iPhone for a limited amount of… [+1027 chars]"
},
{
"source": {
"id": null,
"name": "MacRumors"
},
"author": "Tim Hardwick",
"title": "Apple's First M3-Powered Macs Likely to Launch in October",
"description": "Apple's first M3-powered Macs could arrive as early as October, according to Bloomberg's Mark Gurman. \n\n\n\n\n\nWriting in his latest Power On newsletter, Gurman said sources tell him an October event will follow Apple's iPhone 15 series announcement in September…",
"url": "https://www.macrumors.com/2023/07/17/apple-m3-macs-october-event/",
"urlToImage": "https://images.macrumors.com/t/na4HVhc4mouDF2FPKTOTu2lM9xQ=/1810x/article-new/2021/12/m3-feature-black.jpg",
"publishedAt": "2023-07-17T09:51:07Z",
"content": "Apple's first M3-powered Macs could arrive as early as October, according to Bloomberg's Mark Gurman. \r\nWriting in his latest Power On newsletter, Gurman said sources tell him an October event will f… [+936 chars]"
},
{
"source": {
"id": null,
"name": "Les Numériques"
},
"author": "Guillaume Henri",
"title": "Actualité : Les premiers Mac embarquant des SoC Apple Silicon M3 attendus cet automne",
"description": "Selon certains analystes, les Apple Silicon M3 seront présentés au mois d’octobre et devraient logiquement équiper les iMac, MacBook et MacBook Air. Principale nouveauté de ce SoC : sa finesse de gravure de 3 nm.",
"url": "https://www.lesnumeriques.com/ordinateur-portable/les-premiers-mac-embarquant-des-soc-apple-silicon-m3-attendus-cet-automne-n211832.html",
"urlToImage": "https://cdn.lesnumeriques.com/optim/news/21/211832/4efa95d3-les-premiers-mac-avec-apple-silicon-m3-attendus-pour-l-automne__1200_630__140-573-2242-1676.jpg",
"publishedAt": "2023-07-17T14:25:00Z",
"content": "La rentrée sera chargée pour Apple, et les hostilités devraient commencer avec les iPhone 15 en septembre. Selon Mark Gurman, Apple enchaînerait le mois suivant avec lannonce des SoC Apple Silicon M3… [+932 chars]"
},
{
"source": {
"id": null,
"name": "Les Numériques"
},
"author": "Guillaume Henri",
"title": "Test MSI Stealth 14 Studio : une véritable petite boule de nerf",
"description": "Le MSI Stealth 14 Studio est un PC portable à vocation gaming et au format compact grâce à ses 1,7 kg et 19 mm d’épaisseur. Il embarque malgré tout un processeur Intel Core i7 de dernière génération et une Nvidia GeForce RTX 40 pour jouer et créer avec fluidi…",
"url": "https://www.lesnumeriques.com/ordinateur-portable/msi-stealth-14-studio-p73668/test.html",
"urlToImage": "https://cdn.lesnumeriques.com/optim/test/21/211731/24f1b7f9-msi-stealth-14-studio__1200_630__0-259-3072-1871_wtmk.jpg",
"publishedAt": "2023-07-17T11:00:00Z",
"content": "Les photos éclaircissent la teinte bleu nuit sélectionnée par MSI.\r\n© Les Numériques\r\nLe châssis du MSI Stealth 14 Studio est composé dun alliage magnésium-aluminium peint dun bleu nuit pour notre ve… [+9808 chars]"
},
{
"source": {
"id": null,
"name": "Xatakamovil.com"
},
"author": "Alejandro Alcolea",
"title": "Rusia prohíbe el iPhone a sus funcionarios. Dicen que Apple y Estados Unidos los están espiando",
"description": "Nuevo capítulo en el libro de acciones tirantes entre Rusia y Estados Unidos. Desde el comienzo de la invasión a Ucrania, diferentes países occidentales han puesto severos límites y sanciones a Rusia. A medidas como la de vetar el software a los rusos o a que…",
"url": "https://www.xatakamovil.com/apple/rusia-prohibe-iphone-a-sus-funcionarios-dicen-que-apple-estados-unidos-estan-espiando",
"urlToImage": "https://i.blogs.es/86552e/espionaje/840_560.jpeg",
"publishedAt": "2023-07-17T14:31:34Z",
"content": "Nuevo capítulo en el libro de acciones tirantes entre Rusia y Estados Unidos. Desde el comienzo de la invasión a Ucrania, diferentes países occidentales han puesto severos límites y sanciones a Rusia… [+2707 chars]"
},
{
"source": {
"id": null,
"name": "Xatakamovil.com"
},
"author": "Álvaro García M.",
"title": "Así es Acontra+: muchas películas en streaming, a mitad de precio para siempre y con entradas de cine gratis cada mes",
"description": "Netflix, HBO Max, Disney+ o Apple TV+ son algunas de las principales plataformas de streaming que nos encontramos en España. Sin embargo, hay algunas plataformas menos conocidas, pero igual de interesantes. Es el caso de Acontra+.\n<!-- BREAK 1 -->\nSe trata en…",
"url": "https://www.xatakamovil.com/streaming/asi-acontra-muchas-peliculas-streaming-a-mitad-precio-para-siempre-entradas-cine-gratis-cada-mes",
"urlToImage": "https://i.blogs.es/c68c12/acontra-plus-plataforma/840_560.jpeg",
"publishedAt": "2023-07-17T13:49:41Z",
"content": "Netflix, HBO Max, Disney+ o Apple TV+ son algunas de las principales plataformas de streaming que nos encontramos en España. Sin embargo, hay algunas plataformas menos conocidas, pero igual de intere… [+6592 chars]"
},
{
"source": {
"id": null,
"name": "Xatakamovil.com"
},
"author": "Pepu Ricca",
"title": "Cumplen 24 años y los sigues usando a diario: estos son los Emojis más enviados en el mundo",
"description": "Los usamos cada día y ya forman parte de la cultura popular del mundo. Enviamos emojis prácticamente desde cualquier aplicación, ya sean los de WhatsApp, los del teclado del móvil que se combinan, e incluso ahora podemos hacer fondos de pantallas con ellos en…",
"url": "https://www.xatakamovil.com/movil-y-sociedad/tienen-24-anos-sigues-usando-a-diario-estos-emojis-enviados-mundo",
"urlToImage": "https://i.blogs.es/11f840/dia-del-emoji-2023/840_560.jpeg",
"publishedAt": "2023-07-17T16:01:35Z",
"content": "Los usamos cada día y ya forman parte de la cultura popular del mundo. Enviamos emojis prácticamente desde cualquier aplicación, ya sean los de WhatsApp, los del teclado del móvil que se combinan, e … [+2670 chars]"
},
{
"source": {
"id": null,
"name": "The Points Guy"
},
"author": "Ashley Kosciolek",
"title": "Virgin Voyages’ Resilient Lady review: A look at Virgin’s third cruise ship",
"description": "Editor’s note: TPG’s Ashley Kosciolek accepted a free trip from Virgin Voyages to attend the maiden voyage of Resilient Lady. The opinions expressed below are entirely hers and weren’t subject to review by the line. Resilient Lady, the third ship in the Virgi…",
"url": "https://thepointsguy.com/reviews/virgin-voyages-resilient-lady-cruise-ship-review/",
"urlToImage": "https://thepointsguy.global.ssl.fastly.net/us/originals/2023/06/2IMG_0569.jpg",
"publishedAt": "2023-07-17T13:00:45Z",
"content": "Editors note: TPGs Ashley Kosciolek accepted a free trip from Virgin Voyages to attend the maiden voyage of Resilient Lady. The opinions expressed below are entirely hers and werent subject to review… [+58195 chars]"
},
{
"source": {
"id": null,
"name": "MIT Technology Review"
},
"author": "Melissa Heikkilä",
"title": "How judges, not politicians, could dictate America’s AI rules",
"description": "It’s becoming increasingly clear that courts, not politicians, will be the first to determine the limits on how AI is developed and used in the US. Last week, the Federal Trade Commission opened an investigation into whether OpenAI violated consumer protectio…",
"url": "https://www.technologyreview.com/2023/07/17/1076416/judges-lawsuits-dictate-ai-rules/",
"urlToImage": "https://wp.technologyreview.com/wp-content/uploads/2023/07/judges2.jpeg?resize=1200,600",
"publishedAt": "2023-07-17T16:06:52Z",
"content": "Its approach differs from that of other Western countries. While the EU is trying to prevent the worst AI harms proactively, the American approach is more reactive. The US waits for harms to emerge f… [+2578 chars]"
},
{
"source": {
"id": null,
"name": "Caschys Blog"
},
"author": "caschy",
"title": "iMacs mit M3-Prozessoren könnten im Oktober erscheinen",
"description": "Laut eines Berichts von Mark Gurman, Journalist beim US-Medium Bloomberg, könnte Apple im Oktober ein neues Produkt auf den Markt bringen. Er spekuliert, dass der Schwerpunkt der Markteinführung, die wahrscheinlich nach dem iPhone 15 stattfinden wird, auf neu…",
"url": "https://stadt-bremerhaven.de/imacs-mit-m3-prozessoren-koennten-im-oktober-erscheinen/",
"urlToImage": "https://stadt-bremerhaven.de/wp-content/uploads/2023/07/imac-n-tho-duc-e4VMuIINdPs-unsplash-2.jpg",
"publishedAt": "2023-07-17T04:58:34Z",
"content": "Foto von N.Tho.Duc auf Unsplash\r\nLaut eines Berichts von Mark Gurman, Journalist beim US-Medium Bloomberg, könnte Apple im Oktober ein neues Produkt auf den Markt bringen. Er spekuliert, dass der Sch… [+1703 chars]"
},
{
"source": {
"id": null,
"name": "Caschys Blog"
},
"author": "caschy",
"title": "N26: BaFin verlängert die Geldwäscheauflagen",
"description": "Die Bundesanstalt für Finanzdienstleistungsaufsicht (BaFin) hat die geldwäscherechtlichen Maßnahmen gegen N26 verlängert und teilweise konkretisiert. So bleiben die Wachstumsbeschränkungen für das Neukundengeschäft und das Mandat des Sonderbeauftragten besteh…",
"url": "https://stadt-bremerhaven.de/n26-bafin-verlaengert-die-geldwaescheauflagen/",
"urlToImage": "https://stadt-bremerhaven.de/wp-content/uploads/2021/11/N26VirtualCardsDE_.jpg",
"publishedAt": "2023-07-17T10:49:33Z",
"content": "Die Bundesanstalt für Finanzdienstleistungsaufsicht (BaFin) hat die geldwäscherechtlichen Maßnahmen gegen N26 verlängert und teilweise konkretisiert. So bleiben die Wachstumsbeschränkungen für das Ne… [+1774 chars]"
},
{
"source": {
"id": null,
"name": "Caschys Blog"
},
"author": "caschy",
"title": "Samsung ViewFinity S9: 5K-Monitor startet global",
"description": "Samsung hatte seinen neuen 5K-Monitor ViewFinity S9 (S90PC) bereits im Januar 2023 auf der CES vorgestellt. Damals wurden jedoch weder ein Preis noch ein Verfügbarkeitsdatum genannt. Nachdem das Unternehmen man den Marktstart im Heimatland im Juni vollzogen h…",
"url": "https://stadt-bremerhaven.de/samsung-viewfinity-s9-5k-monitor-startet-global/",
"urlToImage": "https://stadt-bremerhaven.de/wp-content/uploads/2023/07/ViewFinityS9-horizontal-vertical-2.jpg",
"publishedAt": "2023-07-17T08:30:29Z",
"content": "Samsung hatte seinen neuen 5K-Monitor ViewFinity S9 (S90PC) bereits im Januar 2023 auf der CES vorgestellt. Damals wurden jedoch weder ein Preis noch ein Verfügbarkeitsdatum genannt. Nachdem das Unte… [+3522 chars]"
},
{
"source": {
"id": null,
"name": "Caschys Blog"
},
"author": "caschy",
"title": "E-Bike: Cowboy stellt Core-Modelle und Software Connect vor",
"description": "Während es bei VanMoof derzeit düster aussieht (und auch mehrmalige Presseanfragen nicht beantwortet werden), geht es bei anderen Herstellern vorwärts. Der belgische E-Bike-Hersteller Cowboy kündigte heute den Launch zweier Dinge an: Zum einen die Software-Pl…",
"url": "https://stadt-bremerhaven.de/e-bike-cowboy-stellt-core-modelle-und-software-connect-vor/",
"urlToImage": "https://stadt-bremerhaven.de/wp-content/uploads/2023/07/11.-Cowboy_Core_Horizontal-2-2.jpg",
"publishedAt": "2023-07-17T10:36:37Z",
"content": "Während es bei VanMoof derzeit düster aussieht (und auch mehrmalige Presseanfragen nicht beantwortet werden), geht es bei anderen Herstellern vorwärts. Der belgische E-Bike-Hersteller Cowboy kündigte… [+3166 chars]"
},
{
"source": {
"id": null,
"name": "Frandroid"
},
"author": "Geoffroy Husson",
"title": "L’Apple Watch Ultra 2 serait en partie imprimée en 3D",
"description": "Apple aurait décidé de s'orienter vers une nouvelle conception pour les éléments en titane de sa prochaine Apple Watch Ultra 2, puisqu'ils seraient désormais imprimés en 3D.",
"url": "https://www.frandroid.com/marques/apple/1746043_la-deuxieme-apple-watch-ultra-serait-en-partie-imprimee-en-3d",
"urlToImage": "https://images.frandroid.com/wp-content/uploads/2022/10/apple-watch-ultra-au-poignet.jpg",
"publishedAt": "2023-07-17T08:41:07Z",
"content": "Apple aurait décidé de s'orienter vers une nouvelle conception pour les éléments en titane de sa prochaine Apple Watch Ultra 2, puisqu'ils seraient désormais imprimés en 3D. \r\nLApple Watch Ultra au p… [+2371 chars]"
},
{
"source": {
"id": null,
"name": "Frandroid"
},
"author": "Hugo Bernard",
"title": "Comment le Vision Pro a tout chamboulé chez Apple",
"description": "En janvier 2024 sortira le Vision Pro, premier casque de réalité mixte d'Apple. Pour préparer son lancement, la firme a créé une division spécialisée occupant une place très particulière en son sein.",
"url": "https://www.frandroid.com/marques/apple/1746053_comment-le-vision-pro-a-tout-chamboule-chez-apple",
"urlToImage": "https://images.frandroid.com/wp-content/uploads/2023/06/wwdc-2023-june-5-apple-1-38-44-screenshot.jpg",
"publishedAt": "2023-07-17T10:29:36Z",
"content": "En janvier 2024 sortira le Vision Pro, premier casque de réalité mixte d'Apple. Pour préparer son lancement, la firme a créé une division spécialisée occupant une place très particulière en son sein.… [+4277 chars]"
},
{
"source": {
"id": null,
"name": "Frandroid"
},
"author": "Matthieu Lauraux",
"title": "Cowboy baisse le prix de ses vélos électriques avec ces nouvelles versions",
"description": "Les vélos électriques Cowboy remodèlent leur gamme avec des versions moins chères. Mais il faut faire quelques concessions, avec des équipement réduits et une connectivité restreinte. De quoi faire encore plus de mal à VanMoof ?",
"url": "https://www.frandroid.com/marques/cowboy/1746527_cowboy-baisse-le-prix-de-ses-velos-electriques-avec-ces-nouvelles-versions",
"urlToImage": "https://images.frandroid.com/wp-content/uploads/2023/06/cowboy-4-classic.jpg",
"publishedAt": "2023-07-17T12:30:53Z",
"content": "Les vélos électriques Cowboy remodèlent leur gamme avec des versions moins chères. Mais il faut faire quelques concessions, avec des équipement réduits et une connectivité restreinte. De quoi faire e… [+3507 chars]"
},
{
"source": {
"id": null,
"name": "Lifehacker.ru"
},
"author": "Виктор Подволоцкий",
"title": "Первые компьютеры Apple с чипом M3 выйдут уже в октябре",
"description": "Ждём как минимум три новинки.",
"url": "https://lifehacker.ru/mac-m3-uzhe-v-oktyabre/",
"urlToImage": "https://cdn.lifehacker.ru/wp-content/uploads/2023/07/MacBook-Air-con-M3-piu-economico-e-forse-per-fine-2023-_1689575650-1024x512.jpg",
"publishedAt": "2023-07-17T06:36:25Z",
"content": "Bloomberg , Apple Mac M3 , .\r\n : iMac, 13- MacBook Air MacBook Pro 13- .\r\n M3 , M2, 3- .\r\n , M2, Mac Studio 15- MacBook Air. , - , .\r\n Mac - . , , .\r\n , 2024- iPad Pro OLED- 30- iMac. 2023- iPad Air ."
},
{
"source": {
"id": null,
"name": "Lifehacker.ru"
},
"author": "Виктор Подволоцкий",
"title": "Доля поддельной электроники на российских маркетплейсах выросла вдвое",
"description": "Угадаете, копии каких устройств встречаются чаще всего?",
"url": "https://lifehacker.ru/poddelnye-ustrojstva-v-rossii/",
"urlToImage": "https://cdn.lifehacker.ru/wp-content/uploads/2023/07/pexels-photo-3921805_1689601371-1024x512.jpeg",
"publishedAt": "2023-07-17T13:46:24Z",
"content": ". «» IQ Technology.\r\n , 31% , 30%, - 63%. Apple, Samsung Xiaomi.\r\n 69%. 2023 10% 25% . Apple, Marshall, JBL.\r\n ? ."
},
{
"source": {
"id": null,
"name": "Lifehacker.ru"
},
"author": "Дарья Бакина",
"title": "Подкаст «Повар варит ти»: pocket — карман, sleeve — рукав, zipper — застежка-молния",
"description": "В этом эпизоде запомнить новые английские слова помогут порванная куртка, колючая кофта и китайская клетчатая сумка.",
"url": "https://lifehacker.ru/povar-varit-ti-16/",
"urlToImage": "https://cdn.lifehacker.ru/wp-content/uploads/2023/06/LX-saJt-LX_1687507325-1024x512.jpg",
"publishedAt": "2023-07-17T10:30:20Z",
"content": "« » , , . , . .\r\n : pocket , sleeve , zipper .\r\n , .\r\n « » , : Apple Podcasts, Google Podcasts, YouTube, «», «», «», CastboxSoundStream."
},
{
"source": {
"id": null,
"name": "Srad.jp"
},
"author": "headless",
"title": "Huaweiが年内にも5Gスマートフォン市場へ復帰するとの報道",
"description": "Huawei が中国国内で 5G チップを調達し、年内にも 5G スマートフォン市場に復帰すると Reuters が報じている\n(Reuters の記事、\nNeowin の記事、\nAndroid Police の記事)。\n\nHuawei の年間スマートフォン出荷台数は 2018 年に 2 億台を超え、Apple が新製品を発売する第 4 四半期以外では出荷台数 2 位に上昇。2019 年には米国の輸出制限の対象となるエンティティリスト入りしたにもかかわらず成長を続け、2020 年第 2 四半期には出荷台数 1 位…",
"url": "https://mobile.srad.jp/story/23/07/17/012201/",
"urlToImage": "https://srad.jp/static/topics/cellphones_64.png",
"publishedAt": "2023-07-17T01:32:00Z",
"content": "Huawei 5G 5G Reuters \r\n(Reuters Neowin Android Police )Huawei 2018 2 Apple 4 2 2019 2020 2 1 Google 4 5 2021 1 5 \r\nHuawei OS HarmonyOS ERP MetaERP 14nm EDA \r\n3 Huawei 5G SMIC 1 Huawei SMIC 7nm N+1 50… [+16 chars]"
},
{
"source": {
"id": null,
"name": "Ifanr.com"
},
"author": "方嘉文",
"title": "早报 | 特斯拉首辆电动皮卡量产版下线 / 知乎 CEO 回应匿名功能下线 / M3 版 Mac 或于今年推出",
"description": "· Kim Kardashian 主理品牌估值或将达 40 亿美元\n· 怪鞋子继续流行,这次是绿巨人高跟鞋\n· 乐高将推出经典胶片相机套件#欢迎关注爱范儿官方微信公众号:爱范儿(微信号:ifanr),更多精彩内容第一时间为您奉上。\n爱范儿 |\n原文链接 ·\n查看评论 ·\n新浪微博",
"url": "https://www.ifanr.com/1555860",
"urlToImage": "https://s3.ifanr.com/images/ep/cover-images/tong_dao_cover.jpg",
"publishedAt": "2023-07-17T00:33:17Z",
"content": "Mark Gurman\r\n Vision Pro Mike Rockwell Technology Development GroupTDG Vision Products GroupVPG\r\nGurman \r\nVPG \r\n VPG \r\nVPG Jeff Williams Jonhy Srouji \r\n6 7 8 \r\n 5 \r\n·\r\n2023 CEO \r\n 10 \r\n 10 PlayStatio… [+603 chars]"
},
{
"source": {
"id": null,
"name": "01net.com"
},
"author": "Florian Bayard",
"title": "Vision Pro : Apple opte pour une stratégie inattendue, qui tranche avec l’ère Steve Jobs",
"description": "Le Vision Pro marque un tournant dans l'organisation habituelle d'Apple. Le géant de Cupertino prend en effet progressivement ses distances avec certaines des décisions prises par Steve Jobs à la fin des années 1990.",
"url": "https://www.01net.com/actualites/vision-pro-apple-opte-strategie-inattendue.html",
"urlToImage": "https://www.01net.com/app/uploads/2023/06/Vision-Pro.jpg",
"publishedAt": "2023-07-17T09:30:21Z",
"content": "Le Vision Pro marque un tournant dans l’organisation habituelle d’Apple. Le géant de Cupertino prend en effet progressivement ses distances avec certaines des décisions prises par Steve Jobs à la fin… [+5093 chars]"
},
{
"source": {
"id": null,
"name": "01net.com"
},
"author": "Mickael Bazoge",
"title": "L’administration russe interdit l’iPhone",
"description": "La Russie ne veut plus de l'iPhone et de l'iPad dans son administration. Les autorités du pays interdisent depuis ce lundi l'utilisation professionnelle des produits Apple en raison des risques supposés d'espionnage américain.",
"url": "https://www.01net.com/actualites/ladministration-russe-interdit-liphone.html",
"urlToImage": "https://www.01net.com/app/uploads/2023/07/Sans-titre-5-31.jpg",
"publishedAt": "2023-07-17T15:45:24Z",
"content": "La Russie ne veut plus de l’iPhone et de l’iPad dans son administration. Les autorités du pays interdisent depuis ce lundi l’utilisation professionnelle des produits Apple en raison des risques suppo… [+1930 chars]"
},
{
"source": {
"id": null,
"name": "01net.com"
},
"author": "Bons Plans 01net",
"title": "Avec son bonus de folie, Fortuneo rend la concurrence verte de jalousie",
"description": "Fortuneo continue d'attirer les Français avec une offre bancaire claire et persuasive. Actuellement, elle propose un bonus exclusif de 150 euros pour son compte gratuit, y compris celui assorti d'une Mastercard Gold.",
"url": "https://www.01net.com/bons-plans/avec-son-bonus-de-folie-fortuneo-rend-la-concurrence-verte-de-jalousie.html",
"urlToImage": "https://www.01net.com/app/uploads/2022/10/prime-banque.jpg",
"publishedAt": "2023-07-17T13:35:51Z",
"content": "Fortuneo continue d’attirer les Français avec une offre bancaire claire et persuasive. Actuellement, elle propose un bonus exclusif de 150 euros pour son compte gratuit, y compris celui assorti d’une… [+5553 chars]"
},
{
"source": {
"id": "bbc-news",
"name": "BBC News"
},
"author": "https://www.facebook.com/bbcnews",
"title": "Popular 'life-saving' diabetes app working again",
"description": "The manufacturers of a diabetes app say it has been restored after it stopped working.",
"url": "https://www.bbc.co.uk/news/technology-66222297",
"urlToImage": "https://ichef.bbci.co.uk/news/1024/branded_news/DA28/production/_130384855_mediaitem130384854.jpg",
"publishedAt": "2023-07-17T15:20:51Z",
"content": "A popular app which helps diabetics check their blood sugar has been restored after issues. \r\nAn update had caused it to stop working on some Apple devices, causing distress to those depending on it … [+2425 chars]"
},
{
"source": {
"id": null,
"name": "GSMArena.com"
},
"author": "Peter",
"title": "Original iPhone 4GB sells for $190,372 at auction",
"description": "Many years ago Steve Jobs delivered a keynote address at Macworld 2007 and unveiled the Apple iPhone. This revolutionary device was quite pricey – the base 4GB model cost $500, the 8GB one was $600 and that was if you signed a 2-year contract with AT&T (which…",
"url": "https://www.gsmarena.com/original_iphone_4gb_sells_for_190372_at_auction-news-59227.php",
"urlToImage": "https://fdn.gsmarena.com/imgroot/news/23/07/og-iphone-4gb-sold-at-auction/-952x498w6/gsmarena_000.jpg",
"publishedAt": "2023-07-17T10:12:01Z",
"content": "Many years ago Steve Jobs delivered a keynote address at Macworld 2007 and unveiled the Apple iPhone. This revolutionary device was quite pricey the base 4GB model cost $500, the 8GB one was $600 and… [+1980 chars]"
},
{
"source": {
"id": null,
"name": "01net.com"
},
"author": "Hadrien Augusto",
"title": "Elle est l’Américaine qui doit surveiller les GAFAM dans l’UE, la France refuse sa nomination",
"description": "Pourquoi la France fait pression contre la nomination de Fiona Scott Morton, une ex-consultante américaine bientôt à la tête des analyses financières européennes qui serviront à l’application du Digital Markets Acts des géants du web.",
"url": "https://www.01net.com/actualites/elle-est-lamericaine-qui-doit-surveiller-les-gafam-dans-lue-la-france-refuse-sa-nomination.html",
"urlToImage": "https://www.01net.com/app/uploads/2023/07/fiona-scott-morton-concurrence-europe-gafam.jpg",
"publishedAt": "2023-07-17T11:00:20Z",
"content": "Pourquoi la France fait pression contre la nomination de Fiona Scott Morton, une ex-consultante américaine bientôt à la tête des analyses financières européennes qui serviront à lapplication du Digit… [+5615 chars]"
},
{
"source": {
"id": null,
"name": "01net.com"
},
"author": "Gabriel Manceau",
"title": "Le Galaxy S24 Ultra pourrait enfin rattraper la concurrence sur ce point crucial",
"description": "Les Samsung Galaxy S24 Ultra et S24+ pourraient enfin progresser dans un domaine important que la concurrence chinoise domine depuis des années : la vitesse de charge. Non, la marque coréenne ne se repose pas sur ses lauriers.",
"url": "https://www.01net.com/actualites/le-galaxy-s24-ultra-pourrait-enfin-rattraper-la-concurrence-sur-ce-point-crucial.html",
"urlToImage": "https://www.01net.com/app/uploads/2023/02/Samsung-Galaxy-S23-Ultra-3616-mea_1400.jpg",
"publishedAt": "2023-07-17T08:15:37Z",
"content": "Les Samsung Galaxy S24 Ultra et S24+ pourraient enfin progresser dans un domaine important que la concurrence chinoise domine depuis des années : la vitesse de charge. Non, la marque coréenne ne se r… [+3399 chars]"
},
{
"source": {
"id": null,
"name": "01net.com"
},
"author": "Florian Bayard",
"title": "ChatGPT : les États-Unis ouvrent une enquête sur les pratiques d’OpenAI",
"description": "Les États-Unis viennent d'ouvrir une enquête sur ChatGPT. Un régulateur américain s'interroge en effet sur la manière dont OpenAI collecte et sécurise les données personnelles des utilisateurs.",
"url": "https://www.01net.com/actualites/chatgpt-etats-unis-ouvrent-enquete-pratiques-openai.html",
"urlToImage": "https://www.01net.com/app/uploads/2023/03/chatgpt-1.jpg",
"publishedAt": "2023-07-17T07:45:21Z",
"content": "Les États-Unis viennent d’ouvrir une enquête sur ChatGPT. Un régulateur américain s’interroge en effet sur la manière dont OpenAI collecte et sécurise les données personnelles des utilisateurs.La Fed… [+4989 chars]"
},
{
"source": {
"id": null,
"name": "Telegraph.co.uk"
},
"author": "David Knowles, Francis Dearnley, Roland Oliphant, Giles Gear",
"title": "Ukraine: The Latest - Drone strike on the Kerch bridge while counter-offensive makes slow progress",
"description": "Every weekday the Telegraph's top journalists analyse the Russian invasion of Ukraine from all angles and tell you what you need to know",
"url": "https://www.telegraph.co.uk/news/2023/07/17/kerch-bridge-counteroffensive-ukraine-russia-putin/",
"urlToImage": "https://www.telegraph.co.uk/content/dam/news/2023/07/17/TELEMMGLPICT000342901921_16896074694800_trans_NvBQzQNjv4BqOfbQuL7vt0ioTIEx8Tqi0Bitk79mxoTAFdl6WjYKjt8.jpeg?impolicy=logo-overlay",
"publishedAt": "2023-07-17T15:28:26Z",
"content": "First, Foreign Correspondent James Kilner talks about last nights strike on the Kerch bridge. \r\nThe biggest story today is this apparent drone attack on the Crimea bridge which connects the peninsula… [+5243 chars]"
}
]
}
Comments
Post a Comment