AWS |
AWS Machine Learning Blog |
Use Amazon SageMaker ACK Operators to train and deploy machine learning models |
https://aws.amazon.com/blogs/machine-learning/use-amazon-sagemaker-ack-operators-to-train-and-deploy-machine-learning-models/
|
Use Amazon SageMaker ACK Operators to train and deploy machine learning modelsAWS recently released the new Amazon SageMaker Operators for Kubernetes using the AWS Controllers for Kubernetes ACK ACK is a framework for building Kubernetes custom controllers where each controller communicates with an AWS service API These controllers allow Kubernetes users to provision AWS resources like databases or message queues simply by using the Kubernetes API … |
2021-11-17 19:43:34 |
Program |
[全てのタグ]の新着質問一覧|teratail(テラテイル) |
データの列名の要素ごとのカウント方法を教えていただきたいです。 |
https://teratail.com/questions/369834?rss=all
|
データの列名の要素ごとのカウント方法を教えていただきたいです。 |
2021-11-18 04:51:43 |
海外TECH |
Ars Technica |
New iodine-based plasma thruster tested in orbit |
https://arstechnica.com/?p=1813845
|
propellant |
2021-11-17 19:27:59 |
海外TECH |
MakeUseOf |
Samsung Black Friday 2021: Galaxy Watch4 Bundles You Won't Want to Miss |
https://www.makeuseof.com/samsung-black-friday-2021-galaxy-watch4-bundles/
|
Samsung Black Friday Galaxy Watch Bundles You Won x t Want to MissKeeping track of time is so much easier with a Samsung smartwatch on your wrist Check out these early access Black Friday deals |
2021-11-17 19:40:24 |
海外TECH |
MakeUseOf |
How to Use the Improved Clipboard Manager in Windows 11 |
https://www.makeuseof.com/how-to-use-clipboard-manager-in-windows-11/
|
clipboard |
2021-11-17 19:30:12 |
海外TECH |
MakeUseOf |
Good Call: Get Early Access to Samsung's Black Friday Smartphone Deals |
https://www.makeuseof.com/early-access-samsung-black-friday-smartphone-deals/
|
deals |
2021-11-17 19:24:38 |
海外TECH |
MakeUseOf |
What Is a Peloton Bike and Why Would You Want One? |
https://www.makeuseof.com/what-is-a-peloton-bike-why-would-you-want-one/
|
peloton |
2021-11-17 19:15:21 |
海外TECH |
MakeUseOf |
How to Lock Files and Folders in macOS |
https://www.makeuseof.com/how-to-lock-files-on-a-mac/
|
terminal |
2021-11-17 19:01:24 |
海外TECH |
DEV Community |
Do you still work with jQuery? |
https://dev.to/ben/do-you-still-work-with-jquery-4o3g
|
Do you still work with jQuery For folks who still work with jQuery for personal or professional projects what is the overall context of this work Do you expect this to be refactored at any point |
2021-11-17 19:43:40 |
海外TECH |
DEV Community |
Detect Objects in a Serverless Twilio Video App with TensorFlow.js |
https://dev.to/twilio/detect-objects-in-a-serverless-twilio-video-app-with-tensorflowjs-5doh
|
Detect Objects in a Serverless Twilio Video App with TensorFlow jsObject detection is a computer vision technique for locating instances of objects in media such as images or videos This machine learning ML method can be applied to many areas of computer vision like image retrieval security surveillance automated vehicle systems and machine inspection Read on to learn how to detect objects in a Twilio Programmable Video application using TensorFlow js SetupTo build a Twilio Programmable Video application we will need A Twilio account sign up for a free one here and receive an extra if you upgrade through this linkYour Twilio Account SID find it in your account console hereAPI Key SID and API Key Secret generate them hereThe Twilio CLIThe Twilio Serverless ToolkitDownload this GitHub repo and then create a file named env in the top level directory with the following contents replacing the XXXXX placeholders with the values that apply to your account and API Key TWILIO ACCOUNT SID XXXXXTWILIO API KEY XXXXXTWILIO API SECRET XXXXXIf you d like to better understand Twilio Programmable Video in JavaScript follow this post to get setup with a starter Twilio Video app In assets video html on lines import TensorFlow js and the coco ssd model to detect objects defined in the COCO dataset which is a large scale object detection segmentation and captioning dataset It can detect classes of objects SSD stands for Single Shot MultiBox Detection kind of like how YOLO stands for You Only Look Once Read more about the model here on Google CodeLabs lt Load TensorFlow js This is required to use coco ssd model gt lt script src tensorflow tfjs gt lt script gt lt Load the coco ssd model gt lt script src tensorflow models coco ssd gt lt script gt Then in the same file add a canvas element with in line styling above the video tag within the room controls div lt canvas id canvas style position absolute gt lt canvas gt lt video id video autoplay muted true width height gt lt video gt The complete assets video html file looks like this lt DOCTYPE html gt lt html gt lt head gt lt meta charset utf gt lt meta http equiv X UA Compatible gt lt meta name viewport content width device width initial scale gt lt title gt Twilio Video Serverless Demo lt title gt lt head gt lt body gt lt div id room controls gt lt canvas id canvas style position absolute gt lt canvas gt lt video id video autoplay muted true width height gt lt video gt lt button id button join gt Join Room lt button gt lt button id button leave disabled gt Leave Room lt button gt lt div gt lt script src media twiliocdn com sdk js video releases twilio video min js gt lt script gt lt script src dist axios min js gt lt script gt lt Load TensorFlow js This is required to use coco ssd model gt lt script src tensorflow tfjs gt lt script gt lt Load the coco ssd model gt lt script src tensorflow models coco ssd gt lt script gt lt script src index js gt lt script gt lt body gt lt html gt Now it s time to write some TensorFlow js code Object Detection with TensorFlow jsNow we will detect objects in our video feed Let s make an estimate function to estimate objects detected and their locations and to load the coco ssd ML model We will call the model s detect method on the video feed from the Twilio Video application which returns a promise that resolves to an array of predictions about what the objects are The results look something like this In assets index js beneath const video document getElementById video make an estimate function to load the model get the predictions and pass those predictions to another function we will soon make called renderPredictions The renderPredictions function will display the predictions along with a bounding box on the video canvas We also call requestAnimationFrame to smooth out the rendering of the predictions const estimate gt cocoSsd load then model gt detect objects in the video feed model detect video then predictions gt renderPredictions predictions requestAnimationFrame estimate console log Predictions predictions Display Predictions on the Video CanvasWe have detected objects from the video feed including the coordinates of the objects detected Now let s display a bounding box around them and write the object and confidence score on top of the bounding box We grab the canvas element set the width and height and make the ctx variable for the canvas element s context which is where the drawing will be rendered We call clearRect on where the drawing will be rendered to erase the pixels in a rectangular shape by making them transparent We customize the font for which the text will display the predictions and then loop through all the predictions The first element in the bbox object is the x coordinate the second element is the y coordinate the third is the width and the fourth is the height With those variables we draw a bounding box and customize the lines that will draw it We make the strToShow variable to display the prediction class object detected and the prediction confidence score const renderPredictions predictions gt const canvas document getElementById canvas canvas width video width canvas height video height const ctx canvas getContext d ctx clearRect ctx canvas width ctx canvas height customize font const font px serif ctx font font ctx textBaseline top predictions forEach prediction gt const x prediction bbox const y prediction bbox const w prediction bbox const h prediction bbox draw bounding box ctx strokeStyle tomato ctx lineWidth ctx strokeRect x y w h draw label bg ctx fillStyle tomato const strToShow prediction class prediction score const textW ctx measureText strToShow width const textH parseInt font base ctx fillRect x y textW textH text on top ctx fillStyle ctx fillText strToShow x y All we need to do now is call the estimate function this can be done when the user connects to the room with estimate video above joinRoomButton disabled true The complete assets index js code should look like this gt use strict const TWILIO DOMAIN location host unique to user will be website to visit for video app const ROOM NAME tfjs const Video Twilio Video let videoRoom localStream const video document getElementById video preview screen navigator mediaDevices getUserMedia video true audio true then vid gt video srcObject vid localStream vid buttons const joinRoomButton document getElementById button join const leaveRoomButton document getElementById button leave var site https TWILIO DOMAIN video token console log site site joinRoomButton onclick gt get access token axios get https TWILIO DOMAIN video token then async body gt const token body data token console log token connect to room Video connect token name ROOM NAME then room gt console log Connected to Room room name videoRoom room room participants forEach participantConnected room on participantConnected participantConnected room on participantDisconnected participantDisconnected room once disconnected error gt room participants forEach participantDisconnected estimate video joinRoomButton disabled true leaveRoomButton disabled false leave room leaveRoomButton onclick gt videoRoom disconnect console log Disconnected from Room videoRoom name joinRoomButton disabled false leaveRoomButton disabled true const estimate gt cocoSsd load then model gt detect objects in the video feed model detect video then predictions gt renderPredictions predictions requestAnimationFrame estimate console log Predictions predictions const renderPredictions predictions gt const canvas document getElementById canvas canvas width video width canvas height video height const ctx canvas getContext d ctx clearRect ctx canvas width ctx canvas height customize font const font px serif ctx font font ctx textBaseline top predictions forEach prediction gt const x prediction bbox const y prediction bbox const w prediction bbox const h prediction bbox draw bounding box ctx strokeStyle tomato ctx lineWidth ctx strokeRect x y w h draw label bg ctx fillStyle tomato const strToShow prediction class prediction score const textW ctx measureText strToShow width const textH parseInt font base ctx fillRect x y textW textH text on top ctx fillStyle ctx fillText strToShow x y connect participantconst participantConnected participant gt console log Participant participant identity connected const div document createElement div create div for new participant div id participant sid participant on trackSubscribed track gt trackSubscribed div track participant on trackUnsubscribed trackUnsubscribed participant tracks forEach publication gt if publication isSubscribed trackSubscribed div publication track document body appendChild div const participantDisconnected participant gt console log Participant participant identity disconnected document getElementById participant sid remove const trackSubscribed div track gt div appendChild track attach const trackUnsubscribed track gt track detach forEach element gt element remove Tada Now to deploy our app and test it in the root directory run twilio serverless deploy and grab the URL ending in video html Open it in a web browser click Join room share the link with your friends and start performing object detection You can find the complete code on GitHub here What s Next after Detecting Objects with TensorFlow and Twilio Programmable VideoPerforming object detection in a video app with TensorFlow js is just the beginning You can use this as a stepping stone to build collaborative games detect mask usage like in this ML js app put a mask on faces and more I can t wait to see what you build so let me know what you re building online Twitter lizziepikaGitHub elizabethsiegleemail lsiegle twilio com |
2021-11-17 19:21:11 |
Apple |
AppleInsider - Frontpage News |
Instagram cutting off support to companion app Threads by the end of 2021 |
https://appleinsider.com/articles/21/11/17/instagram-cutting-off-support-to-companion-app-threads-by-the-end-of-2021?utm_medium=rss
|
Instagram cutting off support to companion app Threads by the end of Instagram s standalone messaging app Threads will shut down by the year s end after failing to gain widespread adoption Threads was first introduced in as a companion to Instagram designed to be a camera first mobile messaging app It was initially intended to be used to update your status and send messages to those you d designated as Close Friends on Instagram though a revamp later made it possible to message everyone The app never took off the way the developers had hoped TechCrunch points out that it s currently ranked at in the Photo Video category with a star rating across more than reviews Read more |
2021-11-17 19:54:53 |
Apple |
AppleInsider - Frontpage News |
District Court judge questions expert testimony in App Store lawsuit |
https://appleinsider.com/articles/21/11/17/district-court-judge-questions-expert-testimony-in-app-store-lawsuit?utm_medium=rss
|
District Court judge questions expert testimony in App Store lawsuitThe U S District Court Judge presiding over a lawsuit accusing Apple of price gouging on the App Store criticized the math of one of the case s expert witnesses Credit AppleDaniel McFadden a Nobel prize winning economist prepared an analysis backing a claim that Apple s App Store requirements cost consumers billions of dollars However U S District Court Judge Yvonne Gonzalez Rogers didn t appear to buy that argument Bloomberg has reported Read more |
2021-11-17 19:24:36 |
海外TECH |
Engadget |
PlayStation head Jim Ryan criticizes Activision Blizzard response to sexual harassment scandal |
https://www.engadget.com/jim-ryan-email-activision-blizzard-195248273.html?src=rss
|
PlayStation head Jim Ryan criticizes Activision Blizzard response to sexual harassment scandalIt turns out Blizzard employees weren t the only ones to express frustration with their company and CEO Bobby Kotick after The Wall Street Journalpublished an explosive report on the ongoing sexual harassment scandal at the publisher In an email obtained by Bloomberg Sony Interactive CEO Jim Ryan critiqued Activision s response to the article Ryan linked Sony employees to the report and said he was “disheartened and frankly stunned to read The Journal s findings “We outreached to Activision immediately after the article was published to express our deep concern and to ask how they plan to address the claims made in the article Ryan says in the message “We do not believe their statements of response properly address the situation As the company that makes the PlayStation and PS Sony is one of Activision s most important partners Their close relationship is highlighted by the fact Sony has first dibs on some Call of Duty content The fact Ryan s email leaked shouldn t come as a surprise given that it was an all hands message Broadly The Wall Street Journal report claims Kotick was not only aware of many of the allegations of sexual misconduct and harassment at the company but that he may have also intervened to protect some of its worst offenders and that he mistreated women himself In a statement to Engadget a spokesperson for the publisher said the article presents a “misleading view of Activision Blizzard and our CEO Shortly after it started circulating widely on social media Blizzard employees announced they would stage a walkout Hours later Activision Blizzard s board of directors issued a statement expressing its continued support of Kotick s leadership |
2021-11-17 19:52:48 |
海外TECH |
Engadget |
TikTok takes more action against hoaxes and dangerous challenges |
https://www.engadget.com/tiktok-hoax-dangerous-challenge-action-teens-survey-193111320.html?src=rss
|
TikTok takes more action against hoaxes and dangerous challengesTikTok has pledged to do more to combat the spread of hoaxes and dangerous challenges Many TikTok challenges are harmless and fun Others are riskier such as this year s milk crate challenge which led to a spate of injuries But well intentioned parents and other adults who want to warn others about dangerous challenges can inadvertently raise awareness of them ーeven if those challenges are fake The company commissioned a survey of more than teens parents and teachers in several countries including the US and UK It found that percent of teens had taken part in some kind of online challenge Teens were asked about the risk level of a challenge they d seen online recently not necessarily on TikTok Around percent said the challenge was safe percent said it had a little risk and percent described it as risky or dangerous Respondents said three percent of challenges were quot very dangerous quot while percent said they d taken part in a challenge they categorized in that way The study found that percent of teens want more information and help to understand the risks of challenges while percent said they quot felt a negative impact quot from hoaxes related to self harm and suicide Recognizing and dealing with hoaxes isn t necessarily easy Thirty seven percent of the adult respondents say they find it difficult to discuss self harm and suicide hoaxes without drawing attention to them TikTok says it already removes hoaxes and takes action to limit their spread but it s planning to do more It will take down quot alarmist warning quot videos about fake self harm challenges quot The research showed how warnings about self harm hoaxes ーeven if shared with the best of intentions ーcan impact the well being of teens since they often treat the hoax as real quot TikTok said quot We will continue to allow conversations to take place that seek to dispel panic and promote accurate information quot The Momo Challenge for instance was an infamous viral hoax that a lot of people fell for a couple of years ago Its spread was exacerbated by those sounding the alarm about the quot challenge quot which many falsely claimed was urging kids to harm themselves Other safety improvements TikTok has made include expanding quot technology that helps alert our safety teams to sudden increases in violating content linked to hashtags quot Whenever a user searches for content linked to a hoax or dangerous challenge they ll see a warning label The company worked with a clinical child psychiatrist and a behavioral scientist to improve the language of the label Users who search for hoaxes and harmful challenges will be encouraged to visit TikTok s Safety Center to learn about how to recognize them If the search is connected to a hoax linked to suicide or self harm they ll see resources such as contact details for the National Suicide Prevention Helpline In the US the National Suicide Prevention Lifeline is Crisis Text Line can be reached by texting HOME to US Canada or UK Wikipedia maintains a list of crisis lines for people outside of those countries |
2021-11-17 19:31:11 |
海外科学 |
NYT > Science |
Climate Change Increases Chance of Wildfires in California |
https://www.nytimes.com/2021/11/17/climate/climate-change-wildfire-risk.html
|
california |
2021-11-17 19:29:39 |
海外科学 |
NYT > Science |
Overdose Deaths Reached Record High as the Pandemic Spread |
https://www.nytimes.com/2021/11/17/health/drug-overdoses-covid.html
|
government |
2021-11-17 19:28:24 |
ニュース |
BBC News - Home |
Second jobs row: MPs back government plans to curb second jobs |
https://www.bbc.co.uk/news/uk-politics-59313207?at_medium=RSS&at_campaign=KARANGA
|
labour |
2021-11-17 19:49:35 |
ニュース |
BBC News - Home |
Liverpool bomber had been planning attack since April |
https://www.bbc.co.uk/news/uk-england-59317136?at_medium=RSS&at_campaign=KARANGA
|
january |
2021-11-17 19:45:58 |
ニュース |
BBC News - Home |
Hales denies 'any racial connotation' in naming his dog |
https://www.bbc.co.uk/sport/cricket/59324155?at_medium=RSS&at_campaign=KARANGA
|
connotation |
2021-11-17 19:06:21 |
ニュース |
BBC News - Home |
Mercedes to present case for review of Verstappen decision on Thursday |
https://www.bbc.co.uk/sport/formula1/59293239?at_medium=RSS&at_campaign=KARANGA
|
Mercedes to present case for review of Verstappen decision on ThursdayMercedes will make their case for a review of the decision not to penalise Max Verstappen at the Sao Paulo Grand Prix to officials on Thursday |
2021-11-17 19:29:55 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
マクドナルド、KFC、モスと大差!丸亀製麺が前年比増収でも「負け組」のワケ - コロナで明暗!【月次版】業界天気図 |
https://diamond.jp/articles/-/287287
|
|
2021-11-18 04:55:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
価格が上昇した「駅近タワマン」ランキング【千葉】5位プラウドタワー船橋、1位は? - DIAMONDランキング&データ |
https://diamond.jp/articles/-/287408
|
|
2021-11-18 04:50:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
林芳正氏は「将来の首相」の器か?くら替え出馬から外相抜てきの資質とは - DOL特別レポート |
https://diamond.jp/articles/-/287836
|
首相候補 |
2021-11-18 04:47:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
1771人が選ぶ「ベスト」ゴルフ場ランキング【北陸・甲信越】2位富士桜CC、1位は? - DIAMONDランキング&データ |
https://diamond.jp/articles/-/287806
|
|
2021-11-18 04:45:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
名物社長率いる丸和運輸が業績予想を上方修正、コロナ禍でも衰えない野心とは - 物流専門紙カーゴニュース発 |
https://diamond.jp/articles/-/287676
|
経営方針 |
2021-11-18 04:40:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
業績も株価も好調な「日本新薬」、風雪に耐え“中堅の星”となった真っ当経営 - 医薬経済ONLINE |
https://diamond.jp/articles/-/286646
|
|
2021-11-18 04:35:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
伊藤忠商事が掲げる「三方よし」を生んだ宗教的土壌とは - 伊藤忠 財閥系を凌駕した野武士集団 |
https://diamond.jp/articles/-/283337
|
三方よし |
2021-11-18 04:30:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
【クイズ】100万円を10年複利で2倍にするには?知って得する資産運用術 - 「お金の達人」養成クイズ |
https://diamond.jp/articles/-/285031
|
資産運用 |
2021-11-18 04:25:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
中小企業は月250万で看護師わずか4000円の補助、なぜ日本は「法人」に甘いのか - 情報戦の裏側 |
https://diamond.jp/articles/-/287840
|
一定期間 |
2021-11-18 04:20:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
アベノミクスの7年半で日本は「米国並み」から「韓国並み」になった - 野口悠紀雄 新しい経済成長の経路を探る |
https://diamond.jp/articles/-/287863
|
人当たり |
2021-11-18 04:10:00 |
ビジネス |
ダイヤモンド・オンライン - 新着記事 |
テスラ以外もブレーキ必要、爆走する自動車株 - WSJ発 |
https://diamond.jp/articles/-/288102
|
自動車 |
2021-11-18 04:03:00 |
ビジネス |
東洋経済オンライン |
コロナ禍初、欧州「鉄道見本市」はどう変わったか 入場に「ワクチン証明書」、目玉の新車展示なし | 海外 | 東洋経済オンライン |
https://toyokeizai.net/articles/-/469925?utm_source=rss&utm_medium=http&utm_campaign=link_back
|
東洋経済オンライン |
2021-11-18 04:30:00 |
コメント
コメントを投稿