投稿時間:2022-12-07 05:35:24 RSSフィード2022-12-07 05:00 分まとめ(38件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Machine Learning Blog Build a robust text-based toxicity predictor https://aws.amazon.com/blogs/machine-learning/build-a-robust-text-based-toxicity-predictor/ Build a robust text based toxicity predictorWith the growth and popularity of online social platforms people can stay more connected than ever through tools like instant messaging However this raises an additional concern about toxic speech as well as cyber bullying verbal harassment or humiliation Content moderation is crucial for promoting healthy online discussions and creating healthy online environments To detect … 2022-12-06 19:37:53
AWS AWS How can I allow or block specific IP addresses on my EC2 instance? https://www.youtube.com/watch?v=wFszywRV21M How can I allow or block specific IP addresses on my EC instance Skip directly to the demo For more details see the Knowledge Center article with this video Tanmay shows you how to allow or block specific IP addresses on your EC instance Introduction Chapter Chapter ClosingSubscribe 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 AWS AmazonWebServices CloudComputing 2022-12-06 19:32:29
AWS AWS How do I use an MFA token to authenticate access to my AWS resources through AWS CLI? https://www.youtube.com/watch?v=_e5Zfu8dOAw How do I use an MFA token to authenticate access to my AWS resources through AWS CLI For more details see the Knowledge Center article with this video Mardianto shows you how to use an MFA token to authenticate access to your AWS resources through AWS CLI Introduction Chapter Chapter Chapter ClosingSubscribe 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 AWS AmazonWebServices CloudComputing 2022-12-06 19:32:15
AWS AWS How can I reactivate my suspended AWS account? https://www.youtube.com/watch?v=_7FdijvT-AQ How can I reactivate my suspended AWS account For more details see the Knowledge Center article with this video Mary shows you how to reactivate your suspended AWS account Introduction Chapter Chapter ClosingSubscribe 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 AWS AmazonWebServices CloudComputing 2022-12-06 19:31:59
海外TECH Ars Technica Amazon offering a whopping $2/month to let it stalk your phone https://arstechnica.com/?p=1902299 facebook 2022-12-06 19:34:14
海外TECH Ars Technica In win for EU, Amazon will settle high-profile antitrust probes https://arstechnica.com/?p=1902390 products 2022-12-06 19:30:44
海外TECH Ars Technica Stalkers’ “chilling” use of AirTags spurs class-action suit against Apple https://arstechnica.com/?p=1902353 android 2022-12-06 19:17:18
海外TECH MakeUseOf How to Enable or Disable Secure Boot and TPM Support in VirtualBox 7.0 https://www.makeuseof.com/virtualbox-7-secure-boot-tpm/ secure 2022-12-06 19:15:16
海外TECH DEV Community 89-Nodejs Course 2023: Restful Routes: Introduction https://dev.to/hassanzohdy/89-nodejs-course-2023-restful-routes-introduction-28ie Nodejs Course Restful Routes IntroductionLet s take a break from Response Resources and move to another section of our code let s head back to our beloved router today we re going to talk about Restful Routes and how to implement them in our project Restful Api ConceptSo what is Restful Api you might heard that expression before but what does it mean Restful Api is a concept that was introduced by Roy Fielding in his dissertation it s a set of rules that we should follow to create a Restful Api the main idea behind this concept is to make our api more standard and consistent so that we can easily use it in any project Restful Api RulesThere are rules that we should follow to create a Restful Api let s take a look at them Use nouns for the route path For example users instead of getAllUsers Use HTTP verbs for the route methods For example GET instead of getAllUsers Use plural nouns for the route path For example users instead of user Use query parameters to filter sort and paginate collections For example users sort age amp limit Use HTTP status codes to represent the status of the response For example for success for not found and for server error Use snake case never camelCase for query parameters and fields For example users sort by age I prefer camelCase in the last point though but it s up to you Restful Api RoutesNow that we know the rules let s take a look at the routes that we should implement in our project we re going to implement the following routes GET users to get all users GET users id to get a single user POST users to create a new user PUT users id to update a user DELETE users id to delete a user PATCH users id to update a user partially These are the main routes that we could implement in our restful API per module but of course we can add any other routes that we need for example we can add a route to get the user s posts or to get the user s comments or to get the user s friends etc Restful Api ImplementationWe re going to start our implementation starting from the next article but this article we need to fix some stuff first as you will get hit with it if you are working with me step by step inch by inch and code by code Response Body ParserWe have already introduced the Response Body Parser earlier to make any toJSON called asynchronous there are some issues with it for example Is iterable will loop over strings which is definitely not what we want so we need to fix it here is the new version of the Response Body Parser src core http response ts Parse the given value protected async parse value any Promise lt any gt if it is a falsy value return it if value Is scalar value return value if it has a toJSON method call it and await the result then return it if value toJSON return await value toJSON if it is iterable an array or array like object then parse each item if Is iterable value const values Array from value return Promise all values map async item any gt return await this parse item if not plain object then return it if Is plainObject value return value loop over the object and check if the value and call parse on it for const key in value const subValue value key value key await this parse subValue return value What i added here is the Is scalar check this checks if the value is string number or boolean if so then just return it as we are not going to parse it I also enhanced the code in the promise all by splitting the Array from to be initialized in a variable this is to make the code more readable Prevent sending response object to responseAs the validator returns a response instance any middleware also could return a response instance and the router handler of course could do so then we need to check if the returned output is a response instance then just return without sending it to the response send method also to be more consistent we could also add that check inside the send method itself src core http response ts Send the response public async send data any statusCode number if the data is a response instance then just return current response object if data this return this if data this currentBody data parse the body and make sure it is transformed to sync data instead of async data data await this parseBody if statusCode this currentStatusCode statusCode if this currentStatusCode this currentStatusCode Now let update our request execute method as well src core http request ts Execute the request public async execute check for middleware first const middlewareOutput await this executeMiddleware if middlewareOutput undefined make sure first its not a response instance if middlewareOutput instanceof Response return send the response return this response send middlewareOutput const handler this route handler check for validation using validateAll helper function const validationOutput await validateAll handler validation this this response if validationOutput undefined make sure first its not a response instance if validationOutput instanceof Response return send the response return this response send validationOutput call executingAction event this trigger executingAction this route const output await handler this this response make sure first its not a response instance if output instanceof Response return call executedAction event this trigger executedAction this route send the response await this response send output Now we re good here let s update another part of the response as well Not found responseWe already have our notFound method in the response class but it is required to send a data to it this is okay but we can unify the response by making it optional so we can call it without sending any data here is the updated version of the notFound method src core http response ts Send a not found response with status code public notFound data any error notFound return this send data Why would we do this because later on we can enhance it to make it configurable so we can send a custom not found response for example we can send a custom not found json response This will apply to badRequest method as well but we ll keep it for now ConclusionSo in this article we have talked about Restful APIs and its standards then we made some enhancements to our response class to make it more consistent and we also made some enhancements to our request class to make it more consistent as well In our next chapter we re going to start implementing our Restful API and see how to handle it with our router system stay tuned ️Buy me a Coffee ️ If you enjoy my articles and see it useful to you you may buy me a coffee it will help me to keep going and keep creating more content Project RepositoryYou can find the latest updates of this project on Github Join our communityJoin our community on Discord to get help and support Node Js Channel ️Video Course Arabic Voice If you want to learn this course in video format you can find it on Youtube the course is in Arabic language Bonus Content You may have a look at these articles it will definitely boost your knowledge and productivity General TopicsEvent Driven Architecture A Practical Guide in JavascriptBest Practices For Case Styles Camel Pascal Snake and Kebab Case In Node And JavascriptAfter years of practicing MongoDB Here are my thoughts on MongoDB vs MySQLPackages amp LibrariesCollections Your ultimate Javascript Arrays ManagerSupportive Is an elegant utility to check types of values in JavaScriptLocalization An agnostic in package to manage localization in your projectReact Js PackagesuseFetcher easiest way to fetch data in React JsCourses Articles OOP In JS And TS From The Very BeginningES The Ultimate Guide to ES and BeyondReact Js Let s Create File Manager With React Js and Node Js 2022-12-06 19:41:01
海外TECH DEV Community Create a Static Site using VitePress for Beautiful Help Documentation https://dev.to/mbcrump/create-a-static-site-using-vitepress-for-beautiful-help-documentation-d3 Create a Static Site using VitePress for Beautiful Help Documentation IntroductionI ve always been a fan of static site generators as a way to create a fully static HTML website based on data typically in Markdown with theming support I ve found that more of your time is focused on writing the content vs the time spent managing the infrastrucutre for something such as a content managment system CMS like WordPress which requires a database and a front end UI to enter content If I could sum up my three reasons why I like static site generators it would be Performance pages are pre rendered Ability to Customize Themes are typically baked in and they don t require code to run on the server side Let s jump into a popular one called VitePress A Primer on VitePressVitePress is listed in the documents as VuePress little brother and it is built on top of Vite For those that don t know Vite is a build tool that aims to provide a faster and leaner development experience for modern web projects so it might sense to pair it with a static site generator such as VitePress One of the original problems with VuePress was that it was a Webpack app and it took a lot of time to spin up a dev server for just a simple doc VitePress solves these problems with nearly instant server start an on demand compilation that only compiles the page being served and lightning fast HMR Let s get started To continue reading the full article please click hereConclusionIf you have questions or feedback join us on the Vonage Developer Slack or send me a Tweet on Twitter and I will get back to you Thanks again for reading and I will catch you on the next one 2022-12-06 19:40:20
海外TECH DEV Community Download and install git on Linux, Windows, and Mac OSX https://dev.to/szabgab/download-and-install-git-on-linux-windows-and-mac-osx-4724 Download and install git on Linux Windows and Mac OSXThis time we are going to talk about downloading and installing git There is going to be a separate episode on how to install on Windows this is some generic overview All the slides and the specific slides about git installation LinuxFor RedHat CentOS and similar yum based Linux distributions sudo yum install git coreFor Ubuntu Debian and other apt or deb based Linux distributions sudo apt get install git coreYou could also download the latest version of git from git scm but usually you are better off usingthe version that is packaged by the vendor of your Linux distribution It is usually better to use the standard package management systemof your Linux distribution Of course if you have a really really old version of Linux then then yous should probably upgrade your Linux Well even in older versions of Linux you are still better off using git that was packaged by the vendor WindowsFor Windows there will be a separate video and article but I d recommend downloading git from git scm Apple Mac OSXFor Mac OSX you could also use the package from git scm but probably a better way is tofirst install Homebrew and then that install git using brew install gitIn case you are not familiar with it Homebrew is a package management system for Mac OSX It is like apt or yum for Linux It s a tool to install all kinds of open source projects You ll probablyneed a lot more tools than just git so that s why it is probably better to use Homebrew for git as well 2022-12-06 19:28:00
Apple AppleInsider - Frontpage News New Apple Car rumor suggests 2026 debut at less than $100,000 https://appleinsider.com/articles/22/12/06/new-apple-car-rumor-suggests-2026-debut-at-less-than-100000?utm_medium=rss New Apple Car rumor suggests debut at less than The Apple Car may be further away than thought with a new rumors saying that the company has pushed the potential launch date into at a price less than A car with an Apple logoApple Car has been a highly anticipated project for observers of the iPhone maker with it being a product that could push Apple to the next trillion in value However it seems there may be a longer wait before anyone will be able to buy a car from the company with Apple making a number of changes to the project as a whole Read more 2022-12-06 19:48:49
Apple AppleInsider - Frontpage News Cherry releases two keyboards & Bluetooth mouse for Mac users https://appleinsider.com/articles/22/12/06/cherry-releases-two-keyboards-bluetooth-mouse-for-mac-users?utm_medium=rss Cherry releases two keyboards amp Bluetooth mouse for Mac usersCherry Americas has released two keyboards specifically for Mac users plus a Bluetooth mouse to help enhance productivity KC CThe new products include the KW Slim for Mac KC C keyboards and the Bluetooth enabled GENTIX BT mouse Read more 2022-12-06 19:30:04
海外TECH Engadget First 'Vampire Survivors' DLC coming later this month https://www.engadget.com/vampire-survivors-dlc-legacy-of-moonspell-194536374.html?src=rss First x Vampire Survivors x DLC coming later this monthA little over a month after it arrived on Xbox consoles the addictive roguelike shoot em up Vampire Survivors will get its first DLC The Legacy of Moonspell expansion launches on PC via Steam and Xbox on December th The new content includes a new map that developer poncle describes as the game s “biggest stage yet The new level Mt Moonspell adds an abandoned castle a snow covered mountain and a Yokai infested village Additionally the DLC adds over a dozen new weapons including an ancestral wind force orbs that unleash the power of seasons a dark summoning weapon and an enchanted kimono It also adds eight extra playable characters and six music tracks “In eastern lands a clan has fallen the DLC s story description reads “The Moonspell once vigilant guardians of a sorcerous valley nestled in the mountains have been overrun by hordes of yokai and oni Though treacherous this hive of spectral activity may provide some clue as to the location of a vampire If not at least it ll be entertaining to defeat thousands of wayward spirits in the process Luca GalanteVampire Survivors is a casual game that over time reveals more complexity than you d expect from its simple D character sprites Your character auto fires weapons leaving you to control their movement and loadout while dodging fire and snagging enemy drops The goal is to stay ahead of the curve As wave after wave of enemies approach it may remind you as much of tower defense as the roguelike games from which it draws inspiration Once you get the hang of it it can become an almost meditative experience which helps explain its standing as the most played Steam Deck game month after month The base Vampire Survivors game is available for on Steam and Xbox Series X S it s also available via Game Pass for PCs and consoles 2022-12-06 19:45:36
海外TECH Engadget Apple's rumored electric car may not be fully self-driving after all https://www.engadget.com/apple-car-no-longer-fully-self-driving-193708593.html?src=rss Apple x s rumored electric car may not be fully self driving after allApple isn t done scaling back its plans for an electric car apparently Bloombergsources say the EV codenamed Project Titan is no longer a fully self driving machine It will reportedly have a conventional wheel and pedals and will only drive itself on highways The company has also pushed the launch back by a year to the tipsters claim The rumored vehicle will supposedly offer enough autonomy that you can play games or watch video on the highway but ask you to take control when it s time to drive on city streets or through adverse weather Apple may debut the hands free tech in North America at first and expand access over time the insiders add Apple has already declined comment Titan has been in development for years and has suffered numerous setbacks as well as major strategy shifts The tech firm may have had doubts as early as and was said to have scuttled the vehicle in in favor of a licensed self driving platform Executive shuffles and layoffs didn t help either While the company did return to making a full fledged vehicle according to rumors it had little success courting production help from brands like Hyundai More modest ambitions wouldn t be surprising Full Level autonomy where a vehicle can drive itself in any circumstance still isn t a practical reality and even Waymo s robotaxis are only allowed to operate in good weather in California There s also the question of legal permissions While states are increasingly receptive to self driving cars there isn t yet a framework that would let the general public use completely autonomous vehicles Even if Apple solved all the technical challenges it couldn t realistically sell a truly hands off car any time soon A switch to a semi autonomous design could lead to fiercer competition While Tesla has long been considered Apple s main rival the EV market has grown rapidly in recent years Brands like Ford Hyundai Volkswagen and Rivian have all made capable electric rides Apple would be entering a crowded field and there s no guarantee the company will stand out 2022-12-06 19:37:08
海外TECH Engadget Amazon reportedly agrees to treat sellers better to end EU antitrust probes https://www.engadget.com/amazon-reportedly-agrees-to-end-eu-antitrust-probe-192410097.html?src=rss Amazon reportedly agrees to treat sellers better to end EU antitrust probesThe European Commission and Amazon have reportedly come to an agreement that will allow the retail giant to avoid a fine for allegedly misusing seller data According to The nbsp Financial Times the company has pledged to give rival products equal treatment in the Buy Box section of its website a move that should theoretically increase the visibility of the merchants selling those goods Amazon also agreed to create alternate featured offers for customers less concerned about getting their purchase as quickly as possible as well as give sellers free rein to decide on the company they want to deliver their goods According to The Times the European Commission plans to announce the agreement on December th though that date could shift What won t change are the terms of the deal “There s very little to discuss a source told the outlet Once the agreement is formalized Amazon will be required to honor its commitments for at least five years Amazon did not immediately respond to Engadget s comment request In July when the company promised it would take steps to make its seller program fairer Amazon said it felt it was being “unfairly targeted by legislation like the Digital Markets Act At the same time the retailer said it was engaged constructively with regulators to address concerns about its business A deal with the European Union would give Amazon the chance to put to rest at least one aspect of a long saga The European Commission began probing the company s use of merchant data in almost a full year before The Wall Street Journalpublished a report alleging that Amazon had used seller data to design competing products However the company would still need to mollify US lawmakers and regulators In April the Securities and Exchange Commission reportedly began investigating the company s use of third party data Before that the Senate asked the Department of Justice to open an investigation into Amazon over the possibility of criminal obstruction 2022-12-06 19:24:10
Cisco Cisco Blog Partners are excited about AppDynamics Cloud Business Transaction Insights on AWS https://blogs.cisco.com/partner/partners-are-excited-about-appdynamics-cloud-business-transaction-insights-on-aws Partners are excited about AppDynamics Cloud Business Transaction Insights on AWSInsights from Mark Maslach AppDynamics Global VP of Worldwide Channels and Strategic Alliances on AWS re Invent where Cisco AppDynamics announced the business transaction insights solution of AppDynamics Cloud and its importance to Partners 2022-12-06 19:56:05
海外科学 NYT > Science FDA Report Faults Agency’s Food Unit for Leaderless Dysfunction https://www.nytimes.com/2022/12/06/health/fda-food-safety-report.html FDA Report Faults Agency s Food Unit for Leaderless DysfunctionSpurred by the infant formula crisis a panel found that the agency shied away from tough decisions sometimes fearing confrontations with industry over enforcement of critical public health issues 2022-12-06 19:40:40
医療系 医療介護 CBnews 緊急整復固定加算と超急性期脳卒中加算の意外な関係-データで読み解く病院経営(164) https://www.cbnews.jp/news/entry/20221206090953 代表取締役 2022-12-07 05:00:00
海外ニュース Japan Times latest articles Morocco shocks Spain on penalties to reach World Cup quarterfinals https://www.japantimes.co.jp/sports/2022/12/07/soccer/world-cup/morocco-spain/ world 2022-12-07 04:41:23
ニュース BBC News - Home Conservative peer Michelle Mone to take leave of absence from Lords https://www.bbc.co.uk/news/uk-politics-63871448?at_medium=RSS&at_campaign=KARANGA covid 2022-12-06 19:17:19
ニュース BBC News - Home Onshore wind rules to be relaxed after Tory revolt https://www.bbc.co.uk/news/uk-politics-63880999?at_medium=RSS&at_campaign=KARANGA england 2022-12-06 19:50:17
ニュース BBC News - Home Stephen Flynn elected as new SNP leader at Westminster https://www.bbc.co.uk/news/uk-scotland-scotland-politics-63876993?at_medium=RSS&at_campaign=KARANGA alison 2022-12-06 19:10:30
ニュース BBC News - Home Avatar: The Way of Water world premiere takes place in London https://www.bbc.co.uk/news/entertainment-arts-63875730?at_medium=RSS&at_campaign=KARANGA pandora 2022-12-06 19:33:36
ニュース BBC News - Home Matt Lucas ends run as Great British Bake Off host https://www.bbc.co.uk/news/entertainment-arts-63879887?at_medium=RSS&at_campaign=KARANGA tasks 2022-12-06 19:47:04
ビジネス ダイヤモンド・オンライン - 新着記事 日本経済「長期停滞」をもたらした企業の人的投資不足や賃金抑制の真因 - 経済分析の哲人が斬る!市場トピックの深層 https://diamond.jp/articles/-/314052 日本経済 2022-12-07 05:00:00
ビジネス ダイヤモンド・オンライン - 新着記事 個人投資家にとっての投資信託「インデックス運用」の利点とは? - 政策・マーケットラボ https://diamond.jp/articles/-/314051 個人投資家 2022-12-07 04:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 保険の国際機関IAISが、保険業界から「財政的独立」を達成した舞台裏 - きんざいOnline https://diamond.jp/articles/-/314049 保険の国際機関IAISが、保険業界から「財政的独立」を達成した舞台裏きんざいOnline国際会議は多様性の宝庫である。 2022-12-07 04:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 「後継者難倒産」が過去最高水準に、深刻な現状を帝国データバンクが解説 - 倒産のニューノーマル https://diamond.jp/articles/-/314048 帝国データバンク 2022-12-07 04:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 日銀の国債含み損8749億円で騒ぐ人が見落としていること - 山崎元のマルチスコープ https://diamond.jp/articles/-/314047 地方銀行 2022-12-07 04:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 韓国で、日本産高級ブドウ流出は「日本が悪い」の論調が変わってきた理由 - News&Analysis https://diamond.jp/articles/-/313690 韓国で、日本産高級ブドウ流出は「日本が悪い」の論調が変わってきた理由NewsampampAnalysisシャインマスカット、ルビーロマン、マイハート……日本産高級ブドウの、韓国・中国への流出が止まらない。 2022-12-07 04:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 都市と地方の「2拠点生活」成功に“3つの秘訣”、実体験の作家が解説 - News&Analysis https://diamond.jp/articles/-/313972 newsampampanalysis 2022-12-07 04:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 趣味がお金に変わる「NFT」とは?夢の技術を人気ブロガーが徹底解説 - ニュース3面鏡 https://diamond.jp/articles/-/314046 趣味がお金に変わる「NFT」とは夢の技術を人気ブロガーが徹底解説ニュース面鏡NFTという言葉をご存じでしょうか日本ではまだあまり広まってはいないNFTですが、一言で言ってしまえば「デジタルデータに所有権を持たせる」という夢の技術。 2022-12-07 04:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 「余命」と「いつまで会話や食事や運動ができるか」、知りたいのはどちら? - カラダご医見番 https://diamond.jp/articles/-/313989 国立がん研究センター 2022-12-07 04:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 グローバルEC企業では、CEOが陣頭指揮を執る新事業創造 - Global EC Impact 全世界で売れ。 https://diamond.jp/articles/-/313622 globalecimpact 2022-12-07 04:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 進学校化にかじを切る「関東学院中高」が目指すもの - 中学受験のキーパーソン https://diamond.jp/articles/-/313201 中学受験 2022-12-07 04:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 「在宅ワーク」と「ウェルビーイング」と「生産性」の不都合な三角関係 - 世界のウェルビーイングサーベイを横断せよ https://diamond.jp/articles/-/312760 twitter 2022-12-07 04:05:00
ビジネス 不景気.com TKPの23年2月期は15億円の最終赤字へ、子会社譲渡損で - 不景気com https://www.fukeiki.com/2022/12/tkp-2023-loss.html 最終赤字 2022-12-06 19:06:03

コメント

このブログの人気の投稿

投稿時間: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件)