投稿時間:2023-08-10 02:19:06 RSSフィード2023-08-10 02:00 分まとめ(23件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… Beats、史上最もパワフルで高精度なオーバーイヤーヘッドフォン「Beats Studio Pro」を販売開始 https://taisy0.com/2023/08/10/175137.html beats 2023-08-09 16:13:14
AWS AWS News Blog New — File Release for Amazon FSx for Lustre https://aws.amazon.com/blogs/aws/new-file-release-for-amazon-fsx-for-lustre/ New ーFile Release for Amazon FSx for LustreAmazon FSx for Lustre provides fully managed shared storage with the scalability and high performance of the open source Lustre file systems to support your Linux based workloads FSx for Lustre is for workloads where storage speed and throughput matter This is because FSx for Lustre helps you avoid storage bottlenecks increase utilization of compute resources and … 2023-08-09 16:23:58
AWS AWS Media Blog 12 Partner Solutions now available in the M&E Solutions Library https://aws.amazon.com/blogs/media/12-new-me-partner-solutions-now-available-in-aws-solutions-library/ Partner Solutions now available in the M amp E Solutions LibraryAmazon Web Services AWS has added new Partner Solutions tailored for media and entertainment M amp E applications to the AWS Solutions Library Designed as a pathway to enable customers to deliver better outcomes faster the AWS Solutions Library features purpose built technologies ready to deploy software packages and customizable architectures offered by AWS and AWS Partners Each new … 2023-08-09 16:22:16
js JavaScriptタグが付けられた新着投稿 - Qiita Javascript におけるTree Shakingとは? https://qiita.com/GS-AI/items/2bed4cecb0bd24878ee6 javascri 2023-08-10 01:00:47
海外TECH MakeUseOf How to Remove the Spotlight Wallpaper Icon From Windows 11’s Desktop https://www.makeuseof.com/remove-spotlight-wallpaper-icon-windows-11/ remove 2023-08-09 16:15:23
海外TECH MakeUseOf How to Disconnect Your Instagram Account From Facebook https://www.makeuseof.com/tag/disconnect-instagram-account-facebook/ learn 2023-08-09 16:05:22
海外TECH MakeUseOf 2025 Cadillac Escalade IQ Has a Huge Battery and Remarkable Range https://www.makeuseof.com/2025-cadillac-escalade-iq-revealed/ battery 2023-08-09 16:02:54
海外TECH DEV Community Introduction To Python Programming - part 2 https://dev.to/akinnimimanuel/introduction-to-python-programming-part-2-3f36 Introduction To Python Programming part Hello and welcome to Part Two of the series “Introduction to Python Programming If you have not gone through the previous episode kindly find the link below to part one Introduction to Python programming part one Python VariablesVariables are containers for storing data values Creating VariablesPython has no command for declaring a variable You just need the equals to sign to assign a variable Name Akinnimi Age print age retuns Unlike some other programming languages variables in Python can change after they have been set x x is of type intx Stefan x is now of type strprint x returns Stefan x will overwrite x CastingYou can change the data type of a particular variable by typecasting it a str a will be b int b will be c float c will be Case SensitiveVariable names are case sensitive This will create two variablesa A Sally A will not overwrite a CommentsTo make comments in Python the symbol is placed in front of the sentence Python reads and ignores the sentence The purpose of comments is for code documentation It can also be used to explain what a particular code is doing printing out Hello World print Hello World Multiline CommentsTo add a multi line comment you could insert a for each line This is a comment written in more than just one lineprint Hello World You can use a multiline string Writing out my first Python programPrinting out Hello World This is going to be fun print Hello World Python will read the code but ignore it if the text is not assigned to a variable and you have written a multiline comment Python Data TypesData types in Python specify the kind of value a variable can hold Python has several built in data types a Numeric Types int Integers e g float Floating point numbers e g b Text Type str Strings e g Hello World c Boolean Type Boolean values are TRUE or FALSEd Sequence Types list Ordered mutable collections e g tuple Ordered immutable collections e g e Mapping Type dict Key value mappings e g name Alice age f Set Types set Unordered variable collections of one of a kind elements frozen set Unordered immutable groupings of distinct components g Binary Types bytes Unchangeable sequences of bytes such as b programming bytearray Mutable sequences of bytes memoryview Provides a view into the memory of an object supporting the buffer protocol h Custom Types User defined classes and objects i Special Types NoneType Represents the absence of a value denoted by None Python NumbersThere are three numeric types in Python intfloatcomplexa intb floatC j complex Get the typeIn Python use the type method to determine the type of any object print type a returns lt class int gt print type b returns lt class float gt print type c returns lt class complex gt IntAn integer is a whole number positive or negative with no digits and an infinite length a b c print type a returns lt class int gt print type b returns lt class int gt print type c returns lt class int gt FloatA float often known as a floating point number is a positive or negative number with one or more decimals a b c print type a returns lt class float gt print type b returns lt class float gt print type c returns lt class float gt ComplexComplex numbers are denoted by a j as the imaginary part a jb jc jprint type a returns lt class complex gt print type b returns lt class complex gt print type c returns lt class complex gt Type ConversionYou can convert from one type to another with the int and float methods a intb floatc j complex convert from int to float x float a convert from float to int y int b convert from int to complex z complex a printing out their valuesprint x returns print y returns print z returns j checking their data typeprint type x returns lt class int gt print type y returns lt class float gt print type z returns lt class complex gt Python StringsIn Python strings are wrapped by either single or double quotation marks world is the same as world Using the print function you can display a string literal print Hello returns Helloprint Hello returns HelloAssign String to a Variablea Hello print a returns Hello Multiline StringsUsing three quotes you can assign a multiline string to a variable a Lorem derrym dssaawe ddfrty consectetur adipiscing elit sed do eiusmod tempor incididunt print a Or three single quotes a Lorem derrym dssaawe ddfrty consectetur adipiscing elit sed do eiusmod tempor incididunt print a String LengthUse the len method to determine the length of a string a Hello World print len a returns you will notice the whitespace between the Hello World is also counted String ConcatenationTo concatenate or combine two strings use the operator Merging two variables together with the signa Hello b World c a bprint c returns HelloWorld notice there is no space in between the hello world We will solve that in the next section To add space between the Hello World add two ““first name Emmanuel Last name Akinnimi My name first name Last nameprint My name returns Emmanuel Akinnimi space is now added Modifying StringsTo modify a string you have to call a string method on it strip removes whitespace in stringscapitalize Converts the first letter of each word to capital letter upper converts all the letters in the word to capital case lower converts all the letters in the word to lowercase Example Name “akinnimi stefan print Name capitalize returns Akinnimi Stefanprint Name upper returns AKINNIMI STEFANprint Name lower returns akinnimi stefan Check StringWe can use the method IN to see if a specific phrase or character is contained in a string favorite My favorite food is mash potatoes print food in Favorite Python Escape CharactersUse an escape character to insert characters that are not allowed into a string You will get an error when nesting double quotes inside another double quote txt “I am going to the “stadium to watch the football match print txt returns an errorThe solution is to use the backlash before the illegal character is inserted txt “I am going to the “stadium to watch the football match print txt Escape CharactersOther escape characters used in Python Code Result Single Quote Backslash n New Line t Tab b Backspace 2023-08-09 16:48:59
海外TECH DEV Community Azure Networking fundamental https://dev.to/omiossec/azure-networking-fundamental-4oa9 Azure Networking fundamentalOver the years in my work I often meet people struggling with Azure networking And it is comprehensive some of them have never been trained to do networking and some others have only a basic knowledge of on premises networking That is why I wanted to make this post At the heart of Azure Network you will find the Virtual Network or VNET A VNET let you define your network in subscription for an Azure Region In clear Azure provides a software defined private and isolated network that spans an entire region over multiple data centers What does a VNET do First it is an address space It allows us to define which prefix can be used It is also a container for subnets A subnet can be viewed as a broadcast domain or a VLAN if you prefer They use one prefix or a fraction of a prefix from the address space Every IP address in a subnet can be seen within the subnet and this is where you will connect your assets VNET is also a DHCP service it will allocate IP addresses depending on the subnet and apply DHCP options like IP reservation and DNS servers Finally VNET is also a routing space every subnet can route traffic inside the VNET so by default un VM in subnet A can contact a VM in subnet B if the two subnets belong to the same VNET Routing is an important part of understanding VNET because a VNET is also a virtual router If you have subnets in your VNET the routing service will automatically create routes to make sure these subnets communicate with each other Each subnet prefix will have a record in the route table with the virtual network as the next hop To see default routes you will need to create a VM and connect it to a subnet Then go to the virtual network interface and select effective routes in the left menu You will see your subnet prefix with Virtual Network as the next hop a default route with Internet as the next hop You will also see a list of public IP prefixes these are managed by MS so you can not use them The next hop in this case is none which means the traffic is dropped You will also see and with none as the next hop Do not worry Azure will use the virtual network next hop if you add one of these prefixes If you add a smaller prefix within these prefixes the routing rule is to route smaller prefixes first so no worry here too If you peer a VNET to another VNET a new route will be added to the VNET default route prefixes of the peered VNET with VNet peering as the next hop If your VNET can access a Virtual Network Gateway connected to an Express Route or a VPN with BGP enabled either because the VNG is directly connected to the VNET or because the VNET is peered to a VNET with a VNG Azure will override routes learned by the VNG via BGP only so ER a VPN with BGP enabled with Virtual Network Gateway as next hop and IPs of the VNG You can also enable route learning with Azure Route Server if you have an NVA Default routes can not be modified You cannot add remove or change any of these default routes But you can override these routes by adding a user define route or UDR User Defined Routes are static routes that can be added to subnets UDR is a simple object you add a prefix a destination type VNET Gateway None packets will be dropped Internet if you want to explicitly route to Internet and Virtual Appliance with the next hop IP if you want traffic to be routed through an NVA The destination could be an IP prefix but you can also use an Azure Service Tag It could be a service storage AzureBackup … or a regional tag see Another important point to understand about virtual networks is Internet access By default we see that a VNET has a default route for Internet It means that the VNET is responsible for routing packet internet to every IP from its subnets But in this case you don t control two things the public IP that will be used by VMs and the SNAT port allocation that could lead to SNAT port exhaustion packet that could not get a source nat port see To avoid that you may have to deploy either a Load Balancer or a Nat Gateway This is the basic knowledge you should have to understand and operate Azure Virtual Network Forget almost everything you know about VLAN and start to learn about routing and BGP It is more used than you think 2023-08-09 16:30:29
海外TECH DEV Community Supabase Studio 3.0: AI SQL Editor, Schema Diagrams, and new Wrappers https://dev.to/supabase/supabase-studio-30-ai-sql-editor-schema-diagrams-and-new-wrappers-297f Supabase Studio AI SQL Editor Schema Diagrams and new WrappersSupabase Studio is here with some huge new features including a brand new Supabase AI integrated right into our SQL Editor If you hate writing SQL you ll love this update Here s the highlight reel Supabase AI in the SQL Editor inline AI always ready to helpSchema Visualizer ーsee all your table schemas visually Role Management ーfine grained access to table dataShared SQL Snippets ーshare your snippets with the teamDatabase Migration UI ーyour database with receiptsWrappers UI ーeasily query foreign data Supabase AI right in the SQL EditorIn Launch Week we added Supabase AI to the Studio Through our ⌘K menu you could ask Supabase AI to do all sorts of common tasks ーcreate tables views and indexes write database functions write RLS policies and more After this release we had two key realizations people love having computers write their SQL for them many of you are using the SQL Editor as the heart and engine of your projects Today we re releasing a huge improvement to our SQL Editor First up we ve added Supabase AI directly into the editor It s always accessible and ready to help As before you can give it a prompt create an orders table for me and it will return the SQL for you but now it does so much more Supabase AI is aware of the SQL snippet in the editor and can modify it for you You can ask it to change customers to customer orders for example You can interact with the code the same way you would converse with ChatGPT until it s just right Next we ve added a diff view for changes that Supabase AI makes to your SQL snippet You can tell Supabase AI what you want changed and visualize it as you would a Git diff From this view you can accept or reject the diffs and keep asking Supabase AI to make changes until you re satisfied We ve wondered for a long time how to make it easier to teach developers how to use SQL It s fortunate we didn t solve this problem too quickly as it turns out that AI does a much better job than we could do ourselves With Supabase AI you won t even need the whole weekend to scale to millions Head over to the SQL Editor and give it a try In the coming months we re looking to sprinkle Supabase AI through more parts of the Studio With Postgres under the hood there s so much we can do with SQL and a little bit of AI to help you move fast Keep an eye out for the Supabase AI icon you never know where it will pop up next Along with these huge AI features we also added a bunch of new improvements elsewhere around the Studio Several of these features have come either from requests from the community or are contributions by community members themselves Many of the features and enhancements below came from user requests Please keep them coming Schema VisualizerFor a while now many Supabase users have been using Zernonia s Supabase Schema visualization tool While this was an amazing tool many users wanted to see something like this directly integrated into the Studio We opened an Issue for it on Github and within a day or two the wheels were in motion After a couple of weeks the feature was polished up and merged It s inspiring to see the power of open source at work This feature wasn t trivial and to see community members take it from feature request to production in just a couple of weeks is mind blowing Unquestionably we have one of the best open source communities out there Huge thanks to kamilogorek and adiologydev for their work on this Special thanks as well to Zernonia for providing the inspiration for this great new feature OSS FTW Role ManagementPostgres has built in support for managing users and roles and this release we re happy to release a UI for it in the Studio This is another extremely common feature request fulfilled almost completely by a community member A few months back we saw this PR come in out of the blue from HTMHell They built the entire thing with zero help or direction from our team We were blown away We had some changes to make on the backend to properly accommodate the UI and now we re almost ready to get this out into the wild Due to the security focus of this feature we want to make sure we do a very thorough job of testing so we re hoping to make this generally available in the next week or so Massive thanks to HTMHell amazing handle btw for the work on this Shared SQL SnippetsSpeaking of commonly requested features this one has to be in the all time top Your beautiful hand crafted SQL snippets used to be yours and yours alone Now you can share them with team members and let them bask in your technical prowess You can create a set of project wide snippets for doing common tasks making it faster to collaborate and build To share a snippet just take a personal snippet that Supabase AI you wrote and share it with the project It will show up in a new Project Snippets list that s visible to everyone on the team Teamwork makes the dream work Database Migration UIWe re releasing a new UI for working with database migrations right from the Studio Database migrations give you a way to update your database using version controlled SQL files They describe changes that you want to make to your database and also keep track of what changes have been made to your database over time As migrations get run against your project from the CLI you can see information in the Studio about when the migration was run by who and what changes were made See the documentation to get started with migrations Wrappers UIDuring Launch Week we announced Supabase Wrappers ーa framework for building foreign data wrappers with Postgres Wrappers allow your Supabase project to act as a one stop hub for your data When we released Wrappers we had support for just two providers ーStripe and Firebase We re now up to This round we re happy to release support for S ClickHouse BigQuery and Logflare Wrappers add a mind bending level of extensibility to Supabase projects You can pull data straight into your projects as though they were normal Supabase tables ーyou can even query them with our client libraries It s a whole new world of possibilities Wrapping UpWe hope you get a lot of value out of these new features and enhancements As we mentioned earlier many of the features listed here came directly from Feature Requests on GitHub Thanks to everyone who has taken the time to submit these and encourage submissions for anything else you d like to see More Launch Week Supabase Local Dev migrations branching and observabilityHugging Face is now supported in SupabaseLaunch Week Coding the stars an interactive constellation with Three js and React Three FiberWhy we ll stay remotePostgres Language Server 2023-08-09 16:30:09
海外TECH DEV Community cloneElement in React? important for interview https://dev.to/diwakarkashyap/cloneelement-in-react-important-for-interview-40n8 cloneElement in React important for interviewCertainly React cloneElement is a somewhat nuanced utility in React so let s delve deeper into its intricacies and use cases What React cloneElement DoesAt its core React cloneElement creates a new React element essentially a new instance of a component based on an existing element while allowing you to modify or extend its props Here s the signature again for clarity React cloneElement element props children Understanding the Argumentselement This is the original React element you want to clone It s crucial to understand that in React an element isn t a DOM element or component instance but rather a lightweight description of what a component s output should look like props An object representing the new props you wish to merge into the original s Props from this object will overwrite any existing props on the original element with the same keys children You can provide new children and if you do they ll replace the children of the original element Key PointsShallow Merge The new props you provide will shallowly merge with the original props meaning any object or array props will be overwritten entirely not deeply merged Ref Preserved If the original element had a ref the cloned element will keep it unless you provide a new one If you provide a new ref it will replace the old one Key Preserved The key of the original element is preserved unless you specify a new one Use CasesEnhancing Children One common use case is to iterate over children and enhance them in some way For instance if you have a lt Form gt component you might clone all child lt Input gt elements to inject some shared form behavior or context Child Manipulation When creating a wrapper or higher order component you might want to add remove or modify specific props on the children components React cloneElement lets you do this seamlessly Control Props In some controlled component patterns parent components need to control or inject certain props into their children React cloneElement allows parents to enforce or provide certain props to children ExampleHere s a practical example Let s say you want a lt ButtonGroup gt component where each button knows if it s the first or last child function ButtonGroup children const totalChildren React Children count children let childIndex return React Children map children child gt if React isValidElement child return child if not a valid React element return as is const isFirst childIndex const isLast childIndex totalChildren childIndex return React cloneElement child isFirst isLast function Button children isFirst isLast return lt button style borderRadius isFirst px px isLast px px gt children lt button gt Usagefunction App return lt ButtonGroup gt lt Button gt First lt Button gt lt Button gt Middle lt Button gt lt Button gt Last lt Button gt lt ButtonGroup gt In this example the lt ButtonGroup gt component clones each child lt Button gt and adds isFirst and isLast props to them which are then used to set specific styles CautionsPerformance Continuously cloning elements can have performance implications if done excessively or incorrectly Always ensure you re using this method judiciously Antipatterns Over reliance on React cloneElement can sometimes be an indication of a design antipattern Always evaluate if there s a clearer or more idiomatic way to achieve the desired result in React To sum up React cloneElement provides powerful capabilities to manipulate and enhance elements but as with all tools it s essential to use it judiciously and in the right contexts Thank you for reading I encourage you to follow me on Twitter where I regularly share content about JavaScript and React as well as contribute to open source projects I am currently seeking a remote job or internship Twitter GitHub Portfolio 2023-08-09 16:11:54
海外TECH DEV Community Tips and tricks for Backstage Software Templates https://dev.to/jeanlouisferey/tips-and-tricks-for-backstage-software-templates-488p Tips and tricks for Backstage Software Templates IntroI m a big fan of Backstage If you don t know what Backstage is have a look on this short video Software templatesThere is a lot of interesting features in Backstage but one of my favorite is the Software Templates This feature is already well explained by Ricardo Castro on dev to I like this feature because it permit what I call standardization by ease in opposition to standardization by constraint when somewhere in your organization a code police impose a law without telling how to implement it in your code With Software Templates you can provide to your developers some state of the art project in term of coding ci cd security documentation which will be automatically pushed in a repo of your scm system Github Gitlab Bitbucket And they will follow the best practices because it helps them Software Templates can also be used to onboard an existing component in Backstage by creating a pull request on Github or a merge request on Gitlab which propose to the project to add in the repo the catalog info yaml file used by Backstage to index the project Learn from the communityThe best way to start with Software Templates is to learn from others The first place to learn is of course the Backstage documentation But in my opinion it s easier to see how others are building their templates For that you should have a look on Backstage s Github simple but very good to begin Janus s Github which shows among many other interesting things a way to share some piece of templates Roadie s Github where you can find some tips to debug your templates Use Backstage toolsWhen you begin on Software Templates as for any other languages you make mistakes and it s a little bit boring to modify your code to push it in your Software Templates repository then to try it in Backstage to see it does not work Fortunately Backstage will help you with that There is a special place in Backstage for trying and tuning your templates You can try it on https YourBackstageInstance create edit For instance on the janus showcase portal Edit template formWhen you click on Edit template form you access to a place where you will be able to write your template and to see immediately if it works Custom field explorerParaphrasing the documentation of Backstage collecting input from the user is a very large part of the scaffolding process and Software Templates as a whole These input are made in software templates by using custom fields for instance the Repository Picker Sometimes it s not easy to understand all the possibilities of these objects Here again you can explore them with the custom field explorer for instance the OwnerEntityPicker In this example we add group in allowedKinds to limit the choice on groups and we can see immediately the result Built in actionsThere are three parts in a software template the parameters where you get inputs from your customerthe steps where you do some things with information collected in the first partthe output where you give some information to your customer about the tasks done by the template To do things in steps you use builtin actions and all these actions are not listed in the documentation But there are listed directly in the application on https YourBackstageInstance create actions For instance on the janus showcase portal It s very useful when you want to know all capabilities of an action for instance publish gitlabSome actions have even some examples ConclusionTo faster you Backstage Software Templates learning curve learn from the communityuse Backstage embedded toolsask for help on Backstage s discord 2023-08-09 16:09:31
海外TECH DEV Community 🎨 The Ultimate Guide to Web Design Rules and Best Practices: Creating Exceptional User Experiences https://dev.to/mohiyaddeen7/the-ultimate-guide-to-web-design-rules-and-best-practices-creating-exceptional-user-experiences-35oe The Ultimate Guide to Web Design Rules and Best Practices Creating Exceptional User ExperiencesHello fellow developers and designers Are you ready to take your web design skills to the next level In this post we ll dive into essential web design rules that can help you create outstanding user experiences Whether you re a seasoned pro or just starting out these principles will serve as a solid foundation for crafting visually appealing and user friendly websites Let s get startedOverview Prioritize User Centered Design Forge connections by understanding your users needs preferences and behaviors Craft interfaces that resonate and cater to their unique experiences Effective Typography Choose readable fonts and sizes Use typography to convey hierarchy and guide users through your content The Psychology of Colors Delve into the psychology of colors Understand how different colors evoke emotions influence behavior and shape user perceptions High Quality Imagery Images can speak louder than words Use high quality visuals that align with your brand and enhance the user experience Unleash the Power of Icons Discover the impact of icons Use them to enhance user understanding convey information succinctly and inject personality into your design The Magic of Shadows Explore the Allure of shadows Employ subtle drop shadows to create depth contrast and realism adding a touch of elegance to your design Curves of Elegance Mastering Border Radius Discover the allure of border radius Play with rounded corners to soften edges create visual interest and add a touch of elegance Use White Space Wisely White space or negative space gives your design room to breathe It enhances readability and guides users focus Visual Hierarchy Arrange elements strategically to guide users attention Use size color and placement to establish a clear visual hierarchy Nurturing an Exceptional User Experience UX UX is at the heart of design Craft intuitive navigation minimize friction and ensure every interaction delights users fostering a seamless and enjoyable experience Prioritize User Centered Design When it comes to web design the concept of giving a website a personality is a powerful way to establish a unique and memorable online presence Just like people websites can convey distinct personalities that resonate with users evoke emotions and leave a lasting impression Here s an overview of the different website personalities you can consider Serious Elegant Channeling luxury and refinement this personality is characterized based on thin serif typefaces golden or pastel colors and big high quality images Minimalist Simple Embracing simplicity this personality centers around the essential text content using small or medium sized sans serif black text lines and few images and iconsPlain Neutral Design that gets out of the way by using neutral and small typefaces and a very structured layout Common in big corporationsBold Confident Makes an impact by featuring big and bold typography paired with confident use of big and bright colored blocksCalm Peaceful For products and services that care transmitted by calming pastel colors soft serif headings and matching images illustrationsStartup Upbeat Widely used in startups featuring medium sized sans serif typefaces light grey text and backgrounds and rounded elementPlayful Fun Colorful and round designs fueled by creative elements like hand drawn icons or illustrations animations and fun language Effective Typography In the realm of design effective typography plays a pivotal role in conveying messages setting the tone and guiding users through content Use only good and popular typefaces and play it safe Serif sans serifIt s okay to use just one typeface per page If you want more limit to typefaces Serif Typeface Creates a traditional classic look and feelConveys trustworthinessGood for long textPopular Serif Fonts Playfair DisplayLoraRoboto SlabMerriweatherCardoAleoCormorantSans serif typeface Modern look and feelClean and simpleEasier to choose for beginner designer Popular Sans serif Fonts Open Sans RobotoLatoMontserratInterWork Sans PoppinsFONT SIZES AND WEIGHTS When choosing font sizes limit choices Use a “type scale tool or other per defined range Use a font size between px and px for “normal textFor long text like a blog post try a size of px or even biggerFor headlines you can go really big px and bold depending on personalityFor headlines you can go really big px and bold depending on personalityKeep responsiveness in mind Utilize relative units like em or rem for font sizes to ensure they adapt well to different screen sizes and maintain a harmonious visual balance across devices Aim for a line length that falls within the range of to characters for optimal readability Lines that are too short can make the text appear fragmented while lines that are too long can strain the reader s eyes and make it challenging to maintain focus Proper line spacing line height improves legibility Set line height to around to times the font size allowing content to breathe and reducing eye strain Don t center long text blocks Small blocks are fineGood Design Bad Design In both designs we have designed it with a font size of px and a line height of but the difference is that in the good design we have not centered text blocks as text blocks are big therefore it is comparatively better than the bad design The Psychology of Colors Colors have a profound impact on human emotions perceptions and behaviors making them a powerful tool in design and communication Understanding the psychology of colors can help you create visually compelling and emotionally resonant experiences Here s a glimpse into how different colors influence our perceptions Red draws a lot of attention and symbolizes power passion and excitement Making it suitable for calls to action and high impact elements Blue is associated with peace trustworthiness and reliability Often used by brands aiming to convey professionalism and stability Yellow Radiates warmth optimism and cheerfulness It can promote positivity and draw attention but excessive use may lead to visual strain Green Symbolizes growth harmony and nature Often associated with health wealth and sustainability Purple Represents luxury creativity and spirituality Darker shades can evoke elegance while lighter shades exude whimsy Orange Signifies enthusiasm vitality and friendliness It can create a sense of excitement and encourage action Pink Conveys sweetness playfulness and femininity It s often used to target a youthful or romantic audience Black Symbolizes sophistication power and formality Can add an air of mystery and elegance to design White Represents purity simplicity and cleanliness Creates a sense of space and can be used to highlight other colors Brown Reflects earthiness stability and reliability Often associated with natural and organic themes Multi color Vibrant combinations can evoke playfulness and diversity while harmonious combinations create a sense of balance Maintain a focused color palette to prevent overwhelming users with excessive colors Align the main color with your website s personality to evoke the desired emotional response A balanced color palette includes at least two essential colors a main color and a complementary gray shade As your expertise grows consider introducing accent secondary colors to add depth and vibrancy use color tools for precision Enhance diversity by crafting lighter and darker variations tints and shades of your chosen colors Use your main color to draw attention to the most important elements on the pageElevate design impact by using colors to highlight specific components or sections creating visual interest Opt for legibility by avoiding overly heavy or completely black text Experiment with lighter tones to invite readability Strike a balance Avoid making text too light ensuring proper contrast with the background Leverage tools to confirm a contrast ratio of at least for standard text and for larger text px Ensure your chosen color palette remains consistent across various platforms and devices Consistency fosters brand recognition and a seamless user experience whether users are accessing your website on a desktop tablet or smartphone See how Yellow as my main color Radiating warmth and cheerfulness And drawing attention High Quality Imagery In the realm of web design the use of high quality imagery can transform a mundane interface into a captivating visual journey These carefully selected visuals have the power to evoke emotions convey messages and create a memorable impression Here s how to harness the potential of high quality imagery to enhance user experience Every image should tell a story or convey a message that aligns with your brand or content Thoughtful imagery can captivate users and draw them into your narrative Select images that align with your brand s values personality and aesthetic Consistency in imagery strengthens brand recognition and recall High quality images convey professionalism and attention to detail Blurry or pixelated visuals can detract from your website s credibility While high quality imagery is essential optimize images for web to ensure they load quickly Large file sizes can slow down your website affecting user experience Whenever possible use original imagery that sets your website apart Custom visuals can reinforce your brand s uniqueness Ensure images are responsive and adapt to different screen sizes Responsive images prevent distortion and ensure a consistent experience Incorporating images of real people is a compelling strategy to evoke user emotions and establish a genuine connection Types of images with respect to web design and development Photographs Real life images captured through photography They can depict products people places and events By incorporating these visuals your website gains a sense of genuineness and realism Illustrations Hand drawn or digitally created visuals that add a unique and artistic touch to your design Illustrations can simplify complex concepts or contribute to a playful atmosphere Hero Images Large attention grabbing images placed prominently at the top of a webpage Hero images often include text and call to action buttons Product Images High quality visuals showcasing products from various angles Product images are essential for e commerce websites to help users make informed purchase decisions Interactive Images Images with interactive elements such as clickable hot spots or hover effects They engage users and provide additional information Background Patterns Repeating images used to create textured or patterned backgrounds Patterns can add depth and visual interest to a webpage Decorative Images Images used for visual appeal such as dividers borders or ornaments They enhance the aesthetics of a webpage without conveying specific content Stock Images Professionally captured images available for licensing Stock images are a convenient option when you need visuals but lack original content Important useful and powerful tools related to images Free High Quality Stock Images UnsplashFree High Quality Stock Images PexelsFree Beautiful Illustrations DrawKitBest Free Illustrations unDrawUltimate image optimizer that allows you to compress and compare images with different codecs in your browser Squoosh can reduce file size and maintain high quality Unleash the Power of Icons Icons those small yet impactful visual elements possess a remarkable ability to enhance user experiences and convey information efficiently By strategically integrating icons into your design you can unlock a world of communication possibilities Here s how to harness the power of icons effectively In the realm of design the right set of icons can transform your creations adding depth clarity and personality to your user interfaces Luckily there s an abundant array of free icon packs available each offering a treasure trove of visual elements that can take your design to new heights Choosing a single high quality icon pack and sticking to it throughout your project offers numerous benefits that contribute to a polished and cohesive design When it comes to incorporating icons into your design the choice of file format plays a significant role in ensuring optimal performance scalability and accessibility SVG Scalable Vector Graphics and icon fonts offer distinct advantages over bitmap image formats like jpg and png Icons are not just visual elements they are extensions of your design s personality and typography By customizing their roundness weight and style you can create a seamless integration that resonates with your overall design language when to use icons Use icons to provide visual assistance to textIcons can transform product feature blocks into visually engaging and informative sections capturing users attention and conveying key information at a glance Maintaining Icon Neutrality Match the Color to Text For Enhanced Focus Opt for Contrasting Colors Preserve Icon Proportions Avoid Enlarging Beyond Design Consider Placing Icons within Shapes When Resizing Required Important useful and powerful tools related to Icons Best Free Icons Phosphor iconsFree Icons Photos Illustrations music IconsBest Free Icons IoniconsAnd many more The Magic of Shadows Shadows often overlooked yet profoundly impactful have the ability to transform two dimensional designs into immersive and dynamic experiences The artful use of shadows can add depth contrast and a touch of elegance elevating your design to new heights Here s a glimpse into the magic of shadows and how they can enhance your creations Creating Depth Shadows add a three dimensional quality to your design making elements appear as if they re floating above the surface This depth creates visual interest and engages users use shadows in small doses and resist the urge to apply them to every element The key to a visually appealing and balanced composition lies in using shadows with a delicate touch Here s a reminder go light on shadows and refrain from making them overly dark When considering the application of shadows in your design remember that their use should be purposeful and aligned with the personality of your website Less shadows SERIOUS ELEGANT More Shadows PLAYFUL FUNFor smaller components that deserve prominence consider harnessing the charm of small subtle shadows For larger areas that warrant heightened attention consider embracing medium sized shadows When you seek to make elements truly appear to float above the interface consider the impactful use of large shadows Curves of Elegance Mastering Border Radius Border radius a subtle yet impactful design element has the power to transform the look and feel of your website By skillfully incorporating rounded corners you can infuse your design with a touch of sophistication and visual appeal Here s how to master the art of border radius and create a truly elegant user experience Softening Edges Border radius offers a graceful way to soften sharp edges lending a friendly and approachable vibe to your design Apply gentle rounding to buttons images and containers to create a more inviting atmosphere Visual Interest Experiment with varying degrees of curvature Larger border radii can draw attention and add intrigue while subtler curves contribute to a harmonious aesthetic When it s time to infuse a touch of playfulness and break away from a serious tone border radius becomes your creative ally Subtle Pop of Color Integrate border radius with color for added impact Experiment with colored borders or background hues to amplify the visual effect Button Hover Effects Add a slight increase in border radius on button hover to create a subtle interactive effect that engages users Use White Space Wisely White space also known as negative space is the unoccupied area between design elements Contrary to its name white space doesn t have to be white it can be any color that separates and enhances your content By utilizing white space thoughtfully you can create a visually pleasing and impactful design Here s how to make the most of it Enhanced Readability Ample white space around text and other elements improves legibility It prevents visual clutter and makes it easier for users to focus on the content Visual Breathing Room White space provides room for your design elements to breathe It helps prevent overcrowding and ensures that each element has its own space to shine Focus and Emphasis White space draws attention to important elements By surrounding key content with empty space you guide users eyes to what matters most Incorporating ample white space between sections is a design approach that enhances clarity readability and user engagement By giving each section its own breathing space you create a seamless and visually pleasing browsing experience Integrating substantial white space between groups of elements is a design strategy that fosters clarity organization and a refined user experience By purposefully creating room around distinct groups of elements you enhance visual coherence and guide users through your content with ease The principle of proximity in design states that elements that are related or belong together should be visually grouped by placing them in close proximity to one another This fundamental design principle enhances organization readability and user understanding When incorporating prominent elements like big text or large icons allocating sufficient white space around them is essential Small text and images less space Adopting a consistent spacing guideline based on multiples of px can enhance your design s cohesiveness and efficiency let s combine all the key principles we ve covered so far to create a well rounded and effective design approach Visual Hierarchy Visual hierarchy is a fundamental principle in design that guides users through content emphasizing key elements and facilitating effortless comprehension By manipulating factors like size color contrast and spacing you can create a clear path for users to follow Here s a breakdown of how visual hierarchy works Size and Scale Larger elements naturally draw more attention Use size to distinguish headings subheadings and important content from secondary details Color and Contrast Vibrant colors and high contrast attract the eye Utilize color to highlight focal points and guide users to critical information Typography Vary font styles and weights to establish a hierarchy Bold fonts for headers regular fonts for body text and italics for emphasis help organize content Spacing and Alignment Proper spacing separates elements and contributes to a clean layout Consistent alignment helps maintain order and aids readability Z Pattern Reading Follow the natural reading pattern left to right top to bottom to guide users through content Place critical elements along this path Positioning Place vital content at the top left or center where users eyes naturally start Important items should be above the fold or within a golden triangle for optimal visibility Visual Elements Icons illustrations and graphics can convey meaning at a glance Use these elements strategically to support your hierarchy White space Allow ample white space around important elements to give them breathing room and make them stand out User Flow Consider the user s journey and what you want them to see first second and so on Align your hierarchy with the desired user flow Use images mindfully as they draw a lot of attention larger images get more attention White space creates separation so use white space strategically to emphasize elements For text elements use font size font weight color and white space to convey importance What components should I emphasize Testimonials call to action sections highlight sections preview cards forms pricing tables important rows and columns in tables etc Nurturing an Exceptional User Experience UX Congratulations I assume you have read all the above principles Now we will see The Use cases and how to apply them according to different web personalities The web personalities we previously discussed Serious Elegant Channeling luxury and refinement this personality is characterized based on thin serif typefaces golden or pastel colors and big high quality images Minimalist Simple Embracing simplicity this personality centers around the essential text content using small or medium sized sans serif black text lines and few images and icons Plain Neutral Design that gets out of the way by using neutral and small typefaces and a very structured layout Common in big corporations Bold Confident Makes an impact by featuring big and bold typography paired with confident use of big and bright colored blocks Calm Peaceful For products and services that care transmitted by calming pastel colors soft serif headings and matching images illustrations Startup Upbeat Widely used in startups featuring medium sized sans serif typefaces light grey text and backgrounds and rounded element Playful Fun Colorful and round designs fueled by creative elements like hand drawn icons or illustrations animations and fun language Serious Elegant Industries Real estate high fashion Art and Collectibles jewelry luxury products or services Typography Serif typefaces especially in headings light font weight to maintain an airy elegance complemented by a small body font size that exudes subtlety and sophistication Colors Gold pastel colors black Emerald Green dark blue or grey Images Big high quality images are used to feature elegant and expensive products Icons Icons are typically kept minimal within this style yet thin icons and delicate lines can be subtly incorporated to enhance the design s sophistication and provide a touch of understated elegance Shadows Usually no shadows Border radius no border radius Visit evalendelMinimalist Simple Industries Fashion portfolios Lifestyle Blogs Coffee Shops Cafés minimalism companies software startups Typography Boxy squared sans serif typefaces small body font sizes Colors Usually black or dark grey on pure white background Usually just one color throughout the design Images Few images which can be used to add some color to the design Usually no illustrations but if than just black Icons Usually no icons but small simple black icons may be used Shadows Usually no shadows Border radius no border radius Visit DanielPlain Neutral Industries Well established corporations Financial Institutions companies that don t want to make an impact through design Typography Neutral looking sans serif typefaces are used and text is usually small and doesn t have visual impact Colors Safe colors are employed nothing too bright or to washed out Blues and blacks are common Images Images are frequently used but usually in a small format Icons Usually no icons but small simple black icons may be used Shadows Usually no shadows Border radius no border radius Visit facebookBold Confident Industries Digital agencies software startups travel “strong companies Typography Boxy squared sans serif typefaces big and bold typography especially headings Uppercase headings are common Colors Usually multiple bright colors Big color blocks sections are used to draw attention Images Lots of big images are usually displayed Icons Usually no icons Shadows Usually no shadows Border radius no border radius Visit ranksCalm Peaceful Industries Healthcare all products with focus on consumer well being Typography Soft serif typefaces frequently used for headings but sans serif headings might be used too e g for software products Colors Pastel washed out colors light oranges yellows browns greens blue Images Images and illustrations are usual matching calm color palette Icons Icons are quite frequent Shadows Usually no shadows Border radius Some border radius is usual Visit Drugs comStartup Upbeat Industries Software startups and other modern looking companies Typography Medium sized headings not too large usually one sans serif typeface in whole design Tendency for lighter text colors Colors Blues greens and purples are widely used Lots of light backgrounds mainly gray gradients are also common Images Images or illustrations are always used D illustrations are modern Sometimes patterns and shapes add visual details Icons Icons are very frequent Shadows Subtle shadows are frequent Glows are becoming modern Border radius Border radius is very common Visit GrowwPlayful Fun Industries Child products animal products food Typography Round and creative e g handwritten sans serif typefaces are frequent Centered text is more common Colors Multiple colors are frequently used to design a colorful layout all over backgrounds and text Images Images hand drawn or D illustrations and geometric shapes and patterns are all very frequently used Icons Icons are very frequent many times in a hand drawn style Shadows Subtle shadows are quite common but not always used Border radius Border radius is very common Visit BabymooCongratulations You ve reached the end I hope you ve gained valuable knowledge Remember to keep practicing and innovating Keep up the great work Let s connect on LinkedIn May your journey through learning be as endless as the possibilities it unveils Keep your curiosity alive your passion burning and your creativity flowing As you embrace each challenge remember that every step forward is a step toward new horizons Keep exploring keep growing and let your innovative spirit shine brightly in all you do The world awaits your unique contributions Keep learning keep soaring and never stop believing in the magic of your own potential See you next time for more amazing guides Happy codingPlease Like Share and Follow ️ Feel free to ask any questions in the comments sectionーI ll respond promptly and thoroughly to your inquiries Your doubts are warmly welcomed and will receive swift and comprehensive replies ️ 2023-08-09 16:06:15
Apple AppleInsider - Frontpage News Apple TV+ announces new 'Still Up' comedy for September https://appleinsider.com/articles/23/08/09/apple-tv-announces-new-still-up-comedy-for-september?utm_medium=rss Apple TV announces new x Still Up x comedy for SeptemberA new eight episode almost romantic comedy about insomniacs called Still Up will stream on Apple TV from September Antonia Thomas stars in Still Up Source Apple Apple TV has a growing reputation for comedies with high profile hits like Ted Lasso and more recently Shrinking plus long running series such as the critically praised Trying Now hoping to add to that list and not the list of cancelled Apple comedies like High Desert comes Still Up Read more 2023-08-09 16:46:26
海外TECH Engadget Wall Street banks fined $549 million for not backing up messaging app histories https://www.engadget.com/wall-street-banks-fined-549-million-for-not-backing-up-messaging-app-histories-164552963.html?src=rss Wall Street banks fined million for not backing up messaging app historiesFederal regulatory agencies have fined financial institutions a combined million for using “off channel messaging apps WhatsApp iMessage Signal and text messages for conversations about trades and other business Securities laws require investment firms and banks to preserve communications records and ensure employees only carry out business through authorized channels “The firms did not maintain or preserve the substantial majority of these off channel communications in violation of the federal securities laws the Securities and Exchange Commission SEC wrote in a statement today The Wall Street firms were fined over half a billion dollars in penalties for using messaging apps instead of email approved messaging platforms or other easily archived channels Firms penalized by the SEC include Wells Fargo million BNP Paribas million SG Americas Securities million BMO Capital Markets million Mizuho Securities million Houlihan Lokey Capital million Moelis amp Company million Wedbush Securities million and SMBC Nikko Securities America million Meanwhile the Commodity Futures Trading Commission CFTC fined Wells Fargo million BNP Paribas million SociétéGénérale million and Bank of Montreal million “Recordkeeping failures such as those here undermine our ability to exercise effective regulatory oversight often at the expense of investors said Sanjay Wadhwa the SEC s Deputy Director of Enforcement “The Commission s message could not be more clear ーrecordkeeping and supervision requirements are fundamental and registrants that fail to comply with these core regulatory obligations do so at their own peril said CFTC Director of Enforcement Ian McGinley Federal regulators said all firms admitted to the facts about unapproved communications in agreeing to the penalties “As described in the SEC s orders the firms admitted that from at least their employees often communicated through various messaging platforms on their personal devices including iMessage WhatsApp and Signal about the business of their employers the SEC wrote in a statement “The firms did not maintain or preserve the substantial majority of these off channel communications in violation of the federal securities laws By failing to maintain and preserve required records certain of the firms likely deprived the Commission of these off channel communications in various SEC investigations Both government agencies stressed that the problem was pervasive and not limited to entry level employees and junior staff “The failures involved employees at multiple levels of authority including supervisors and senior executives the SEC said This article originally appeared on Engadget at 2023-08-09 16:45:52
海外TECH Engadget Samsung Galaxy Z Flip 5 review: Still the best flip-foldable https://www.engadget.com/samsung-galaxy-z-flip-5-review-still-the-best-flip-foldable-163030055.html?src=rss Samsung Galaxy Z Flip review Still the best flip foldableThree point five inches That s about the size of the original iPhone s display That s downright tiny compared to today s smartphones and it s hard to imagine typing or using most modern apps on such a cramped screen But as a secondary panel on a phone that folds in half even inches feels positively roomy At least it s much more useful than the inch sliver that we got on last year s Galaxy Z Flip With its latest flip style foldable Samsung brings a inch external display that it s confusingly renamed the Flex Window it doesn t flex so yes I m mad at the name And that s about it The Galaxy Z Flip also has a new hinge that allows for gapless closure when folded as well as some software tweaks Aside from those updates this phone is very similar to its predecessor with basically the same cameras water resistance rating and battery size It also costs the same as last year s model and comes with twice the base storage which is a nice touch But with greater competition in the US this year Samsung can no longer coast on being the only player in the space DesignOne of a few signs that Samsung is coasting The Flip s design Setting aside its larger external display this thing looks pretty much identical to its predecessor which itself was basically a clone of the version before it The Flip s frame is the same x inch rectangle as last year s model and it cuts the same inch profile too It also maintains the same weight measuring ounces or grams Some things have changed this year though The external cameras are no longer stacked vertically on top of each other they re laid out side by side presumably to accommodate the new larger screen The available colors are also different which I appreciate since the purple hue on last year s model was getting a bit stale This time you can choose from pink and a minty green in addition to the standard cream and black Sadly our review unit is the basic black version but the green variant I saw at Samsung s launch event is worth lusting after A notable upgrade on the Z Flip is what Samsung calls its Flex Hinge which allows the device to fold completely flat and leave no gap between the two halves of its internal screen This should not only appeal to people who were put off by the asymmetry of the previous design but it leaves less of a chance that a key in your purse might get lodged in that little opening and scratch the fragile panel That s not to say that the Flip is dust resistant Its IPX rating means it can withstand brief submersion in water but it wasn t tested for protection from foreign solid particles That s a lot of jargon to say the Flip will be fine if you drop it in the tub but it s more susceptible to say sand than most modern smartphones However the phone s exterior is likely tougher than its inside thanks to the Corning Gorilla Glass Victus glass covering its rear and Flex Window External displayRegardless of my feelings toward Samsung s absurd name the Flex Window is a major improvement over last year s Cover display It s a inch Super AMOLED panel with a Hz refresh rate and x resolution and the photos I chose as my wallpapers looked crisp and vibrant But the biggest upgrade is its size The benefits are obvious A larger canvas means you can see more at once and buttons can be bigger and easier to hit With the extra space the Weather widget can display the forecast for multiple days while the Calendar offers a monthly view Photo by Cherlynn Low EngadgetUnlike Motorola s Razr though the Flip doesn t behave like full Android on its cover screen It runs One UI in a way that s more like the company s Tizen OS for its older smartwatches You ll swipe left through widgets like Timer Stopwatch Samsung Health Dialer and more drag down from the home page for quick settings and swipe right to see your notifications But because the Flip supports up to widgets rotating through the carousel to find what you need can quickly get tedious Thankfully Samsung added a new pinch gesture that lets you zoom out to see all your widgets at once and jump to what you want Though you can t natively run every app in the world on the Flex Window the company did optimize a handful to work on the smaller panel You have to go into Settings to enable them but once you do you can launch Google Maps YouTube Netflix Messages and WhatsApp on the external display I guess these are the ones Samsung thinks people most want to use when the Flip is closed If you re feeling adventurous you can install Good Lock from the Galaxy App Store which lets you run pretty much any app on the outside It took me a while to figure out that to get this to work you ll have to go into Good Lock and download the MultiStar launcher then add the launcher as a widget on the Flex Window Once I did though I quickly selected apps like Instagram Chrome Reddit and Gallery to run on the outside Each of them ran as expected ーthat is as a mini version of itself on an awkwardly shaped screen This is a good time to point out that the Flip s Flex Window isn t a typical rectangle It s shaped more like a document folder mostly square with a small tab on the bottom left Functionally that extra space doesn t get in the way of apps or widgets Swiping up on it brings you back to the home page and if you have a timer or song running a little countdown shows up there Photo by Cherlynn Low EngadgetYou don t have to install Good Lock to find the new Flex Window useful but it does make for a better experience For example when replying to a notification from an app like Telegram you won t actually be able to see the message your friend sent This might be because Telegram notifications are typically hidden anyway to prevent onlookers from seeing your chats So if you want to respond to Telegram contacts you ll likely still have to open the Flip to see what they said That is unless you use Good Lock to let the app run outside in which case tapping the notification on the Flex Window will just take you to the conversation in the app It s surprisingly smooth and weirdly satisfying to see a non native experience work so well Replying to messages is another improvement over the Flip by the way Samsung now has room to offer a QWERTY keyboard and typing on it is an absolute delight I have relatively small hands and reaching across this panel to hit letters like Q and A was no trouble especially with swipe typing The Flip s software is more refined than the Moto s too since the latter s keyboard takes over the entire screen and requires an extra tap to actually send your reply Samsung s interface also lets you see some of your conversation above the input field whereas you won t see any of it on the Razr Photo by Cherlynn Low EngadgetThe larger Flex Window also makes for a far superior viewfinder for the external cameras With the increased space I can now see the entire frame when lining up a selfie or setting up a video Swiping sideways on this viewfinder screen switches between Portrait Photo or Video modes while pinching changes the level of zoom and the ultrawide camera kicks in at x CamerasWhile the experience of using the external megapixel cameras has drastically improved thanks to the Flex Window image quality itself has not Samsung uses basically the same sensors on the Flip as those on the Flip and though there s no generational upgrade they still take pretty good pictures In fact out of all two flip style foldables available in the US the Flip easily gains the upper hand Its only competition is the Moto Razr which has similar sensors on paper but delivers washed out photos in comparison My photos of the Metropolitan Museum of Art showed vibrant blue skies and red banners when I used the Z Flip and Flip but the scene seemed pale when I shot it with the Razr Though I prefer the rosier hues in selfies I snapped with the Razr the ones that Samsung produced had more accurate colors Photo by Cherlynn Low EngadgetAt night cityscapes were pretty grainy across all three phones I tested but the Flip and Flip were slightly better at exposing buildings amidst all the lights in New York Though both Samsung phones were neck and neck in terms of low light photo quality I was pleasantly surprised that the Flip took about half the time of its predecessor when capturing a shot in Night mode As a result I didn t have to hold still for as long and my selfies from the newer handset were clearer I also enjoyed using the Flip and Razr as TikTok machines setting them up with their cover screens facing out to shoot some hopefully humorous clips Video quality was again very close across the three devices In short don t write off the Flip s cameras but you won t be writing home about the photos you took either As a “regular phoneYou won t be spending all your time with the Flip using only its external screen For the most part you ll most likely interact with the flexible inch Full HD AMOLED panel inside which is what I did I ll admit I mostly used this phone to scroll Reddit or Instagram and play mind numbing puzzle games like Goods Sort and Solitaire Everything felt as it did on last year s Flip ーeven the crease looks the same My friends vacation photos and game graphics were colorful and crisp At certain angles content looked slightly discolored under the wrinkle but it didn t bother me I also enjoyed stroking the crease as much as I did before There s something deliciously satisfying about repeatedly running my thumb over it Photo by Cherlynn Low EngadgetI also tried a few times to carefully push my thumb into the screen as I started to bend the phone to close it and I never felt like the panel was going to break But of course I ve only had the Flip for slightly over a week so long term use may reveal durability issues It s worth noting though that compared to Motorola Samsung has a more established repair and parts replacement system in place Should you actually damage your foldable or if you know you re accident prone the better company to choose is Samsung There are some software updates to Flex Mode that I didn t spend a lot of time with mostly because I don t find them all that useful in daily use As a refresher Flex Mode is an interface that kicks in when you bend the phone slightly and have it open at between and degrees approximately Compatible apps will split their layout in half typically showing content up top and controls below Like on older Flips apps that work well with this are YouTube which continues to display the video on the higher half while letting you scroll through comments at the bottom This year though you can choose to after first toggling through several hidden settings display a button at the bottom left of every app It ll bring up the Flex dashboard which offers shortcuts for taking a screenshot pulling down the notifications shade and more Some of these like the two I named are helpful But some like the touchpad that you can enable are just silly With the touchpad you can drag your finger around the bottom half of the screen to maneuver a cursor up top In some situations like for people with mobility issues I can see this being useful For most other scenarios however it s usually easier to just reach a little and tap the top half of the screen Photo by Cherlynn Low EngadgetPerformance and battery lifeWe re reaching a point where smaller foldable phones are pretty much as fast as their non flexible counterparts which brings them ever so slightly closer to being feasible as mainstream devices Thanks to its Snapdragon Gen for Galaxy processor the Flip is on par with flagships like the Galaxy S It also packs the same GB of RAM and this year s Flip even offers twice the base storage of its predecessor starting with GB No matter what I threw at it the Flip never hiccuped Granted I never played a game more demanding than Criminal Minds or CSI Hidden Crimes on it but I was also pleased when I realized the phone never really ran alarmingly warm The Flip s Geekbench scores of single core and multi core were about the same as the Z Fold and significantly better than the Pixel Fold which uses Google s own Tensor G chip This is clearly flagship level performance so you re not sacrificing much if you pick a Flip over a traditional handset But one area where foldables tend to fall short is battery life The Flip delivered very similar runtime to its predecessor which isn t a shocker considering its battery is the same mAh Sure it has a larger external screen to power but precisely due to the Flex Window being more useful I didn t have to open up the Flip as much as the older model So it makes sense that both Flips had about the same endurance Photo by Cherlynn Low EngadgetWrap upHere we are staring at the fifth generation of Samsung s Galaxy Z series of foldables and still asking the same question Are phones with flexible displays ready for the mainstream With its larger and more useful external screen the Flip is the best candidate in the category s history to appeal outside the tech savvy crowd It offers excellent performance capable cameras and ーlest we forget ーit folds in half Plus it combines relatively advanced bendable screen tech with an exterior panel in a size that s sure to win nostalgia points meaning it ll appeal to experimentalists and sentimentalists alike If your existing Flip is falling apart the Flip is worth the upgrade for the Flex Window alone But if you re contemplating adopting a foldable for the first time just know that you ll probably sacrifice some camera quality have to take extra care when manhandling the device and resign yourself to always be charging In exchange you ll get a very capable phone some cool points and an easy conversation starter This article originally appeared on Engadget at 2023-08-09 16:30:30
海外TECH WIRED 10 Best Deals: Patagonia Sale, Cycling Accessories, and Camp Gear https://www.wired.com/story/outdoor-deals-august-9-2023/ adventures 2023-08-09 16:05:18
金融 金融庁ホームページ 「経済施策を一体的に講ずることによる安全保障の確保の推進に関する法律に基づく特定社会基盤事業者の指定等に関する内閣府令(案)」等のパブリックコメントの結果等について公表しました。 https://www.fsa.go.jp/news/r5/sonota/20230809/20230809.html 内閣府令 2023-08-09 17:00:00
ニュース BBC News - Home Thousands of adopted children's names disclosed on website https://www.bbc.co.uk/news/uk-scotland-66448432?at_medium=RSS&at_campaign=KARANGA fears 2023-08-09 16:38:38
ニュース BBC News - Home Forty-one migrants die in shipwreck off Lampedusa https://www.bbc.co.uk/news/world-europe-66448987?at_medium=RSS&at_campaign=KARANGA tunisia 2023-08-09 16:21:01
ニュース BBC News - Home PSNI data breach: Police update security advice after data error https://www.bbc.co.uk/news/uk-northern-ireland-66454684?at_medium=RSS&at_campaign=KARANGA highlights 2023-08-09 16:13:16
ニュース BBC News - Home Jamie Reid: Punk artist behind Sex Pistols record covers dies at 76 https://www.bbc.co.uk/news/entertainment-arts-66450958?at_medium=RSS&at_campaign=KARANGA record 2023-08-09 16:53:10
ニュース BBC News - Home The Hundred 2023: David Wiese six caught in the crowd at Trent Bridge https://www.bbc.co.uk/sport/av/cricket/66451170?at_medium=RSS&at_campaign=KARANGA The Hundred David Wiese six caught in the crowd at Trent BridgeWatch as a fan takes a catch in the crowd of a six from David Wiese as Trent Rockets take on the Northern Supercharges at Trent Bridge in the Hundred 2023-08-09 16:24:53

コメント

このブログの人気の投稿

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