投稿時間:2023-01-14 04:23:55 RSSフィード2023-01-14 04:00 分まとめ(28件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Networking and Content Delivery AWS Network Optimization Tips https://aws.amazon.com/blogs/networking-and-content-delivery/aws-network-optimization-tips/ AWS Network Optimization TipsWhen thinking about architecture it s very common to come across scenarios where there is no right or wrong answer the best answer is “it depends You must carefully consider the tradeoffs between cost performance reliability and operational efficiency before coming to a decision A little planning ahead of time can help you avoid numerous … 2023-01-13 18:00:25
AWS AWS Startups Blog Hidden gems from the AWS Startups Blog https://aws.amazon.com/blogs/startups/hidden-gems-on-the-startups-blog/ Hidden gems from the AWS Startups BlogIt s the new year for some people it s the ideal time to renew focus on your business To get you reinvigorated and inspired in the new year we ve picked some of our favorite posts from 2023-01-13 18:47:05
AWS AWS Amazon Inspector for AWS Lambda workloads | Amazon Web Services https://www.youtube.com/watch?v=BsrRibUfQls Amazon Inspector for AWS Lambda workloads Amazon Web ServicesAmazon Inspector now supports AWS Lambda functions adding continual automated vulnerability assessments for Serverless compute workloads With this expanded capability Amazon Inspector now automatically discovers all eligible Lambda functions and identifies software vulnerabilities in application package dependencies used in the Lambda function code Learn more in this demo Find more information at 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 AmazonInspector AWSLambda VulnerabilityManagement AWSSecurity cloudsecurity AWS AmazonWebServices CloudComputing 2023-01-13 18:42:23
海外TECH MakeUseOf Can You Trust Your Browser With Credit Card Information? https://www.makeuseof.com/tag/trust-browser-credit-card-information/ credit 2023-01-13 18:30:16
海外TECH MakeUseOf How to Open RAR Files on an iPhone https://www.makeuseof.com/how-to-open-rar-files-ios/ files 2023-01-13 18:30:16
海外TECH MakeUseOf How to Count Blank Cells in Google Sheets With COUNTBLANK https://www.makeuseof.com/count-blank-cells-google-sheets/ countblank 2023-01-13 18:15:15
海外TECH DEV Community "Remembering Aaron Swartz" from Endless Thread 🎧 https://dev.to/erinposting/remembering-aaron-swartz-from-endless-thread-1776 quot Remembering Aaron Swartz quot from Endless Thread Content Warning this post and the podcast episode contain mentions of suicide Please take care while listening I wanted to share this episode for anyone who s interested in reflecting on the life and legacy of Aaron Swartz who passed years ago this week Swartz is credited with assisting in the development of RSS Creative Commons licensing Markdown the web py framework and Reddit I found the episode it insightful emotional and powerful to hear Would love to hear your thoughts after listening In this episode of Endless Thread co hosts Amory Sivertson and Ben Brock Johnson honor the legacy of internet activist Aaron Swartz with two people familiar with his life and work documentary filmmaker Brian Knappenberger and Cindy Cohn of the Electronic Frontier Foundation Swartz died by suicide ten years ago this week on January at the age of 2023-01-13 18:24:15
海外TECH DEV Community Building a composable query generator for GraphQL https://dev.to/aha/building-a-composable-query-generator-for-graphql-36mn Building a composable query generator for GraphQLIn a lot of newer projects we use our GraphQL API This is the same API you use when you re building Aha Develop extensions GraphQL has given us a more consistent more flexible and often more efficient way to access the data inside an Aha account GraphQL queries are just strings const query feature id DEMO id name const response await fetch api v graphql headers Content Type application json method POST body JSON stringify query Strings are easy to start with and work well for simple mostly static queries But what about something more complex What if you wanted the name of the person assigned to each feature but not when you re looking at a list of your own features What if only some teams used sprints and you didn t want sprint information if a team didn t use them How could you easily make wildly customizable views and only fetch the data you needed for that specific view Simple interpolation is one option const sprintQuery sprintsEnabled sprint id name startDate duration const query features id name sprintQuery But this can quickly get out of hand You need to know in advance how a query can be modified so you can be sure to leave room for strings to be interpolated inside of them Handling optional arguments can be a pain So if strings aren t the right option for very dynamic queries what is The next step beyond stringsThere s a common solution to this problem Store the information you need to make your final decisions in a more raw form that you can look at Keep them in a structure ーan introspectable form ーuntil you re ready to generate a result What does that look like though Say a part of your code wanted a few fields from a Feature API id and name Some other code wants the reference number too Instead of building a query as a string and interpolating fields into it like this const query features id name maybeReferenceNumber You could keep a list of fields const fields id name Other parts of your system could add to it fields push referenceNumber And when you generate your query the query has all of the information it needs right at hand const query features fields join n This seems like a minor change and it is but it s powerful An object which is easy to work with keeps track of the decisions you ve made up to this point Your query generation is simple ーit just does what the object tells it to do Here that s turning an array of names into fields in the query This opens up a lot of possibilities but first we can clean it up How to store the query stateIf you ve ever used Rails you ll know that it s great at building queries over time You call methods to build up a query and only fire it off when you re done with it query account featuresquery query where project id project id if projectquery query where release id release id if release I ve been surprised that more languages or frameworks haven t been influenced by this query building To me it s one of the best parts of Rails You can build something like this with GraphQL though keeping your decisions in an object and generating a query at the last minute Imagine a Query class We ll keep it simple to start just holding a query type and a list of fields class Query constructor type this type type this fields new Set Next you can implement a simple select method to select ID and name class Query select fields fields forEach field gt this fields add attr return this let query new Query features query select id name You can pass that query object around and other functions can add to that query object query select referenceNumber Now when you need it the Query object can generate a query string Just like the example above class Query toString return this type Array from this fields join n Once you have this string you can hand it to whichever GraphQL library you re using as if you wrote it yourself With that simple pattern you can go further You can add arguments to filter the results class Query constructor type this filters where filters this filters this filters filters return this processFilters filters Very basic conversion can be improved as necessary return Object keys filters map k gt k JSON stringify filters k join toString let args if Object keys this filters length gt args filters this processFilters this filters return this type args Array from this fields join n let query new Query features query select id name where assigneeId toString You can add subqueries to select information from child objects class Query constructor type this subqueries merge subquery this subqueries push subquery return this toString options const asSubquery options let args if Object keys this filters length gt args filters this processFilters this filters const subqueryString this type args Array from this fields join n this subqueries map s gt s toString asSubquery true join n if asSubquery return subqueryString else return subqueryString And now you can build arbitrarily complicated queries based on whatever state you have let query new Query features query select id name where assigneeId if projectId query where projectId if includeRequirements let requirementsQuery new Query requirements requirementsQuery select id name position query merge requirementsQuery query toString From now on any time you want to change a query based on information you have someplace else it s as easy as calling a method What s next This query generator is simple and is still missing a lot but the core idea is easy to extend to fit your API You can add functionality for sorting passing query arguments pagination etc You can have it generate GraphQL fragments and variables instead of a single string You can add another layer For example have your query framework generate Apollo documents instead of strings and you can get better editor integration and error messages You can create a mutation builder tracking changes you make to your JavaScript objects and generating mutations based on those changes We ve done all of those things and found a lot of value in a flexible generator like this Building a query generator ourselves also allowed us to integrate it more closely with other parts of our application framework It s a nice simple base we could build off of easily And once you have this base ーan introspectable object that can generate the strings you need ーyour code no longer needs to worry about the actual queries It s just responsible for the decision making and the generator does the rest Aha is happy healthy and hiring Join us We are challenged to do great work and have fun doing it If you want to build lovable software with this talented and growing team apply to an open role 2023-01-13 18:15:56
海外TECH DEV Community VS Code Shortcuts To Code Like You're Playing a Piano https://dev.to/aziznal/vs-code-shortcuts-to-code-like-youre-playing-a-piano-50ab VS Code Shortcuts To Code Like You x re Playing a PianoI ll be honest being fast while programming is half the reason I even code anymore Jk Unless Anyway I ve found the thing that made me become a lot quicker was divorcing my hand from the mouse Think about it every time you have to move the mouse you have to do these things Move your hand from the keyboard to the mouse ouch my shoulders Find where that dagnabbin cursor went toPhysically move the cursor to where you need and clickMove your hand back to the keyboard again ouch my shoulders Here are my top shortcuts that will make you feel like you re playing the piano while you re coding Multiple CursorsQuickly create multiple cursors to change multiple sections of codeWhat s the quickest way to increase your code output Simple Add more cursors Now you can write infinitely more code in the same time More code more better Linux Ctrl Shift Arrow Up Arrow DownWindows Ctrl Alt Arrow Up Arrow DownMac Cmd Opt Arrow Up Arrow Down Select NextSelect the next occurrence of whatever you have currently selectedYou want to change that one string in multiple places and you knew you should ve set it as a variable somewhere and reused it but here we are anyway Do you use an overkill find and replace or put your hand on the forbidden device known as the mouse Blasphemy Linux Windows Ctrl DMac Cmd D Undo Select NextRollback the last select next by one stepYou have discovered the power of select next but perhaps too early If you see yourself going mad with power and next selecting things you shouldn t have this one is for you Linux Windows Ctrl UMac Cmd U Scroll the Screen Without Moving The CursorKeep your cursor in place while scrolling up and down in your codeSometimes you want to hide the crappy code you wrote above so you can focus on a brighter future “I will refactor it later you say A lie but you already knew that So why face the facts when you can scroll scroll scroll your shame away Linux Windows Ctrl Up Arrow Down ArrowMac Ctrl Fn Up Arrow Down Arrow Jump WordMove your cursor one word at a time instead of one char at a timeYour days of holding the right or left arrows for what feels like an eternity are over One click one word Elegant Linux Windows Ctrl Left Arrow Right ArrowMac Opt Left Arrow Right Arrow Select WordJump one word and select it at the same timeMaybe that word has done you something wrong Who knows Regardless you can show it who s boss by selecting it in one go and nuking it to oblivion or whatever your mastermind has in plan Linux Windows Ctrl Shift Left Arrow Right ArrowMac Opt Shift Left Arrow Right Arrow Jump To End or BeginningInstantly go to the beginning or end of code on your current lineYou wake up in the morning turn your workstation on and open your code editor You find your cursor at the end of a line but you need it at the beginning Sigh you say to yourself “Guess I ll get some things done while that s happening You place a rock on your left arrow and go on with your day You shower grab a cup of coffee decide for two hours what music playlist you re listening to for the day go through ten meaningless corporate meetings and then return to your code editor You remove the rock off your left arrow and to your rejoice you have finally reached the beginning of the line Save yourself an eternity by using this shortcut Linux Windows End HomeMac Cmd Left Arrow Right Arrow Select Till End or BeginningInstantly select all code until the beginning or end of your current linePeople throughout history have done much with power they ve accumulated over their lives Genghis Khan Attila the Hun Spider Man etc These people have used their power in various destructive ways None of it compares to what this shortcut allows you to do Use it wisely Linux Windows Shift End HomeMac Cmd Shift Left Arrow Right Arrow Expand Shrink SelectionExpand the scope of your selection to include more less scope i e string function etc Only the cool kids use this one Linux Windows Alt Shift Left Arrow Right ArrowMac Ctrl Shift Left Arrow Right Arrow Show Hide Terminal Go back to codeToggle terminal focus visibility and move focus back to your codeSneak a peek at your failing build every once in a while Yup still failing Let s just close that real quick Linux Windows Ctrl J for terminal Ctrl for codeMac Cmd J for terminal Cmd for code Split TerminalSplit the terminal into two or more panes visible at the same timeStudies show that people with more terminals on at a given time are better hackers It s just a fact Accept it Embrace it Linux Windows Ctrl Shift Mac Ctrl Cmd Opt star ConclusionI solemnly swear I have not touched my mouse during the making of these demos You ll know you re starting to become better when you see dust building up on your mouse Also don t forget to buy the loudest mechanical RGB keyboard you can find That ll scare away the mouse users What s your favorite most used shortcut 2023-01-13 18:06:02
海外TECH Engadget Formula E has its version of ‘Drive to Survive’ and it’s a great primer for the new season https://www.engadget.com/formula-e-unplugged-season-2-how-to-watch-183001866.html?src=rss Formula E has its version of Drive to Survive and it s a great primer for the new seasonDrive to Survive nbsp did wonders for Formula The hit Netflix series has drawn fans to the sport through its sometimes manufactured drama and beautiful cinematography What you likely don t know is that Formula E has its version albeit with shorter episodes and massively condensed storylines Even still Formula E Unplugged is a great primer for the new season whether you ll be watching the EV racing series for the first time or you re a veteran fan Season two of Unplugged which chronicles s Season of Formula E nbsp hit some broadcasters just before Christmas and all six episodes have made the rounds a few times here in the US already CBS Sports Network That s a big change from season one s episodes which weren t widely distributed and now live on the Formula E YouTube channel The other difference with this new season is the episodes are minutes with commercials slightly longer than the to minute entries in the previous installment But even with some added time many of the narratives are condensed to the point they re hard to follow at times img alt AUTODROMO HERMANOS RODRIGUEZ MEXICO FEBRUARY Pascal Wehrlein DEU Tag Heuer Porsche Porsche X ElectricAndre Lotterer DEU Tag Heuer Porsche Porsche X ElectricWinner st position nd position chequered flag during the Mexico City ePrix at Autodromo Hermanos Rodriguez on Saturday February in Mexico City Mexico Photo by Simon Galloway LAT Images src style height width Simon Galloway LAT ImagesEpisode one covers Mercedes EQ in its final season the team was purchased by McLaren Eventual series winner Stoffel Vandorne has to contend with the fact his teammate is the defending champion The second episode offers a biographical look at Jaguar TCS Mitch Evans including interviews with his family his disappointing end to Season and the title push in Season that goes down to the very end In episode three Unplugged covers two teams TAG Heuer Porsche and ROKiT Venturi Racing While one banked an early finish in Season the other had to contend with drama during its home race This is the first taste of anything close to Drive to Surive drama The fourth episode is all about the rookies as Dan Ticktum tries to put his past behind him Antonio Giovinazzi looks to move on from F and American Oliver Askew tries his hand at a global series with the aid of British teammate Jake Dennis “Formula E Unplugged presents a realistic picture of life inside the paddock and helps fans to understand more about what makes us tick and where we are coming from said Ticktum who drives for NIO Racing “I can be pretty fiery but I think the behind the scenes nature of Unplugged will show that sometimes there is a lot more to what drivers are going through than can be seen during races or on social media Sam Bloxham LAT ImagesMore drama ensues in episode five when the series covers DS Techeetah a team with two former Formula E champions in its garage Things get heated on multiple occasions when both Jean Éric Vergne and António Félix Da Costa have an equal desire to win The final installment offers a look at the lead up to the final two rounds in South Korea A four way fight for the title driver changes and a brief discussion of the Gen car round out the sixth episode There s plenty to glean despite the compressed format Even I learned new things as someone who follows the sport However Unplugged really focuses on the top four teams in the championship standings with the exception of Porsche who looked strong at the outset and the episode about rookies It would ve been great to include Envision Racing s Robin Frijns who finished level on points in the driver s standings with Di Grassi and Dennis I can appreciate that Formula E likely has a limited budget for the show which is why we only get a half dozen episodes but it would ve been nice to get to know the likes of Mahindra and Nissan eDAMS along the way the latter is covered in S And there could ve been an entire episode dedicated to the Gen car especially when you consider how much more advanced it is or eventually will be over the Gen racer In the US Formula E races are broadcast on CBS Sports Network and usually on a tape delay a few hours after the event For example the first race in Mexico City this weekend won t air until PM ET Saturday night race is at PM ET Both practice sessions will stream on the Formula E YouTube channel PM ET Friday AM ET Saturday Qualifying which is completed in a knockout style format is only viewable on CBSSports com If you re outside of the States select your country here for the broadcast info 2023-01-13 18:30:01
海外TECH Engadget Meta sues surveillance company for allegedly scraping more than 600,000 accounts https://www.engadget.com/meta-lawsuit-data-scraping-facebook-instagram-voyager-labs-180139048.html?src=rss Meta sues surveillance company for allegedly scraping more than accountsMeta has filed a lawsuit against Voyager Labs which it has accused of creating tens of thousands of fake accounts to scrape data from more than Facebook users profiles It says the surveillance company pulled information such as posts likes friend lists photos and comments along with other details from groups and pages Meta claims that Voyager masked its activity using its Surveillance Software and that the company has also scraped data from Instagram Twitter YouTube LinkedIn and Telegram to sell and license for profit In the complaint which was obtained by Gizmodo Meta has asked a judge to permanently ban Voyager from Facebook and Instagram quot As a direct result of Defendant s unlawful actions Meta has suffered and continues to suffer irreparable harm for which there is no adequate remedy at law and which will continue unless Defendant s actions are enjoined quot the filing reads Meta said Voyager s actions have caused it quot to incur damages including investigative costs in an amount to be proven at trial quot Meta claims that Voyager scraped data from accounts belonging to quot employees of non profit organizations universities news media organizations healthcare facilities the armed forces of the United States and local state and federal government agencies as well as full time parents retirees and union members quot The company noted in a blog post it disabled accounts linked to Voyager and that filed the suit to enforce its terms and policies quot Companies like Voyager are part of an industry that provides scraping services to anyone regardless of the users they target and for what purpose including as a way to profile people for criminal behavior quot Jessica Romero Meta s director of platform enforcement and litigation wrote quot This industry covertly collects information that people share with their community family and friends without oversight or accountability and in a way that may implicate people s civil rights quot In The Guardian reported that the Los Angeles Police Department had tested Voyager s social media surveillance tools in The company is said to have told the department that police could use the software to track the accounts of a suspect s friends on social media and that the system could predict crimes before they took place by making assumptions about a person s activity According to The Guardian Voyager has suggested factors like Instagram usernames denoting Arab pride or tweeting about Islam could indicate someone is leaning toward extremism Other companies such as Palantir have worked on predictive policing tech Critics such as the Electronic Frontier Foundation claim that tech can t predict crime and that algorithms merely perpetuate existing biases Data scraping is an issue that Meta has to take seriously In it sued an individual for allegedly scraping data on more than million users Last November the Irish Data Protection Commission fined the company € million million for failing to stop bad actors from obtaining millions of people s phone numbers and other data which were published elsewhere online The regulator said Meta failed to comply with GDPR data protection rules nbsp 2023-01-13 18:01:39
Cisco Cisco Blog Talking consumer insights at NRF https://blogs.cisco.com/retail/talking-consumer-insights-at-nrf cisco 2023-01-13 18:25:13
ニュース BBC News - Home UK weather: More flood warnings ahead of colder spell https://www.bbc.co.uk/news/uk-64269187?at_medium=RSS&at_campaign=KARANGA weather 2023-01-13 18:27:20
ニュース BBC News - Home Byron Burger chain owner shuts sites and axes jobs https://www.bbc.co.uk/news/business-64260312?at_medium=RSS&at_campaign=KARANGA company 2023-01-13 18:33:59
ニュース BBC News - Home Brighton: Leandro Trossard wants to leave club after falling out with boss Roberto De Zerbi, says agent https://www.bbc.co.uk/sport/football/64267013?at_medium=RSS&at_campaign=KARANGA Brighton Leandro Trossard wants to leave club after falling out with boss Roberto De Zerbi says agentLeandro Trossard s agent says the Belgium forward wants to leave Brighton and will not sign a new contract after falling out with boss Roberto De Zerbi 2023-01-13 18:20:24
ビジネス ダイヤモンド・オンライン - 新着記事 黄、白、ピンク…電飾みたいな「木の根っこ」のスゴい秘密【科学者が語る】 - マザーツリー https://diamond.jp/articles/-/315802 黄、白、ピンク…電飾みたいな「木の根っこ」のスゴい秘密【科学者が語る】マザーツリー森林は「インターネット」であり、菌類がつくる「巨大な脳」だったー。 2023-01-14 03:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 【神様】は見ている。運がいい人、お金持ちの人が、決してお財布を入れない場所ベスト1 - 旬のカレンダー https://diamond.jp/articles/-/315961 【神様】は見ている。 2023-01-14 03:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 【投資の専門家が教える】 100万円が2億4000万円になるのも夢ではない - 個人投資家もマネできる 世界の富裕層がお金を増やしている方法 https://diamond.jp/articles/-/315792 米国の富裕層の間では、米国以外の海外資産を組み入れるグローバル投資の動きが、以前にも増して加速しているという。 2023-01-14 03:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 「ミスを隠す人」が多発する職場の共通点 - 1位思考 https://diamond.jp/articles/-/315613 2023-01-14 03:33:00
ビジネス ダイヤモンド・オンライン - 新着記事 【制限時間20秒】「(7+7-7÷7)×(7+7÷7+7+7÷7)」を暗算できる? - 小学生がたった1日で19×19までかんぺきに暗算できる本 https://diamond.jp/articles/-/314962 暗算 2023-01-14 03:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 試験直前に必ず思い出してほしい「2つの言葉」 - 逆転合格90日プログラム https://diamond.jp/articles/-/316114 逆転 2023-01-14 03:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 コミュ力の高い人が「第一印象」で意識していることとは? - 1秒で答えをつくる力 お笑い芸人が学ぶ「切り返し」のプロになる48の技術 https://diamond.jp/articles/-/315894 2023-01-14 03:23:00
ビジネス ダイヤモンド・オンライン - 新着記事 【要注意!】親切なのに「嫌われる人」の“残念な特徴” - ディープ・スキル https://diamond.jp/articles/-/315867 【要注意】親切なのに「嫌われる人」の“残念な特徴ディープ・スキルいま話題の「ディープ・スキル」とは何かビジネスパーソンは、人と組織を動かすことができなければ、仕事を成し遂げることができません。 2023-01-14 03:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 【精神科医が教える】 大人になっても「すねる」人の“面倒くさい心理”と対処法 - 精神科医Tomyが教える 心の執着の手放し方 https://diamond.jp/articles/-/315377 【精神科医が教える】大人になっても「すねる」人の“面倒くさい心理と対処法精神科医Tomyが教える心の執着の手放し方誰しも悩みや不安は尽きない。 2023-01-14 03:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 【BTSの劇的進化】中竹竜二さんがアンラーン読書会で語ったターニングポイント - アンラーン戦略 https://diamond.jp/articles/-/316052 中竹竜二 2023-01-14 03:13:00
ビジネス ダイヤモンド・オンライン - 新着記事 株で負け続ける人に共通する「1つの考え方のクセ」 - 株トレ https://diamond.jp/articles/-/315779 楽天証券 2023-01-14 03:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 【遅刻の言いわけ】最終兵器を教えよう。 - ぼくらは嘘でつながっている。 https://diamond.jp/articles/-/315959 人間関係 2023-01-14 03:05:00
ビジネス ダイヤモンド・オンライン - 新着記事 アバターで7つの節税特権を手に入れよう! - 40代からは「稼ぎ口」を2つにしなさい https://diamond.jp/articles/-/316075 アバターでつの節税特権を手に入れよう代からは「稼ぎ口」をつにしなさい「このまま」今の仕事を続けても大丈夫なのかあるいは「副業」をしたほうがいいのかそれとも「起業」か、「転職」をすべきなのかこのように感じたとしたら、それは皆さんの考えが正しい。 2023-01-14 03:03: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件)