投稿時間:2021-06-03 06:38:50 RSSフィード2021-06-03 06:00 分まとめ(57件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
Google カグア!Google Analytics 活用塾:事例や使い方 ワークマン式しない経営を読んだ感想 https://www.kagua.biz/review/book/20210603.html 経営 2021-06-02 21:00:04
AWS AWS Machine Learning Blog Interact with an Amazon Lex V2 bot with the AWS CLI, AWS SDK for Python (Boto3), and AWS SDK for DotNet https://aws.amazon.com/blogs/machine-learning/interact-with-an-amazon-lex2v2-bot-with-the-aws-cli-aws-sdk-for-python-and-aws-sdk-dotnet/ Interact with an Amazon Lex V bot with the AWS CLI AWS SDK for Python Boto and AWS SDK for DotNetAmazon Lex is a service for building conversational interfaces into any application The new Amazon Lex V console and APIs make it easier to build deploy and manage bots The Amazon Lex V console and APIs provide a simple information architecture in which the bot intents and slot types are scoped to a specific language … 2021-06-02 20:32:18
AWS AWS Notify Customers of Incoming Deliveries Using Amazon Location Service https://www.youtube.com/watch?v=VHSFb9bPqMM Notify Customers of Incoming Deliveries Using Amazon Location ServiceIn this video you ll see how to notify customers of incoming deliveries using Amazon Location Service With this fully managed service you can create a geofence on a map track whether delivery drivers have entered the geofence and send automatic notifications in the event of entry For more information on this topic please visit the resource below Subscribe More AWS videos More AWS events videos AWS 2021-06-02 20:41:09
AWS AWS Get Started with Amazon DocumentDB Global Clusters https://www.youtube.com/watch?v=gvlpqqnggb4 Get Started with Amazon DocumentDB Global ClustersIn this video you will learn how to create Global clusters with Amazon DocumentDB Global Clusters is a new feature that provides disaster recovery from region wide outages and enables low latency global reads by allowing reads from the nearest Amazon DocumentDB cluster Global Clusters uses fast storage based replication across regions with latencies typically less than one second using dedicated infrastructure with no impact to your workload s performance In the unlikely event of a regional degradation or outage one of the secondary regions can be promoted to full read write capabilities typically in less than one minute Global clusters enables you to replicate data across five secondary regions and each secondary region can have up to replica instances Learn more about Amazon DocumentDB at Subscribe More AWS videos More AWS events videos AWS 2021-06-02 20:06:02
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) JSを使用するAPIなどでscriptファイルをユーザごとに生成する理由が知りたいです https://teratail.com/questions/341849?rss=all JSを使用するAPIなどでscriptファイルをユーザごとに生成する理由が知りたいです前提・実現したいこと例えば地図APIなどを利用する際にJSファイルを読み込むと思いますが、取得元の指定で下記のようにユーザーごとにディレクトリを切っているのをよくみます。 2021-06-03 05:08:18
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) JAVA spaceを押しても次の画面に映らない https://teratail.com/questions/341848?rss=all JAVAspaceを押しても次の画面に映らない前提・実現したいことjavaでshootinggameを作っています。 2021-06-03 05:06:21
Git Gitタグが付けられた新着投稿 - Qiita ファイルを変更せずにもう一度git pushがしたい https://qiita.com/subun33/items/8041a0e74147249d400e ファイルを変更せずにもう一度gitpushがしたいはじめに一度、リモートリポジトリにpushしたファイルを、変更せずに再度pushしたいと思ったことはありませんか私はあります。 2021-06-03 05:17:01
海外TECH Ars Technica Verizon says forcing people off old plans to get FCC subsidy isn’t “upselling” https://arstechnica.com/?p=1769275 billing 2021-06-02 20:45:43
海外TECH Ars Technica SEC struggling to rein in Elon Musk’s tweets, letters reveal https://arstechnica.com/?p=1769282 tweets 2021-06-02 20:05:22
海外TECH DEV Community Next.js Beginner's Guide https://dev.to/ericchapman/next-js-beginner-s-guide-8l3 Next js Beginner x s GuideWhat is Next js It s a React frontend development web framework that enables functionality such as server side rendering and static site generation Server side rendering In a traditional React app the entire app is loaded and rendered on the client Next js allow the first page load to be rendered by the server which is great for SEO and performance Next js other benefitsEasy page routingserver Api routesStatic site generation like Gadsby Easy DeploymentCreate Next js first projectTo install and create a Next js projet you can use the handy node npx command create next app my app name npx create next app my app nameOr with Tailwind CSS pre configure npx create next app e with tailwindcss my app nameThis will create a folder and create all files configs and everything you need to start a Next js app Once the app is created you can launch it cd your app name npm run devThis will launch your Next js empty app By default a welcome page is already created for you Pages and RoutingIn Next js to manage routes we dont have to use a routing library Next js routing is very easy to implement When you create a new Next js app with the create next app command the app create by default a folder name pages This pages folder is your routes management So every react components file in the folder will be treated as a specific route For example if the folder is containing those files index jsabout jsblog jsThis file will automatically be converted in routes The index page localhost indexThe about page localhost aboutThe blog page localhost blogAs you can see the principle is very easy Also if you visit a route that dont exist like localhost home Next js will automatically show a not found pageHere an example of about js page Like you can see nothing is specified about the page It is just a regular React functional componentfunction AboutPage return lt div gt lt h gt About lt h gt lt div gt export default AboutPageNested routesHow about nested routes like localhost blog contact To create nested routes you need to create a sub folder For example pages blogInside that folder you can create your contact js react component and that will create the page localhost blog contactIf you create a index js file in that sub folder Next js will use that component to represent your root route ex localhost blog will render pages blog index jsIf you create a file in pages blog js and another one under pages blog index js Both represent the same localhost blog route In that case Next js will render only the blog js file What about dynamic routes where each blog post have it s own route localhost blog my first bloglocalhost blog my second blog postIn Next js you can create a dynamic route using the brackets notation For example pages blog slug jsYes that look a bit weird to include brackets to a file name but that s the way If slug variable can be extract from the route using the useRoute hook Here a example of the slug js pageimport useRouter from next router function PostPage const router useRouter return lt div gt lt h gt My post router query slug lt h gt lt div gt export default PostPageThat s a basic example In a real app the slug variable will be use to load the post file or lookup in a database for the corresponding post Routes linksNow that you created your first route I guess you are wondering how to link pages to those routes To do that you need next link Here a example of the home page with a link to the about page import Link from next link export default function Home return lt div gt lt h gt Home lt h gt lt Link href about gt About lt Link gt lt div gt In the about page if you want to create a link to come back to the home page You can type lt Link href gt Home lt Link gt If you want to style the link you have to use this syntax lt Link href about gt lt a className text blue gt About this project lt a gt lt Link gt Route redirectWhat if you want to force a redirect to a specific page For example on a click of a button You can use router push for that import Link from next link import useRouter from next router function About const router useRouter return lt div gt lt h gt About Page lt h gt lt p gt This is the about page lt p gt lt button onClick gt router push gt Return to home lt button gt lt div gt Where you put components Many time you will want to create a components or a layout file For example a component to render navbar Up until now we only have use the pages folder What if you dont want your component to be a route page You dont want user to go open page like localhost navbar That s what will append if you put Navbar js component inside the pages folder What to do in that case Easy you need to place all your not a page components inside another folder By convention most Next js use a folder name components and this folder is created at the root folder of your apps So for example if you want to create a layout component you can do it in the new components folder components Layout jsThat React component can be use anywhere in your app but will ne be reference as a route page Head compomentNext js server side render first page load To do so it manipulate the html of you page Including the header section To provide header section tag like title or meta you need to use the Next js Head component Here s an example of a Layout component using the Head component components Layout jsimport Head from next head function Layout title keywords description children return lt div gt lt Head gt lt title gt title lt title gt lt meta name description content description gt lt meta name keywords content keywords gt lt Head gt children lt div gt export default LayoutLayout defaultProps title This is my app title description This is my app description keywords web javascript react next Custom not found pageIt is possible to create a custom not found page You may want to personalize the message or include your own page layout Create js file in the pages folder Next js will then automatically redirect to this page when a is encounter Here a example of a custom page pages jsimport Layout from components Layout function NotFoundPage return lt Layout gt Sorry the page you are looking is no where to be found lt Layout gt export default NotFoundPageImport shortcut aliasAs your app grow more and more Some components can be nested deep in your app folder structure import Layout from components Layout It is possible to create a shortcut to help you save some key stroke and get a result like that import Layout from components Layout The char is a shortcut syntax To create this shortcut and more you need to create a file name jsconfig json at the root of your app jsconfig json compilerOptions baseUrl paths components components Server side data fetchingInstead of fetching data on the client side Next js canenables server side rendering in a page and allows your to do initial data population it means sending the page with the data already populated from the server To implement that server side data fetching you have options Fetch data on each requestFetch data only once at build time static site Fetch data on each requestTo server side render on each request you need to use the getServerSideProps function You can add this function at the end of your component file export async function getStaticProps const res await fetch http server name api items const items await res json return props items If that function is present in your component file Next js will automatically fill you component props with the getServerSideProps object Fetch data at build timeTo server side render at build time you need to use the getStaticProps function You can add this function at the end of your component file export async function getStaticProps const res await fetch http server name api items const items await res json return props items Image optimizationNext js has a built in Image Component and Automatic Image Optimization The Next js Image Component next image is an extension of the HTML element evolved for the modern web Images are lazy loaded by default That means your page speed isn t penalized for images outside the viewport Images load as they are scrolled into viewport First import the Image Component import Image from next image Use it in your component lt Image src image png alt Picture of the author width height gt If you want to know more about Next js Image component you can read the official documentation ConclusionThat s it for today I still have a lot of posts coming about React so if you want to be sure to miss nothing click follow me I am new on twitter so if you want to make me happyFollow me Follow justericchapman 2021-06-02 20:57:14
海外TECH DEV Community My Autistic son and how we are going to reach him https://dev.to/adam_cyclones/my-autistic-son-and-how-we-are-going-to-reach-him-2h0o My Autistic son and how we are going to reach himThree point five years ago Logan was born prematurely he scared me out of my whits I remember racing to the hospital doing a speed gt the speed limit I don t remember arriving at the car park only the birthing suite I burst in to the entrance The lady said Mother and baby haven t been very well I will take you through in a moment I remember the feeling then thinking oh god I have lost them We walked into the hospital together laughing and I will be leaving on my own She s taking me in down some small corridor that felt miles long I m crying now as I write this as I always do thinking about this moment I heard something it grew louder we want through the double doors Like a freight train just plowed through my chest I heard it again it sounded like a duck it was my son Me being late as usual I had missed the birth shouldn t have taken that shower before I left I spent weeks in hospital visiting every day my girlfriend the hero of this story was suffering she s not aloud to see him for a few days I m his sole carer for the time being what the hell am I doing this baby is now in a glass House I have to step up I drive home late living off junk energy drinks and Costa coffee Finally the day comes I show my girlfriend what I have learned how we feed him through a tube up his nose change him and bath him Her parents come Mine well its personal but I don t have any not a typical childhood it s me I learn to be a dad from this day forward Logan was Two when I started to look forward to having conversations little questions to answer and hearing his voice then one day he said doggie our dog Lizzie the jack she brought out his first word But then nothingOther children friends of ours Thier kids all now walking and talking Logan finally decided to start cruising one a months later he walks It took a while and this is expected the impact of prematurity is bigger than I had ever understood or anticipated He doesn t speak again for at least six months he knows maybe words now we read every night books a night It s hard not to compare we are desperately worried now he can t or won t talk our friends kids full sentences and back chat COVID hits everyone in doors we spend a long time indoors he is regressing again we need to do something fast we learn British sign language from books from Amazon everything comes from Amazon now welcome to the desert that is our house He s three now and we have a few words he finally starts answering questions with no not grunts Although I m now fluent in grunts we sign around the house even talk to eachother like this it s easier for us A very useful fascinating langue system you should absolutely learn by the way The pointToday we try PECS it s a system of communication similar to a Jira board columns now next and laterYou stick your pictograms describing an activity to the column he sees pictures and understands the plan We think he has autism but it s a really long process in the UK to find out We know he hates change So to help us all out we have purchased a pecs board It sucks It works but it sucks because we need more columns sometimes less sometimes different pictures And when he s screaming the house down we need favourite pictures quick sharp Lastly like all things of this nature it s badly drawn as a UI guy this triggers me We need an app there is an app for everything right Wrong I think I need to write one maybe it will help parents all over the place So that s the plan like many of my plans they never finish I need a way to make this quick get it out the door and onto an app store I know web tech what should I choose 2021-06-02 20:41:58
海外TECH DEV Community You don't know Redis https://dev.to/sandorturanszky/you-don-t-know-redis-3onh You don x t know RedisIn my previous post I touched on the point that Redis is more than just an in memory cache Most people do not even consider Redis as a primary database There are a lot of use cases where Redis is a perfect choice for non cache related tasks In this article I will demonstrate how I built a fully functional Q amp A board for asking and upvoting the most interesting questions Redis will be used as a primary database I will use Gatsby React Netlify serverless functions and Upstash Serverless Redis Upstash has been a good choice so far and I decided to try it out in a more serious project I love everything serverless and how it makes things simpler for me Serverless will be a great choice for most tasks however you need to know the pros and cons of the tech you are using I encourage you to learn more about serverless to get the most out of it Q amp A board featuresAs you may know I run a tech newsletter for recruiters where I explain complex tech in simple terms I have an idea to collect questions from recruiters using a Q amp A board and let them vote for questions All questions will eventually be answered in my newsletter however the most upvoted questions will be addressed first Anyone can upvote a question and registration is not required Questions will be listed in three tabs Active questions sorted by votes and available for voting Most recent questions sorted by date newest first Answered only questions that have answers Upvoting will be one of the most frequently used features and Redis has a data type and optimized commands for it A Sorted set is ideal for this task because all its members are automatically sorted by the score Scores are numeric values that we will associate with votes It is very easy to increment a score add a vote by using the ZINCRBY command We will also leverage scores for handling unmoderated questions by setting the score for them to All approved questions will have a score of It allows us to fetch all unmoderated questions by simply using the ZRANGEBYSCORE command specifying the min and max arguments as To fetch all approved questions sorted by the score highest first we can use the ZREVRANGEBYSCORE command setting the min score argument to This is great that by using just a few Redis commands we can also solve logical tasks along the way Lower complexity is a huge benefit We will also use sorted sets for sorting questions by date or filtering questions that have answers I will explain it in more detail in a moment Less frequent operations namely creating updating and deleting questions are also easy to accomplish using hashes Implementation detailsThe most interesting part is always the actual implementation I use serverless functions and the ioredis library and I will link the source code explaining what it does This article is dedicated to client facing functionality Although I will explain admin related functions in the final source code there will be no backend interface You will need to use Postman or a similar tool to call the admin related endpoints Let s take a look at the API endpoints and what they do Add a questionUsers can create questions All questions require moderation before they become visible A question is an object and Redis hash is a perfect data type to represent objects This is the structure of a questions datetime question What are Frontend technologies author Alex email alex email com “score “ “url “www answer com We will store questions in hashes using the HMSET command which takes a key and multiple key value pairs The key schema is question ID where ID is the question ID generated using the uuid library This is a new question and there is no answer yet We skip the url property but it will be an easy task to add it later using the HSET command The score for a newly created question is by default By our design it means that this question needs moderation and will not be listed because we only fetch questions with scores starting from Since we keep the score value in a hash we ll need to update it whenever it changes There is a HINCRBY command that we can use to easily increment values in hashes As you can see using Redis hashes solves a lot more for us than just storing data Now that we know how we ll store questions we also need to keep track of questions to be able to fetch them later For that we add the ID of a question to a sorted set with a score of using the ZADD command A sorted set will allow us to fetch question IDs sorted by scores As you can see we are setting the score to just like we do it for the score property in the hash above The reason why we duplicate the score in a hash is that we need it when showing the most recent questions or questions that have answers For instance the most recent questions are stored in a separate sorted set with timestamp as a score hence the original score value is not available unless it s duplicated in a hash Since we store the score in two places we need to make sure that values are updated both in a hash and in a sorted set We use the MULTI command to execute commands in a manner where either all commands are executed successfully or they are rolled back Check Redis Transactions for more details We will use this approach where applicable For example HMSET and ZADD will also be executed in a transaction see source code below ZADD command takes a key and our schema for it is questions boardID All questions are mapped to a boardID For now it s a hardcoded value because I need one board only In the future I may decide to introduce more boards for example separately for Frontend Backend QA and so on It s good to have the needed structure in place Endpoint POST api create questionHere is the source code for the create question serverless function Approve a questionBefore a question becomes available for voting it needs to be approved Approving a question means the following Update the score value in hash from to using HINCRBY command Update the score value in the questions boardID sorted set from to using the ZADD command Add the question ID to the questions boardID time sorted set with the timestamp as the score to fetch questions sorted by date most recent questions using the same ZADD command We can get the timestamp by looking up the question by its ID using the HGET command Once we have it we can execute the remaining three commands in a transaction This will ensure that the score value is identical in the hash and the sorted set To fetch all unapproved questions the ZRANGEBYSCORE command is used with the min and max values as ZRANGEBYSCORE returns elements ordered by a score from low to high while ZREVRANGEBYSCORE from high to low We ll use the latter to fetch questions ordered by the number of votes Endpoint for fetching all unapproved questions GET api questions unapprovedEndpoint for approving a question PUT api question approveHere is the source code for the questions unapproved serverless function For the most part this code is similar to other GET endpoints and I will explain it in the next section Here is the source code for the question approve serverless function Fetch approved questionsTo fetch all approved questions we use the ZREVRANGEBYSCORE command setting the min argument to in order to skip all unapproved questions As a result we get a list of IDs only We will need to iterate over them to fetch question details using the HGETALL command Depending on the number of questions fetched this approach can become expensive and block the event loop in Node I am using Node js There are a few ways to mitigate this potential problem For example we can use ZREVRANGEBYSCORE with the optional LIMIT argument to only get a range of elements However if the offset is large it can add up to O N time complexity Or we can use a Lua script to extend Redis by adding a custom command to fetch question details based on IDs from a stored set without us doing it manually in the application layer In my opinion it would be overhead in this case Besides that one must be very careful with Lua scripts because they block Redis and you can t do expensive tasks with them without introducing performance degradation This approach may be cleaner however we would still use the LIMIT to avoid large amounts of data Always research the pros and cons before the final implementation As long as you understand the potential issues and have evaluated ways to mitigate them you are safe In my case I know that it will take significant time before I will have enough questions to face this issue No need for premature optimization Endpoint GET api questionsHere is the source code for the questions serverless function Vote for a questionThe process of upvoting a question consists of two important steps that both need to be executed as a transaction However before manipulating the score we need to check if this question has no answer url property In other words we do not allow anyone to vote for questions that have been answered The vote button is disabled for such questions But we do not trust anyone on the internet and therefore check on the server if a given ID exists in the questions boardID answered sorted set using the ZSCORE command If so we do nothing We use the HINCRBY command to increment the score in the hash by and the ZINCRBY command to increment the score in the sorted set by Endpoint PATCH api question upvoteHere is the source code for the question upvote serverless function Fetch most recent approved questionsIt s very similar to how we fetch all approved questions with the only difference being that we read another sorted set where the key schema is questions boardID time Since we used the timestamp as a score the ZREVRANGEBYSCORE command returns IDs sorted in descending order Endpoint PATCH api questions recentHere is the source code for the questions recent serverless function Update a question with an answerUpdating or adding new properties to hashes is simple with the HSET command However when we add an answer we move the question from the questions boardID sorted set to the questions boardID answered one preserving the score To do so we need to know the score of the question and we obtain it using the ZSCORE command Answered questions will be sorted by score in descending order Then we can update the hash with the url property using the HSET command add the hash to the questions boardID answered sorted set using ZADD remove the question from the questions boardID sorted set running the ZREM command remove the question from the questions boardID time sorted set running the ZREM command All four commands are executed in a transaction Endpoint PATCH api question add answerHere is the source code for the question add answer serverless function Fetch questions with answersAgain the process is similar to fetching all approved questions This time from the questions boardID answered sorted set Endpoint PATCH api questions unsweredHere is the source code for the questions unswered serverless function Full source code Working DEMO on my website ConclusionRedis has a lot of use cases going way beyond cache I ve demonstrated only one of the multiple applications for Redis that one can consider instead of reaching for an SQL database right away Of course if you already use a database adding yet another one may be an overhead Redis is very fast and scales well Most commercial projects have Redis in their tech stack and often use them as an auxiliary database not just in memory cache I strongly recommend learning about Redis data patterns and best practices to realize how powerful it is and benefit from this knowledge in the long run Check my previous article where I created LinkedIn like reactions with Serverless Redis if you haven t already Follow for more 2021-06-02 20:09:22
Apple AppleInsider - Frontpage News Apple Card outage affecting all users, management systems unavailable [u] https://appleinsider.com/articles/21/06/02/apple-card-outage-affecting-all-users-management-systems-unavailable?utm_medium=rss Apple Card outage affecting all users management systems unavailable u The Apple Card management system is experiencing an outage that is preventing all users from seeing purchases or making payments to a balance Credit AppleApple on Wednesday morning updated its System Status page to confirm that Apple Card was experiencing an outage Management systems such as making payments or viewing recent transactions are not available All users are affected Read more 2021-06-02 20:04:18
Apple AppleInsider - Frontpage News Apple ceases iOS 14.5.1 code signing following release of iOS 14.6 https://appleinsider.com/articles/21/06/02/apple-ceases-ios-1451-code-signing-following-release-of-ios-146?utm_medium=rss Apple ceases iOS code signing following release of iOS Apple on Tuesday stopped signing iOS code effectively blocking downgrades to the operating system following the release of iOS at the end of May The code signing stoppage comes a week after Apple issued iOS with new features including the activation of Apple Card Family and support for paid subscriptions in the Podcasts app With Apple no longer authenticating iOS code users who upgraded to iOS can no longer download or install the now out of date operating system Read more 2021-06-02 20:00:48
Apple AppleInsider - Frontpage News Ikea's Symfonisk picture frame speaker to support AirPlay 2 https://appleinsider.com/articles/21/06/02/ikeas-symfonisk-picture-frame-speaker-to-support-airplay-2?utm_medium=rss Ikea x s Symfonisk picture frame speaker to support AirPlay Ikea inadvertently confirmed the existence of a rumored Symfonisk picture frame cum speaker on Tuesday and in doing so revealed that the upcoming device will support Apple s AirPlay protocol In a listing on its U S website Ikea describes the Symfonisk as a WiFi speaker and a picture frame in one makes the sound blend into the home Like other Symfonisk products the picture frame was created in collaboration with Sonos and features AirPlay integration The technology enables Apple ecosystem users to stream audio to multiple rooms and control the device via HomeKit and the Home app Ikea notes users can buy two frames to make a stereo pair Read more 2021-06-02 20:01:33
Apple AppleInsider - Frontpage News TSMC starts construction of 5nm chip plant in Arizona https://appleinsider.com/articles/21/06/01/tsmc-starts-construction-of-5nm-chip-plant-in-arizona?utm_medium=rss TSMC starts construction of nm chip plant in ArizonaApple partner Taiwan Semiconductor Manufacturing Co on Tuesday said construction of a new billion chip plant has begun in Phoenix Ariz with the facility expected to produce wafers built on the company s nanometer process TSMC CEO C C Wei announced the development during the company s annual symposium which was held online for the second year in a row due to the ongoing coronavirus pandemic reports Reuters Plans to build out the billion chip foundry were confirmed last year and TSMC in March arranged bond sale to partially fund the operation Read more 2021-06-02 20:02:30
Apple AppleInsider - Frontpage News Apple Developer app updated with WWDC 21 information, new stickers https://appleinsider.com/articles/21/06/01/apple-developer-app-updated-with-wwdc-21-information-new-stickers?utm_medium=rss Apple Developer app updated with WWDC information new stickersApple has updated its Apple Developer app with new features and information ahead of its WWDC keynote event on Monday June Credit AppleThe update adds information specific to the WWDC event including details on sessions one on one labs pavilions and coding or design challenges It also allows developers to sign up for labs Read more 2021-06-02 20:03:06
Apple AppleInsider - Frontpage News Apple increases reliance on Chinese suppliers https://appleinsider.com/articles/21/06/01/apple-increases-reliance-on-chinese-suppliers?utm_medium=rss Apple increases reliance on Chinese suppliersNearly one third of the companies that Apple has added to its list of suppliers in the past three years are from mainland China bucking talk of Apple reducing its reliance on the country Credit FoxconnAmong the new companies that Apple added to its supply chain since are located in mainland China the South China Morning Post reported Tuesday Several of those companies are based in Shenzhen while others are from Jiangsu Read more 2021-06-02 20:03:42
Apple AppleInsider - Frontpage News Some iPhone users report high battery drain following iOS 14.6 update https://appleinsider.com/articles/21/06/01/some-iphone-users-report-high-battery-drain-following-ios-146-update?utm_medium=rss Some iPhone users report high battery drain following iOS updateA number of iPhone users are reporting issues with their battery life with some noting severe battery drain when left off charge overnight Generally users see the power level drop by a few percentage points when leaving their iPhone off charge overnight With the release of iOS it seems more power is being consumed A number of posts made to the Apple Support Forums mention excessive battery drainage Some users offer that the battery is seemingly draining at a faster rate versus previous iOS releases Read more 2021-06-02 20:04:45
Apple AppleInsider - Frontpage News What to expect from WWDC 2021 - and what not to https://appleinsider.com/articles/21/06/01/what-to-expect-from-wwdc-2021---and-what-not-to?utm_medium=rss What to expect from WWDC and what not toIt would be great if Apple released everything that everyone is predicting for WWDC but it never does and is no exception Here s what Apple will absolutely debut what might see the light of day and won t make an appearance WWDC will feature software Guaranteed There are always wild rumors and predictions ahead of any WWDC keynote Since it comes exactly half way through Apple s two year transition to Apple Silicon there is of course an expectation that Apple will talk about that and roll out everything that s missing from the Mac product line Read more 2021-06-02 20:05:24
Apple AppleInsider - Frontpage News Apple launches new Pride music page celebrating LGBTQ+ artists https://appleinsider.com/articles/21/06/01/apple-launches-new-pride-music-page-celebrating-lgbtq-artists?utm_medium=rss Apple launches new Pride music page celebrating LGBTQ artistsIn June Apple Music will highlight LGBTQ content every Sunday and the company has also created a dedicated Apple Music Pride page to celebrate year round The content available will include curated playlists exclusive DJ mixes and short form videos called Pride Talks with artists such as King Princess and Janelle Monae The space will also highlight Pride through the decades new music from LGBTQ artists groundbreaking albums by queer performers and guest playlists from big names like Kylie Minogue Read more 2021-06-02 20:05:50
Apple AppleInsider - Frontpage News Firefox 89 arrives with design overhaul, numerous macOS fixes https://appleinsider.com/articles/21/06/01/firefox-89-arrives-with-design-overhaul-numerous-macos-fixes?utm_medium=rss Firefox arrives with design overhaul numerous macOS fixesMozilla s version release of Firefox overhauls the web browser with a modern appearance and brings quite a few updates specifically for macOS The update released on Tuesday is framed as making the browser work even faster with a redesigned and modernized core experience that s cleaner and easier to use This includes a clearing and streamlining of menus the removal of underused items from the toolbar and updated prompts Mozilla also included an improved tab design with context sensitive surface cues such as audio control indicators The number of alerts and messages will also be reduced to cut down on user interruption while the lighter iconography and refined color palette is said to be cohesive and calmer than in previous versions Read more 2021-06-02 20:06:36
Apple AppleInsider - Frontpage News Apple updates iWork apps with new links and teachers' tools https://appleinsider.com/articles/21/06/01/apple-updates-iwork-apps-with-new-links-and-teachers-tools?utm_medium=rss Apple updates iWork apps with new links and teachers x toolsApple s Pages Numbers and Keynote apps have been updated on both iOS and macOS now offering the ability to link document elements to web addresses plus improved student progress viewing for teachers Apple s three iWork apps have been updated on both iOS and macOSApple s word processor spreadsheet and presentation apps have all been updated across both iOS and macOS Each of the three brings improvements for teachers while Pages and Numbers also add new linking features Read more 2021-06-02 20:07:16
Apple AppleInsider - Frontpage News Apple reveals 36 finalists for 2021 Apple Design Awards https://appleinsider.com/articles/21/06/01/apple-reveals-36-finalists-2021-apple-design-awards?utm_medium=rss Apple reveals finalists for Apple Design AwardsApple has revealed the finalists for its Apple Design Awards which will crown six winners for producing innovative apps for iOS and iPadOS Revealed on Tuesday Apple has chosen six finalists across six categories with the award honoring excellence in innovation ingenuity and technical achievement in app and game design The categories for are Inclusivity Delight and Fun Interaction Social Impact Visuals and Graphics and Innovation Read more 2021-06-02 20:08:05
Apple AppleInsider - Frontpage News Apple TV app launches on Nvidia Shield with 4K, Dolby Atmos support https://appleinsider.com/articles/21/06/01/apple-tv-app-launches-on-nvidia-shield-with-4k-dolby-atmos-support?utm_medium=rss Apple TV app launches on Nvidia Shield with K Dolby Atmos supportThe Apple TV app and Apple TV are now available on the Android TV based Nvidia Shield streaming device Credit NvidiaStarting June Nvidia Shield owners will be able to stream content via the Apple TV app including the Cupertino tech giant s full slate of originals and other TV shows and films purchased through Apple s platforms Read more 2021-06-02 20:08:33
Apple AppleInsider - Frontpage News Signs of Apple Music Lossless, Dolby Atmos content showing up for some users https://appleinsider.com/articles/21/06/01/signs-of-apple-music-lossless-dolby-atmos-content-showing-up-for-some-users?utm_medium=rss Signs of Apple Music Lossless Dolby Atmos content showing up for some usersWith Apple Music Lossless streaming coming at some point in June some users are reporting signs now that content is arriving on the service to support the launch Spatial Audio and Lossless formats showing up in Apple MusicApple hasn t provided an exact date for the launch of the new Apple Music features but with WWDC only one week away it could launch at any time Impatient users hoping to find the update live have discovered some albums are showing labels for Lossless or Dolby Atmos already while others are being prompted to re download albums for new formats Read more 2021-06-02 20:08:54
Apple AppleInsider - Frontpage News Spotify legal chief doubles down on 'unfair' Apple App Store bullying claims https://appleinsider.com/articles/21/06/01/spotify-legal-chief-doubles-down-on-apples-app-store-bullying-claims?utm_medium=rss Spotify legal chief doubles down on x unfair x Apple App Store bullying claimsSpotify Chief Legal Officer Horacio Gutierrez has continued to attack Apple calling it disingenuous about the economics of the App Store and that Apple s application of a fee On May an op ed by the Spotify legal chief was published one that pointed to Apple s trial with Epic Games as evidence that Spotify is no longer alone in criticizing Apple In an interview on Tuesday Gutierrez delved further into his claims explaining why he called Apple a bully for its control of the App Store It is clear to me that when it comes to their policies on app stores and the way in which they re treating not just competing apps but a whole variety of apps on their App Store is just unfair said Gutierrez to The Verge I think it deserves regulatory attention and I think they re getting regulatory attention for it Read more 2021-06-02 20:09:31
Apple AppleInsider - Frontpage News Coinbase Card is now supported by Apple Pay, Google Pay https://appleinsider.com/articles/21/06/01/coinbase-card-is-now-supported-by-apple-pay-google-pay?utm_medium=rss Coinbase Card is now supported by Apple Pay Google PayCoinbase has announced that its cryptocurrency debit card is now compatible with Apple Pay and Google Play allowing users to check out and earn crypto Credit CoinbaseThe Coinbase Card is a Visa debit card that allows users to spend cryptocurrency as cash across the globe Support for Apple Pay will allow Coinbase Card users to quickly activate their cards and make contactless payments on an iPhone or Apple Watch Read more 2021-06-02 20:10:02
Apple AppleInsider - Frontpage News EU planning second try at uniform digital wallet for ID, payments https://appleinsider.com/articles/21/06/01/eu-planning-second-try-at-uniform-digital-wallet-for-id-payments?utm_medium=rss EU planning second try at uniform digital wallet for ID paymentsThe European Union is working on a new standard of digital identification to give citizens of all countries access to public and private services under a single online ID The European Union wide app would be accessed via biometric scans such as retina facial recognition or fingerprint scans It would allow users to securely store payment information such as bank cards and credit cards and official documents like passports and drivers licenses According to the Financial Times the use of the wallet won t be mandated at the time of introduction Still those who choose to use it would benefit from the added layers of convenience and security Read more 2021-06-02 20:10:36
Apple AppleInsider - Frontpage News 'iPhone 13' will have bigger batteries than the iPhone 12 family, leaker claims https://appleinsider.com/articles/21/06/01/iphone-13-will-have-bigger-batteries-than-the-iphone-12-family-says-leaker?utm_medium=rss x iPhone x will have bigger batteries than the iPhone family leaker claimsThe iPhone family will have bigger batteries than the iPhone a leaker claims with all four models apparently gaining more battery capacity over their similar sized counterparts It seems that one of the benefits of the next iPhone generation could be longer battery life Apple is said to be preparing three larger capacity batteries for use in the iPhone range with three different capacities mirroring the levels of the current iPhone and iPhone Pro range According to an image from Chinese social media shared by serial leaker Lvetodream on Twitter the three are three battery capacities covering the model numbers A A and A These model numbers may relate to the iPhone models themselves Read more 2021-06-02 20:11:01
Apple AppleInsider - Frontpage News Tim Cook's 2020 pay of $14.7M is about average for a S&P 500 CEO https://appleinsider.com/articles/21/06/01/tim-cooks-2020-pay-of-147m-is-about-average-for-a-sp-500-ceo?utm_medium=rss Tim Cook x s pay of M is about average for a S amp P CEOApple CEO Tim Cook s compensation for heading up the most valuable company in the United States is relatively modest placed in st position in rankings of S amp P CEO earnings Apple is at the top of the Standard Poor s rankings in terms of market capitalization but CEO Tim Cook s direct pay from the company is far lower than many others in the list Compiling the compensation data for CEOs from the companies on that list Tim Cook s total pay for was according to the Wall Street Journal Despite seeming high and also rising from his compensation this only puts Cook in position on the list Read more 2021-06-02 20:11:45
Apple AppleInsider - Frontpage News Apple profiles world-changing winners of WWDC Swift Student Challenge https://appleinsider.com/articles/21/06/01/apple-profiles-world-changing-winners-of-wwdc-swift-student-challenge?utm_medium=rss Apple profiles world changing winners of WWDC Swift Student ChallengeApple has profiled three winners of its Swift Student Challenge for WWDC featuring three women who created apps and projects to help people live their lives as well as to learn to create their own apps As part of its pre WWDC ritual Apple opened up the Swift Student Challenge to entries in March inviting students to produce work in Swift to compete for prizes On Tuesday Apple profiled three of the participants and things they have created to improve the world Every year we are inspired by the talent and ingenuity that we see from our Swift Student Challenge applicants said Susan Prescott Apple s vice president of Worldwide Developer Relations and Enterprise and Education Marketing This year we are incredibly proud that more young women applied and won than ever before and we are committed to doing everything we can to nurture this progress and reach true gender parity Read more 2021-06-02 20:12:06
Apple AppleInsider - Frontpage News Intel CEO doubles-down on multi-year chip shortage https://appleinsider.com/articles/21/06/01/intel-ceo-doubles-down-on-multi-year-chip-shortage?utm_medium=rss Intel CEO doubles down on multi year chip shortageThe ongoing global chip shortage will trudge on for some time to come according to Intel CEO Pat Gelsinger with the major issues unlikely to see any real solutions for several years The semiconductor shortage which is affecting chip production around the world is a major issue for the hardware industry While efforts are being made to try and fix the issue Intel s CEO doubts it will be rectified anytime soon In a virtual Computex session Gelsinger said the work from home trend prompted by COVID has led to a cycle of explosive growth in semiconductors which has put a strain on global supplies reports Reuters Read more 2021-06-02 20:12:31
Apple AppleInsider - Frontpage News 'Apple Glass' may automatically control HomeKit lighting devices https://appleinsider.com/articles/21/06/01/apple-glass-may-automatically-control-homekit-lighting-devices?utm_medium=rss x Apple Glass x may automatically control HomeKit lighting devicesApple is researching how to make Apple Glass or other AR devices sense and automatically adjust the ambient lighting around the wearer using HomeKit There still aren t all that many HomeKit devices compared to ones for Google s Alexa but Apple may be planning to add one more A newly revealed patent shows that Apple Glass or any other Apple AR head mounted display HMD could integrate with a user s lighting As is typical for a patent Dynamic ambient lighting control describes systems as broadly as it can and so only specifically mentions HomeKit once in its words But the entire patent is concerned with how ambient light can be sensed and then that information used to appropriately control other devices Read more 2021-06-02 20:13:00
Apple AppleInsider - Frontpage News Apple Car airbags could save drivers from flying debris https://appleinsider.com/articles/21/06/01/apple-car-airbags-could-save-drivers-from-flying-debris?utm_medium=rss Apple Car airbags could save drivers from flying debrisPassengers of the Apple Car could be safer from injury of objects flying through the windshield in a car accident with Apple considering various ways to block inbound shrapnel and other items from hitting the vehicle s occupants Current car airbags protect passengers from impact but do little to counter inbound debris The vast majority of vehicle safety measures surround protecting the driver and passenger during the moment of an impact From reinforcing the vehicle s body to airbags and seat belts vehicles are designed to keep the humans inside from being majorly hurt Read more 2021-06-02 20:13:48
Apple AppleInsider - Frontpage News Word game 'Up Spell' might trace its origins to internal Apple testing tool https://appleinsider.com/articles/21/05/31/word-game-up-spell-might-trace-its-origins-to-internal-apple-testing-tool?utm_medium=rss Word game x Up Spell x might trace its origins to internal Apple testing toolApp Store word game Up Spell is seemingly an evolution of an internal Apple testing tool created by the lead developer of the original iPhone s software keyboard Credit Up Spell Up Spell which launched in October is a fast paced solo spelling game for iOS It was developed by Ken Kocienda a longtime Apple user interface designer and one of the main inventors of the iPhone touchscreen keyboard Read more 2021-06-02 20:14:14
Apple AppleInsider - Frontpage News OLED could replace TFT screens on iPads in 2022 https://appleinsider.com/articles/21/05/31/oled-could-replace-tft-screens-on-ipads-in-2022?utm_medium=rss OLED could replace TFT screens on iPads in Apple could introduce an iPad with an OLED display a supply chain report claims with new models using the display technology thought to be on the way in The introduction of the inch iPad Pro with a mini LED display points to changes on the horizon for other Apple products with screens According to one report this will include expanding the use of OLED from the iPhone range to other product families An unnamed source within the display industry speaking to ETNews claims Apple is preparing to introduce iPads with OLED displays from onward Apple is also said to have made agreements with display producers to supply the panels for the iPad range Read more 2021-06-02 20:14:41
Apple AppleInsider - Frontpage News iPhone 12 active user base grew faster than iPhone 11, despite later start https://appleinsider.com/articles/21/05/31/iphone-12-active-user-base-grew-faster-than-iphone-11-despite-later-start?utm_medium=rss iPhone active user base grew faster than iPhone despite later startA new report claims that the iPhone range had more active users in Q than the iPhone did at the same point in Apple s iPhone Pro MaxIn line with its previous report that the iPhone was the best selling G smartphone in October Counterpoint Research has now released claims for Q While Apple itself has not released any iPhone sales figures since making it hard to check the assumptions for accuracy Counterpoint estimates that the overall user base has increased by in the last year Read more 2021-06-02 20:15:07
海外TECH Engadget Google makes it easier to find businesses with gender-neutral restrooms https://www.engadget.com/google-maps-search-gender-neutral-restrooms-201035282.html?src=rss_b2c Google makes it easier to find businesses with gender neutral restroomsWith Pride Month underway Google is adding a small but handy feature in Maps and Search to help transgender nonbinary and gender non conforming individuals 2021-06-02 20:10:35
Cisco Cisco Blog Accelerate and Fuel Partner Success Through Distribution https://blogs.cisco.com/partner/accelerate-and-fuel-partner-success-through-distribution Accelerate and Fuel Partner Success Through DistributionThis past quarter was just as much of a challenge as the two before but we have seen outstanding results from our collective hard work and I thank you for it There is no way that we could have made this kind of progress alone 2021-06-02 20:34:36
海外科学 NYT > Science New NASA Missions Will Study Venus, a World Overlooked for Decades https://www.nytimes.com/2021/06/02/science/nasa-neptune-venus.html New NASA Missions Will Study Venus a World Overlooked for DecadesOne of the spacecraft will probe the hellish planet s clouds which could potentially help settle the debate over whether they are habitable by floating microbes 2021-06-02 20:54:17
海外科学 NYT > Science F.D.A. Approves New Drug to Treat Vaginal Yeast Infections https://www.nytimes.com/2021/06/02/health/fda-vaginal-yeast-infection.html antifungal 2021-06-02 20:52:09
海外科学 NYT > Science Here Are America’s Top Methane Emitters. Some Will Surprise You. https://www.nytimes.com/2021/06/02/climate/biggest-methane-emitters.html public 2021-06-02 20:30:32
ニュース BBC News - Home School catch-up tsar resigns over lack of funding https://www.bbc.co.uk/news/education-57335558 collins 2021-06-02 20:57:11
ニュース BBC News - Home Israel opposition parties agree to form new unity government https://www.bbc.co.uk/news/world-middle-east-57336574 tenure 2021-06-02 20:44:52
ニュース BBC News - Home UK records hottest day of the year for third day in row https://www.bbc.co.uk/news/uk-57333711 london 2021-06-02 20:28:46
ニュース BBC News - Home England 1-0 Austria: Bukayo Saka seals win with first international goal https://www.bbc.co.uk/sport/football/57250378 austria 2021-06-02 20:56:11
ニュース BBC News - Home France 3-0 Wales: Neco Williams sent off in pre-Euro 2020 friendly https://www.bbc.co.uk/sport/football/57250377 france 2021-06-02 20:55:46
ビジネス ダイヤモンド・オンライン - 新着記事 楽天・三木谷帝国が赤字に怯まない理由、内弁慶巨大グループ解剖で見えた「一筋の光」 - 楽天 底なしの赤字 https://diamond.jp/articles/-/272370 携帯電話 2021-06-03 05:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 双日社長が語る副業・起業・ジョブ型雇用を進める理由、源流「鈴木商店」への想い - 商社 非常事態宣言 https://diamond.jp/articles/-/272395 会社設立 2021-06-03 05:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 牛丼3社の明暗、吉野家・松屋が10%超減収でもすき家は微減に留まったワケ - ダイヤモンド 決算報 https://diamond.jp/articles/-/272938 上場企業 2021-06-03 05:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 住友商事に「人権侵害」批判、商社の海外事業の爆弾“第2のミャンマー”リスクを検証 - 商社 非常事態宣言 https://diamond.jp/articles/-/272394 人権侵害 2021-06-03 05:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 タワマンの豪華絢爛な共有施設、全部見せます!非住民は知らない「高級ホテルそのもの」の衝撃 - 有料記事限定公開 https://diamond.jp/articles/-/271688 勢ぞろい 2021-06-03 05:05:00
ビジネス 電通報 | 広告業界動向とマーケティングのコラム・ニュース イメージ先行のブランディングはもう効かない!?コーポレートブランドを決める6つの因子 https://dentsu-ho.com/articles/7789 連載 2021-06-03 06:00:00
ビジネス 電通報 | 広告業界動向とマーケティングのコラム・ニュース LGBTQ+の「Q+」の存在を知っていますか?~最新調査レポート https://dentsu-ho.com/articles/7788 lgbtq 2021-06-03 06:00:00
北海道 北海道新聞 道内の人口減少 暮らしの糧支える策を https://www.hokkaido-np.co.jp/article/551107/ 人口減少 2021-06-03 05:05:00
ビジネス 東洋経済オンライン ソニー「10億人とつながる」、利益1兆円の先の野望 エンタメ軸に拡大宣言、グループ連携がカギ | IT・電機・半導体・部品 | 東洋経済オンライン https://toyokeizai.net/articles/-/431884?utm_source=rss&utm_medium=http&utm_campaign=link_back 東洋経済オンライン 2021-06-03 05: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件)