投稿時間:2021-06-30 07:21:28 RSSフィード2021-06-30 07:00 分まとめ(26件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
TECH Engadget Japanese 米Amazon、取引企業の株を市場より安く購入できるよう要求との報道 https://japanese.engadget.com/amazon-pressuring-suppliers-for-a-discounted-stake-215031311.html 購入可能 2021-06-29 21:50:31
TECH Engadget Japanese ドット絵少女が電撃で奮戦!面クリア型アクション『ElectroMaster』:発掘!スマホゲーム https://japanese.engadget.com/electro-master-211015221.html electromaster 2021-06-29 21:10:15
IT ITmedia 総合記事一覧 [ITmedia News] Hyndai傘下になったBoston Dynamics、7台のSpotがBTSの曲でダンスする動画を披露 https://www.itmedia.co.jp/news/articles/2106/30/news066.html ITmediaNewsHyndai傘下になったBostonDynamics、台のSpotがBTSの曲でダンスする動画を披露韓国Hyndaiによる買収が完了したロボットメーカーBostonDynamicsが、韓国の人気グループBTSの楽曲に合わせて台のSpotが踊る動画を公開した。 2021-06-30 06:37:00
Google カグア!Google Analytics 活用塾:事例や使い方 メルカリステーションにある梱包資材一覧 https://www.kagua.biz/shikicity/20210630.html 梱包資材 2021-06-29 21:00:34
AWS AWSタグが付けられた新着投稿 - Qiita Pythonista3+Shortcuts+Blinkを使ってiPadからEC2インスタンスをワンタップで起動+ssh接続する https://qiita.com/shabaraba/items/bbc214df8e8e7a438332 ECの情報を取得、停止済みなら開始するか尋ねるECに開始指令を出す該当インスタンスのステータスをポーリングし、runningが返ってくるまで待つrunningが返ってきたら、少し待ってから再度インスタンスの情報を取得し、パブリックドメイン名など、ssh接続に必要な情報を取得runningとなった直後はdnsが確立していないのかssh接続できないことが多々あったので、余裕を持たせるBlinkをsshコマンド付きでurlスキーマ経由で起動する書いたコードはpythonistaのurlスキーマ経由でショートカットappから起動するため、設定gtshortcutsgtPythonistaURLgtCopyURLで控えておく。 2021-06-30 06:03:28
Git Gitタグが付けられた新着投稿 - Qiita よく使うGitコマンドまとめてみた。 https://qiita.com/tomtom_net/items/b756ee97619564742377 よく使うGitコマンドまとめてみた。 2021-06-30 06:17:09
Ruby Railsタグが付けられた新着投稿 - Qiita Railsで任意の数のキーワードをOR検索したい、またeachだけでまとめたい https://qiita.com/sinshutu/items/335668fc5b6484215941 2021-06-30 06:32:24
海外TECH Ars Technica Quantum-computing startup Rigetti to offer modular processors https://arstechnica.com/?p=1777136 monolithic 2021-06-29 21:33:06
海外TECH DEV Community How To Create a Type-Safe Implicit Pick https://dev.to/prithpalsooriya/how-to-create-a-type-safe-implicit-pick-2jpa How To Create a Type Safe Implicit PickThis article discusses the implementation of an implicit pick the reason for it amp what makes it special Here is a Typescript Playground with examples that will be used as a reference Can also be found via my Github Repo Prithpal Sooriya ts implicit pick Example of an implicit pick Why an implicit Pick Why not Partial Partial is great if you want to create an object with some of the values from a given interface However when the object is used via property access or through some consuming type the object still is a Partial as in all properties are optional even if you have provided a value In these cases what we really want is a Picked object an object with the properties we want picked out of the original interface The Verbosity of PickPick is perfect it gives us the exact strict type that we want however as shown it is very verbose For each prop we want we need to write it for the type as well as for the object For small objects this might not be much of an issue however this can become very large the more props we want So now lets design an implicit pick st Implicit Pick Okay But No IntelliSense Here is the design of the initial implicit Pick const buildImplicitPickVer lt T gt gt lt K extends keyof T gt props Pick lt T K gt Pick lt T K gt gt props Usageconst pickProduct buildImplicitPickVer lt Product gt const implicitProduct pickProduct id Breakdown lt T gt gt The is a factory function part that allows you to build a pick on whatever type you provide it lt K extends keyof T gt We have a generic type K that is constrained to the type given in the factory props Pick lt T K gt Pick lt T K gt this parameter gets inferred as the developer types in the keys of their object Invalid keys will give us an error since does not match the Generic type Invalid values for the key will give us an error since it won t match the Picked object values This is exactly what we want a type safe implicit pick Refactored changes renaming removing on the interface will propagate through to the objects too Well after some usage I found that it didn t really give a good Developer Experience DX IntelliSense auto complete via CTRL SPACE doesn t give us any useful information on what props we can use Only once we start typing do we get errors if a key does not match the interface we aren t able to get a list of all keys that we can use This is because our parameter type in our factory function Pick lt T K gt relies on keys given Lets fix that Implicit Pick with Great Dev Experience Here is the the solution const buildImplicitPick lt T gt gt lt K extends keyof T gt props Partial lt T gt amp Pick lt T K gt Pick lt T K gt gt props The small change that made the huge difference is the intersection type Partial lt T gt amp Pick lt T K gt The Partial lt T gt give us the ability to get back our auto complete for keys Intersecting is with the Pick amp Pick lt T K gt ensures that we get the correct type for our key Intersection above means that we take only the props types that match in both types given type A a number undefined type B a number type C A amp B will be a number since that is what both types above have Whats awesome is that we can see the IntelliSense working in real time When we CTRL SPACE to see what props are available they are all optional because of the Partial But as soon as we select a property to use it becomes required because the Generic K keys are updated subsequently so is the Pick lt T K gt and finally the intersection Partial lt T gt amp Pick lt T K gt enforces are type to be required ConclusionAbove shows how to write a type safe refactor safe implicit Pick function with useful IntelliSense information The function itself is rather simple but the main takeaway for me is to try test out different type implementations to provide better IntelliSense information amp better developer experience DX 2021-06-29 21:43:53
Apple AppleInsider - Frontpage News Anker launches new Thunderbolt 4 dock with 12 total ports https://appleinsider.com/articles/21/06/29/anker-launches-new-thunderbolt-4-dock-with-12-total-ports?utm_medium=rss Anker launches new Thunderbolt dock with total portsAnker has launched a new Thunderbolt dock that s equipped with total ports including a watt power pass through slot and legacy options Credit AnkerThe Anker Apex Thunderbolt dock sports the same general design as previous products in Anker s work from home lineup but sports a broader selection of ports Read more 2021-06-29 21:49:17
Apple AppleInsider - Frontpage News Apple withdraws from antitrust lawsuit against Fortress Investment Group https://appleinsider.com/articles/21/06/29/apple-withdraws-from-antitrust-lawsuit-against-fortress-investment-group?utm_medium=rss Apple withdraws from antitrust lawsuit against Fortress Investment GroupApple has pulled out of an antitrust lawsuit against hedge fund Fortress Investment Group which is accused of using its vast patent holdings to lodge patent claims against tech giants Credit WikiMedia CommonsThe Cupertino tech giant recently filed a notice of dismissal with the U S District Court for the Northern District of California leaving co plaintiff Intel to go it alone against the parent company of serial patent infringement suit filer Uniloc The move comes about a year and a half after Apple and Intel filed a complaint against Fortress in Read more 2021-06-29 21:19:50
Apple AppleInsider - Frontpage News Dueling hackers may have caused mass WD My Book Live wipes https://appleinsider.com/articles/21/06/29/duelling-hackers-may-have-caused-mass-wd-my-book-live-wipes?utm_medium=rss Dueling hackers may have caused mass WD My Book Live wipesThe mass wiping of Western Digital My Book Live storage devices may have been caused by a pair of vulnerabilities and a leading theory suggests that it was fallout from rival hacking groups working against each other July s remote wiping of WD s My Book Live lineup had customers discovering deletion of files and backups with the network storage appliance factory reset While it was attributed to a malware attack of a vulnerability analysis of the event suggests multiple elements were at play including multiple vulnerabilities Security researchers discovered one vulnerability in the system factory restore file where a PHP script performs a reset to default configurations and wipes data While the feature typically would require a user password as authentication the lines of code for the script were commented out making them inoperable Read more 2021-06-29 21:30:44
海外TECH Engadget Windows 11 hands-on: A cleaner OS to keep you productive https://www.engadget.com/windows-11-hands-on-microsoft-insider-preview-215041175.html?src=rss Windows hands on A cleaner OS to keep you productiveJudging from the first Windows Insider Preview Microsoft s next OS is shaping up to be much more than a mere Windows update The company is fundamentally shifting the way many aspects of Windows works with a centered taskbar and redesigned Start menu among other changes But it s still Windows so at its core it still works like it always has There s the focus on productivity that Microsoft leaned into with Windows along with subtler improvements that makes for a more pleasant user experience At this point Windows feels like an OS that will please PC diehards and mainstream users alike At first glance the Windows Insider Preview which started rolling out on Monday doesn t look much different from the leaked build we covered a few weeks ago The centered and icon filled taskbar still looks distinctly Mac like the rounded window corners give off a slightly more polished vibe and the redesigned Start menu is sure to be controversial It features pinned app shortcuts up top recommended files at the bottom and a link in the top right to see the entire unfiltered Start Menu This Start menu is certainly different but after testing out the leaked build for two weeks I ve grown to prefer the changes I ve never met anyone who used the Live Tiles in Windows s Start menu and those were just a distilled remnant from Windows s horrific full screen Start page It s nice to be rid of that legacy once and for all As I dug further into the preview build I noticed small tweaks throughout that just felt well nice Instead of combining notifications and system shortcuts into a single right hand pane they re now broken up across two screens Hitting the clock in the Windows taskbar brings up all of your notifications along with a full calendar The system shortcuts meanwhile are combined into a single screen that pop up when you press the Wi Fi sound or battery icons Devindra Hardawar EngadgetFrom there you can join other wireless networks and turn Bluetooth on and off along with airplane battery saver or Focus assist modes Sliders along the bottom also let you manage your volume and screen brightness This isn t that different from Windows but the overall look is a lot cleaner and easier to read Maybe I m just sick of hitting the quot More options quot to expand Windows s shortcut settings Microsoft is also clearly pushing a taskbar UI that only features icons in Windows It s something the company started doing with Windows but up until Windows you always had the option to turn on labels for taskbar icons at least until they started piling up too much While it tended to make Windows look a bit messy I always liked being able to see what a window contained before I actually clicked on it Windows no longer has label options of any kind and there s no indication that Microsoft wants to bring them back They just don t fit into the neat aesthetic the company is aiming for now At first I figured losing labels would be a pain but I ve grown used to living with an icon filled taskbar over the last few weeks And I d gladly lose labels in exchange for better multitasking features like this new OS s revamped window snapping Now you can hover your mouse pointer over any app s maximize button to see an array of areas to snap it to like the top left or bottom right of your screen It s much more accurate than dragging a screen to a specific spot and hoping Windows automatically snaps it into place Whenever you use the quick snap feature Windows also shows you all of the other apps you re running in the other portions of your screen So if you shove Slack to the top right you can have Edge take over the entire left side and put Spotify in the lower right within a few seconds It may sound confusing but in practice it s a smart way to make sense of all your open windows Snapping at least two apps together also creates a snap group in the taskbar allowing you to easily bring up their arrangement in the future And if you want to take things to another level you can customize several virtual desktops from Windows s task view You can reach that by hitting the Windows key plus Tab or by enabling the Task View shortcut in the taskbar That s useful for creating entirely different work modes ーsay one desktop for managing email and Slack and another for focusing purely on writing Having different spaces could help you stay in your productive “flow a concept Microsoft has practically made its corporate philosophy now Drink every time someone says quot flow quot at the next Windows event Devindra Hardawar EngadgetOne major addition with this Windows preview is the new File Explorer which wasn t fully baked in the leaked build Now in addition to file and folder icons there s also a simplified toolbar at the top of the screen But while it s far sleeker than the Windows explorer which could get seriously cluttered if you had the Office style Ribbon toolbar open it s also a bit confusing There are the usual cut copy and paste commands but it took me a while to figure out one of the other buttons lets you rename files I suppose it s still easier to figure out than the Ribbon though so I ll call it a win for Microsoft The new Windows settings app is a clearer upgrade Like before it s where you ll go to tweak just about everything in your PC but now it s organized neatly into two panes Along the left you can choose the section like “Bluetooth amp devices or “Network and internet Along the right you can drill down into specific settings And if you don t have a clear sense of what you re looking for the search bar at the top left can point you in the right direction this is also true for every search bar throughout the OS It seems like a silly thing to get excited about but the new settings app could make it far easier for less tech savvy users to adjust their systems I can t help but applaud that Among other notable additions there s also a redesigned Microsoft Store app in Windows It has a navigation bar along its left side rather than section tabs from before Again this seems to be a deliberate step away from Microsoft s aging Metro design which was all about top level tabs Widgets also make a return in this OS something we haven t seen since Windows Now they pop up on the left side of the screen when you hit the Widgets button in the taskbar At this point they re just simple square apps that can show you the weather your calendar entries or upcoming esports matches at a glance There s room for Microsoft to make them more useful but it s unclear how much the company plans to invest in widgets moving forward Devindra Hardawar EngadgetSome of the Windows features I m most excited to try aren t yet available in this preview That includes the ability to run Android apps built in Microsoft Teams chat and AutoHDR for older games Similarly I haven t been able to test some intriguing new features that actually have been included like the ability to automatically change your refresh rate while inking or scrolling That s only possible on high refresh rate monitors that you typically find on gaming screens Unfortunately then my Surface Laptop review unit won t cut it Still I can imagine it being useful Normally I just leave gaming notebooks at their highest refresh rate which makes scrolling and any sort of screen movement look buttery smooth But that s not the best idea if you re trying to conserve battery life Even though this is the first Windows Insider preview it s easy to understand Microsoft s vision for its next OS It s all about delivering a polished uncluttered experience to make you more productive If you d like to try it out yourself I d strongly recommend testing it on a secondary computer There are still some bugs that require the occasional reboot and Microsoft is still trying to sort out installation requirements Sometimes the auto snap features just disappear for example and the old File Explorer Ribbon interface reappears Microsoft clearly has a lot of work left to do But at the very least Windows appears to justify an entirely new version number 2021-06-29 21:30:41
海外TECH Engadget Former BioWare GM Casey Hudson starts new game studio https://www.engadget.com/casey-hudson-humanoid-studios-210931178.html?src=rss Former BioWare GM Casey Hudson starts new game studioLess than a year after announcing his decision to “retire from BioWare Casey Hudson has shared details on his latest project The former Mass Effect producer took to Twitter today to announce the existence of Humanoid Studios an independent game developer Hudson says he s building “to unleash the creative freedom of developers by “bringing innovation and artistry to players through an all new IP The studio s website indicates it s hiring for a variety of senior positions Today we are announcing a new independent videogame company built to unleash the creative freedom of developers bringing innovation and artistry to players through an all new IP ーCasey Hudson CaseyDHudson June Across two stints Hudson spent more than at BioWare He was both a producer and director on Star Wars Knights of the Old Republic and later served as the creative director of the original Mass Effect trilogy In he left the studio to join Microsoft only to return to BioWare in to take over as its general manager When Hudson left the developer again last year he said he was doing so to “make way for the next generation of studio leaders Hudson isn t the only former BioWare developer to strike out on their own At the start of Wizards of the Coast announced it was working with Archetype Entertainment a studio led by James Ohlen and Chad Robertson to create a new sci fi RPG franchise The two have games like Baldur s Gate Dragon Age and Neverwinter Nights on their resumes 2021-06-29 21:09:31
海外TECH Network World What is edge computing and why does it matter? https://www.networkworld.com/article/3224893/what-is-edge-computing-and-how-it-s-changing-the-network.html#tk.rss_all What is edge computing and why does it matter Edge computing is transforming the way data is being handled processed and delivered from millions of devices around the world The explosive growth of internet connected devicesーthe IoTーalong with new applications that require real time computing power continues to drive edge computing systems Faster networking technologies such as G wireless are allowing for edge computing systems to accelerate the creation or support of real time applications such as video processing and analytics self driving cars artificial intelligence and robotics to name a few To read this article in full please click here 2021-06-29 21:55:00
海外科学 NYT > Science ‘It’s Tough to Get Out’: How Caribbean Medical Schools Fail Their Students https://www.nytimes.com/2021/06/29/health/caribbean-medical-school.html It s Tough to Get Out How Caribbean Medical Schools Fail Their StudentsThe institutions are expensive often operated for profit and eager to accept applicants But graduates have trouble landing residencies and jobs 2021-06-29 21:01:19
海外TECH WIRED The Antitrust Case Against Facebook Is Very Much Alive https://www.wired.com/story/ftc-antitrust-case-against-facebook-very-much-alive The Antitrust Case Against Facebook Is Very Much AliveA judge dealt the Federal Trade Commission a setback this week in its quest to break the company upーbut also provided a roadmap for how to proceed 2021-06-29 21:19:38
ニュース BBC News - Home In pictures: England fans celebrate https://www.bbc.co.uk/news/uk-57657990 germany 2021-06-29 21:53:29
ニュース BBC News - Home Portugal's top art collector Joe Berardo arrested over fraud allegations https://www.bbc.co.uk/news/world-europe-57659923 berardo 2021-06-29 21:28:41
ニュース BBC News - Home Trials of Army's new armoured vehicles halted again https://www.bbc.co.uk/news/uk-57659847 hearing 2021-06-29 21:42:16
ニュース BBC News - Home Scotland's public health minister tests positive for Covid https://www.bbc.co.uk/news/uk-scotland-scotland-politics-57660054 positive 2021-06-29 21:19:39
ニュース BBC News - Home Ukraine beat Sweden with last-gasp extra-time winner to set up England quarter-final https://www.bbc.co.uk/sport/football/51198613 Ukraine beat Sweden with last gasp extra time winner to set up England quarter finalArtem Dovbyk nets a last gasp header in extra time as Ukraine beat man Sweden to set up a Euro quarter final with England 2021-06-29 21:39:53
ニュース BBC News - Home England 2-0 Germany: Who stands between Three Lions and Euro 2020 final? https://www.bbc.co.uk/sport/football/57638163 euros 2021-06-29 21:50:12
LifeHuck ライフハッカー[日本版] コミュニケーションスキルが高い人と低い人の決定的な違い https://www.lifehacker.jp/2021/06/237700book_to_read-788.html 脳科学者 2021-06-30 07:00:00
北海道 北海道新聞 バリ島沖、フェリー沈没6人死亡 日本人の乗船情報なし https://www.hokkaido-np.co.jp/article/561394/ 観光地 2021-06-30 06:18:56
ビジネス 東洋経済オンライン 国鉄通勤電車の代表、JR奈良線103系が送る余生 今や"絶滅危惧種"、内装と走行音にもレトロ感 | 通勤電車 | 東洋経済オンライン https://toyokeizai.net/articles/-/437172?utm_source=rss&utm_medium=http&utm_campaign=link_back 全国各地 2021-06-30 06: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件)