投稿時間:2022-04-28 22:24:36 RSSフィード2022-04-28 22:00 分まとめ(33件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 情報システムリーダーのためのIT情報専門サイト IT Leaders アジリティを日本企業の競争力に─コンテナ、ハイブリッドクラウドに注力し続けるレッドハット | IT Leaders https://it.impress.co.jp/articles/-/23107 アジリティを日本企業の競争力にーコンテナ、ハイブリッドクラウドに注力し続けるレッドハットITLeadersレッドハットは年月日、年度の事業戦略説明会を開催した。 2022-04-28 21:25:00
AWS AWSタグが付けられた新着投稿 - Qiita 【AWS】AWS Organizations 組織内のリソースにタグを強制する方法(SCP、タグポリシー) https://qiita.com/Soojin/items/9b731792beae99433a2c awsorganizations 2022-04-28 21:43:22
AWS AWSタグが付けられた新着投稿 - Qiita 非 Owner ユーザーにおける CodePipeline と GitHub v2 Source Action の連携 https://qiita.com/tsubasaogawa/items/d0f945ef5a9d7a77b09b github 2022-04-28 21:30:08
海外TECH Ars Technica Moderna requests FDA authorization for COVID vaccine for kids under 6 https://arstechnica.com/?p=1850963 covid 2022-04-28 12:34:34
海外TECH MakeUseOf Gift Your Mom a Better Sleep With Kokoon’s Nightbuds https://www.makeuseof.com/mothers-day-deal-kokoon-nightbuds/ mother 2022-04-28 12:50:13
海外TECH MakeUseOf 7 Free Alternatives to Savefrom.net for Downloading Online Videos https://www.makeuseof.com/savefromnet-alternative/ download 2022-04-28 12:30:13
海外TECH MakeUseOf How to Share Your Location on Facebook Messenger https://www.makeuseof.com/how-to-share-location-on-messenger/ facebook 2022-04-28 12:15:13
海外TECH DEV Community A set of handy git commands for beginners to make your life easier! https://dev.to/babib/a-set-of-handy-git-commands-for-beginners-to-make-your-life-easier-3i6k A set of handy git commands for beginners to make your life easier Starting out with version control is exciting however keeping track of all the commands can be difficult This is a simplified cheat sheet with short explanations to guide you on which command does what and if the changes made are locally remotely or both Table of ContentFirst Time Git SetupCreating A RepoManaging Local Changes including undos Managing BranchesPushing And PullingFetchingMerging First Time Git Setup Once git is installed on your system you have to customize your git environment This can be done using the git config tool i To setup your Git usernamegit config global user name lt username gt Examplegit config global user name janedoe ii To setup your Git usernamegit config global user email lt emailAddress gt Examplegit config global user email janedoe gmail com iii To check Git configurationgit config l🡅back to TOC Creating A Repo These are probably the first command every git enthusiast learns i To create a local repogit initYou should run this command in the folder you want to become the root base folder for your repo ii To clone an existing repogit clone lt repo clone link gt Example git clone Ensure that the link is copied from the green clone button NOT the browser tab iii Linking to a remote repogit remote add origin lt link to github remote repo gt Example git clone 🡅back to TOC Managing Local Changes including undos i Checking files you ve worked on without committing unstaged files git status ii To stage filesTo stage particular files you ll have to specify the filenames including the extensions git add lt filename gt Example git add index htmlgit add index html styles css app jsTo check which files to add run git status To stage all files at oncegit add Note Do no forget the decimal point iii To unstage unadd or uncommit filesThese can be used for commits that have not been pushedTo unstage a single filegit reset HEAD lt filename gt Example git reset HEAD index htmlTo unstage all stage filesgit reset HEADTo unstage the last file you stagedgit reset HEADNote Be sure that you don t have any additional changes to the files iv To commit staged filesOnce you ve stage a file you can then commit itgit commit m lt commit message gt Example git commit m initial commit Note Do not forget the commit messageTo commit means to capture a snapshot of the project s currently staged changes and commit it to git memory v To stage and commit all changes at oncegit commit am lt commit message gt Example git commit a m styles and design done vi To correct your last commit messagegit commit amend m lt commit message gt Example git commit amend m Corrected first commit Note Don t amend published pushed commits vii To rollback commitsThese are for commits that have been pushedTo rollback the latest commitgit revert HEADTo rollback to a specific commitgit revert lt commitID gt 🡅back to TOC Managing Branches i To list all existing local branchesgit branch Example ii To list all branches remote and local git branch a iii To create a new branch on the current head You can think of the HEAD as the current branch When you switch branches with git checkout switch branches the HEAD revision changes to point to the tip of the new branchgit branch lt branch name gt Example git branch develop iv To switch to an existing branch an update current working directorygit checkout lt branch name gt Example git checkout develop v git checkout b Creates new branch from current branch the branch you are currently working on and checkout out to it This move can be done even when you have unstage files The untracked files will now be in the new branch vi To delete a branchTo delete a merged branch locally Do not be on the branch to be deleted git branch d lt branch gt To delete a branch locally whether merged or not Do not be on the branch to be deleted git branch D lt branch gt Note These delete the local branch onlyTo delete a remote branch from terminal git push origin delete lt branch gt Note This deletes the remote branch only vi To rename a branchTo rename a branch while on another branchgit branch m lt oldName gt lt newName gt To rename your current working branchgit branch m lt newName gt If you want upstream to reflect your changes that is the branch upstream to have the same naming as your local branchgit push origin u lt newName gt vii To set local branch to track remote branch git branch set upstream to origin lt remoteBranchName gt lt localBranchName gt vii Pushing a branch for the first timeIf you clone a project created a branch worked on it and want to push it to upstream for the very first timegit push set upstream origin lt branchName gt After this is done just do git push whenever you wish to push that branch to the one upstream🡅back to TOC Pushing And Pulling i To push local branch for the first timeThis is to push a branch that was created locally for the very first time That is it does not exist remotely git push set upstream origin lt branchName gt OR For shortgit push u origin lt branchname gt ii To pushTo push a branch which already exists and has already been set to an upstreamgit pushNote The local branch must be set to track to remote branch Use this command to set the branch to upstream iii To push to a specific origingit push origin lt remoteBranchName gt iv To pullTo pull from the remote branch and directly merge integrate into HEAD recursivelygit pullUse this command to set the branch to upstream v To pull from a specific originTo pull from the specific remote branch and directly merge integrate into HEADgit pull origin lt branchName gt 🡅back to TOC To fetch i Synchronizing to the central repositoryTo synchronize your local repository to that of the central repository s main branchgit fetch originAny branch that was behind the central repository s main branch will be downloaded ii Fetching a remote branchTo fetch and update a branch exists locally and remotely or to fetch a remote branch locally Checkout to that branchgit fetch lt remote gt lt branch gt 🡅back to TOC MergingMerging is simply combining or merging branchesAs a beginner with git when working in a team with others I merge my branches on Github after creating pull requests so I could compare changes and easily resolve any conflicts Then pull the work down to my local branch i Merging two local branchesOn the terminal to merge a branch into another you have to be in the branch you want to merge into Then run the commandgit merge lt branch to be merged gt ii Merging a remote branch into a local branchFirst fetch the branch then merge using the merge command above 2022-04-28 12:52:46
海外TECH DEV Community How to configure ESLint, Prettier, Husky, Lint-staged into a React project with TypeScript and Tailwind CSS https://dev.to/ixartz/how-to-configure-eslint-prettier-husky-lint-staged-into-a-react-project-with-typescript-and-tailwind-css-4jp8 How to configure ESLint Prettier Husky Lint staged into a React project with TypeScript and Tailwind CSSAs a software developer you have preferences and habits that you want to follow when writing your code You want to be able to write code that is readable maintainable and scalable When you are working in a team with other developers everybody has their own coding standards and they can be different It makes the code difficult to read and maintain How do you settle the differences You will have to reach a compromise and pick a preferred style for that project Tools such as ESLint Prettier Husky and Lint staged can help enforce a coding and formatting style It also spots errors rapidly in your JS application These tools keep developers focused on solving problems rather than debating which formatting style is best They also help you to write code unified code across all your projects ESLint is a code analysis tool or linter for identifying and reporting on patterns in JS It s a pluggable and configurable tool that finds and fixes problems in your JavaScript or Node js code Prettier is an opinionated code formatter that formats your code according to a set of rules It ensures that your programs follow a consistent coding style Adding ESLint Prettier and Husky to your React project will avoid mistakes in your code by making sure that your code follows best practices It also helps developers write a consistent code style For your information I m the author of a boilerplate with ESLint Prettier Husky and Lint staged already configured and ready to use If you don t want to lose your time you can check out my React Boilerplate on GitHub In this article I will guide you through how to configure these tools stated above Empty Project SetupYou will need to create a TypeScript React project using create next app Then you also need to install and configure all the necessary NPM packages React amp TypeScript ConfigurationTypeScript is an open source typed programming language developed by Microsoft It builds on top of JavaScript with a strict syntax and type checking Open your favorite terminalRun npx create next app latest ts to create a TypeScript Next js project npx create next app latest ts ESLint ConfigurationESLint is highly configurable and can be configured to enforce a specific coding style You can set up ESLint rules one by one or you can use a preset In this tutorial we will use the Airbnb style guide for TypeScript eslint config airbnb typescript Add ESLint to the project dependency listnpm i eslint save devInstall Airbnb ESLint style guide dependencies and its peer dependencies npm install eslint config airbnb typescript typescript eslint eslint plugin typescript eslint parser save devCreate and configure the eslintrc file by adding Airbnb and ESLint configuration We also need to indicate to ESLint that we are using TypeScript We ll also add next core web vitals to use a stricter ESLint configuration for Next js extends next core web vitals airbnb airbnb typescript parserOptions project tsconfig json Add Prettier eslint plugin prettier eslint plugin prettier to the project s dependency npm install prettier eslint plugin prettier eslint config prettier save devThese three packages load Prettier into ESLint ESLint will automatically highlight formatting issues in your code based on Prettier rules Install the eslint plugin unused imports plugin it helps you to find unused imports npm install eslint plugin unused imports save devAdd unused imports to the plugins section of your eslintrc configuration file You can omit the eslint plugin prefix plugins unused imports Install eslint plugin tailwindcss to lint Tailwind CSS class It contains rules enforcing best practices and consistency when working with Tailwind CSS npm i eslint plugin tailwindcss save devAdd tailwindcss to the plugins section of your eslintrc configuration file plugins unused imports tailwindcss Then you need to add all the recommended rules from the Tailwind CSS plugin extends plugin tailwindcss recommended Lint all the js jsx ts and tsx files within the project folder After running the command below it ll display all the errors you need to address npx eslint ext js jsx ts tsxnode modules is ignored by ESLint in the default configuration You can also add more files to ignore by creating a eslintignore file Husky and Lint staged SetupHusky is a JavaScript package that allows you to run some code during different stages of the git workflow On the other hand Lint staged is a JavaScript package that helps you to run linter on files that will be committed on Git Initialize Git in the project directory git initInstall Husky and Lint Staged npx mrm lint stagedThe code above command will install and configure Husky and Lint staged Add lint staged and husky in the package json file It also creates a husky folder Optional You can create a lint staged config js file that holds all the Lint staged configuration Check out all the different ways to configure lint staged if you don t want Lint stage configuration in your package json VSCode ESLint amp Prettier ConfigurationVisual Studio Code provides ESLint and Prettier extensions that you can install These extensions give you access to all functionalities discussed in this tutorial To install these extensions Open your VS CodeClick on the Extensions icon on the sidebar or run the command Ctrl Shift x Search for dbaeumer vscode eslint to install ESLint and esbenp prettier vscode for Prettier Close and re open VSCode to use the newly installed extensions ConclusionIntegrating ESLint Prettier Husky and Lint staged in a TypeScript React project reduce conflicts based on coding and formatting styles It helps developers to focus on writing high quality code If you are working on a project it s highly recommended to have these tools set up first You can avoid making mistakes in your code it makes your code more readable with a consistent coding style If you re building your own SaaS application and want to have the same Developer experience I ve made a React SaaS Starter kit It includes by default ESLint Prettier Husky and Lint staged already configured with TypeScript for you So you can start working on your SaaS project right away instead of losing your time with boring configurations In Nextless js you ll also find everything you need to build faster your SaaS Email amp Social authSubscription paymentTeam supportLanding page amp DashboardForm amp Error managementDeployed on AWS 2022-04-28 12:52:24
海外TECH DEV Community Describe the worst job interview you've ever taken part in https://dev.to/ben/describe-the-worst-job-interview-youve-ever-taken-part-in-1abg inlet 2022-04-28 12:48:49
海外TECH DEV Community Another CSS Art from Demon Slayer https://dev.to/afif/another-css-art-from-demon-slayer-37pn Another CSS Art from Demon SlayerThe last CSS Art I made was so real that he start talking He was so nervous and screaming everywhere Nezuko Where is Nezuko Stay calm Tanjiro Nezuko is here Another CSS Only illustration to be added to the list of my previous ones CSS ArtIt s on twitter if you want to spread the word T Afif CSS Challenges challengescss CSS ArtThe Tanjiro I made was getting nervous and start screaming Nezuko Where is Nezuko 𝗡𝗲𝘇𝘂𝗸𝗼is here Demo codepen io t afif full ab… via CodePen A CSS Only illustration No image No SVG More at css only art CSS CSSart DemonSlayer twitter com ChallengesCss … AM Apr T Afif CSS Challenges ChallengesCss CSS ArtI am adding a demon slayer to the list Take a deep breath and say hello to 𝗧𝗮𝗻𝗷𝗶𝗿𝗼𝗞𝗮𝗺𝗮𝗱𝗼️Demo via CodePen A CSS only illustration No images and No SVG Find more at CSS cssart DemonSlayer Tanjiro Nezuko let s go Nezuko Hum You want to support me OR 2022-04-28 12:28:11
海外TECH DEV Community Learn the language (guess 🤔) that powers DEV.to https://dev.to/thenerdydev/learn-the-language-that-powers-devto-3je4 Learn the language guess that powers DEV toHey guys I am back with a new course on my YouTube channel and it is on Ruby Programming In this video we will cover all the basics and advanced topics of the Ruby Programming language If that interests you feel free to check out the video down below to start learning this awesome language PS If you are looking to learn Web Development I have curated a FREE course for you on my YouTube Channel check the below article Web Developer Full Course HTML CSS JavaScript Node js and MongoDB The Nerdy Dev・Apr ・ min read html css node javascript Looking to learn React js with one Full Project check this out Learn React with one BIG Project NOTES included Demo and Video Link The Nerdy Dev・Jun ・ min read daysofcode javascript react webdev 2022-04-28 12:26:21
海外TECH DEV Community 5. Regression https://dev.to/daud99/5-regression-27d0 Regression RegressionThis all started with a guy name Francis Galton who was investigating the relationship between the heights of fathers and their sons What he discovered was that a man s son tended to be roughly as tall as his father However Galton s breakthrough was that son s height tended to be closer to the overall average height of all people Galton named this phenomena REGRESSION as in A father s son s height tends to regress or drift towards the mean average height Before getting started with Linear Regression Let s first have a look what Regression Analysis means Regression AnalysisRegression Analysis is a statistical tool that allow us to quantify the relationship between a particular variable and an outcome It has the amazing capacity to isolate a statistical relationship that we care about while taking into account other factors that might confuse the relationship In other words we can isolate the effect of one variable while holding the effects of other variables constant For example We want to see how height effects the weight Formally speaking we want to quantify the relationship betweent two variables Height and Weight Here Height is independent controlled explanatory variable while Weight is dependent outcome variable The regression analysis allow us to quantify this relationship However there can also be multiple factors variables which can effect the Weight Dependent Factors such as Sex Female Male Age Excercise and Race So Regression Analysis also allow us to take into account these factors variables as well which help us in identifying the relationship more accurately between variables we are interested in weight and height by controlling these rest of the variables Independent variables or may be we want to see how more than one feature independent variable effects the dependent variable Linear RegressionWhen we are trying to understand the relationship between TWO variable that is what change happen in Dependent Variable Y if we make changes to independent variable X If independent variable increases so does the dependent variable we say there is a positive relationship If dependent variable increases but the dependent variable decreases we say there is a negative relationship Linear regression is a method for finding the straight line that best fits a set of points We take observations and plot these observation on the graph Then we try to find the straight lines that fits through all these points This is nothing but Regression Line For instance as a birthday gift your Aunt Ruth gives you her cricket database and asks you to learn a model to predict this relationship Using this data you want to explore this relationship First examine your data by plotting it As expected the plot shows the temperature rising with the number of chirps Is this relationship between chirps and temperature linear Yes you could draw a single straight line like the following to approximate this relationship All we re trying to do when we calculate our regression line is draw a line that as close to every dot observation as possible True the line doesn t pass through every dot but the line does clearly show the relationship between chirps and temperature Using the equation for a line you could write down thisrelationship as follows y mx bThis equation is also known as Regression Equation The result is not only a line but an equation describing the line It also means that every observation can be explained as TEMPERATURE b m CRICKET CHIRPS e where e is a “residual that catches the variation in weight for each individual that is not explainedby CRICKET CHIRPS where y is the temperature in Celsiusーthe value we re trying to predict m is the slope of the line Describes the “best linear relationship between temperature and cricket chirp for this sample x is the number of chirps per minuteーthe value of our input feature b is the y intercept the value of y when x By convention in machine learning you ll write the equation for a model slightly differently y′ b wxwhere y′is the predicted label a desired output b is the bias the y intercept sometimes referred to as w w is the weight of feature Weight is the same concept as the slope m in the traditionalequation of a line x is a feature a known input To infer predict the temperature y′for a new chirps per minute value x just substitute the x value into this model Understanding interpreting Regression Equation Say we got the following Regression Equation For relation b w weight amp height WEIGHT ×HEIGHT IN INCHESa This is the y intercept which has no particular meaning on its own If you interpret it literally a person who measures zero inches would weigh negative pounds obviously this isnonsense on several levels This figure is also known as the constant because it is the starting point for calculating the weight of all observations in the study The slope here which is here is also known as Regression Coefficient or in statistics jargon “the coefficient on height because it gives us the best estimate of the relationship between height and weight The regression coefficient has a convenient interpretation a one unit increase in the independent variable height is associated with an increase of units in the dependent variable weight For our data sample this means that a inch increase in height is associated with a pound increase in weight Thus if we had no other information our best guess for the weight of a person who is feet inches tall inches in the Changing Lives study would be pounds We want to fit a linear regression line The question is how do we decide which line is the best fitting one In classical Linear Regression we use the Least Square Method which is fitted by minimizing the sum of the square of the residuals The residuals for an observation is the difference b w the observation y value and the fitted line In above image the residuals are marked by red line the difference b w the true data points marked by blue and the model fitted black line This video shows the behind the scene calculation for Least Mean Square method Goal with Linear RegressionOur goal with linear regression is to minimize the vertical distance residuals b w all the data points and our line How we minimize the residuals There are a lot of different ways to minimize this Sum of Squared ErrorsSum of absolute Errorsetc All these methods have a general goal of minimizing the distance residuals An important thing while training model we don t care about minimizing loss error oneexample data instance but minimizing loss error across the entire dataset Multiple Regression Multivariate Regression When we have more than one explanatory independent variable is involved We will try to get Regression Coefficient for each explanatory variable included in the regression equation For instance When we include multiple variables in the regression equation the analysis gives us an estimate of the linear association between each explanatory variable and the dependent variable while holding other dependent variables constant or “controlling for these other factors Let s stick with weight for a while We ve found an association between height and weight we know there are other factors that can help to explain weight age sex diet exercise and so on Does we will still fit the a line for Multivariate Regression No we can t just do it Line is used to describe the relation between one independent and dependant variable If we add one more independent variable our dimensionality of the problem will increase So for relation b w two independent variable and a dependent variable We will be fiting a Plane Similarly for relation b w three independent variable and a dependent variable we will be fitting a D space With each independent variable feature our dimensionality will be increased And it will become difficult for us to visualize the dimensionality A more sophisticated regression equation might rely on multiplefeatures each having a separate weight w w etc For example a regression equation that relies on three features might look as follows y′ b wx wx wx Does the methodology is different for Multivariate Regression than Linear Regression No it will remain same as it is for linear regression Just the number of independent variable features will increase R SquareOur basic regression analysis produces one other statistic of note the R Square which is a measure of the total amount of variation explained by the regression equation Say we have a broad variation in our samples for weights Many of the persons in the sample weigh more than the mean for the group overall many weigh less The R Square tells us how much of that variation around the mean is associated with differences in height alone In case answer is or percent The more significant point may be that percent of the variation in weight for our sample remains unexplained There are clearly factors other than height that might help us understand the weights of the participants Remember an R of zero means that our regression equation does no better than the mean at predicting the weight of any individual in the sample an R of means that the regression equation perfectly predicts the weight of every person in the sample What next We looked into the basics of Regression which will act as a foundation when we will do the Regression Modeling in machine learning which we will cover in the next blog David Out 2022-04-28 12:18:33
海外TECH DEV Community What is the difference between Functional and Class Based Component and How to convert one another? https://dev.to/akinkarayun/what-is-the-difference-between-functional-and-class-based-component-and-how-to-convert-one-another-4j0k What is the difference between Functional and Class Based Component and How to convert one another Which is better Functional or Class Component or Which one the use these questions are making the development complicated and sometimes make you regret when you start coding with one and realize that you need another one I certainly do not have the answer to those questions and usually when it s time to decide it all comes to which one you like or you used to code with Today we will go and take these two and compare them detailly Let s start then What is functional based component  A functional component is a simple function that returns something that is all a functional component is and it s definitely easy to write since it has simple logic which is an input and output our input is props and output will be whatever we return from this function straightforward and simple What is class based component A class component is a simple classes that made up of multiple functions that add functionality to the application you have to extend a React component when you write these component and it s much more work to write these component What is the differences between these two component A class component requires you to extend from React Component while functional component does not require that A class component requires to create a render function to return React element while functional component accepts props as an argument and returns a React element previously only class based components could have state in component but this is no longer the case since React hooks arrived to rescue functional components the main difference between these two is how they handle state state is one of the fundamental element and it s important to choose which component you will use since it s different handled for two case Down below on the left we see a functional component that has three states and is initialized with the useState hook each individual variable has its own set function which means each method has its own individual value and these methods only affect their own value that they have Consuming these variables is easy just place the name of the variables wherever you want to use them in your code and you all set On the right we see a class based component in a class based component we have a constructer that takes props as an argument in this state we essentially set an object in it we don t have any set methods here since we don t use hooks here we only have variables that initialized and set as key values inside When it comes to consuming these variables it s an again different story with the class based component you have to use this as a pointer to that variable instead of the variables name itself you have to write this variableName it s a bit more wording that we have to add as an extra Just a quick tip if you don t want to use this whenever you use variables in your code you can destructure your variable like down below props are simple property that passed in as an argument props in functional component is simple and straithforward you just get the props in functional component and use it as props variableName On the other hand it s a bit tricky to use props in class based components in previous section we saw constructer and with this constructer we parse props and one more thing here is whenever we have super call which basically do is to pass props up to Parent constructer and the parent basically component that we extend the class from so essentially passing props up to the tree to consume these props we just need to write this props variableNameJust a quick note this in class based component simply pointing towards the instance of this component Just a quick tip if you don t want to use this just consume it like down below if you have any questions just comment and will get back to you as soon as possible to answer your questions and if my explanation helps you to understand the concept give me a follow or clap thank you in advance My Linked In Link Down Below 2022-04-28 12:17:22
Apple AppleInsider - Frontpage News What to expect from Apple's Q2 2022 earnings report on April 28 https://appleinsider.com/articles/22/04/20/what-to-expect-from-apples-q2-2022-earnings-report-on-april-28?utm_medium=rss What to expect from Apple x s Q earnings report on April Apple will announce its financial results for the second quarter of later this evening Here s what to expect from the company s earnings report and conference call which may turn out to be record breaking Apple earningsApple will report its fiscal results for its second quarter which corresponds to the first calendar quarter of the year on April before conducting a call with analysts During the call Apple CEO Tim Cook and CFO Luca Maestri will detail the company s results and offer additional color in response to analyst questions Read more 2022-04-28 12:59:25
Apple AppleInsider - Frontpage News EU to say Apple Pay breaks antitrust laws https://appleinsider.com/articles/22/04/28/eu-to-say-apple-pay-breaks-antitrust-laws?utm_medium=rss EU to say Apple Pay breaks antitrust lawsThe European Union is reportedly about to accuse Apple of breaking the law over how Apple Pay is the only service allowed to use the company s payments system Credit AppleApple Pay has been under EU scrutiny since at least but a new report claims that next week in May officials expect to formally accuse Apple of antitrust actions over it Read more 2022-04-28 12:11:37
海外TECH Engadget Amazon permanently allows workers to carry phones following warehouse collapse https://www.engadget.com/amazon-will-permanently-allow-warehouse-workers-to-carry-cell-phones-124506439.html?src=rss Amazon permanently allows workers to carry phones following warehouse collapseAmazon will permanently allow warehouse employees to keep their cellphones with them at work after temporarily permitting them during the pandemic Vice has reported quot We recognize the desire for employees to keep their mobile phones with them inside facilities and the last two years have demonstrated that we can safely do so quot an internal message seen by Motherboard stated quot Therefore we are making the temporary phone policy permanent worldwide in all of our operations facilities quot Amazon planned to reinstate the mobile device ban following the COVID pandemic However when its Edwardsville Illinois warehouse collapsed in a tornado killing six people angry associates demanded permanent cellphone access for safety reasons They delivered a petition to six Amazon warehouses in December saying quot taking our phones away isn t about safety it s about controlling us quot Workers who voted to unionize at Amazon s Staten Island facility also made cell phone access a key demand nbsp Amazon subsequently backtracked on the idea quot until further notice quot and has now permanently removed the ban Meanwhile workers at another Staten Island warehouse are voting on whether or not to unionize with the vote counting set to start on May nd Amazon avoided penalties in the warehouse collapse but the US safety watchdog OSHA asked the company to review its procedures after discovering issues with its Emergency Action Plan EAP 2022-04-28 12:45:06
海外TECH Engadget Twitter admits it accidentally overstated user numbers between 2019 and 2021 https://www.engadget.com/twitter-2022-q1-financials-overstated-mdaus-123918326.html?src=rss Twitter admits it accidentally overstated user numbers between and As it prepares itself for the possibility of becoming wholly owned by Elon Musk Twitter is today revealing that it previously overstated its user figures between and In its newest financial reports the platform says that users with multiple accounts were inadvertently counted as multiple people The difference in the figures was never more than million either way but it reflects the even more limited nature of Twitter s growth In terms of revenue Twitter pulled in billion across the first quarter of which billion was made through advertising A further million was added through “subscription and other revenue which includes data sales and other business to business services A cash injection also came from Twitter s sale of MoPub its mobile ad platform which it handed off to AppLovin for billion in an all cash deal Despite this the company posted an operating loss of million compared to a modest gain of million in the same quarter last year Twitter defines its user figures through the term quot average monetizable Daily Usage mDAU quot which means the number of people using the platform it can actually make money from In the first quarter of that figure was million for the US and million for the rest of the world a significant increase compared to these figures last year Twitter as part of its user correction published updated figures for Q saying that it had million mDAU in the US and million internationally The company as per the rules couldn t give guidance on its future performance given a deal to take it private is looming in the near future But it s interesting to wonder just how much value can be extracted from a platform that despite seeing modest if healthy user growth still managed to lose million in a quarter Financial types believe that Musk will saddle the newly private Twitter with at least billion in debt it currently owes around billion meaning that it needs to make more than a billion in pure profit each year just to satisfy its interest payments 2022-04-28 12:39:18
海外TECH Engadget The 2022 Apple iPad Air is $40 off right now https://www.engadget.com/2022-apple-ipad-air-40-off-121504024.html?src=rss The Apple iPad Air is off right nowYou can grab the newly launched Apple iPad Air for just right now While the device dropped to as low as on Amazon for a grand total of eight hours last week this latest deal shaves off its retail price of That s a decent discount for a device that only became available in March The catch is that only the purple version is on sale for though you can still get the other colors for less than retail at nbsp Buy Apple iPad Air at Amazon The iPad Air gets a huge performance boost over its predecessor from its M chip which also powers the tech giant s Mac computers and the considerably more expensive iPad Pro We gave it a score of in our review mostly thanks to how significantly faster it is at both single and multi core tasks than the previous versions of the tablet when we ran Geekbench on it nbsp We also praised the device for having an excellent battery life despite the chip upgrade ーit even lasted close to hours during our test instead of just like the company s claim Apple also upgraded its front cam and gave it a megapixel ultra wide angle camera that enables Center Stage That s the tech giant s feature designed to follow you around and keep you in the frame during video calls nbsp The version that s currently on sale for is the WiFi only variant but you also have the chance to grab its G capable counterpart at a discount Its purple version has been available for at Amazon over the past week That s less its retail price and the lowest we ve seen for the cellular Apple iPad Air so far Buy Apple iPad Air WiFi Cellular at Amazon Follow EngadgetDeals on Twitter for the latest tech deals and buying advice 2022-04-28 12:15:04
海外TECH Engadget Google will allow users to limit ads about parenting, weight loss and dating https://www.engadget.com/google-ads-parenting-weight-loss-dating-120042648.html?src=rss Google will allow users to limit ads about parenting weight loss and datingYouTube and Gmail ads are about to get a little less annoying for some Google today is adding parenting and pregnancy weight loss and dating to its list of “sensitive categories on user ad controls Users will be able to restrict ads from these categories on both YouTube and Google Display The ad filters won t apply to Google search results or Google Shopping but a spokesperson confirmed that this could happen in the future “Providing transparency and control has always been a priority for us so we re expanding our tools enabling the choice to see fewer pregnancy and parenting dating and weight loss ads We ll continue to listen to user feedback and study which categories to expand this feature to in the future said Karin Hennessy group product manager for ad privacy at Google in a statement Targeted ads have come under fire for being particularly intrusive and even harmful for certain users For example alcoholics or gambling addicts could be triggered by ads for tequila and online casinos Those who suffer from eating disorders or body dysmorphia could experience something similar with weight loss ads and so platforms are trying to strike a delicate balance that keeps their users happy while not alienating their advertisers In response to accusations of discriminatory ads Meta this year removed the ability for advertisers to target users based on sensitive topics such as health race or ethnicity political affiliation religion or sexual orientation Twitter has also banned political ads and climate change denial ads from its platform Both Facebook and Instagram block ads featuring weight loss products and cosmetic surgery targeted to minors Instagram users can set their ad topic preferences so they ll see fewer ads from certain categories Google has already blocked targeted ads for users below the age of years old and in allowed users to limit how many ads they would encounter on the topics of gambling or alcohol nbsp Given the sizable share of the online ad market it currently holds Google s decision to let users opt out of additional sensitive ad categories means those who might be harmed or just annoyed by them will hopefully be exposed to them less frequently 2022-04-28 12:00:42
海外科学 NYT > Science How to Get Covid Treatments in New York City https://www.nytimes.com/2022/04/28/nyregion/covid-treatments-nyc.html How to Get Covid Treatments in New York CityBoth antiviral pills and monoclonal antibodies that treat Covid are available across the city but some public health experts worry that too few people know how to get them 2022-04-28 12:19:51
海外TECH WIRED On China, US National Security Experts Fear the Wrong Thing https://www.wired.com/story/china-technology-competition-antitrust america 2022-04-28 13:00:00
海外TECH WIRED This Cheap OnePlus Pairs Awesome Speed With a Pretty Screen https://www.wired.com/review/oneplus-nord-n20-5g android 2022-04-28 13:00:00
金融 金融庁ホームページ 入札公告等を更新しました。 https://www.fsa.go.jp/choutatu/choutatu_j/nyusatu_menu.html 公告 2022-04-28 13:00:00
ニュース BBC News - Home Minority of men in politics behave like animals, says Suella Braverman https://www.bbc.co.uk/news/uk-politics-61255056?at_medium=RSS&at_campaign=KARANGA apples 2022-04-28 12:23:57
ニュース BBC News - Home Hakeem Hussain: Mum jailed over son's asthma attack death https://www.bbc.co.uk/news/uk-england-birmingham-61255930?at_medium=RSS&at_campaign=KARANGA crack 2022-04-28 12:18:06
ニュース BBC News - Home German energy giant Uniper gives in to Russian rouble demand https://www.bbc.co.uk/news/business-61257846?at_medium=RSS&at_campaign=KARANGA demanduniper 2022-04-28 12:17:55
ニュース BBC News - Home Manchester United fined after fans throw objects at Atletico Madrid's Diego Simeone https://www.bbc.co.uk/sport/football/61259454?at_medium=RSS&at_campaign=KARANGA Manchester United fined after fans throw objects at Atletico Madrid x s Diego SimeoneManchester United are fined by Uefa after fans threw objects at Atletico Madrid boss Diego Simeone following their recent Champions League defeat 2022-04-28 12:21:53
北海道 北海道新聞 宇津木監督ら殿堂入りに推薦 ソフトボール協会 https://www.hokkaido-np.co.jp/article/675503/ 世界野球ソフトボール連盟 2022-04-28 21:05:00
北海道 北海道新聞 特殊詐欺対策の徹底指示 道警が全道署長会議 https://www.hokkaido-np.co.jp/article/675502/ 札幌市中央区 2022-04-28 21:04:52
北海道 北海道新聞 石狩・厚田にスケボー練習場 5月1日開業、屋外で道内最大規模 https://www.hokkaido-np.co.jp/article/675043/ 最大規模 2022-04-28 21:04:00
ビジネス 東洋経済オンライン メルケル元首相ならプーチン説得に希望あり 暴君も一目置く「女帝」なら耳を傾ける | グローバルアイ | 東洋経済オンライン https://toyokeizai.net/articles/-/583563?utm_source=rss&utm_medium=http&utm_campaign=link_back 一目置く 2022-04-28 21:30:00
IT 週刊アスキー “新本格”ミステリアドベンチャー『春ゆきてレトロチカ』の発売直前トレーラーが公開! https://weekly.ascii.jp/elem/000/004/090/4090617/ nintendo 2022-04-28 21: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件)