投稿時間:2023-05-03 23:24:00 RSSフィード2023-05-03 23:00 分まとめ(28件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
TECH Techable(テッカブル) 7万ダウンロードを突破した歩き旅アプリ「膝栗毛」、新ルートが開通 https://techable.jp/archives/204652 hizakurige 2023-05-03 13:00:59
AWS AWS Database Blog Secure your data with Amazon RDS for SQL Server: A guide to best practices and fortification https://aws.amazon.com/blogs/database/secure-your-data-with-amazon-rds-for-sql-server-a-guide-to-best-practices-and-fortification/ Secure your data with Amazon RDS for SQL Server A guide to best practices and fortificationSecuring SQL Server databases in the cloud is critical and Amazon Relational Database Service for SQL Server Amazon RDS provides several security features to help ensure the confidentiality integrity and availability of your database instances These features include data encryption at rest and in transit secure user authentication and authorization mechanisms network isolation and fine grained … 2023-05-03 13:09:28
js JavaScriptタグが付けられた新着投稿 - Qiita ブラウザゲームを作ってみよう(その14:サンプルゲーム作成その7) https://qiita.com/noji505/items/9b09e7b7c8dc675f3349 追加 2023-05-03 22:31:15
Docker dockerタグが付けられた新着投稿 - Qiita Win11にDocker Desktopなしでコンテナ環境をつくる https://qiita.com/mont_blanc/items/df63c79f66f88f443c49 docker 2023-05-03 23:00:01
海外TECH MakeUseOf Why Did Email Stop Syncing on Android? 8 Ways to Fix It https://www.makeuseof.com/email-stopped-syncing-android-fix/ android 2023-05-03 13:45:16
海外TECH MakeUseOf 5 Tips to Optimize JavaScript Arrays https://www.makeuseof.com/javascript-arrays-optimize-tips/ javascript 2023-05-03 13:30:15
海外TECH MakeUseOf How to Use AgentGPT to Deploy AI Agents From Your Browser https://www.makeuseof.com/how-use-agentgpt-deploy-ai-agents-from-your-browser/ agentgpt 2023-05-03 13:20:15
海外TECH MakeUseOf The 9 Best Online Triathlon Training Plans and Programs https://www.makeuseof.com/best-online-triathlon-training-plans-programs/ plans 2023-05-03 13:16:17
海外TECH DEV Community How to implement a date picker in React https://dev.to/refine/how-to-implement-a-date-picker-in-react-1n5l How to implement a date picker in ReactAuthor Irakli Tchigladze IntroductionHaving a date picker that is simple intuitive and consistent may be necessary to ensure users have a good experience using your web application Building a date picker in React is more difficult than it looks Even a simple calendar that lets users choose a date is fairly difficult to build from scratch Task gets especially difficult when you want to include advanced features like selecting a range of dates Fortunately the React community has come up with various libraries that provide easy to use customizable and consistent date pickers for your projects In this article we ll show you how to implement a date picker using the react datepicker library and how to customize the date picker s appearance and functionality for your use case react datepicker is a lightweight library with a lot of features To build a simple React date picker all you need to do is import the custom component and set two props Advanced features require only a little more time Create a Datepicker SetupIn this article we ll use react datepicker in a live environment CodeSandbox You can use npm to install the package in an existing project npm install react datepickerOnce installed import the custom DatePicker component in the file where you want to use it import DatePicker from react datepicker You also need to import CSS styles to display elements in all their beauty import react datepicker dist react datepicker css Create a basic date pickerDatePicker is a controlled component In other words the selected date is stored in the state and the date picker gets its value from the state So we need to initialize the state In class components we initialize a state object and use the setState method to update it In functional components we have the useState hook that creates a state variable and the function to update it In this case a state variable will hold the selected date The react datepicker library exports a custom component by default When you import it you can choose any name you want In this case we named it DatePicker Every DatePicker component must have at least two props to work selected set to the selected date stored in the state It is similar to value prop on lt input gt elements onChange set to a callback function with one argument which stands for the date selected by the user The function body should call the updater function returned by the useState hook to update the state import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date return lt div gt lt DatePicker selected date onChange date gt setDate date gt lt div gt As simple as that users can select a date Try it yourself on CodeSandbox Implement Common Features Set initial dateIn class components you set a default date when the state object is initialized In functional components we can set a default date by passing a date value as an argument to the useState hook For example useState new Date will set it to today the current date Sometimes it s better to have no default date at all You can add a placeholder text to help users pick the right date Simply set the placeholderText prop on the custom component When the user picks a date the onChange event handler will update the state Select a range of datesSelecting a range of dates is a very common and useful feature for booking accommodation a round trip or any other purpose Open source enterprise application platform for serious web developersrefine new enables you to create React based headless UI enterprise applications within your browser that you can preview tweak and download instantly By visually combining options for your preferred React platform UI framework backend connector and auth provider you can create tailor made architectures for your project in seconds It feels like having access to thousands of project templates at your fingertips allowing you to choose the one that best suits your needs Select range within one componentBy default one DatePicker component selects a single date value import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date return lt div gt lt DatePicker selected date onChange date gt setDate date gt lt div gt You can modify the event handler to select a range of dates The function will accept an array of two values startDate and endDate and select the dates between them So far we ve only created one state variable So our component is not equipped to store two dates We need to create new startDate and endDate state variables to store the beginning and end of the range of dates We ll also create functions to update them import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date const startDate setStartDate useState const endDate setEndDate useState return lt div gt lt DatePicker selected date onChange date gt setDate date gt lt div gt We ll need to change the event handler as well When users select a range of values the argument passed to the function won t be a single value but an array of two dates We need to destructure the array to get both the start and end of the range Then we can update their corresponding state variables import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date const startDate setStartDate useState const endDate setEndDate useState const handleChange range gt const startDate endDate range setStartDate startDate setEndDate endDate return lt div gt lt DatePicker selected date onChange handleChange gt lt div gt When selecting a single date it was possible to write an inline event handler like so import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date return lt div gt lt DatePicker selected date onChange date gt setDate date gt lt div gt Selecting a range of dates makes handleChange a bit more complex so it can t be an inline event handler You ll need to define it outside the tsx and reference it as the value of the onChange prop import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date const startDate setStartDate useState const endDate setEndDate useState const handleChange range gt const startDate endDate range setStartDate startDate setEndDate endDate return lt div gt lt DatePicker selected date onChange handleChange gt lt div gt Next we need to add startDate endDate and selectsRange props to the custom component Set startDate and endDate props to their respective state values selectsRange is simply a boolean prop import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date const startDate setStartDate useState const endDate setEndDate useState const handleChange range gt const startDate endDate range setStartDate startDate setEndDate endDate return lt div gt lt DatePicker selected startDate onChange onChange startDate startDate endDate endDate selectsRange gt lt div gt Using two separate componentsYou can also use two DatePicker components to select the range One component will select the start and another the end We still need to create state variables startDate and endDate Let s say the first component selects a start date Set the selectsStart prop to specify its purpose Set selected and startDate props to values from the state and onChange to a simple handler that updates the startDate state variable import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date const startDate setStartDate useState const endDate setEndDate useState return lt div gt lt DatePicker selectsStart selected startDate onChange date gt setStartDate date startDate startDate gt lt div gt Next we need a second DatePicker component with a selectsEnd prop to specify that it selects the end of the range The component should get its values from the state So selected and endDate props should be set to the endDate state variable The onChange function should update the endDate state variable import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date const startDate setStartDate useState const endDate setEndDate useState return lt div gt lt DatePicker selectsStart selected startDate onChange date gt setStartDate date startDate startDate gt lt DatePicker selectsEnd selected endDate onChange date gt setEndDate date endDate endDate startDate startDate minDate startDate gt lt div gt The React date picker that selects the end should have a startDate prop as well Also have the minDate prop set to the start date This will ensure that users can t select an end date that comes earlier than the start date Select timeAllow users to select both date and time by adding the showTimeSelect prop to your DatePicker This could be a useful use case for booking appointments or meetings showTimeSelect will allow users to select time intervals etc Set the timeIntervals prop to show minute or minute intervals instead minTime and maxTime props allow you to disable times before or after a certain time For example set minTime to and maxTime to Users will only be able to select times from to pm import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date return lt div gt lt DatePicker showTimeSelect minTime new Date maxTime new Date selected date onChange date gt setDate date gt lt div gt Set the dateFormat prop to display both date and time within the field For example import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date return lt div gt lt DatePicker showTimeSelect minTime new Date maxTime new Date selected date onChange date gt setDate date dateFormat MMMM d yyyy h mmaa gt lt div gt If you want users to enter their own time instead of selecting it replace the showTimeSelect with the showTimeInput boolean prop Conditionally disable datesUse filterDate prop to conditionally disable dates in the calendar Set its value to a callback function that returns a condition Users will be able to select only dates that meet the condition Dates that do not meet the condition will be disabled For example here s a function that returns false for dates less than earlier than today and true for higher later dates You can similarly check if the date is a weekend a weekday or a holiday or disable dates based on any other condition import React useState from react import DatePicker from react datepicker export default function App const date setDate useState new Date const weekend date gt new Date lt date return lt div gt lt DatePicker showTimeSelect filterDate weekend selected date onChange date gt setDate date gt lt div gt For example you might want to disable past dates so users can t select them when booking accommodation or flights You can also use minDate and maxDate props to disable all dates before or after a certain date filterTime prop allows you to conditionally disable time values For example disable out of office hours Other optionsLet s see how to implement various other features classNameYou can set className to customize the appearance of the custom DatePicker component calendarClassNameYou can use the calendarClassName prop to customize the appearance of the calendar itself Increase font size padding background color etc highlightDatesSet the highlightDates prop to an array of date values that should be highlighted isClearableSimply add the isClearable prop to the date picker to display a button to reset the selected date localeUse the locale prop to specify the date locale For example use English British instead of the default US locale dayClassNamedayClassName prop allows you to customize the appearance of each day in the calendar You can pass it a callback function that returns a ternary operator dayClassName will apply the className only if the day meets a condition timeClassNameThis prop allows you to customize the appearance of time selections Set the timeClassName prop to a callback function that returns a ternary operator It will apply the className value if the time meets a condition dateFormatThe value of the dateFormat prop specifies the format of date values minDateSet the minimum date all dates earlier than minDate will be disabled excludeDatesSet excludeDates prop to an array of date values that should be excluded All other dates will be included includeDatesSet includeDates prop to an array of date values that should be included All other dates will be excluded excludeDateIntervalsSet the value of the excludeDateIntervals prop to an array of objects with two properties start and end The array can have multiple intervals All dates outside of intervals will be included includeDateIntervalsJust like the previous prop the value of includeDateIntervals should be an array of objects intervals with two properties start and end Date intervals specified in the array will be included All dates outside of these intervals will be disabled disabledAdd this boolean prop to disable your datepicker It works similarly to HTML elements disabled attribute shouldCloseOnSelectBy default the calendar closes when the user selects a date If you want the calendar to stay open set the shouldCloseOnSelect prop to true showMonthDropdown and showYearDropdownSometimes users need to select dates far ahead of time showMonthDropdown and showYearDropdown props allow users to select dates from specific months or years in the future showMonthYearPickerAllow users to pick months and years instead of specific dates monthsShownBy default a date picker shows a calendar where users can select a date Use the monthsShown prop to specify the number of months that should display simultaneously For example setting monthsShown to will allow users to select dates or ranges from days ConclusionDate pickers are sometimes a web application s most important feature In this article we showed how to create basic React date picker using react datepicker package implementing advanced features and their possible use cases Hopefully our article has helped you make best use of the react datepicker package to create datepickers in a short time 2023-05-03 13:44:47
海外TECH DEV Community Scikit-Learn Code Snippets for Common Machine Learning Tasks: A Comprehensive Guide for Beginners https://dev.to/phylis/scikit-learn-code-snippets-for-common-machine-learning-tasks-a-comprehensive-guide-for-beginners-2358 Scikit Learn Code Snippets for Common Machine Learning Tasks A Comprehensive Guide for Beginners IntroductionMachine learning is a subfield of artificial intelligence that has gained immense popularity over the years It involves the use of algorithms to analyze and extract patterns from data making it possible for machines to learn from experience and make predictions or decisions without being explicitly programmed One of the most widely used libraries for machine learning in Python is scikit learn In this blog we will cover scikit learn code snippets for common machine learning tasks that beginners can use to get started with their projects Snippets for Common Machine Learning Tasks Loading the Iris Dataset The Iris dataset is a well known dataset in the machine learning community It consists of samples of iris flowers with samples of each of three different species from sklearn datasets import load irisiris load iris X y iris data iris targetSplitting Data into Training and Testing Sets It is important to split the data into training and testing sets to evaluate the performance of the machine learning model The following code can be used to split the data from sklearn model selection import train test splitX train X test y train y test train test split X y test size random state Building a Decision Tree Classifier Decision trees are simple yet powerful models for classification The following code can be used to build a decision tree classifier from sklearn tree import DecisionTreeClassifierclf DecisionTreeClassifier random state clf fit X train y train Evaluating the Model Performance Once the model is built it is important to evaluate its performance The following code can be used to calculate the accuracy of the model on the test set from sklearn metrics import accuracy scorey pred clf predict X test accuracy accuracy score y test y pred print f Accuracy accuracy Conclusion Scikit learn provides a comprehensive set of tools for machine learning in Python In this blog we covered scikit learn code snippets for common machine learning tasks that beginners can use to get started with their projects With the help of these snippets users can load datasets split data into training and testing sets build machine learning models and evaluate their performance These code snippets provide a great starting point for anyone looking to explore the world of machine learning using Python 2023-05-03 13:18:43
Apple AppleInsider - Frontpage News Google rolls out support for passkeys across its services https://appleinsider.com/articles/23/05/03/google-rolls-out-support-for-passkeys-across-its-services?utm_medium=rss Google rolls out support for passkeys across its servicesAhead of World Password Day Google now allows users to use passkeys to sign into their Google Accounts on all major platforms Image Credit GoogleOn Wednesday Google announced that it began offering passkeys as an effort to move toward a passwordless future Read more 2023-05-03 13:56:29
Apple AppleInsider - Frontpage News iPhone buyers still flocking towards Pro models, against historical trends https://appleinsider.com/articles/23/05/03/iphone-buyers-still-flocking-towards-pro-models-against-historical-trends?utm_medium=rss iPhone buyers still flocking towards Pro models against historical trendsFollowing the turn of a new year iPhone buyers tend to choose the less expensive models ーbut that s not the case in People have been choosing more expensive iPhonesHistorical data shows that people who buy an iPhone later are more likely to choose a more affordable model according to a new report from Consumer Intelligence Research Partners Since the firm began tracking it in the weighted average retail price of iPhones sold in the US US WARP has decreased each March quarter Read more 2023-05-03 13:46:05
Apple AppleInsider - Frontpage News EcoFlow Advanced Kit review: Power your whole house with batteries https://appleinsider.com/articles/23/05/02/ecoflow-advanced-kit-review-power-your-whole-house-with-batteries?utm_medium=rss EcoFlow Advanced Kit review Power your whole house with batteriesBatteries are replacing gasoline in not only cars but now generators The EcoFlow Advanced Kit ーcomprised of two individual EcoFlow Delta Pros ーis a prime example of the future of generator power EcoFlow Delta Pro unit for Advanced KitThe Advanced Kit is a safer and more efficient energy option for when a blackout happens and you need power fast Read more 2023-05-03 13:59:57
海外TECH Engadget The best gifts for grads under $50 https://www.engadget.com/best-gifts-for-grads-under-50-114506320.html?src=rss The best gifts for grads under Gifting can be difficult at any time but it s been particularly hard over the past couple of years You may still be working with a tight budget but you also want to give that grad in your life something that can help make the transition to post school life a bit easier and more fun The tech gifts that come to mind immediately ーiPhones smartwatches game consoles and the like ーare not exactly budget friendly But there are handy gadgets out there that won t drain your wallet Here s Engadget s list of the best tech gifts under for new graduates Anker Nano Pro WAnker s latest W charger will be a handy gift for any grad More often than not the new gadgets we buy today don t come with AC adapters so having an extra on hand can t hurt The Nano Pro can fast charge the latest iPhones to percent in only minutes plus it s smaller than Apple s own W adapter It also has advanced features like a Dynamic Temperature Sensor which keeps the charger from overheating and a power tuner chip which adjusts power output depending on the connected device It may not be the trendiest graduation gift but it s one that your grad will likely take with them to work on vacations and elsewhere Blink MiniNew graduates moving out into a new apartment will feel a certain peace of mind knowing they can keep an eye on their abode while they re out all day That s especially true for any that have pets patiently waiting for them at home A Blink Mini security camera has all of the features they d need to check in every once in a while and it s footprint is so small that they ll easily be able to find a place for it The camera will record p video when it senses motion and it ll send an alert to your grad s phone so they can view the footage It also supports two way audio so they can comfort their furry friends with their voices as needed And while Blink does have a subscription plan that lets you store video clips to the cloud it s not necessary if you re just using the camera as a second pair of eyes Plus you can download any video clips you want to save to your phone for safe keeping Bitdo Pro We ve been fans of Bitdo s affordable multi platform controllers for quite some time and the Pro is no exception You can use it with the Nintendo Switch and on Windows macOS Android and Raspberry Pi and you re able to map functions to buttons using its companion smartphone app The Pro also adds new bumper buttons under each arm something the previous version did not have In general Bitdo s controllers are more ergonomic than say relying on a keyboard and mouse when playing PC games They re also a dramatic improvement over the Switch s Joy Cons which if we re honest aren t the most comfortable controllers to use for long stretches of time The Pro charges up via USB C but you can also remove the battery pack and replace it with AA batteries if you know you won t be able to charge up frequently Cosori Stainless steel electric kettleMultitaskers are crucial in the kitchen especially when you re fighting with your countertops for space One of the best kitchen gadgets with many uses is an electric kettle and you don t have to spend a ton to get a decent one Cosori makes a few good models including this stainless steel one that comes in at only It has a six cup capacity and claims it can boil water in less than three minutes which means new graduates won t have to wait long to make a cup of coffee or tea cook some ramen noodles or get broth ready for soup We also like that it has an automatic shutoff safety feature that powers down the machine seconds after water comes to rolling boil Chipolo OneHelp your grad keep track of their things by getting them a gadget like the Chipolo One This Bluetooth tracker is one of our favorites because its separation alerts are top notch What that means in practice is if your grad leaves their keys or wallet with the One attached to it somewhere say at a coffee shop they ll get a notification to their phone quickly after they leave telling them they left something behind Chipolo s tech will even give you directions via your maps app to the precise location of your lost stuff in the event that you miss the original notification The Chipolo One is also a good pick for anyone really since it works on iPhones and Android devices Anker Power BankThe Anker Power Bank is something everyone should keep with them at all times but new graduates will find it particularly useful The last thing they want to worry about is their phone dying on them in the middle of a busy day of job interviews side hustle work and adulting chores Only slightly larger than a tube of lipstick the Power Bank will slide easily into most bags and backpacks and they could probably get away with sticking it in their pocket if they re rushing out the door It has a mAh capacity that can easily top up a phone that s inching closer and closer to zero percent battery life Plus it has a built in foldable plug for use as a power adapter if they happen to be near an outlet They ll have to provide their own USB C cable for charging but they probably have one of those lying around already anyway Yeti Rambler water bottleEveryone needs a good water bottle they can take with them almost everywhere and Yeti s ounce Ramber will be a good pick for most people It has a simple design made of stainless steel plus double wall vacuum insulation that keeps cold drinks cold and hot drinks hot for longer It s shatter resistant so it can take an accidental beating and it s dishwasher safe for easy cleanup and care We like the “chug cap that comes with it ーit s best used with cold drinks so maybe that will encourage your grad to use this Yeti for all day hydration instead of all day caffeination This Ramber also comes in more than a dozen different colors so you should be able to find one that fits in with the rest of your giftee s stuff Baggu Standard Set of reusable bagsReusable tote bags are handy to have whenever you leave the house New graduates may find themselves in need of one when they stop to get ingredients to make dinner on their way home from work or when they unexpectedly buy something while out with friends Baggu s reusable totes are some of our favorites not only because they come in a ton of fun colors and designs but also because they re durable and machine washable They re made from ripstop nylon that s easy to fold up into a small square and toss into any backpack or purse so there s really no excuse not to keep one with you at all times Plus each bag can hold up to pounds worth of stuff so they shouldn t buckle under the weight of a week s worth of groceries Logitech Signature M MouseWe generally recommend Logitech mice to most people and the Signature M is a great one for a new graduate to toss in their bag to use both at home and work It has a relatively small profile along with a precision scroll wheel and buttons that are quieter than those on other mice Whether they re working in an office with an open floor plan or next to their roommate at their WFH desk they won t distract anyone with the sounds of constant clicking or scrolling This model has two customizable side buttons that allow them to really make the accessory their own plus it connects to computers via Bluetooth or USB receiver But the best part is that it should last up to two years on one AA battery before they need to change it one less gadget they need to remember to recharge regularly is a great thing Roku Streaming Stick KNew grads are pretty cash strapped so most of them are not going out to buy a new TV immediately after getting their diploma Regardless of if their old set is smart or not you can give it a refresh by gifting them a streaming device like the Roku Streaming Stick K This one in particular gives them access to Roku s operating system which is easy to use Not only does it provide access to all the heavy hitters ーNetflix Disney Hulu Apple TV and others ーbut Roku also has its own channels that let you watch some news movies and TV shows for free The Streaming Stick K supports K content as its name suggests plus HDR long range WiFi AirPlay and input from a few voice assistants Lyft gift cardYou may not want to think about all the nights your grad has been out until am but it s likely they ve clocked a few of those by now Giving them an easy way to get home will not only be a welcomed convenience but also a safety measure Hopping in a Lyft or an Uber as soon as they ve made the decision to bounce will make it so they don t have to wait for public transit that may not arrive on time or at all or beg a friend of a friend for a ride Not to mention they ll feel a huge sense of relief knowing that the next time they go out their ride home is already taken care of Repel Windproof Double Vented travel umbrellaHear us out ーa good umbrella is an unexpected yet invaluable gift Few things are worse than getting stuck in a downpour on your way to work especially if you use public transit to get there Repel s windproof travel umbrella is just the right size ーnot too big or too small at inches in length ーand its nine reinforced fiberglass ribs prevent it from being blown inside out easily We also like its single button design allowing you to open or close it with one hand Repel s umbrella is one of those practical gifts that your grad will be glad to have at the most crucial times and they ll save money in the long run by not needing to buy a new cheap umbrella every time the skies open up Tribit Stormbox Micro We wanted to give a nod to the Tribit Stormbox Micro here even though it s normally priced at but you can find it on sale for around The portable speaker world is vast and that can make it hard to pick a decent one as a gift for a graduate that you may not fully understand their listening habits The Micro is a good all around pick because it s small enough to toss in most bags and it packs a ton of volume Whether they are hosting a party at home or listening with friends outside the Micro has enough volume for all types of settings We like its onboard controls as well along with its rubbery rear strap that makes it easy to attach to things like belts and bike handlebars Instant Vortex Mini air fryerWhile technically priced at more than we wanted to include the Instant Vortex Mini here in part because it s often on sale for around Also it s a powerful little air fryer that any new graduate should be able to fit into even the most cramped of kitchen setups It has an easy to use touchscreen with a few different cooking modes but we expect most graduates will use it to cook snacks like mozzarella sticks and reheat leftovers to crispy perfection We recommend checking out our air fryer guide if you want to give them something a little bigger that can cook more food at once ーbut if you re only looking out for your grad and maybe their partner or favorite roommate the Instant Vortex Mini will feed them well This article originally appeared on Engadget at 2023-05-03 13:16:01
海外TECH Engadget AMD's Ryzen 7040U chips promise speedier graphics for thin-and-light laptops https://www.engadget.com/amds-ryzen-7040u-chips-promise-speedier-graphics-for-thin-and-light-laptops-130527019.html?src=rss AMD x s Ryzen U chips promise speedier graphics for thin and light laptopsNow that AMD has rounded out its high performance mobile CPUs it s turning its attention to chips for thin laptops The company has introduced Ryzen U processors that it claims can outrun the competition particularly for gamers who may need to be content with integrated graphics They all tout RDNA based Radeon M GPUs that tout the enhancements seen on desktop video cards A Ryzen with the Radeon M runs between percent to percent faster than an equivalent Intel th gen Core i P series chip AMD claims That s at p with low graphics settings but it could make some games playable that weren t an option before AMD also believes the Ryzen U line offers better raw computing power than rivals The Zen architecture is said to deliver between percent to percent better app performance than not just the Core i but percent to percent over the M found in Apple s inch MacBook Pro AMD is relying on synthetic benchmarks to make the claim and is testing its highest end Ryzen part but that may be worth considering if you plan to edit videos or juggle multiple productivity apps The new hardware also brings Ryzen AI acceleration to offload some work from the chip s main compute units AMD also boasts of improved efficiency to provide the quot longest possible time quot on battery power although it doesn t provide estimates That s likely to vary based on the CPU model and exact laptop The initial lineup includes four processors The Ryzen U is aimed at the entry level with four cores eight processing threads a base GHz clock speed up to GHz and MB of cache At the mid range the Ryzen U uses six cores threads a baseline GHz speed up to GHz and MB of cache The Ryzen U is slightly faster with Ryzen AI support a GHz clock up to GHz The top end Ryzen U includes eight cores threads Ryzen AI a GHz starting clock up to GHz and MB of cache All four models have a thermal design power between W and W We d expect laptop manufacturers to begin using the Ryzen U relatively quickly It s too early to say if the advertised performance gains manifest in real life but AMD is clearly confident it has some major advantages over rivals This article originally appeared on Engadget at 2023-05-03 13:05:27
海外科学 NYT > Science El Niño, Global Weather Pattern Tied to Intense Heat, Is Expected by Fall https://www.nytimes.com/2023/05/03/climate/el-nino-extreme-weather-2024.html temperatures 2023-05-03 13:32:30
海外TECH WIRED Twitter Really Is Worse Than Ever https://www.wired.com/story/twitter-really-is-worse-than-ever/ accounts 2023-05-03 13:45:00
海外TECH WIRED Green Innovation Has a Glamour Problem https://www.wired.com/story/green-innovation-has-a-glamour-problem/ costly 2023-05-03 13:37:43
海外ニュース Japan Times latest articles Russia accuses Ukraine of attempt to kill Putin with drones https://www.japantimes.co.jp/news/2023/05/03/world/kremlin-drone-attack/ Russia accuses Ukraine of attempt to kill Putin with dronesAn aide to Ukrainian President Volodymyr Zelenskyy said Kyiv had nothing to do with the reported incident which he said could be used by the 2023-05-03 22:37:10
海外ニュース Japan Times latest articles Kabuki kids: The children of Japan’s traditional theater https://www.japantimes.co.jp/culture/2023/05/03/stage/kabuki-kids-children-japans-traditional-theater/ Kabuki kids The children of Japan s traditional theaterThe son of a renowned actress and grandson of a famed kabuki actor year old Maholo Terajima has made history as the first recognized dual national 2023-05-03 22:35:29
海外ニュース Japan Times latest articles ‘Father of the Milky Way Railroad’: Writer biopic plays to domestic audience’s love of a good cry https://www.japantimes.co.jp/culture/2023/05/03/films/film-reviews/father-of-the-milky-way-railroad/ Father of the Milky Way Railroad Writer biopic plays to domestic audience s love of a good cryKoji Yakusho and Masaki Suda give strong performances as father and son in a film about Kenji Miyazawa one of Japan s beloved authors of children s 2023-05-03 22:27:00
海外ニュース Japan Times latest articles ‘Sanctuary’: Bad boy of sumo’s journey doesn’t pack a punch https://www.japantimes.co.jp/culture/2023/05/03/tv/sanctuary/ Sanctuary Bad boy of sumo s journey doesn t pack a punchCentered on a brutish underdog the Netflix series about professional sumo offers satisfying heft in its action sequences but its uneven storyline is anticlimactic 2023-05-03 22:25:43
ニュース BBC News - Home Kremlin drone attack: Russia accuses Ukraine of trying to assassinate Putin https://www.bbc.co.uk/news/world-europe-65471904?at_medium=RSS&at_campaign=KARANGA moscow 2023-05-03 13:17:08
ニュース BBC News - Home Coronation protests allowed, security minister insists https://www.bbc.co.uk/news/uk-65466825?at_medium=RSS&at_campaign=KARANGA groups 2023-05-03 13:02:23
ニュース BBC News - Home Stephen Tompkinson trial: Actor 'caused traumatic brain injuries' https://www.bbc.co.uk/news/uk-england-tyne-65466493?at_medium=RSS&at_campaign=KARANGA actor 2023-05-03 13:38:17
ニュース BBC News - Home Jimmy Fallon and Stephen Colbert shows off-air due to TV writers' strike https://www.bbc.co.uk/news/world-us-canada-65433099?at_medium=RSS&at_campaign=KARANGA strike 2023-05-03 13:16:08
ニュース BBC News - Home Tori Bowie: American three-time Olympic medallist and ex-world champion dies aged 32 https://www.bbc.co.uk/sport/athletics/65471163?at_medium=RSS&at_campaign=KARANGA champion 2023-05-03 13:16:58
海外TECH reddit lmao I found Deuce's phone https://www.reddit.com/r/NightRavenCollege/comments/136jzw7/lmao_i_found_deuces_phone/ lmao I found Deuce x s phoneWho loses their phone going for a walk Big doubt he started jogging and it just fell out he s not active enough for dat Anyone know where he is rn dw I ll give it back to him in return for some epic favor submitted by u curiousanon to r NightRavenCollege link comments 2023-05-03 13:05:03

コメント

このブログの人気の投稿

投稿時間: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件)