投稿時間:2022-05-26 02:33:17 RSSフィード2022-05-26 02:00 分まとめ(33件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… 「iPhone 14 Pro」の最新のレンダリング画像を著名リーカーが公開 https://taisy0.com/2022/05/26/157320.html iphone 2022-05-25 16:10:44
AWS AWS Big Data Blog Visualize MongoDB data from Amazon QuickSight using Amazon Athena Federated Query https://aws.amazon.com/blogs/big-data/visualize-mongodb-data-from-amazon-quicksight-using-amazon-athena-federated-query/ Visualize MongoDB data from Amazon QuickSight using Amazon Athena Federated QueryIn this post you will learn how to use Amazon Athena Federated Query to connect a MongoDB database to Amazon QuickSight in order to build dashboards and visualizations Amazon Athena is a serverless interactive query service based on Presto that provides full ANSI SQL support to query a variety of standard data formats including CSV … 2022-05-25 16:50:17
python Pythonタグが付けられた新着投稿 - Qiita 【初心者】Pythonでのフーリエ変換(FFT)の方法と注意点 https://qiita.com/chnokrn/items/57c89382942778a20e7f 高速フーリエ変換 2022-05-26 01:30:23
js JavaScriptタグが付けられた新着投稿 - Qiita JavaScriptで全画面(フルスクリーン)にする【YouTube】 https://qiita.com/relu/items/0febef71c5b42aff92b5 javascript 2022-05-26 01:32:37
Ruby Rubyタグが付けられた新着投稿 - Qiita Rubyでシーザー暗号のプログラムを実装 https://qiita.com/cordelia/items/96d0c110d4707deafbed 作りました 2022-05-26 01:27:08
Git Gitタグが付けられた新着投稿 - Qiita git pullとmergeを極力使わず、fetchとrebaseに統一する https://qiita.com/mikazukin/items/3094a88e2a4dfd2fb414 fetch 2022-05-26 01:43:20
技術ブログ Developers.IO Amazon QuickSight : การตั้งค่า Permission และการจัดการ User https://dev.classmethod.jp/articles/quicksight-permission-settings-and-user-management/ Amazon QuickSight การตั้งค่าPermission และการจัดการUserครั้งนี้ผมจะมาอธิบายเกี่ยวกับการตั้งค่าPermission และการจัดการUser ของQuickSight และจะเสริมเกี่ยวกับกฎเกณฑ 2022-05-25 16:50:27
海外TECH Ars Technica Sick of picking up toys? Dyson’s future robots want to do it for you https://arstechnica.com/?p=1856244 chores 2022-05-25 16:31:16
海外TECH MakeUseOf The 6 Most Popular Email Providers Better Than Gmail and Yahoo Mail https://www.makeuseof.com/tag/top-6-popular-free-email-providers-online-gmail-yahoo/ counterparts 2022-05-25 16:30:14
海外TECH MakeUseOf Instagram Has a Hidden Folder of DMs: How to Find and Use It https://www.makeuseof.com/instagram-hidden-requests-folder/ inbox 2022-05-25 16:30:14
海外TECH MakeUseOf Dyson Develops Robot Overlords That Will Do Your Household Chores https://www.makeuseof.com/dyson-house-chore-robots/ choresare 2022-05-25 16:15:14
海外TECH MakeUseOf PoE vs. PoE+: Is It Worth Upgrading? https://www.makeuseof.com/poe-vs-poe-is-it-worth-upgrading/ looking 2022-05-25 16:15:13
海外TECH DEV Community React should change the documentation to React Hooks https://dev.to/alesbe/react-should-change-the-documentation-to-react-hooks-3pon React should change the documentation to React HooksReact Hooks came out around years ago and almost any React project made today uses functional components and hooks instead of the class component model If we go to React s documentation a lot of explanation is done using class components and they don t introduce hooks in the Main Concepts section don t even mention it in the handling events page I think that mixing functional and class components can be misleading and confusing to anyone that wants to learn React as a first JS framework also frameworks like NextJS made all the documentation using Functional Components I m not saying that people shouldn t learn how to use class components all the react projects that came out more than years ago use them but when I learned React some years ago I encounter this issue Would you change something about the documentation 2022-05-25 16:41:20
海外TECH DEV Community Mastering Regular Expression (RegEx) in Javascript https://dev.to/kai_wenzel/mastering-regular-expression-regex-in-javascript-54jo Mastering Regular Expression RegEx in JavascriptWhen you first encounter Regular Expressions they may seem like a random string of gibberish While they might look awkward with a somewhat confusing syntax they are also extremely useful The truth is properly understanding regular expressions will make you a much more effective programmer In order to fully understand the regex world you first need to learn the basics concepts on which you can later build So without further ado lets get started What are Regular Expressions Regular expressions are a way to describe patterns in a string data They form a small language of its own which is a part of many programming languages like Javascript Perl Python Php and Java Regular expressions allow you to check a string of characters like an e mail address or password for patterns to see so if they match the pattern defined by that regular expression and produce actionable information Creating a Regular ExpressionThere are two ways to create a regular expression in Javascript It can be either created with RegExp constructor or by using forward slashes to enclose the pattern Regular Expression Constructor Syntax new RegExp pattern flags Example var regexConst new RegExp abc Regular Expression Literal Syntax pattern flagsExample var regexLiteral abc Here the flags are optional I will explain these later in this article There might also be cases where you want to create regular expressions dynamically in which case regex literal won t work so you have to use a regular expression constructor No matter which method you choose the result is going to be a regex object Both regex objects will have same methods and properties attached to them Since forward slashes are used to enclose patterns in the above example you have to escape the forward slash with a backslash if you want to use it as a part of the regex Regular Expressions MethodsThere are mainly two methods for testing regular expressions RegExp prototype test This method is used to test whether a match has been found or not It accepts a string which we have to test against regular expression and returns true or false depending upon if the match is found or not For example var regex hello var str hello world var result regex test str console log result returns true RegExp prototype exec This method returns an array containing all the matched groups It accepts a string that we have to test against a regular expression For example var regex hello var str hello world var result regex exec str console log result returns hello index input hello world groups undefined hello gt is the matched pattern index gt Is where the regular expression starts input gt Is the actual string passed We are going to use the test method in this article Simple Regex PatternsIt is the most basic pattern which simply matches the literal text with the test string For example var regex hello console log regex test hello world true Special CharactersUp until now we ve created simple regular expression patterns Now let s tap into the full power of regular expressions when handling more complex cases For example instead of matching a specific email address let s say we d like to match a number of email addresses That s where special characters come into play There are special symbols and characters that you have to memorize in order to fully understand the regular expressions Flags Regular expressions have five optional flags or modifiers Let s discuss the two most important flags g ーGlobal search don t return after the first matchi ーCase insensitive searchYou can also combine the flags in a single regular expression Note that their order doesn t have any effect on the result Let s look at some code examples Regular Expression Literal ー Syntax pattern flagsvar regexGlobal abc g console log regexGlobal test abc abc it will match all the occurence of abc so it won t return after first match var regexInsensitive abc i console log regexInsensitive test Abc returns true because the case of string characters don t matter in case insensitive search Regular Expression Constructor ー Syntax new RegExp pattern flags var regexGlobal new RegExp abc g console log regexGlobal test abc abc it will match all the occurence of abc so it won t return after first match var regexInsensitive new RegExp abc i console log regexInsensitive test Abc returns true because the case of string characters don t matter in case insensitive search Character groups Character set xyz ー A character set is a way to match different characters in a single position it matches any single character in the string from characters present inside the brackets For example var regex bt ear console log regex test tear returns trueconsole log regex test bear return trueconsole log regex test fear return falseNote ー All the special characters except for caret Which has entirely different meaning inside the character set lose their special meaning inside the character set Negated character set xyz ー It matches anything that is not enclosed in the brackets For example var regex bt ear console log regex test tear returns falseconsole log regex test bear return falseconsole log regex test fear return trueRanges a z ー Suppose we want to match all of the letters of an alphabet in a single position we could write all the letters inside the brackets but there is an easier way and that is ranges For example a h will match all the letters from a to h Ranges can also be digits like or capital letters like A Z var regex a z ear console log regex test fear returns trueconsole log regex test tear returns trueMeta characters ー Meta characters are characters with a special meaning There are many meta character but I am going to cover the most important ones here d ーMatch any digit character same as w ーMatch any word character A word character is any letter digit and underscore Same as a zA Z i e alphanumeric character s ーMatch a whitespace character spaces tabs etc t ーMatch a tab character only b ーFind a match at beginning or ending of a word Also known as word boundary ー period Matches any character except for newline D ーMatch any non digit character same as W ーMatch any non word character Same as a zA Z S ーMatch a non whitespace character Quantifiers ー Quantifiers are symbols that have a special meaning in a regular expression ーMatches the preceding expression or more times var regex d console log regex test trueconsole log regex test trueconsole log regex test true ーMatches the preceding expression or more times var regex go d console log regex test gd trueconsole log regex test god trueconsole log regex test good trueconsole log regex test goood true ーMatches the preceding expression or time that is preceding pattern is optional var regex goo d console log regex test god trueconsole log regex test good trueconsole log regex test goood false ーMatches the beginning of the string the regular expression that follows it should be at the start of the test string i e the caret matches the start of string var regex g console log regex test good trueconsole log regex test bad falseconsole log regex test tag false ーMatches the end of the string that is the regular expression that precedes it should be at the end of the test string The dollar sign matches the end of the string var regex com console log regex test test testmail com trueconsole log regex test test testmail false N ーMatches exactly N occurrences of the preceding regular expression var regex go d console log regex test good trueconsole log regex test god false N ーMatches at least N occurrences of the preceding regular expression var regex go d console log regex test good trueconsole log regex test goood trueconsole log regex test gooood true N M ーMatches at least N occurrences and at most M occurrences of the preceding regular expression where M gt N var regex go d console log regex test god trueconsole log regex test good trueconsole log regex test goood falseAlternation X Y ーMatches either X or Y For example var regex green red apple console log regex test green apple trueconsole log regex test red apple trueconsole log regex test blue apple falseNote ーIf you want to use any special character as a part of the expression say for example you want to match literal or then you have to escape them with backslash For example var regex a b This won t workvar regex a b This will workconsole log regex test a b true Advanced x ーMatches x and remembers the match These are called capturing groups This is also used to create sub expressions within a regular expression For example var regex foo bar console log regex test foobarfoo trueconsole log regex test foobar false remembers and uses that match from first subexpression within parentheses x ーMatches x and does not remember the match These are called non capturing groups Here won t work it will match the literal var regex foo bar console log regex test foobarfoo falseconsole log regex test foobar falseconsole log regex test foobar truex y ーMatches x only if x is followed by y Also called positive look ahead For example var regex Red Apple console log regex test RedApple trueIn the above example match will occur only if Red is followed by Apple Practicing Regex Let s practice some of the concepts that we have learned above Match any digit number var regex d console log regex test trueLet s break that down and see what s going on up there If we want to enforce that the match must span the whole string we can add the quantifiers and The caret matches the start of the input string whereas the dollar sign matches the end So it would not match if string contain more than digits d matches any digit character matches the previous expression in this case d exactly times So if the test string contains less than or more than digits the result will be false Match a date with following format DD MM YYYY or DD MM YYvar regex d d d console log regex test trueconsole log regex test trueconsole log regex test falseLet s break that down and see what s going on up there Again we have wrapped the entire regular expression inside and so that the match spans entire string start of first subexpression d matches at least digit and at most digits matches the literal hyphen character end of first subexpression match the first subexpression exactly two times d matches exactly two digits d matches exactly two digits But it s optional so either year contains digits or digits Matching Anything But a NewlineThe expression should match any string with a format like abc def ghi jkl where each variable a b c d e f g h i j k l can be any character except new line var regex console log regex test abc def trueconsole log regex test abc def falseconsole log regex test abc def ghi jkl trueLet s break that down and see what s going on up there We have wrapped entire regular expression inside and so that the match spans entire string start of first sub expression matches any character except new line for exactly times matches the literal period end of first sub expression matches the first sub expression exactly times matches any character except new line for exactly times ConclusionRegular expression can be fairly complex at times but having a proper understanding of the above concepts will help you understand more complex regex patterns easily You can learn more about regex here and practice it here That s it and if you found this article helpful please hit the ️ button and share the article so that others can find it easily Have a nice day 2022-05-25 16:39:28
海外TECH DEV Community Top JavaScript Interview Questions and Answers for 2022 https://dev.to/dragosnedelcu/top-javascript-interview-questions-and-answers-for-2022-3h2d Top JavaScript Interview Questions and Answers for The most critical JavaScript question you will get asked in most interviews is What is a Closure To answer that we need to go back to fundamentals because not knowing those concepts is what stops you from getting the JavaScript job you deserve And what s crazy is that you are using these concepts every single day without even realizing it Once you discover those fundamentals you will be able to pass of the JavaScript interviews from the back of your head from junior to senior level without memorizing anything before the interview So in this article I will show you the Top JavaScript Interview Questions in and how to answer them so you can finally pass them interview and get that highly paid JavaScript developer job you deserve If you prefer to watch instead of reading check this article as a video on youtube Back to closures A Closure allows a function to access things that are outside of itself To truly understand closures we need to understand another core JavaScript concept Scope If you are looking for a fancy definition the scope defines the accessibility of variables The bag of variables that we have access to at any given point of the code There are different scopes We have global block function and module scope The global scope contains variables that everyone all the other scopes has access to When the code runs in the browser the global scope is the famous window object The block scope represents variables inside a code block The function scope contains variables inside the function block And the module scope contains variables functions and classes defined inside a certain module Normally we have access to the global scope and our local scope the block or function scope around us What closures do is that they give us access to a different scope Accessing the enclosing scope via ClosureIn its origins the word “Closure comes from enclosing A concept from functional programming refers to sticking functions together with other things They allow us to access the things around our functions the surrounding scope also called the lexical scope Even though you might now have used closures in your everyday coding they come in handy in many use cases Closures are helpful when using private variables callbacks and handling events What is the disadvantage of using closures Every function that accesses the “surrounding scope via closures carries this information around Like a ball and a chain this puts a lot of pressure on our memory until JavaScript decides is no longer helpful garbage collection If you want me to write an article specifically on closures let me know in the comments Accessing the enclosing scope via closures can put pressure on the memory in JavaScript Now let s move on to the following core fundamental concept often asked in JavaScript interviews…Hoisting So what is “hoisting in JavaScript Hoisting is defined as lifting our declarations to the top of a function or global scope That is a bit of a simplistic definition In reality variables and function declarations are not moved anywhere They are simply visited and registered in the environment before any code is executed So the JavaScript Engine checks functions and variable declarations before executing the code This brings us to the next question… How are var let and const hoisted Simply put they are all housed to the top of their scope Yet let and const are not initialized while var variables are initialized with undefined At the same time remember var and let can be declared without being assigned a value while const must be assigned a value while declared Talking about global scope have you ever wondered… What do we use this for in JavaScript This question drives developers crazy and makes JavaScript a bit of a funny language In modern programming languages like Java Python or C the word this or self inside a function refers to the object that called that function In our bellowed JavaScript the word “this depends on how the function is being called not necessarily on who called it That s what we call the function context The context in JavaScript is the “how we call the function The thing with context is that it can be different each time a function is called unless we use the bind method to enforce it if you want me to write an article on the bind and apply method let me know in the comments Long story short We use this to access properties of the global or surrounding scope depending on how the function has been executed Alone “this refers to the global scope where the code is being executed In an object “this refers to the object s properties In a function “this refers again to the global scope And this brings me to the next question… What is the main benefit of using arrow functions Besides being easier to write and read…isn t that arrow just super cool Named Arrow Function Source Mozilla MDN Besides the easy syntax the main benefit of arrow functions is that they remove the uncertainty of what “this refers to In an arrow function this always refers to the lexical context scope in which is being called So no more confusion about the “context Now let s go a bit back in time with our next question What is the difference between “var and “let keywords This question is a bit ish but you might still get it today The major difference between var and let is that the scope of a variable declared with let is local and only exists in the current code block A variable declared with var exists in the global scope By now you are probably aware that one interesting concept comes up repeatedly You guessed it the scope All these questions are testing your understanding of how the JavaScript Scope works Together with “prototypal inheritance which I will explain in a few seconds are two of the fundamental pillars in JavaScript core Pillars in JavaScriptBut before we get there let s talk about another difference What is the difference between “let and “const As the name indicates const tells JavaScript something is a constant That variable won t change it won t be reassigned Let tells JavaScript the variable will be resigned As a rule of thumb we use let for loops or counters as it also signals that the variable will be used only in the block it s defined in Const in exchange can t be either updated or re declared which has enormous implications when using TypeScript If you want me to deep dive into that drop me a line in the comments Ready for another “differences question… What is the difference between “null and “undefined A variable with value null has been assigned a value that is null A variable that is undefined has been declared but not defined yet It holds no value yet Null and undefined are both primitive data types in JavaScript Now let s take a bit of a break and dive into what I consider to be one of the pillars of JavaScript programming which might make you think about things you got from your grandparents like your genetics That s right the next question is What is “Prototypal Inheritance in JavaScript Simply said a prototype is a parent A parent that you inherit your properties from For example when you create a simple JavaScript array you will find it has methods like map reduce or length You did not add those methods when creating the array They come from its parent the array prototype that is built into JavaScript Prototypal inheritance exists in JavaScript with the same purpose as classes in object oriented languages like Java or C They help us re use properties and functionality quickly and not have to reinvent the wheel Anytime you look for a property in an object if not found JavaScript will also go and look at its prototype Everything can have a prototype and a prototype can have another prototype That is what we call the prototype chain It s a bit abstract but you can think of it as a set of Matryoshka dolls This chain stops only when there are no more prototypes left You can access the prototype by using the “prototype property in any object An illustration of the prototype chain Congrats you ve already grasped two core pillars of JavaScript as a programming language Scope and Prototypal Inheritance We will finish with concepts from another fundamental pillar in the JS world asynchronous programming which brings me to the next question What is the difference between a callback and a promise in JavaScript Before we answer that if you want more articles like this to help you become a JavaScript master I don t have a posting schedule so make sure you follow me to get them in your feed Back to callback and promises Let s start by defining these two first A call back is a function that is called back after something happened Is like telling your friend hey when you are finished ordering tacos take this function and run it for me “call it back We can do that because in JavaScript functions are objects Objects that can be called or invocated So we can pass them as inputs to other functions The issue with callbacks is that when you need to nest lots of them it leads to “callback hell Code gets unreadable fast and remember we write code for machines and humans Callback HellSo Promises came to the rescue in the ES version of JavaScript in A promise in JavaScript like one in real life is an expectation that we will do something We can either fulfill the promises we make which I hope you do or we can not fulfill them and reject them Like when you fetch data from the backend you expect it to arrive The nice thing is that JavaScript won t wait until the promise is resolved JavaScript will move on and execute other code and come back when this is solved This is what we call asynchronous programming To recap a callback can be any function that will be passed as an input to another function A Promise is a built in object in javascript that allows us to write asynchronous code beautifully and avoid the call back hell I could talk for a few hours about promises if you want me to I will do a longer article about the topic Just let me know in the comments Talking about promises… What is the difference between a Promise and Async Await Well basically none Async await only makes promises easier to read in a sequential way one after the other When you write asynchronous code with promises things can still look a bit nasty You have all these statements that you don t know when they close Async Await makes it much easier for you to understand what happens as you will understand what happens while reading things one by one Funny enough Async Await is made out of promises combined with another scary concept in JavaScript generators For simplicity we won t dive into generators right now Keep in mind depending on the level you are interviewing for you might be required to go deeper into these things or not Senior JavaScript Developers are expected to understand how things work under the hood while juniors and mid levels can get away with much less These questions are only the first step to nail your interview you must first make sure you avoid basic mistakes Check out this other article where I go over common mistakes in code interviews and how you can avoid them And if you are interested in accelerating your journey to senior and you would love to be part of a community of developers with the same growth mindset check our free training here 2022-05-25 16:36:24
海外TECH DEV Community Common Bugs in User Interface Design https://dev.to/lambdatest/common-bugs-in-user-interface-design-4epn Common Bugs in User Interface DesignWe ve recently started our blog and with that came the need for various designing tools For graphic creations we tested various image editing tools ranging from paint to photoshop However nothing fared better than simplicity and productivity of Canva We found it so interesting that we decided to dig further into it about how the tool can help you and what makes it stand out Creating a brand is difficult and time consuming Maybe that was the main inspiration behind Canva s free design school So we started out by checking out the school went through some quick lessons and were all set to carve out a brand one image at a time Hey Do you know the CSS page break properties allow you to control the way elements are broken across printed pages Canva is free to join and provides a vast variety of templates and graphics It has everything that you need for an amazing design However here are the main features that will help you out as a starting blogger web designer or app developer Stock Images You get access to millions of beautiful free and premium stock pictures illustrations and vectors Saves you a lot of time in googling Of course you can add your own custom images as well Filters everywhere The fastest way to edit an image and leave your personal touch on it is by running it through a filter factory And Canva comes with a lot of them You can edit your pictures with the already available pictures or you can also modify them with the editor features Icons and Shapes I know a lot of web designers who spent of their time just designing shapes icons etc just to get that right branded feel across But what if they get a collection of thousands of line and vector icons and graphics that can be edited easily In short you get more productivity Fonts Typography can make or break a web design Nobody thinks actively about it but we web designers know how important it is in defining and presenting a unified brand experience across all platforms It is the most important factor in your design that will leave a subtle yet lasting effect on all incoming traffic A good font automatically catches the attention of the viewer Canva offers a great selection of fonts for every design Check this out placeholder CSS pseudo element The placeholder pseudo element represents a hint used to represent the input and provide a hint to the user on how to fill out the form Social Media Experts You Need Canva If you are a social media buff or promoting a brand through social media you need a lot of images Banners posts thumbnails insta snapchapts Google display ads facebook ads etc each have different size requirements and meeting these requirements is time consuming Here s how Canva solves these problems Social Media Posts It provides you with Twitter Facebook Pinterest Instagram Tumblr posts covers banners thumbnails headers and that too in their standard sizes So you don t need to worry about the dimensions and sizes It removes barriers to your creativity You can also add custom dimensions to your posts and images Ads There are different sizes in Google ads Same with facebook ads If you want to create a proper ad campaign you need an ad for nearly each size With Canva you can fast track this We created ads for Facebook and Google in different dimensions all in a day Marketing Materials You can also design your various marketing materials like Brochures labels posters menu logo flyer CTAs with canva Blogging amp eBooks Blogs and eBooks designing can also be done using Canva You can also design Infographics and blog cover images It provides tools that makes your designing easier like Charts frames grids etc Do you know about CSS read only and read write selectors the CSS read only and read write pseudo classes allow you to match elements that are considered user alterable such as text boxes Canva Is Great For Web Designers marketers and artists Equipped with so many tools Canva is an awesome tool for marketers web designers artists and social media enthusiasts We highly recommend checking it out and giving it a spin 2022-05-25 16:34:03
Apple AppleInsider - Frontpage News Apple Car project loses another executive six months after hire https://appleinsider.com/articles/22/05/25/apple-car-project-loses-another-executive-six-months-after-hire?utm_medium=rss Apple Car project loses another executive six months after hireAn automotive engineer who worked on the Apple Car team has left the Cupertino tech giant just days over six months after the company hired him Apple Car illustrationC J Moore has apparently left the iPhone maker to work at autonomous vehicle technology firm Luminar Moore will be in charge of the company s global software development team Luminar said in a press release Read more 2022-05-25 16:51:35
海外TECH Engadget Margaret Atwood protests book bans with 'unburnable' copy of 'The Handmaid's Tale' https://www.engadget.com/margaret-atwood-the-handmaids-tale-unburnable-book-ban-protest-164821866.html?src=rss Margaret Atwood protests book bans with x unburnable x copy of x The Handmaid x s Tale x Book bans are becoming more prevalent in US school libraries and classrooms making it harder but not impossible for students to get their hands on certain texts that might expand their worldview To raise awareness of such moves and perhaps protest the threat of literal book burning Margaret Atwood and Penguin Random House are auctioning a one off quot unburnable quot edition of her classic dystopian novel The Handmaid s Tale The publisher says it s quot a powerful symbol against censorship and a reminder of the necessity of protecting vital stories quot This copy of the book has been printed and bound in fireproof materials including white heat shield foil pages and a phenolic hard cover Atwood put a prototype copy to the test by trying to burn it with a flamethrower quot The Handmaid s Tale has been banned many times ーsometimes by whole countries such as Portugal and Spain in the days of Salazar and the Francoists sometimes by school boards sometimes by libraries quot the author said in a statement quot Let s hope we don t reach the stage of wholesale book burnings as in Fahrenheit But if we do let s hope some books will prove unburnable ーthat they will travel underground as prohibited books did in the Soviet Union At the time of writing the highest bid for the book stands at The auction will close on June th All proceeds will go to PEN America to support its efforts to fight book bans across the US In a recent report the free expression organization documented bans on individual books in school districts across states Penguin Random House notes that censors targets tend to be quot literary works about racism gender and sexual orientation often written by authors of color and LGBTQ writers as well as classroom lessons about social inequality history and sexuality quot It argued that such moves violate students First Amendment rights and hamper education and the flow of ideas “We are at an urgent moment in our history with ideas and truth ーthe foundations of our democracy ーunder attack quot the publisher s CEO Markus Dohle said quot Few writers have been as instrumental in the fight for free expression as Margaret Atwood 2022-05-25 16:48:21
海外TECH Engadget Jeep parent company Stellantis will reportedly plead guilty to emissions fraud https://www.engadget.com/stellantis-emissions-fraud-report-161616751.html?src=rss Jeep parent company Stellantis will reportedly plead guilty to emissions fraudThe world s fifth largest automaker will reportedly soon plead guilty to end a multi year investigation into its efforts to conceal the amount of pollution created by its diesel engines According to Reuters the US Justice Department and Dodge parent company Stellantis could announce as early as next week that the automaker has agreed to pay million to settle allegations of crminal fraud Stellantis declined to comment on the report The Justice Department began investigating Stellantis around when the automaker recalled nearly million vehicles in the US and Canada for not meeting federal tailpipe emission standards As of last year the agency has announced criminal charges for just three Stellantis employees The probe involved approximately Ram pickup trucks and Jeep SUVs sold in the US The deal comes five years after Volkswagen famously pleaded guilty to its own emissions scandal “Dieselgate saw the German automaker eventually pay more than billion in fines and legal settlements for installing illegal software designed to cheat government emissions tests Since then sales of diesel vehicles have plummeted in Europe and other parts of the world 2022-05-25 16:16:16
Cisco Cisco Blog How Cisco Duo Is Simplifying Secure Access for Organizations Around the World https://blogs.cisco.com/security/how-cisco-duo-is-simplifying-secure-access-for-organizations-around-the-world How Cisco Duo Is Simplifying Secure Access for Organizations Around the WorldRead this blog to get the latest updates on how Duo is simplifying user experience and catering to the data sovereignty requirements across the globe 2022-05-25 16:00:41
海外科学 NYT > Science E.P.A. to Block Pebble Mine Project in Alaska https://www.nytimes.com/2022/05/25/climate/pebble-mine-alaska-epa.html E P A to Block Pebble Mine Project in AlaskaThe E P A has proposed to ban the disposal of mining waste in the Bristol Bay watershed a decision that very likely means the end of the Pebble Mine project 2022-05-25 16:12:03
海外科学 NYT > Science Corporations Pledge to Buy ‘Green’ at Davos Gathering https://www.nytimes.com/2022/05/25/climate/corporate-climate-pledges-davos.html Corporations Pledge to Buy Green at Davos GatheringA global buyers club of more than companies including Microsoft and Ford Motor say they will buy “green steel aluminum and other commodities by 2022-05-25 16:13:59
海外TECH WIRED Microsoft’s Code-Writing AI Points to the Future of Computers https://www.wired.com/story/minecraft-ai-code-microsoft computer 2022-05-25 16:13:03
金融 金融庁ホームページ 日銀レビュー 「巨大金融機関の破綻処理制度改革の軌跡」 について公表しました。 https://www.fsa.go.jp/news/r3/ginkou/20220525/20220525.html 金融機関 2022-05-25 17:00:00
ニュース BBC News - Home Partygate: Key official wrote 'We seem to have got away with it' https://www.bbc.co.uk/news/uk-61578596?at_medium=RSS&at_campaign=KARANGA civil 2022-05-25 16:26:58
ニュース BBC News - Home Energy bill support of £10bn set to be unveiled https://www.bbc.co.uk/news/business-61584546?at_medium=RSS&at_campaign=KARANGA windfall 2022-05-25 16:51:02
ニュース BBC News - Home Kate Moss: Johnny Depp never pushed or kicked me https://www.bbc.co.uk/news/world-us-canada-61569652?at_medium=RSS&at_campaign=KARANGA amber 2022-05-25 16:51:02
ニュース BBC News - Home Volkswagen to pay out £193m in 'dieselgate' settlement https://www.bbc.co.uk/news/business-61581251?at_medium=RSS&at_campaign=KARANGA dieselgate 2022-05-25 16:47:29
ニュース BBC News - Home Texas shooting: How a sunny Uvalde school day ended in bloodshed https://www.bbc.co.uk/news/world-us-canada-61577777?at_medium=RSS&at_campaign=KARANGA country 2022-05-25 16:42:57
ニュース BBC News - Home Iga Swiatek column: French Open favourite on online abuse & Ashleigh Barty advice https://www.bbc.co.uk/sport/tennis/61567160?at_medium=RSS&at_campaign=KARANGA Iga Swiatek column French Open favourite on online abuse amp Ashleigh Barty adviceWorld number one Iga Swiatek has returned as a BBC Sport columnist and in her second piece at the French Open talks about the unacceptable online abuse suffered by athletes 2022-05-25 16:08:32
北海道 北海道新聞 余市牡蠣、地元産ワインで 「シングルシード」養殖、6月初出荷 お披露目会で相性評価、食の豊かさ発信へ https://www.hokkaido-np.co.jp/article/685452/ 養殖 2022-05-26 01:16:17
北海道 北海道新聞 訪日客受け入れ6月再開へ 首相、26日にも方針表明 https://www.hokkaido-np.co.jp/article/685505/ 受け入れ 2022-05-26 01:04:00
北海道 北海道新聞 ロ大使、広島不招待に反発 「恥ずべき措置」 https://www.hokkaido-np.co.jp/article/685503/ 駐日大使 2022-05-26 01:01: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件)