投稿時間:2022-05-27 01:32:03 RSSフィード2022-05-27 01:00 分まとめ(36件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
python Pythonタグが付けられた新着投稿 - Qiita なんちゃって解説 第2回 - ABC252 A~B問題(Cは後日) https://qiita.com/Hiro527/items/1213709e26f8161e7840 abcab 2022-05-27 00:18:56
js JavaScriptタグが付けられた新着投稿 - Qiita 【Angularアプリケーション開発 #2】とりあえず表示内容を変更してみよう https://qiita.com/mojapico/items/3714bbe3c6a19c9f7800 angular 2022-05-27 00:18:05
Linux Ubuntuタグが付けられた新着投稿 - Qiita ラズパイであそぼ 〜UbuntuServerを入れて〜 https://qiita.com/noradogg/items/22ae6277bf8d09bce5c9 osubu 2022-05-27 00:06:40
Docker dockerタグが付けられた新着投稿 - Qiita Docekr 基礎知識① https://qiita.com/nejioooo/items/e45ee1ea14618ac679d7 docker 2022-05-27 00:01:03
技術ブログ Developers.IO FessでブラウザからS3を手軽に検索してみた https://dev.classmethod.jp/articles/search-s3-on-fess/ 除外 2022-05-26 15:46:36
海外TECH Ars Technica Dealmaster: Binge The Orville and more with this $1-per-month Hulu deal https://arstechnica.com/?p=1856345 things 2022-05-26 15:14:57
海外TECH MakeUseOf IKEA’s New Smart Home Hub Shows the Matter Protocol Will be Worth the Wait https://www.makeuseof.com/ikea-dirigera-hub-matter-compatible/ october 2022-05-26 15:45:14
海外TECH MakeUseOf The Best Soundscape Apps to Help You Relax and Prepare for Sleep https://www.makeuseof.com/best-soundscape-apps-relax-sleep/ The Best Soundscape Apps to Help You Relax and Prepare for SleepAmbient sounds can help you relax and recover Whether you re trying to concentrate meditate or fall asleep try these soundscape apps 2022-05-26 15:45:13
海外TECH MakeUseOf How to Create and Add Mockups to Your Figma Designs Using Plugins https://www.makeuseof.com/figma-how-to-create-add-mockups-with-plugins/ figma 2022-05-26 15:30:14
海外TECH MakeUseOf Get a Standing Desk for a Steal with FlexiSpot Discounts (Limited Time Deal) https://www.makeuseof.com/flexispot-discounts/ great 2022-05-26 15:24:13
海外TECH MakeUseOf 5 Ways to Fix DISM Error 2 in Windows 11 https://www.makeuseof.com/windows-11-dism-error-2-fix/ windows 2022-05-26 15:15:13
海外TECH DEV Community Beginners Guide to Consuming REST APIs in React https://dev.to/olawanle_joel/beginners-guide-to-consuming-rest-apis-in-react-2blg Beginners Guide to Consuming REST APIs in React IntroductionReact is a popular frontend framework that developers use to create applications You will need to integrate APIs into your React application at some point if you want to build real world applications Every developer who wants to build modern real world web applications with React must understand how to consume APIs to fetch data into React applications In this beginners guide we will learn how to consume RESTful API in React including fetching deleting and adding data We ll also go over the two main ways to consume RESTful APIs and how to use them with React hooks What Is a REST API If you ve ever spent any time programming or researching programming you ve almost certainly come across the term API API stands for Application Programming Interface and it is a medium that allows different applications to communicate programmatically with one another and return a response in real time Roy Fielding defined REST as an architectural style and methodology commonly used in the development of internet services such as distributed hypermedia systems in It is an acronym that stands for REpresentational State Transfer When a request is made via a REST API it sends a representation of the resource s current state to the requester or endpoint This state representation can take the form of JSON JavaScript Object Notation XML or HTML JSON is the most widely used file format because it is language independent and can be read by both humans and machines For example userId id title sunt excepturi body quia et suscipit nsuscipit recusandae consequuntur userId id title qui est esse body est rerum tempore vitae nsequi sint nihil Consuming REST API s in ReactConsuming REST APIs in a React Application can be accomplished in a variety of ways but in this guide we will look at two of the most popular approaches Axios a promise based HTTP client and Fetch API a browser in built web API Note To fully comprehend this guide you should be familiar with JavaScript React and React hooks as they are central to it Before we get into how to consume APIs it s important to understand that consuming APIs in React is very different from how it s done in JavaScript because these requests are now done in a React Component In our case we would be using functional components which necessitates the use of two major React Hooks useEffect Hook In React we perform API requests within the useEffect hook so that it renders either immediately when the app mounts or after a specific state is reached This is the general syntax that will be used useEffect gt data fetching here useState Hook When we request data we must prepare a state in which the data will be stored when it is returned We can save it in a state management tool such as Redux or in a context object To keep things simple we ll store the returned data in the React local state const posts setPosts useState Let s now get into the meat of this guide where we ll learn how to get add and delete data using the JSONPlaceholder posts API This knowledge is applicable to any type of API as this guide is intended for beginners Consuming APIs Using The Fetch APIThe Fetch API is a JavaScript built in method for retrieving resources from a server or an API endpoint This is built in and does not require the installation of any dependencies or packages The fetch method requires a mandatory argument which is the path or URL to the resource you want to fetch and then returns a Promise so you can handle success or failure using the then and catch methods A basic fetch request is very simple to write and looks like this We are simply fetching data from a URL that returns data as JSON and then logging it to the console fetch then response gt response json then data gt console log data Note The default response is usually a regular HTTP response rather than the actual JSON but we can get our output as a JSON object by using the response s json method Performing GET Request in React With Fetch APIThe HTTP GET method can be used to request data from an endpoint as previously stated the Fetch API accepts one mandatory argument which is true it also accepts an option argument which is optional especially when using the GET method which is the default however for other methods such as POST and DELETE it is necessary to attach the method to the options array fetch url method GET default so we can ignore So far we ve learned how things work so let s put everything we ve learned together and perform a get request to fetch data from our API As previously stated we ll be using the free online API JSONPlaceholder to fetch a list of posts into our application import React useState useEffect from react const App gt const posts setPosts useState useEffect gt fetch then response gt response json then data gt console log data setPosts data catch err gt console log err message return consume here We created a state in the preceding code to store the data we will retrieve from the API so that we can consume it later in our application and we also set the default value to an empty array const posts setPosts useState The major operation then occurred in the useEffect state so that the data posts are fetched as soon as the application loads The fetch request yields a promise which we can either accept or reject useEffect gt fetch then response gt console log response This response contains a large amount of data such as the status code text and other information that will be needed to handle errors later So far we ve handled a resolve using then but it returned a response object which isn t what we wanted so we need to resolve the Response object to JSON format using the json method which also returns a promise for us to get the actual data using the second then useEffect gt fetch then response gt response json then data gt console log data setPosts data If we look at the console we ll see that we ve retrieved posts from our API which we ve also set to the state we specified earlier This is not complete because we have only handled the promise s resolve and not the promise s rejection which is handled using the catch method useEffect gt fetch then response gt response json then data gt console log data setPosts data catch err gt console log err message So far we have seen how to perform a GET request this can be consumed easily into our aplication by looping through our array const App gt return lt div className posts container gt posts map post gt return lt div className post card key post id gt lt h className post title gt post title lt h gt lt p className post body gt post body lt p gt lt div className button gt lt div className delete btn gt Delete lt div gt lt div gt lt div gt lt div gt export default App Performing POST Request in React With Fetch APIThe HTTP POST method can be used to send data from an endpoint it works similarly to the GET request with the main difference being that the method and two additional parameters must be added to the optional object const addPosts async title body gt await fetch method POST body JSON stringify title title body body userId Math random toString slice headers Content type application json charset UTF then response gt response json then data gt setPosts posts gt data posts setTitle setBody catch err gt console log err message The major parameters that will appear strange are the body and header The body holds the data we want to pass into the API which we must first stringify because we are sending data to a web server and the header tells the type of data which is always the same when consuming REST API s We also set the state to hold the new data and distribute the remaining data into the array Looking at the addPost method we created it expects these data from a form or whatever in our case I created a form obtained the form data via states and then added it to the method when the form was submitted import React useState useEffect from react const App gt const title setTitle useState const body setBody useState const addPosts async title body gt await fetch method POST body JSON stringify title title body body userId Math random toString slice headers Content type application json charset UTF then response gt response json then data gt setPosts posts gt data posts setTitle setBody catch err gt console log err message const handleSubmit e gt e preventDefault addPosts title body return lt div className app gt lt div className add post container gt lt form onSubmit handleSubmit gt lt input type text className form control value title onChange e gt setTitle e target value gt lt textarea name className form control id cols rows value body onChange e gt setBody e target value gt lt textarea gt lt button type submit gt Add Post lt button gt lt form gt lt div gt lt div gt export default App Performing DELETE Request in React With Fetch APIThe HTTP DELETE method can be used to remove data from an endpoint it works similarly to the GET request with the main difference being the addition of the method const deletePost async id gt await fetch id method DELETE then response gt if response status setPosts posts filter post gt return post id id else return This is triggered when the button is clicked and we get the id of the specific post in which the button was clicked and then we remove that data from the entire retuned data This will be removed from the API but not immediately from the UI which is why we have added a filter to remove the data as well For each item in the loop your delete button will look like this const App gt return lt div className posts container gt posts map post gt return lt div className post card key post id gt lt div className button gt lt div className delete btn onClick gt deletePost post id gt Delete lt div gt lt div gt lt div gt lt div gt export default App Using Async Await in Fetch APISo far we ve seen how to make fetch requests normally using the promise syntax which can be confusing at times due to the Then comes the chaining We can avoid the then chaining by using Async await and write more readable code To use async await first call async in the function and then when making a request and expecting a response add the await syntax in front of the function to wait until the promise settles with the result When we use async await all of our Fetch requests will look like this import React useState useEffect from react const App gt const title setTitle useState const body setBody useState const posts setPosts useState GET with fetch API useEffect gt const fetchPost async gt const response await fetch const data await response json console log data setPosts data fetchPost Delete with fetchAPI const deletePost async id gt let response await fetch id method DELETE if response status setPosts posts filter post gt return post id id else return Post with fetchAPI const addPosts async title body gt let response await fetch method POST body JSON stringify title title body body userId Math random toString slice headers Content type application json charset UTF let data await response json setPosts posts gt data posts setTitle setBody const handleSubmit e gt e preventDefault addPosts title body return export default App Handling ErrorsIn this section we ll look at how to handle errors both traditionally and with async await We can use the response data to handle errors in the Fetch API or we can use the try catch statement when using async await Let s look at how we can do this normally in Fetch API const fetchPost gt fetch then response gt if response ok throw Error response statusText return response json then data gt console log data setPosts data catch err gt console log err message You can read more about Fetch API errors here And for async await we can use the try and catch like this const fetchPost async gt try const response await fetch const data await response json setPosts data catch error console log error Consuming APIs Using AxiosAxios is an HTTP client library based on promises that makes it simple to send asynchronous HTTP requests to REST endpoints This end point in our case is the JSONPlaceholder Posts API to which we will make GET POST and DELETE requests Installing and Configuring an Axios InstanceAxios unlike the Fetch API is not built in so we will need to incorporate it into our project in order to use it We can add Axios to our project by running the following command npm install axiosOnce this has been successfully installed we can proceed to create an instance which is optional but recommended as it saves us from unnecessary repetition To create an instance we use the create method which can be used to specify information such as the URL and possibly headers import axios from axios const client axios create baseURL Performing GET Request in React With AxiosWe will use the instance we declared earlier for this and all we will do is set the parameters if any and get the response as json by default Unlike the Fetch API method no option is required to declare the method we simply attach the method to the instance and query it useEffect gt client get limit then response gt setPosts response data Performing POST Request in React With AxiosAs previously stated the POST method can be used to send data to an endpoint it functions similarly to the GET request with the main difference being the requirement to include the method and an option to hold the data we are sending in const addPosts title body gt client post title title body body then response gt setPosts posts gt response data posts Performing DELETE Request in React With AxiosWe can perform delete requests using the delete method which would get the id and delete it from the API and we would also use the filter method to remove it from the UI as we did with the Fetch API method const deletePost id gt client delete id setPosts posts filter post gt return post id id Using Async Await in AxiosSo far we ve seen how to make Axios requests using the promise syntax but now let s see how we can use async await to write less code and avoid the then chaining When we use async await all of our Axios requests will look like this import React useState useEffect from react const App gt const title setTitle useState const body setBody useState const posts setPosts useState GET with Axios useEffect gt const fetchPost async gt let response await client get limit setPosts response data fetchPost Delete with Axios const deletePost async id gt await client delete id setPosts posts filter post gt return post id id Post with Axios const addPosts async title body gt let response await client post title title body body setPosts posts gt response data posts const handleSubmit e gt e preventDefault addPosts title body return export default App Handling ErrorsFor promise based axios requests we can use the then and catch methods but for async await we can use the try catch block This is very similar to how the Fetch API was implemented the try catch block will look like this const fetchPost async gt try let response await client get limit setPosts response data catch error console log error You can read more about handling errors with Axios here Fetch API vs AxiosYou may have noticed some differences but it would also be nice for us to notice some differences These distinctions will assist you in deciding which method to use for a specific project Among these distinctions are AxiosFetchAxios is a standalone third party package that is simple to install Fetch is built into most modern browsers no installation is required as such Axios uses the data property Fetch uses the body property Axios data contains the object Fetch s body has to be stringified When the status is and the statusText is OK the Axios request is accepted Fetch request is ok when response object contains the ok property Axios performs automatic transforms of JSON data Fetch is a two step process when handling JSON data first to make the actual request second to call the json method on the response Axios allows cancelling request and request timeout Fetch does not Axios has built in support for download progress Fetch does not support upload progress Axios has wide browser support When the status is and the statusText is OK the Axios request is accepted Fetch is only compatible with Chrome Firefox Edge and Safari This is known as Backward Compatibility ConclusionIn this guide we learned how to consume REST APIs in react using either the Fetch API or Axios This will assist you in getting started with API consumption in React and from there you will be able to perform more unique data consumptions and API manipulation 2022-05-26 15:48:37
海外TECH DEV Community Okta Authentication with Appwrite https://dev.to/appwrite/okta-authentication-with-appwrite-3jh6 Okta Authentication with AppwriteFor the longest time Appwrite has supported an extensive list of external authentication providers to enable our developers to reduce friction for their users and give them the freedom to work with platforms they like With the recent release of Appwrite we added new authentication providers one of which was Okta Let s go ahead now to learn how we can set up Okta authentication in our applications using Appwrite New to Appwrite Appwrite is an open source back end as a service that abstracts all the complexity of building a modern application by providing a set of REST and Realtime APIs for your core back end needs Appwrite takes the heavy lifting for developers and handles user authentication and authorization databases file storage cloud functions webhooks and much more PrerequisitesTo follow along with this tutorial you ll need access to an Appwrite project or permissions to create one If you don t already have an Appwrite server running follow the official installation tutorial to set one up Once you create a project on the Appwrite Console you can head over to Users →Settings to find the list of the supported OAuth providers This is where we will set up the Okta OAuth provider You will also need an Okta Developer account and if you don t have one you can easily create one for free by visiting okta com developers Configure Okta OAuthOnce our Appwrite project is up and running we must create an Application Integration in the Okta Dashboard Once you re on the Applications page under the Applications dropdown in the menu just click on the Create App Integration button and create an app integration with the Sign in method as OIDC OpenID Connect and the Application type as Web Application Click on the Next button fill in a suitable name for the app integration and copy the redirect URL from Appwrite s Okta OAuth Setting dialog by navigating to the OAuth Providers list in Users →Settings on the Appwrite Dashboard to add to the Allowed sign in redirect URIs field Make sure to set the Controlled access field as per your application requirements You will be redirected to your new Application Integration page where you can find the Client ID Client Secret and Okta Domain on the General tab Enable Okta in AppwriteVisit Users →Settings on the Appwrite Dashboard and enable the Okta OAuth provider You ll be asked to enter the Client ID Client Secret and Okta Domain from the previous step Copy those from your Okta Application Integration Page and paste them to Appwrite s Okta OAuth setting dialog Additionally you can also create a Custom Authorization Server and add the custom Authorization Server ID in Appwrite s Okta OAuth setting dialog instead of leaving it empty for the default Authorization Server ID ‍Implement Sign In with Okta in Your ProjectOnce you have set up Okta OAuth credentials in the Appwrite console you are ready to implement Okta Sign In in your project Let s see how we can do it on various platforms You can use our client SDKs for various platforms to authenticate your users with OAuth providers Before you can authenticate you need to add our SDK as dependency and configure it with an endpoint and project ID To learn to configure our SDKs you can follow the getting started guide for each platform The appropriate links are provided in each section below Once you have the SDK configured you can instantiate and call the account service to create a session from the OAuth provider Below are the examples for different platforms to initialize clients and perform OAuth login WebFirst you need to add a web platform in your project from the Appwrite console Adding a web platform allows Appwrite to validate the request it receives and also prevents cross origin errors in web In the project settings page click on Add Platform button and select New Web App In the dialog box that appears give a recognizable name to your platform and add the host name of your application Follow the Getting Started for Web guide for detailed instruction on how to use Appwrite with your web application const appwrite new Appwrite appwrite setEndpoint YOUR END POINT setProject YOUR PROJECT ID try await appwrite account createOAuthSession okta YOUR END POINT auth oauth success YOUR END POINT auth oauth failure catch error throw error FlutterFor Flutter in Android to properly handle redirecting your users back to your mobile application after completion of OAuth flow you need to set the following in your AndroidManifest xml file lt manifest gt lt application gt lt Add this inside the lt application gt tag alongside the existing lt activity gt tags gt lt activity android name com linusu flutter web auth CallbackActivity android exported true gt lt intent filter android label flutter web auth gt lt action android name android intent action VIEW gt lt category android name android intent category DEFAULT gt lt category android name android intent category BROWSABLE gt lt data android scheme appwrite callback YOUR PROJECT ID gt lt intent filter gt lt activity gt lt application gt lt manifest gt You also need to add the Flutter platform in your project from the Appwrite console Adding Flutter platforms allows Appwrite to validate the request it receives and also prevents requests from unknown applications In the project settings page click on Add Platform button and select New Flutter App In the dialog box that appears select the appropriate Flutter platform give a recognizable name to your platform and add the application ID or package name based on the platform You need to follow this step for each Flutter platform you will build your application for For more detailed instructions on getting started with Appwrite for Flutter developers follow our official Getting Started for Flutter guide Finally you can call account createOAuthSession from your application as shown below import package appwrite appwrite dart void main async final client new Client client setEndpoint YOUR END POINT setProject YOUR PROJECT ID final account Account client try await account createOAuthSession provider okta catch error throw error AndroidFor Android to properly handle redirecting your users back to your mobile application after completion of OAuth flow you need to set the following in your AndroidManifest xml file lt manifest gt lt application gt lt Add this inside the lt application gt tag alongside the existing lt activity gt tags gt lt activity android name io appwrite views CallbackActivity android exported true gt lt intent filter android label android web auth gt lt action android name android intent action VIEW gt lt category android name android intent category DEFAULT gt lt category android name android intent category BROWSABLE gt lt data android scheme appwrite callback YOUR PROJECT ID gt lt intent filter gt lt activity gt lt application gt lt manifest gt You also need to add the Android platform in your project from the Appwrite console Adding Android platforms allows Appwrite to validate the request it receives and also prevents requests from unknown applications In the project settings page click on Add Platform button and select New Android App In the dialog box that appears give your platform a recognizable name and add the package name of your application For more detailed instructions on getting started with Appwrite for Android developers follow our official Getting Started for Android guide Finally you can call account createOAuthSession from your application as shown below import androidx appcompat app AppCompatActivityimport android os Bundleimport kotlinx coroutines GlobalScopeimport kotlinx coroutines launchimport io appwrite Clientimport io appwrite services Accountclass MainActivity AppCompatActivity override fun onCreate savedInstanceState Bundle super onCreate savedInstanceState setContentView R layout activity main val client Client applicationContext setEndpoint YOUR ENDPOINT Your API Endpoint setProject YOUR PROJECT ID Your project ID val account Account client GlobalScope launch account createOAuthSession activity this MainActivity provider okta AppleTo capture the Appwrite OAuth callback URL the following URL scheme needs to add to your Info plist lt key gt CFBundleURLTypes lt key gt lt array gt lt dict gt lt key gt CFBundleTypeRole lt key gt lt string gt Editor lt string gt lt key gt CFBundleURLName lt key gt lt string gt io appwrite lt string gt lt key gt CFBundleURLSchemes lt key gt lt array gt lt string gt appwrite callback YOUR PROJECT ID lt string gt lt array gt lt dict gt lt array gt You also need to add the Apple platform in your project from the Appwrite console Adding Apple platforms allows Appwrite to validate the request it receives and also prevents requests from unknown applications In the project settings page click on Add Platform button and select New Apple App In the dialog box that appears select the appropriate Apple platform tab and give your platform a recognizable name and add the package name of your application For each supported Apple platform you need to follow this process For more detailed instructions on getting started with Appwrite for iOS developers follow our official Getting Started for Apple guide Finally you can call account createOAuthSession from your application as shown below import Appwritelet client Client setEndpoint YOUR ENDPOINT setProject YOUR PROJECT ID let account Account client account createOAuthSession provider okta result in switch result case failure let err print err message case success print logged in ConclusionAnd that s all it takes to implement Okta OAuth based authentication with Appwrite You can view the following resources as well if you want to explore Appwrite further Appwrite DocsAppwrite DiscordAppwrite GitHub 2022-05-26 15:19:50
海外TECH DEV Community Were you ever fired as a junior developer? What’s your story? https://dev.to/sloan/were-you-ever-fired-as-a-junior-developer-whats-your-story-oij Were you ever fired as a junior developer What s your story This is an anonymous post sent in by a member who does not want their name disclosed Please be thoughtful with your responses as these are usually tough posts to write Email sloan dev to if you d like to leave an anonymous comment or if you want to ask your own anonymous question I m curious to know if anyone on DEV has been fired has heard of anyone being fired from a junior dev position and how that affected their career and ability going forward 2022-05-26 15:12:20
海外TECH DEV Community This is Exciting: A New Destination for All Things DevOps https://dev.to/devteam/this-is-exciting-a-new-destination-for-all-things-devops-1gpb This is Exciting A New Destination for All Things DevOpsI am very excited to highlight a new Forem The Ops Community It is a new space dedicated to DevOps SecOps IT Managers SREs and other cloud native professionals If you work in DevOps you know that it is a fast moving field where keeping up with the pulse is critical ーbut that can be difficult and overwhelming Whether good information gets lost in a sea of JavaScript tutorials or is confined to chat spaces and Twitter threads separating signal from noise is critical for your career and needs to be just a bit easier We invited some folks yesterday to join and the space is already thriving The Ops Community ️ The Ops Community is a place for cloud engineers of all experience levels to share tips amp tricks tutorials and career insights community ops io If you are a full on DevOps professional or simply trend in that direction of the IT spectrum this is going to be a very useful resource and community for you Please take a moment to join right now and post in the Welcome Thread Thank you to Blink for stewarding this community Happy Opsing One last thing You ll notice Sign up with Forem as an option on these Forems This is a service we now offer to most seamlessly navigate the ecosystem and manage your identity We want you to be able to bring your full self without having to bring your full data so making this distributed ecosystem as straightforward as possible in the long run is really important Create a Forem account and connect it with your DEV account via your settings 2022-05-26 15:11:01
Apple AppleInsider - Frontpage News Tim Cook donates $100,000 to his high school's band https://appleinsider.com/articles/22/05/26/tim-cook-donates-100000-to-his-high-schools-band?utm_medium=rss Tim Cook donates to his high school x s bandApple CEO Tim Cook has donated to help fund the purchase of new instruments for the band at the Alabama high school he attended Tim CookThe gift which went to the Robertsdale High School band was used by the Baldwin county public School system to purchase new instruments for students The new instruments included flutes horns and tubas Alabama news outlet Al com has reported Read more 2022-05-26 15:54:48
Apple AppleInsider - Frontpage News Microsoft Office for Mac lifetime license is still on sale for $49.99 (85% off) https://appleinsider.com/articles/22/05/26/microsoft-office-for-mac-lifetime-license-is-still-on-sale-for-4999-85-off?utm_medium=rss Microsoft Office for Mac lifetime license is still on sale for off The best Microsoft Office for Mac deal we ve seen is still going strong heading into the Memorial Day weekend with a lifetime Home Business license discounted to under while supplies last Save on a lifetime Microsoft Office for Mac Home Business licenseMicrosoft Office for Mac just Read more 2022-05-26 15:37:01
Apple AppleInsider - Frontpage News GoDice review: Make game night more fun with these Bluetooth-enabled dice https://appleinsider.com/articles/22/05/26/godice-review-make-game-night-more-fun-with-these-bluetooth-enabled-dice?utm_medium=rss GoDice review Make game night more fun with these Bluetooth enabled diceGoCube the maker of Bluetooth enabled puzzle cubes has released its newest product ーGoDice We took a look at these fun new dice to see if they d be a worthy addition to game night GoDice is a set of five Bluetooth enabled six sided dice The dice pair with a companion app which keeps track of your score for a bunch of popular games Read more 2022-05-26 15:06:37
海外TECH Engadget What we bought: How a $200 pepper mill became my favorite kitchen gadget https://www.engadget.com/mannkitchen-pepper-cannon-irl-153031695.html?src=rss What we bought How a pepper mill became my favorite kitchen gadgetLet s get this out of the way right off the bat a pepper mill is an inherently ridiculous product I mean really we re talking about a device designed to turn dried berries yes peppercorns are technically a stone fruit into a powder you can sprinkle on food You can buy a totally decent pepper mill for under from brands like OXO Or if that s too much you can simply buy your pepper pre ground please don t though or opt for one of those pre filled disposable grinders My point here is that there are a ton of pepper mills that don t cost two Benjamins and are more than capable of getting the job done But even so I love my Pepper Cannon and since getting it it s quickly become one of my absolute favorite kitchen gadgets Sam Rutherford Engadget OK now that I ve roasted my overpriced pepper grinder at least let me put up a defense While I ve always hated the word I m sort of a foodie and during the pandemic cooking felt like one of the few activities that I could still enjoy while being confined indoors And given the spike in people learning to make bread from scratch and all the social media food trends over the last two and a half years I m clearly not the only one who feels this way So a while back when I was searching for ways to upgrade my kitchen gadgets I stumbled on Männkitchen s Kickstarter campaign for the Pepper Cannon Like a lot of people at the time I was using cheap pre filled pepper grinders from the grocery store But after cooking more during the pandemic I had become frustrated with how annoying they are to use Their low quality components often made cranking the grinder feel like trying to open a stuck pickle jar And even when I was able to get a twist or two in I was often left with a coarse pile of pepper sand so small even Anakin couldn t find it irritating Here s how much more pepper the Pepper Cannon produced despite being cranked the same number of times as a pre filled grinder And as you can see the Pepper Cannon wasn t even using its coarsest setting Sam Rutherford Engadget The bigger issue was that after testing out countless models in stores I never really found an upgrade that had the design or output I was looking for A lot of pepper mills look like they were made out of a handrail from a pre war brownstone If that s your style fine but it doesn t work in my kitchen More importantly I wanted something simple durable and easy to use that allows me to adjust grind sizes while cranking out big mounds of pepper Then came my mistake because after finding the Pepper Cannon I forgot to back it in time to get the off early bird discount is still a lot for a pepper mill but it s damn sure less than Thankfully my wife is both thoughtful and encourages my stupid obsessions so last year she bought me one for Christmas after it went on sale for the holidays And I can t thank her enough because in a lot of ways it s a perfect gift It s so expensive you can t really justify buying it for yourself but you still want it anyway so you need someone to give you a loving push So once again while its price is kind of outrageous the Pepper Cannon really delivers everything I wanted and needed The thing is milled from a big piece of aluminum it s got an adjustable grinder with burrs made from stainless steel a one touch top that makes it super simple to refill and a built in catch cup Oh and it absolutely pumps out pepper When I first heard about it I thought calling it a cannon was silly but after owning one for six months it makes total sense Also I should mention it s so heavy you might even be able to use it to stop a home invasion At this point some of you may be wondering who the hell needs THAT much pepper It s true this grinder seems like overkill But nailing seasoning is one of the best ways to improve your cooking and I m willing to bet there are a lot of people who would be surprised how much of a difference an extra sprinkle of salt or pepper can have on a dish Thankfully salt is easy as it doesn t gain much from being freshly ground But pepper definitely does and as America s Test Kitchen attests newly crushed berries contain a lot of tasty volatile compounds that disappear from pre ground stuff while it sits in a tin So regardless of whether I m making a spice rub or pumping out a pile of the good stuff for biscuits and gravy it s really nice to have a fast and reliable way to churn large quantities of fresh black pepper Refilling the pepper cannon is as easy as pressing down on its lone top button Sam Rutherford Engadget That said I should point out that even a pepper mill this pricey ain t perfect The o ring on the catch cup is a tiny bit too tight for my liking though I suspect that will get better as it breaks in over time It s also only available in black which might not suit everyone s kitchen decor And because it s so damn expensive I don t really want to buy a second one for white pepper or other spices But those are really the most minor nitpicks because in every other meaningful way it s basically my perfect pepper mill Honestly my bigger concern about buying a pepper mill this expensive comes from a scene from Fight Club In some respects paying a x premium for a kitchen gadget feels like a by product of a lifestyle obsession No one wants the things they own to end up owning them But then I remember the search for a nice pepper grinder didn t come from a desire to put a trophy on my counter It s a way to enhance a hobby I m passionate about Cooking is something I enjoy and hopefully my family enjoys the results Sure the Pepper Cannon is an extremely luxurious kitchen gadget but it s still just a tool Look you don t need to buy a super expensive pepper mill But at the very least please stop using pre ground pepper or low quality disposable mills Sam Rutherford Engadget Clown on me all you like for thirsting after a premium pepper mill though there are a lot of chefs way better than me who like it too But at the end of the day everyone has something they get overly enthusiastic about Besides the real joy comes from having a kitchen full of tools that makes cooking both easier and more fun at the same time And ideally that s what all good gadgets should do even if the Pepper Cannon is only a small part of a longer ingredient list 2022-05-26 15:30:31
海外TECH Engadget Launchkey 88 brings a luxurious keybed to a budget MIDI controller https://www.engadget.com/novation-launchkey-88-midi-controller-ableton-live-150037763.html?src=rss Launchkey brings a luxurious keybed to a budget MIDI controllerNovation already makes five different versions of its venerable Launchkey series of MIDI controllers ranging from the travel friendly Launchkey Mini all the way up to the studio centerpiece Launchkey But for some keys isn t enough And a serious piano player might balk at the unweighted keys But now Novation offers the Launchkey with a semi weighted keybed The latest addition to the family essentially bridges the gap between the budget minded Launchkey and the higher end SL series which starts at The Launchkey keeps the cost to just by leaving out more advanced features like CV outputs color screens and built in sequencer But if you re primarily producing in the box you probably won t miss the extras that much Terrence O Brien Engadget This is to be expected and it s not a con but the Launchkey is huge It s not the controller for you if space is at a premium I honestly had trouble finding room for it in my small attic studio That being said the keybed is excellent I m not a piano player and have no particular allegiance to weighted keys but these were clearly a step above your average MIDI controller They lack the springy bounce of the cheaper members of the Launchkey line and I found it much easier to get nuanced velocity response Otherwise the hardware is basically the same as the rest of the Launchkey line It s all plastic but feels solid enough The velocity sensitive pads are passable but nothing to write home about The faders have an excellent amount of resistance but are a tad wobbly And the knobs are incredibly solid but a tad small The pitch and mod wheels are lovely though full stop The resistance is perfect and they re rock solid Going back to the touch strips on other controllers feels like punishment Terrence O Brien Engadget Of course the big selling point of any Launchkey device is its tight integration with Ableton Live It s not quite good enough to go completely mouse and keyboard free but you can get a lot accomplished directly on the controller You can launch clips from the pads control macros with the knobs and mix your tracks with the faders You have control over send effects the panning and there s a dedicated button for looping a portion of your track to jam over as well as a capture MIDI button in case you play something truly inspired but forgot to hit record You can do quite a bit with looking at the computer though it can be a bit tough to navigate larger projects There are some odd quirks right now though that will presumably get ironed out in firmware and script updates pretty quickly Specifically Live gets confused by playing in the upper octaves There s a couple of dead zones from G through E for example and some keys in the highest octave trigger various recording modes instead of notes The arpeggiator is still incredible though The random Mutate and Deviate features make it easy to create unique patterns and introduce a little unpredictability to a composition This is the feature that has me coming back to the Launchkey line again and again in my personal studio And the five pin MIDI DIN connection allows you to bring that top notch arpeggiator to hardware synths However I still think the controller is best suited to a primarily software based setup Terrence O Brien Engadget The Launchkey isn t a true luxury MIDI controller It s really an affordable workhorse But it does go a bit beyond some of its more affordable competitors and even its siblings The expansive size probably isn t necessary for most producers but the semi weighted keybed does make a huge difference in playability And I d love to see Novation bring it to the smaller members of the family like the Launchkey which is probably a bit more my speed and easier to shove on my cramped desk The Launchkey is available now for 2022-05-26 15:00:37
海外科学 BBC News - Science & Environment Ancient DNA reveals secrets of Pompeii victims https://www.bbc.co.uk/news/science-environment-61557424?at_medium=RSS&at_campaign=KARANGA vesuvius 2022-05-26 15:32:10
金融 RSS FILE - 日本証券業協会 株券等貸借取引状況(週間) https://www.jsda.or.jp/shiryoshitsu/toukei/kabu-taiw/index.html 貸借 2022-05-26 15:30:00
金融 金融庁ホームページ 金融審議会「市場制度ワーキング・グループ」(第17回)議事録について公表しました。 https://www.fsa.go.jp/singi/singi_kinyu/market-system/gijiroku/20220425.html 金融審議会 2022-05-26 17:00:00
ニュース BBC News - Home Actor Kevin Spacey charged with sexual assault https://www.bbc.co.uk/news/uk-61597747?at_medium=RSS&at_campaign=KARANGA gloucestershire 2022-05-26 15:56:29
ニュース BBC News - Home BBC to move CBBC and BBC Four online https://www.bbc.co.uk/news/entertainment-arts-61591674?at_medium=RSS&at_campaign=KARANGA davie 2022-05-26 15:29:53
ニュース BBC News - Home Sue Gray report: More Tory MPs join calls for PM to quit over Partygate https://www.bbc.co.uk/news/uk-politics-61592728?at_medium=RSS&at_campaign=KARANGA covid 2022-05-26 15:40:57
ニュース BBC News - Home Radio 1's Adele Roberts on living with her stoma Audrey https://www.bbc.co.uk/news/uk-61597867?at_medium=RSS&at_campaign=KARANGA colostomy 2022-05-26 15:13:51
ニュース BBC News - Home Which countries are doing the most to tackle energy bills? https://www.bbc.co.uk/news/61522123?at_medium=RSS&at_campaign=KARANGA bills 2022-05-26 15:02:57
北海道 北海道新聞 中国「ソロモン支える」 外相会談、安保で影響拡大 https://www.hokkaido-np.co.jp/article/685994/ 中国外務省 2022-05-27 00:22:00
北海道 北海道新聞 パートナー制度、帯広市が原案 同性らのカップルも市営住宅に入居可能 https://www.hokkaido-np.co.jp/article/685919/ 市営住宅 2022-05-27 00:17:00
北海道 北海道新聞 大阪・関西万博、若者交流の場を 関西経済同友会の角元代表幹事 https://www.hokkaido-np.co.jp/article/685993/ 三井住友銀行 2022-05-27 00:16:00
北海道 北海道新聞 つり上げ、難航11時間 日没後にようやく姿現す 潮流速く大幅遅れ 知床・観光船事故 https://www.hokkaido-np.co.jp/article/685991/ 知床半島 2022-05-27 00:15:18
北海道 北海道新聞 阿寒湖温泉街「きこりの家」改装しギャラリー開設 第1弾に井上さん「動物画展」 https://www.hokkaido-np.co.jp/article/685902/ 阿寒湖温泉 2022-05-27 00:15:02
北海道 北海道新聞 米大統領とBTS対談へ アジア人差別問題で https://www.hokkaido-np.co.jp/article/685987/ 米大統領 2022-05-27 00:06:00
GCP Cloud Blog Building an integrated ecosystem to keep your enterprise secure https://cloud.google.com/blog/products/chrome-enterprise/extending-chrome-enterprise-through-new-security-partner-integration/ Building an integrated ecosystem to keep your enterprise secureBuilding a more integrated ecosystem to keep your enterprise secureIt isn t always clear where your next threat will come from but being prepared is the best possible response plan As you steer your enterprise through an increasingly complex world you need to be ready to thwart cyberattacks online At Google we have always been committed to protecting users online from cyberattacks from Chrome browser which protects billions of devices daily with Google s Safe Browsing technology to Chrome OS devices which have never had a reported successful ransomware attack nor has there been any evidence of a documented successful virus attack But protection against online threats requires more than securing an endpoint or browser it requires securing the full computing stack from silicon to cloud To further that goal we re announcing new ways to help you stay prepared for potential security threats with  New partner security integrations New data controls in Chrome OS to help secure your dataLatest hardware updates to keep your enterprise safeTogether these new features help accelerate our goal of moving organizations from legacy systems to more secure cloud first platforms while also streamlining IT workflows  New partner security integrations To help security teams better manage the tools they need to use we re introducing the Chrome Enterprise Connectors Framework a collection of plug and play integrations with industry leading security solution providers These integrations offer better protection for users and endpoints and give IT teams more tools to report on security incidents Overall we re making it easier to help organizations work toward a Zero Trust model Integrations are available right now for Chrome browser and Chrome OS in these areas For identity and user access the Netskope Security Cloud integrationNewoptimizes user access to critical data based on verifying the user the device and the action requested by the user The Okta Identity Engine s policy support for Chrome OS provides IT with robust and flexible authentication controls For Endpoint Management across mobile and desktop the BlackBerryUEM integrationNew and Samsung Knox Manage integrationNew now allow IT to manage Chrome OS devices all in one pane of glass In addition to these two new integrations VMware Workspace ONE will update its existing integration to the new Chrome Policy API and will be available through our Trusted Tester Program soon For Security Insights and Reporting Chrome browser reporting integrations afford IT teams added visibility into security events across Google Workspace and Cloud products and leading partner solutions For example the Splunk Cloud Platform integrationNewgives IT actionable insights into potentially risky events like navigating to a malicious site downloading malware and reusing corporate passwords Palo Alto Networks and Crowdstrike integrations will be available through our Chrome Enterprise Trusted Tester Program soon There s more good news we have created a Security amp Trust category within Chrome Enterprise Recommended to help enterprises find validated partner solutions and integrations For more information on getting started with these integrations you can also visit the Chrome Enterprise Help Center page New data controls in Chrome OS to help secure your dataIt is absolutely critical to protect your most sensitive data from being leaked or stolen Chrome OS Data ControlsNewwill prevent data leakage on endpoints by allowing IT to define rules within Chrome OS on when to trigger controls for different actions including copy and paste screen capture printing and other activities that could lead to data loss You can request access to the Trusted Tester Program here Stay tuned for updates Latest hardware updates to keep your enterprise safeDevice security is equally important for both end users and IT HP Elite Dragonfly Chromebook the first Chrome OS device with Intel vProEnterprise allows users to work confidently with features like HP Privacy Camera Fingerprint Sensor and optional HP Sure View privacy screen HP Proactive Insightsprovides IT with access to critical device health performance and security insights to resolve problems before they happen Sign up for a free trial here Intel vProEnterprisefor Chrome OS provides comprehensive hardware based security via two key features Key Locker which can protect disk encryption keys and prevent leaks and IntelTotal Memory Encryption IntelTME which helps ensure data leaving the chip to system memory is encrypted How to get startedThat was a lot to digest so here s how to try out all these new features Get started with the Chrome browser and Splunk integration today right in Chrome Browser Cloud Management Request access to the Chrome Enterprise Trusted Tester Program Palo Alto Networks and Crowdstrike Chrome browser integrations will be available soon Take advantage of HP s free trial of Proactive Insights compatible with a variety of HP Chrome OS devices Register for Chrome Enterprise Day on June to learn more about the latest solutions in the Chrome Enterprise ecosystem including all the integrations mentioned in this blog Related ArticleRead Article 2022-05-26 16:00:00
GCP Cloud Blog Extending Chrome’s Security to Google Workspace and Cloud https://cloud.google.com/blog/products/chrome-enterprise/extending-chromes-security-insights-to-google-cloud-and-workspace-products/ Extending Chrome s Security to Google Workspace and CloudExtending Chrome s Security Insights to Google Workspace and Google CloudToday we announced the Chrome Enterprise Connectors Framework a better way for businesses to easily integrate Chrome browser with popular security platforms such as Splunk Palo Alto Networks and CrowdStrike We re also excited to extend support for Google Workspace and other Cloud products including Google Cloud Pub Sub Chronicle BeyondCorp Enterprise and Chrome Browser Cloud Management to help IT teams gain useful insights about potential security threats and events from Chrome This will help protect users when they  Navigate to a known malicious site  Download or upload files containing known malware Reuse corporate passwords on non approved sites  Change corporate passwords after reusing them on non approved sites This comes at no additional cost for enterprises already using these Google products Let s look at how you can connect these integrations  Getting Started is SimpleAll of these integrations are set and configured through Chrome Browser Cloud Management accessible through the Google Admin console If you don t have an account already you can create one by following these steps to enroll and manage many aspects of your users browsers You can learn more about that in our previous post on new ways to secure Chrome  Once in the Admin console you can configure Security events reporting to view these events directly in the audit log of the console Google WorkspaceAs a Google Workspace customer IT teams already have access to the Google Admin console From there organizations can enroll their Chrome browser and get detailed information about their browser deployment You can also set policies manage extensions and more The Chrome management policies can be set to work alongside any user based policies that may be in place through Workspace  Once you ve enabled Security events reporting pictured above you can then view reporting events within audit logs Premium Google Workspace customers including those on Enterprise Plus or Education Plus plans can use the Workspace Security Investigation Tool to identify triage and act on potential security threats Google Cloud BeyondCorp EnterpriseGoogle s Zero Trust access solution BeyondCorp Enterprise was the first product to integrate with Chrome as part of businesses threat and data protection Last week we launched BeyondCorp Enterprise Essentials to provide organizations an easier way to begin their Zero Trust journey and offer a consistent security layer to the workforce by providing key threat and data protection capabilities These features filter and block harmful URLs in real time identify phishing sites stop downloads and transfers of malicious content prevent the loss of sensitive data prohibit pasting of protected content and enforce data protection policies In addition to these security protections all of the security events and insights from Chrome such as malware transfer and unsafe site visits are available to BeyondCorp Enterprise and BeyondCorp Enterprise Essentials customers Sending Security Events to Chronicle and Google Cloud Pub SubIn addition to viewing these events in Audit Logs and Security Investigation Tool you can export these events to other Google products such as Chronicle and Cloud PubSub by navigating to Devices gt Chrome gt Connectors Google Chronicle Google Cloud s cloud native Chronicle delivers modern threat detection investigation and response by unifying all security telemetry and driving insights with threat intelligence Earlier this year we launched context aware detections to provide organizations with the ability to prioritize alerts with additional context and risk scoring Now critical web based data from Chrome can be viewed alongside other security events so security teams can use additional context to make better decisions Chrome has worked for years to keep your users and corporate data safe With a variety of integration options provided IT teams have the flexibility to work with different Google technologies or their own preferred cybersecurity solutions to further secure their environments Here s how you can get started with Chrome Browser Cloud Management Google Cloud Pub SubMany IT professionals have embraced Pub Sub to unify their data sources By integrating with Chrome security events sent to Pub Sub can then be fed into security reporting tools or a security intelligence platform of choice Related ArticleRead Article 2022-05-26 16:00: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件)