投稿時間:2021-09-21 06:23:05 RSSフィード2021-09-21 06:00 分まとめ(27件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
TECH Engadget Japanese 1991年9月21日、CD-ROMドライブを内蔵したPCエンジン「PCエンジンDuo」が発売されました:今日は何の日? https://japanese.engadget.com/today-203012998.html cdrom 2021-09-20 20:30:12
IT ITmedia 総合記事一覧 [ITmedia News] HomePod miniがApple TVのスピーカー、音声リモコンに Apple、「HomePodソフトウェア 15」を配布開始 https://www.itmedia.co.jp/news/articles/2109/21/news067.html apple 2021-09-21 05:44:00
IT ITmedia 総合記事一覧 [ITmedia Mobile] 「iOS 15」「iPad OS 15」「watchOS 8」の配信開始 脆弱性修正も https://www.itmedia.co.jp/mobile/articles/2109/21/news066.html apple 2021-09-21 05:29:00
IT ITmedia 総合記事一覧 [ITmedia News] iPhone、iPadのカメラや写真でテキスト認識表示、日本語対応せず それでも使う方法 https://www.itmedia.co.jp/news/articles/2109/21/news065.html ipados 2021-09-21 05:17:00
AWS AWS How to Get Started with AWS IoT Core Device Advisor | Amazon Web Services https://www.youtube.com/watch?v=uWHHU45baFY How to Get Started with AWS IoT Core Device Advisor Amazon Web ServicesAWS IoT Core Device Advisor is a fully managed cloud based test capability to help developers validate their IoT devices for reliable and secure connectivity with AWS IoT Core In this video you will learn how to create a new test suite configure it add a simple test run the test on a sample virtual device and then get your report and detailed event logーall in the AWS Management console See prerequisites See test cases See developer documentation Subscribe More AWS videos More AWS events videos ABOUT AWSAmazon Web Services AWS is the world s most comprehensive and broadly adopted cloud platform offering over fully featured services from data centers globally Millions of customers ーincluding the fastest growing startups largest enterprises and leading government agencies ーare using AWS to lower costs become more agile and innovate faster AWSIoT AWS AmazonWebServices CloudComputing 2021-09-20 20:09:00
海外TECH Ars Technica Nation-state espionage group breaches Alaska Department of Health https://arstechnica.com/?p=1796814 alaska 2021-09-20 20:10:15
海外TECH DEV Community URL Shortener with Rust, Svelte, & AWS (2/): Simple HTTP API https://dev.to/mileswatson/url-shortener-with-rust-svelte-aws-2-simple-http-api-3kg6 URL Shortener with Rust Svelte amp AWS Simple HTTP APIIn the first post of the series I covered the reasons for choosing Rust and AWS as well as the process for initialising a new Rust project If you haven t followed the steps in that article you can find it here In this article we will create a simple URL shortener API and serve the endpoint locally For the web framework we will be using Rocket to reduce the amount of boilerplate and help us focus on the application logic Getting Started with RocketBefore we can use Rocket we need to add it to our list of dependencies cargo toml We ll be using the JSON feature dependencies rocket rc To check everything is working copy the following code to main rs macro use extern crate rocket get fn index gt amp static str Hello world launch fn rocket gt rocket build mount routes index When you start the program with cargo run you should be presented with the following message Rocket has launched from If you open the link in a web browser you should be presented with the expected Hello World message Concurrent HashMapTo store pairings of shortened URLs to full URLs we will use a hashmap However we need to share this map across threads those familiar with Rust will know that this can be quite tricky due to the restrictions of the borrow checker One approach to solving this would be to simply wrap a HashMap in a Mutex for controlling concurrent accesses and then use an Arc for referencing counting However we can simplify this in two ways Firstly we can use the dashmap crate for a fast concurrent hashmap DashMap implements Sync so it can be shared safely across threads Although perhaps overkill for our use case dashmap provides better performance than naively using an RwLock To install it add the following dependency to cargo toml dashmap As for sharing this state across threads we only need to access it from endpoints therefore we can just let Rocket manage it directly launch fn rocket gt rocket build manage DashMap lt u String gt new mount routes index For more information on state in Rocket you can check the Rocket docs Creating the endpointsNow we need to create the actual endpoints to allow users to create and follow shortened URLs For random number generation we will use the rand crate so add the following to your dependency list rand The first endpoint will listen to POST requests of the form api shorten url and then generate a random url to return It will return an error if the url field is empty or a key if the URL was added to the hashmap Rocket will automatically parse the URL parameter and inject the managed hashmap post api shorten lt url gt fn shorten url String state amp State lt DashMap lt u String gt gt gt Result lt String BadRequest lt amp str gt gt if url is empty Err BadRequest Some URL is empty else let key u thread rng gen state insert key url Ok key to string The other endpoint will listen to GET requests of the form lt key gt where is a number If the key exists in the hashmap then it will redirect the user to the corresponding URL Otherwise it will return an error get lt key gt fn redirect key u state amp State lt DashMap lt u String gt gt gt Result lt Redirect NotFound lt amp str gt gt state get amp key map url Redirect to url clone ok or NotFound Invalid or expired link Remember to update your rocket function to mount the new routes Manual TestingTo check that your API is working as expected you can use a tool like Postman or Curl to make POST requests then enter the link manually in a browser To use curl try the following command curl X POST G data urlencode url http localhost api shortenWarning In PowerShell curl is simply an alias for Invoke WebRequest therefore this command may not work without installing it manually You should see the endpoint respond with a number use this in your browser to make the GET request If your number was for example you should enter into your address bar You should be automatically redirected to whatever URL you set in the previous POST request If you are having any issues check out the part tag of my repo That s all for this post In the next post we will create a simple HTTP API with the Rocket web framework Make sure to click the Follow button if you want to be alerted when the next part is available FootnoteIf you enjoyed reading this then consider dropping a like or following me DEVHashnodeTwitterGithubI m just starting out so the support is greatly appreciated Disclaimer I m a mostly self taught programmer and I use my blog to share things that I ve learnt on my journey to becoming a better developer Because of this I apologize in advance for any inaccuracies I might have made criticism and corrections are welcome 2021-09-20 20:32:32
海外TECH DEV Community URL Shortener with Rust, Svelte, & AWS (1/): Intro + Setup https://dev.to/mileswatson/url-shortener-with-rust-svelte-aws-1-intro-setup-3fli URL Shortener with Rust Svelte amp AWS Intro SetupIn this series of posts I aim to guide you through the process of creating and deploying a public API Over the course of the series you will learn how to use the following technologies Rust with Rocket web framework for handling API requestsDocker and Docker Compose for containerizing your applicationSvelte and Bulma for creating a simple frontendElastic Beanstalk for hosting your serviceIAM and GitHub Actions for automating testing deployment RustExplaining fully the reasons for choosing Rust would be a blog post in itself instead I recommend you watch the following video by Jon Gjengset If you haven t previously used Rust before then I strongly recommend you spend some time reading through the Rust book before attempting to do any of this yourself SvelteSvelte is a different kind of web framework instead of being a library like React or Vue it is actually a compiler under the hood This enables you to write really clean concise and performant code it does surgical DOM updates instead of using VDOM diffing reconciliation If you want to learn more or even if you don t I can highly recommend watching this excellent presentation by the creator of Svelte AWSAmazon Web Services AWS is the world s biggest cloud service provider They provide over services that allow organizations and individuals to rent resources from one of AWS many data centers Cloud computing is becoming increasingly popular as more and more companies prioritize agility and elasticity which cloud platforms offer over control and cost efficiency which traditional managed infrastructure provides For beginners AWS offer a free tier which should allow you to complete this tutorial without spending any money However accidentally spending money is an easy mistake for beginners to make I recommend following this video to minimize any surprise bills Before moving on Install the latest stable Rust version by following these instructionsCreate a Github repo for storing your code commit push whenever you see fit Use cargo init bin to create a new Rust project and check it works with cargo runInstall Node jsInstall Yarn with npm install global yarnIf you have any issues compare your code with the part tag of my repo That s all for this post In the next post we will create a simple HTTP API with the Rocket web framework Make sure to click the Follow button if you want to be alerted when the next part is available FootnoteIf you enjoyed reading this then consider dropping a like or following me DEVHashnodeTwitterGithubI m just starting out so the support is greatly appreciated Disclaimer I m a mostly self taught programmer and I use my blog to share things that I ve learnt on my journey to becoming a better developer Because of this I apologize in advance for any inaccuracies I might have made criticism and corrections are welcome 2021-09-20 20:31:53
Apple AppleInsider - Frontpage News Apple updates Mail on iCloud.com with new design, Hide My Email https://appleinsider.com/articles/21/09/20/apple-updates-mail-on-icloudcom-with-new-design-hide-my-email?utm_medium=rss Apple updates Mail on iCloud com with new design Hide My EmailApple has updated the browser version of Mail on iCloud com with a new look and features like Hide My Email and Custom Email Domain Credit AppleThe web based iCloud Mail has been updated to bring the feature more in line with devices running iOS and Apple s other software updates that were released Monday It s been streamlined and features lighter colors and updated fonts but its core functionality remains unchanged Read more 2021-09-20 20:46:21
海外TECH Engadget NASA's VIPER Rover will explore the moon's Relay Crater https://www.engadget.com/nas-as-viper-rover-will-explore-the-moons-relay-crater-203503487.html?src=rss NASA x s VIPER Rover will explore the moon x s Relay CraterDuring a teleconference with journalists on Monday NASA researchers revealed the decided landing and exploration site for its upcoming VIPER lunar ice survey Lori Glaze director of the Planetary Science Division at NASA Headquarters announced that the VIPER mission will land along the western edge of quot Relay crater quot at the planet s south pole nbsp NASAThe decision to select this landing site required balancing a number of competing factors Mission control quot considered critical parameters such as Earth visibility ーfor communications from the moon to Earth ーsunlight terrain that s well suited for the rover to navigate through and most importantly of course the expected presence of ice and other resources quot Glaze explained quot while analyzing all these constraints one study area came out ahead of all the rest maximizing science return and flexibility to help ensure mission success once Viper is on the moon quot During its day mission the VIPER rover is expected to investigate at least six potential sites covering to square miles of lunar surface through one of the coldest areas in our solar system studied to date That includes permanently shadowed craters that have a good probability of potentially containing water ice nbsp quot We really don t know where that water is so we had to find a place where we could cover significant distances ーand by significant distances I mean tens of kilometers ーgoing in and out of thermal regimes that included everything from permanently shadowed craters with literally Kelvin temperatures to areas that transitioned to a balmy Kelvin and then all the way up to Kelvin quot Anthony Colaprete Lead Project Scientist at NASA Ames said during the call quot We want to study the entire range of thermal environments quot nbsp 2021-09-20 20:35:03
Cisco Cisco Blog Learn to Build a Troubleshooting Assistant at DevNet Create https://blogs.cisco.com/developer/troubleshootingassistant01 Learn to Build a Troubleshooting Assistant at DevNet CreateWant to explore new ways to apply network automation skills to real world network operations and engineering activities Register to attend Hank s session at DevNet Create 2021-09-20 20:29:42
海外科学 NYT > Science Russia Vaccinates Indigenous Yamal Herders Against COVID-19 https://www.nytimes.com/2021/09/20/science/russia-covid-vaccine-yamal.html inoculate 2021-09-20 20:49:44
海外科学 NYT > Science Biden Administration to Draft Rules on Workplace Heat Dangers https://www.nytimes.com/2021/09/20/climate/biden-heat-workplace-rules.html Biden Administration to Draft Rules on Workplace Heat DangersThe move aimed at protecting workers in sectors like agriculture and construction reflects a growing recognition of the health threats posed by global warming 2021-09-20 20:21:55
海外科学 NYT > Science F.D.A. Decision on Covid Booster Shots Is Expected In Days https://www.nytimes.com/2021/09/20/science/covid-booster-FDA.html F D A Decision on Covid Booster Shots Is Expected In DaysThe agency s ruling on who should be eligible for a third Pfizer BioNTech dose is one of a series of vaccine decisions expected in the coming weeks 2021-09-20 20:45:22
ニュース BBC News - Home Covid: US opens up to fully vaccinated travellers https://www.bbc.co.uk/news/world-us-canada-58628491?at_medium=RSS&at_campaign=KARANGA demand 2021-09-20 20:42:08
ニュース BBC News - Home Killamarsh deaths: Family's tribute to children found dead at house https://www.bbc.co.uk/news/uk-england-derbyshire-58622164?at_medium=RSS&at_campaign=KARANGA derbyshire 2021-09-20 20:54:54
ニュース BBC News - Home Probe launched into Afghan interpreter data breach https://www.bbc.co.uk/news/uk-58629592?at_medium=RSS&at_campaign=KARANGA afghan 2021-09-20 20:56:01
ニュース BBC News - Home Murray 'not going to wade in with advice' for Raducanu https://www.bbc.co.uk/sport/tennis/58633034?at_medium=RSS&at_campaign=KARANGA raducanu 2021-09-20 20:12:43
ニュース BBC News - Home Netherlands' Van Dijk wins world time trial title for second time - highlights & report https://www.bbc.co.uk/sport/cycling/58626584?at_medium=RSS&at_campaign=KARANGA Netherlands x Van Dijk wins world time trial title for second time highlights amp reportThe Netherlands Ellen van Dijk wins her second World Championship time trial title as Britain s Joss Lowden finishes eighth 2021-09-20 20:44:03
ビジネス ダイヤモンド・オンライン - 新着記事 コロナ患者受け入れよりワクチン接種の方が稼げる矛盾、医療界の「報酬の歪み」を告発 - 有料記事限定公開 https://diamond.jp/articles/-/282318 不要不急 2021-09-21 05:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 GMO熊谷代表に聞く、批判が多い親子上場を続ける真意と「15%成長継続」の勝算 - 目指せGAFA! メガベンチャー番付 https://diamond.jp/articles/-/282304 2021-09-21 05:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 医者の「バイトだけで年収1000万円」は終了、“医者余り”で大淘汰時代の足音 - 医学部&医者2021 入試・カネ・最新序列 https://diamond.jp/articles/-/282317 医者の「バイトだけで年収万円」は終了、“医者余りで大淘汰時代の足音医学部医者入試・カネ・最新序列新型コロナウイルスのパンデミックで、過酷で多忙な医者の姿が連日報道されている。 2021-09-21 05:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 医学部を狙えるのに入りやすい「お得」な中高一貫校ランキング【私立大学50校編】 - 医学部&医者2021 入試・カネ・最新序列 https://diamond.jp/articles/-/282316 中高一貫校 2021-09-21 05:10:00
ビジネス 電通報 | 広告業界動向とマーケティングのコラム・ニュース Z世代の就活生に選ばれる、採用戦略を作るには https://dentsu-ho.com/articles/7907 就職活動 2021-09-21 06:00:00
北海道 北海道新聞 日米韓、北朝鮮巡り会合へ ニューヨークで外相会談か https://www.hokkaido-np.co.jp/article/591281/ 外相会談 2021-09-21 05:12:00
北海道 北海道新聞 子どもへの接種 正確な情報提供第一に https://www.hokkaido-np.co.jp/article/591257/ 情報提供 2021-09-21 05:05:00
ビジネス 東洋経済オンライン "小田急色"をあえて消した「下北沢再開発」の勝算 地上の線路跡地にさまざまな施設を多数建設 | 駅・再開発 | 東洋経済オンライン https://toyokeizai.net/articles/-/456586?utm_source=rss&utm_medium=http&utm_campaign=link_back 和泉多摩川 2021-09-21 05:30:00

コメント

このブログの人気の投稿

投稿時間:2021-06-17 05:05:34 RSSフィード2021-06-17 05:00 分まとめ(1274件)

投稿時間:2021-06-20 02:06:12 RSSフィード2021-06-20 02:00 分まとめ(3871件)

投稿時間:2020-12-01 09:41:49 RSSフィード2020-12-01 09:00 分まとめ(69件)