投稿時間:2023-08-02 23:33:18 RSSフィード2023-08-02 23:00 分まとめ(36件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… DJI、新型アクションカメラ「Osmo Action 4」を発売 https://taisy0.com/2023/08/02/174895.html osmoaction 2023-08-02 13:43:04
IT 気になる、記になる… 楽天モバイル、「AirPods Pro (第2世代)」の4,300円オフセールを8月4日から開催 https://taisy0.com/2023/08/02/174892.html airpodspro 2023-08-02 13:04:12
TECH Techable(テッカブル) 企業のLINE公式アカウント運用を支援する「L Board 競合分析」登場。AIで競合企業の運用を可視化 https://techable.jp/archives/214514 lboard 2023-08-02 13:00:48
AWS AWS Architecture Blog Let’s Architect! Resiliency in architectures https://aws.amazon.com/blogs/architecture/lets-architect-resiliency-in-architectures/ Let s Architect Resiliency in architecturesWhat is “resiliency and why does it matter When we discussed this topic in an early edition of Let s Architect we referenced the AWS Well Architected Framework which defines resilience as having “the capability to recover when stressed by load accidental or intentional attacks and failure of any part in the workload s components Businesses rely … 2023-08-02 13:12:51
AWS AWS Japan Blog 【Edtech Meetup】教育×AI ~生成系 AI によって教育はどう変わるのか~【開催報告】 https://aws.amazon.com/jp/blogs/news/edtechmeetup/ edtechm 2023-08-02 13:52:06
python Pythonタグが付けられた新着投稿 - Qiita uploader.jp(ux.getuploader.com)からファイルをコマンドラインで取得する https://qiita.com/777shuang/items/ae1b03c2d325c4931083 oaderjpuxgetuploadercom 2023-08-02 22:50:23
js JavaScriptタグが付けられた新着投稿 - Qiita jQuery イベント系メソッド https://qiita.com/thirai67/items/8fd4daccdbe98ae0b225 jquery 2023-08-02 22:15:31
AWS AWSタグが付けられた新着投稿 - Qiita 社内のAWS JAMイベントに参加した https://qiita.com/jiang_x/items/aa2f8a84b75a5362eec1 awsjam 2023-08-02 22:08:07
Azure Azureタグが付けられた新着投稿 - Qiita LangChain の Agent(ReAct document store) の動作確認メモ https://qiita.com/kekekekenta/items/87ed85f3e9d21d308250 agentreactdocumentstore 2023-08-02 22:51:11
海外TECH Ars Technica Hosting Ars, part three: CI/CD, or how I learned to stop worrying and love DevOps https://arstechnica.com/?p=1956002 devopsthis 2023-08-02 13:00:51
海外TECH MakeUseOf The 6 Best Productivity Podcasts to Listen To https://www.makeuseof.com/best-productivity-podcasts-to-listen/ advice 2023-08-02 13:31:24
海外TECH MakeUseOf What Are Self-Driving Cars and How Do They Work? https://www.makeuseof.com/self-driving-cars-explained/ autonomous 2023-08-02 13:31:24
海外TECH MakeUseOf OpenAI Launches a ChatGPT App for iOS https://www.makeuseof.com/openai-launches-chatgpt-app-for-ios/ chatgpt 2023-08-02 13:15:24
海外TECH MakeUseOf Why Do Antiviruses Have Scanning Exclusions? https://www.makeuseof.com/why-do-antiviruses-have-scanning-exclusions/ certain 2023-08-02 13:01:25
海外TECH DEV Community How to Check a Method was Called on a Mock in Moq https://dev.to/ant_f_dev/how-to-check-a-method-was-called-on-a-mock-in-moq-1gfp How to Check a Method was Called on a Mock in MoqWe often use mocks in unit tests They make it easy to isolate the code modules we re testing We often set them up to perform functionally for a given input whether a specific value or any value they return a value to be used elsewhere In these conditions we implicitly know the mocked method has been called Afterall if its return value is important its absence would likely cause the test to fail However not every mock needs to return a value For example we might be mocking a repository with a void method that would normally write data to a database As no return values are involved the mock likewise wouldn t and shouldn t return anything In this part of the series we ll look at how we can check that important methods like the one previously mentioned are called when our tests run Recreating the Problem and Revisiting a SolutionLet s assume we have the following code public interface IDataRepository public void Save string data public class DataService private readonly IDataRepository repository public DataService IDataRepository repository repository repository public void SaveData string data repository Save data We want to make sure SaveData calls repository Save data We ve previously written a similar test where we took the approach of adding a callback to Save it added any data passed to it to a List collection Test public void SaveDataCallsSaveOnRepository Arrange var repository new Mock lt IDataRepository gt var savedData new List lt string gt repository Setup r gt r Save It IsAny lt string gt Callback lt string gt data gt savedData Add data var service new DataService repository Object Act service SaveData Some data Assert Assert That savedData Single Is EqualTo Some data This will get the job done but we need to declare an extra List variable to store the saved data If you d prefer to not introduce new variables we can do this check another way The Batteries Included ApproachMocks created with Moq keep records of methods that were called and the arguments passed on each invocation In the following example we use a mock s Verify method to check that Save was called with the argument Some data Test public void SaveDataCallsSaveOnRepository Arrange var repository new Mock lt IDataRepository gt var service new DataService repository Object Act service SaveData Some data Assert repository Verify r gt r Save Some data Note that Verify is on the mock not the mocked entity an IDataRepository in this case You might remember that using LINQ to Mocks to create mocks returns the mocked entity In these cases we can still verify it by getting a reference to the mock with Mock get as shown in the following example Test public void SaveDataCallsSaveOnRepository Arrange var repository Mock Of lt IDataRepository gt var service new DataService repository Act service SaveData Some data Assert Mock Get repository Verify r gt r Save Some data We Don t Care for Arguments…Sometimes it s only important that a mocked method was called If we aren t concerned with the arguments passed while doing so we can use It IsAny just like setting up a mock Test public void SaveDataCallsSaveOnRepository Arrange var repository new Mock lt IDataRepository gt var service new DataService repository Object Act service SaveData Some data Assert repository Verify r gt r Save It IsAny lt string gt …Unless We DoLet s imagine we need to call SaveData twice service SaveData First save service SaveData Second save When we previously had a callback that added the arguments to a List we could verify the data by checking the contents and their order in the List While it s not possible to do this using Verify we can inspect the mock s method invocations Note the four assertions at the end of the following test Test public void SaveDataCallsSaveOnRepository Arrange var repository new Mock lt IDataRepository gt var service new DataService repository Object Act service SaveData First save service SaveData Second save Assert repository Verify r gt r Save It IsAny lt string gt Assert That repository Invocations Method Name Is EqualTo Save Assert That repository Invocations Arguments Is EqualTo First save Assert That repository Invocations Method Name Is EqualTo Save Assert That repository Invocations Arguments Is EqualTo Second save We first check that Save is the name of the first method called on our mock Then we check that it was called with the argument First save The next two assertions do the same thing but for the second invocation Check that the method invoked was named Save and…It was called with the argument Second save SummaryWhen using testing mocks you sometimes need to be sure mocked methods are called You can do this with a separate collection or by inspecting the mock You can use Verify to do this quickly and easily specifying any required arguments at the same time When a method is called more than once one disadvantage of this approach is you can t see the order of the arguments with respect to the method s successive invocations If this is important you can access this information through the mock s Invocations property Depending on the requirements of your tests you may find one approach too complex or not complex enough But by having knowledge of both you can choose the best one for the task at hand Thanks for reading This article is from my newsletter If you found it useful please consider subscribing You ll get more articles like this delivered straight to your inbox plus bonus developer tips too 2023-08-02 13:22:00
海外TECH DEV Community How Open Source helped me get into the GitHub Octernships program. https://dev.to/opensauced/how-open-source-helped-me-get-a-github-octernship-4f69 How Open Source helped me get into the GitHub Octernships program When I first got to know about the GitHub Octernships program I was surprised by its focus on open source software and real world software development I have never liked standard DSA interviews but have loved building projects and interacting with communities since I started my software development journey a year ago After getting selected for the program I have a firm belief that anyone with the same interests as me can get selected too and I wish to share my experience with you so you can be the next GitHub Octern From the Github Octernships website s homepage The GitHub Octernships program connects students with industry partners in paid professional experiences and mentorship on open source and software development projects The program is amazing in itself but I couldn t have asked for a better organization to collaborate with than OpenSauced As pioneers in the open source software space they embody the spirit of innovation collaboration and knowledge sharing that drew me to this program in the first place Thanks to OpenSauced not only did I get a chance to work with cool tech but also with a great community and developers who helped me improve my skills I wish to share some of my learnings and the project that I worked on with the community through this post About MeIn the th grade my journey into software development began with a simple goal to join my school s computer club At the time it seemed like a big deal to me because it meant I would earn a cool hoodie and have unlimited access to the computer labーan enticing prospect for any aspiring tech enthusiast Little did I know that this initial foray into software development would ignite a genuine passion within me As I delved deeper into the world of coding I quickly realized the immense potential it held What fascinated me the most was how accessible it was to upskill myself and create practical applications whether it was crafting websites or developing useful apps It was a thrilling experience to witness my ideas come to life and have real world applications as I completed more and more courses online As my journey progressed I had the opportunity to intern at various companies both service based and product based It was during these internships that I discovered my preference for working with products The process of envisioning developing and refining a product captivated me The idea of building something tangible that could potentially make a positive impact on users lives excited me and I realized this was where I wanted to focus my efforts I started open source software development a few months into my last internship after one of my colleagues suggested it When I made my first open source contribution I realized how much of an impact I could create with this work especially because of the size of the org I contributed to My first PR was a feature that I added to the freeCodeCamp codebase this repo has the highest number of stars on GitHub I made this contribution in October and to my surprise I got an email in December informing me that I was one of the top contributors of to the freeCodeCamp codebase because of this contribution I was elated and the sense of satisfaction that I got from this feat was something that I had not experienced before freeCodeCamp was also the first open source community I was a part of interacting with the maintainers in their Discord server daily to get my PRs merged and learn more about the codebase That s when I decided I have to contribute to more Open Source organizations and so I did I contributed to many communities and projects in the following weeks including OpenFoodFacts Borg Collective and OpenSauced I met people I would ve never met if it were not for open source and am glad that I could work with an organization that promotes the very thing that I have loved until now How it startedBy March opening GitHub had become a part of my daily routine I eagerly checked my notifications and mentions to stay connected with the open source communities and projects I was actively involved in It was during one such routine visit to the GitHub homepage that I stumbled upon a promotional message that sparked my interest Right there under the Latest Changes section was an announcement for the all new GitHub Octernships program I clicked on the link having no idea what this program was and how beneficial it could be for my career back then As I scrolled through the Octernships website I realized the immense potential this program held for someone like me Unlike traditional internship interviews and selection processes that often focused solely on grilling candidates with questions about data structures and algorithms the GitHub Octernships program promised a different experienceーa chance to showcase my software development and communication skills by giving me an opportunity to interact with the project s team and work on a problem statement given by them While going through the available Octernships even though I was interested in almost all of them I really liked the vision and tech behind one the Octernships with OpenSauced I read the problem statement which is available here and applied immediately because of the impact I knew I would be able to create We were making a chrome extension for OpenSauced that would bridge the gap between the platform and GitHub this would help onboard many open source developers to the platform and reduce friction There was one problem though I never built a chrome extension before this so I thought it ll be difficult to get selected But I was wrong Thanks to the CEO and Founder of OpenSauced Brian the project s README was all that I needed to set up a chrome extension and get creative The SubmissionI was excited to build the chrome extension because as I shared earlier I have a passion for product based software development There was nothing stopping me now I read the CRXJS documentation and was ready to put my JavaScript skills to the test Not only did I work on my own extension but I also tried to help others in discussions and solve other issues in the OpenSauced codebase to get noticed I even kept an eye on a discussion where people shared updates about their extension so I could improve mine I shared feedback for other features and kept asking Brian and Nick our second reviewer for more ideas that I could implement Communication is key I finally got reviews from Brian and Nick props to them for reviewing around submissions in a few weeks We merged the PR and I got back to my daily schedule of open source and college But I made sure to interact on the OpenSauced Discord server and make more contributions to other OpenSauced repositories after all the decision wasn t made yet There were some confusions regarding the submission so I ll try to solve those doubts here You follow the “Github Flow during the submission which means you have to checkout a branch submission branch from the main branch and do your work there You create a pull request from the submission branch to the main branch this makes it easy for reviewers to view your changes and leave comments GitHub has great support for code reviews and you gotta use it Once you get all reviews you can ask your mentor if you can merge your PR Maybe they won t reply but don t merge your PR so that it s easier for them to review your PR The ResultThe wait between the acceptance date and the submission was weeks but it felt like months There wasn t a single day or night when I didn t think about my application A few days before the acceptance I thought maybe they didn t send out rejection emails and I have been rejected It was sad but also the only way I could calm myself down Until…I got the email I was waiting for Brian reached out to me and informed me that I had been selected to work with OpenSauced as an Octern Notice how he mentions my engagement and discussion with the community in the email as well Open Source is not always just about the code but also about the connections and community engagements that come with it I was super excited and stoked to meet my fellow Octern To be honest I already knew who the other person could be there was only one other person who was interacting with the community and solving issues in other OpenSauced repositories as much as me Anush I DM d him to know if he got selected and not to my surprise he was selected too I was excited to work with him and the other experienced OpenSauced developers people who have worked in various amazing tech companies before All with just one goal promoting open source The pre selection journey was thrilling and full of uncertainty but ever since I got selected the GitHub Octernships program has been game changing in terms of the exposure and development experience that I got I ll share my Octernships experience and the work that I did in a blog next week Stay tuned 2023-08-02 13:02:00
Apple AppleInsider - Frontpage News Stage Manager updates in iPadOS 17 don't go far enough quite yet https://appleinsider.com/articles/23/08/02/stage-manager-updates-in-ipados-17-dont-go-far-enough-quite-yet?utm_medium=rss Stage Manager updates in iPadOS don x t go far enough quite yetApple has been putting in the work in its attempt to make the iPad more powerful and the new changes with iPadOS and Stage Manager make it closer than ever to a Mac replacement Stage Manager on iPadOS After largely ignoring Stage Manager on iPadOS we ve decided to give the feature a second chance We ve been using it regularly since the first iPadOS beta with promising results Read more 2023-08-02 13:27:32
Apple AppleInsider - Frontpage News iPhone 15 demand will be lower than iPhone 14, says Kuo https://appleinsider.com/articles/23/08/02/iphone-15-demand-will-be-lower-than-iphone-14-says-kuo?utm_medium=rss iPhone demand will be lower than iPhone says KuoAnalyst Ming Chi Kuo says that Apple s hardware sales for the rest of the year including the iPhone are expected to be lower than last year s figures Render of the forthcoming iPhone ProAhead of Apple s latest earnings call on August Ming Chi Kuo reports that his supply chain sources believe that shipment forecasts are almost universally weaker in H than in H Read more 2023-08-02 13:20:11
Apple AppleInsider - Frontpage News How to set multiple timers on your iPhone in iOS 17 https://appleinsider.com/inside/ios-17/tips/how-to-set-multiple-timers-on-your-iphone-in-ios-17?utm_medium=rss How to set multiple timers on your iPhone in iOS You could lament how long it has taken for Apple to add multiple timers to the iPhone or you could just go right ahead and use them when iOS arrives Here s how to start stop and check many timers at once You always could set multiple timers on your iPhone and iPad but you had to use a third party app to do it in So for instance the recipe app Paprika has long had a way for you to set one timer for the potatoes and another for the turkey at Thanksgiving Now you can do exactly that with the regular Clock app on the iPhone What s more you can set the timers in three ways Read more 2023-08-02 13:04:26
海外TECH Engadget China considers limiting kids' smartphone time to two hours per day https://www.engadget.com/china-considers-limiting-kids-smartphone-time-to-two-hours-per-day-134708060.html?src=rss China considers limiting kids x smartphone time to two hours per dayChina might put further limits on kids smartphone use The Cyberspace Administration of China CAC has proposed draft rules that would cap the phone time of children under to a maximum of two hours per day That s only for and year olds too Youth between eight and would be limited to one hour per day while those under eight would have minutes The draft would also bar any use between PM and AM Phones would need to have an easy to access mode that lets parents restrict what kids see and permit internet providers to show age appropriate content Children under three would be limited to songs and other forms of audio while those and up can see educational and news material There would be exceptions for regulated educational content and emergency services As with previous measures the proposal is meant to curb addictive behaviour in children The Chinese government is concerned prolonged use of mobile devices games and services may be detrimental to kids development The country already limits young people to three hours of online video game time per week and then only on weekends and public holidays nbsp The draft is still open to public consultation and isn t guaranteed to pass There are also questions about implementation CNBCnotes it isn t clear whether hardware manufacturers or operating system developers are responsible for implementing the kids mode While Apple would have to change the iPhone s parental controls in China regardless of this distinction involving the OS developer might require that Google make changes not just vendors like Oppo or Xiaomi The rules would also have a significant effect for Chinese app developers like ByteDance responsible for TikTok and its China native counterpart Douyin and Tencent the maker of WeChat and many games They may have to design apps and tailor content around these time limits This article originally appeared on Engadget at 2023-08-02 13:47:08
海外TECH Engadget Samsung Galaxy Z Fold 4 durability report: Has Samsung finally fixed its foldable phone's biggest weakness? https://www.engadget.com/samsung-galaxy-z-fold-4-durability-report-has-samsung-finally-fixed-its-foldable-phones-biggest-weakness-133015335.html?src=rss Samsung Galaxy Z Fold durability report Has Samsung finally fixed its foldable phone x s biggest weakness When Samsung released the original Galaxy Fold it was about as durable as a Fabergéegg But over the years the company has made a number of changes to reduce the fragility of its flagship foldable phone The Galaxy Z Fold featured a redesigned hinge that prevented dirt from getting inside while the Z Fold added IPX water resistance and a stronger Armor Aluminum Chassis And last year the Z Fold brought a more durable main screen and a new adhesive designed to keep its factory installed screen protector more firmly in place That last one is a biggie because after owning a Z Fold and a Z Fold I found that the screen protectors on both phones started bubbling after six to eight months This weakness is a concern for anyone thinking about buying an foldable phone especially when you consider that Samsung recommends that any repairs are done by an authorized service center But as some who really likes foldable phones I bought my own Z Fold anyways and used it for a year Here s how well it held up Photo by Sam Rutherford EngadgetI should mention that I ve never put the phone in a case or used any other protective accessories like skins or sleeves Despite being naked the whole time the phone has done a decent job of withstanding typical daily abuse Sure there are some scratches and bare spots where paint has flaked off and a few dents from the phone being dropped or falling out of a pocket But that s sort of expected for a phone with no additional protection and both the front and back glass still look great More importantly its flexible main screen looks practically as good as the day I got it The screen protector is still sitting flat there are no dead pixels or other blemishes and the hinge feels as sturdy as ever All told I m pretty impressed considering some of the problems I encountered with previous generations That said while the pre installed screen protector hasn t started bubbling there is one tiny spot along the top edge at the crease where you can see that it has started to ever so slightly separate from the display So far this hasn t caused any issues However if past experience is any indication this could cause the screen protector to start bubbling down the line Still after claiming it switched to a new more sticky adhesive to the Z Fold s factory installed screen protector in place at least on my phone Samsung s tweak seems to have had at least some effect Is the problem completely solved No not quite Remember this is just a single example and it s hard to account for things like the milder winter we ve had this year and chillier weather sometimes caused issues for Z Fold and Z Flip owners Also while my Z Fold has aged rather nicely the screen protector on Engadget s executive editor Aaron Souppouris Z Flip has not fared nearly as well He says the screen on his device was basically pristine for the first nine months But after that bubbles began to form and grew larger and larger until he removed the protector entirely and began using the phone with its naked flexible display It s important to mention that Samsung instructs Z Flip and Z Fold owners not to use their devices without a screen protector If you do remove it you re supposed to get it replaced as soon as possible If you re lucky that can be as simple as finding a local Best Buy or uBreakiFix location and spending half an hour without your phone and thankfully Samsung offers one free screen protector replacement on both the Z Flip and Z Fold lines Unfortunately if you live in a remote area or just don t have a nearby service center you may need to rely on a mail in repair potentially leaving you without a phone for a couple of weeks or more And for a lot of people that s not a reasonable option However after talking to a number of Galaxy Z Flip and Z Fold owners who have removed their screen protectors that seems to be merely a precaution It s totally possible to use a foldable phone without a screen protector just like you can on a regular handset But given the more delicate nature of flexible displays which are largely made of plastic instead of glass the risk factor is higher And with flexible screens costing a lot more to replace up to depending on the specific model you don t need a galaxy brain sized noggin to understand why you might want to heed Samsung s warnings The counterpoint to that is because a foldable phone s screen is protected by the rest of the device when closed it s only really vulnerable when you re using it as opposed to when it s simply resting in a pocket or bag Photo by Sam Rutherford EngadgetSo what s the big takeaway I think Samsung s new adhesive has made a bit of a difference because even in the case of Aaron s Z Flip it lasted longer than both of my previous Z Folds before the screen protector started bubbling Even so the screen protectors on Samsung s foldable still require a bit more babying than a standard glass brick This sort of fragility may be a deal breaker for some and understandably so Thankfully I live near multiple repair centers and I m prepared to use my foldable without a screen protector even though that s not advised nbsp For me the ability to have a screen that expands when I want to watch a movie or multitask is worth the slightly reduced durability But either way this is something you need to consider before buying a foldable phone In some ways it s like owning a car with a convertible roof because while they re a bit more delicate and costly to repair there s nothing like driving around with the top off or in this case a phone that can transform into a small tablet at a moment s notice Just remember to do the sensible thing and put your expensive foldable phone in a case This article originally appeared on Engadget at 2023-08-02 13:30:15
海外TECH Engadget The best cheap phones for 2023 https://www.engadget.com/best-cheap-phones-130017793.html?src=rss The best cheap phones for A decent smartphone used to cost upwards of but those days are thankfully over Now it s possible to find something that meets most of your needs for as little as However navigating the budget phone market can be tricky Many options that look good on paper often aren t great in use and some handsets will end up costing you more when you consider many come with restrictive storage This guide will help you find a bargain and highlight our top picks for the best cheap phones you can buy right now What to look for in a cheap phoneFor this guide our picks cost between and Anything less and you might as well go buy a dumb phone or high end calculator instead Since they re meant to be more affordable than their flagship and midrange siblings entry level smartphones involve compromises the cheaper a device the lower your expectations around performance and experience should be For that reason the best advice I can give is to spend as much as you can afford In this price range even or more can get you a dramatically better product Second you should know what you want most from a phone When buying a budget device you may need to sacrifice a decent camera for a long lasting battery or trade a high resolution display for a faster processor That s just what comes with the territory but knowing your priorities will make it easier to find the right phone It s also worth noting some features can be hard to find on cheap handsets For instance you won t need to search far for a device with all day battery life ーbut if you want a great camera you re better off shelling out for one of the recommendations in our midrange smartphone guide which all come in at or less Wireless charging and waterproofing also aren t easy to find in this price range and forget about a fast processor On the bright side all our recommendations come with headphone jacks so you won t need to get wireless headphones iOS is also off the table since the most affordable handset Apple sells is the iPhone SE That leaves Android as the only option Thankfully in there s little to complain about Google s OS and you may even prefer it to iOS Lastly keep in mind most Android manufacturers typically offer far less robust software support for their budget devices In some cases your new phone may only receive one major Android update and a year or two of security patches beyond that That applies to the OnePlus and Motorola recommendations on our list If you d like to keep your phone for as long as possible Samsung has the best software policy of any Android manufacturer in the budget space offering four years of security updates on all of its devices The best budget phone OnePlus Nord N GThe recently announced OnePlus Nord N G offers the best value of any of the smartphones on our list No other phone in the price bracket features a processor as fast as the N s Snapdragon G Moreover OnePlus has specced the N with a generous GB of RAM and GB of storage meaning you probably won t need to budget for a microSD card or cloud storage It also comes with a Hz IPS display a feature that s great for both gaming and everyday use Best of all the N ships with a W power adapter that you can use to get a full day of battery life in minutes The N would be almost perfect if it had waterproofing and OnePlus had committed to pushing more than one major Android update to the phone Another great option Samsung Galaxy A GDon t let the Samsung Galaxy A G s modest price and uninspired design fool you ーit has a lot to offer For you get a phone that is surprisingly fast and features a competent camera Additionally it has NFC connectivity for contactless payments something you won t find on a lot of phones in this price range Battery life is also excellent coming in at two days with moderate use Plus there s that great software policy I mentioned above with Samsung promising to support the A with two major Android updates and four years of security patches The only thing missing from the A is waterproofing so you may want to opt for something sturdier if you live by the beach or like to doomscroll in the tub An ultra budget pick Samsung Galaxy AsIf you want to spend as little as possible but still want something from a reputable brand the Samsung Galaxy As is your best bet Thanks to its MediaTek Helio P processor the As performs better than you would expect Unfortunately the phone feels about as cheap as it costs and the camera isn t much better Oh and did I mention the As ships with a measly GB of internal storage In other words be prepared to buy a microSD card to store all your photos and music Thankfully the As like its more expensive sibling will receive four years of security updates from Samsung You won t find that kind of software support on any other handset in the sub category Honorable mention Motorola Moto G StylusThe Motorola Moto G Stylus offers something none of the other picks on this list do a built in stylus If you love doodling and jotting down notes then this is the cheap phone to buy Thankfully it has a few other things going for it too The Moto G Stylus sports a big and responsive inch display and a long lasting mAh battery Plus it s available in two lovely colors midnight blue and glam pink As with other options in this price range it would be nice if the Moto G Stylus came with a more capable camera a fast charger and better protection against water One word of advice steer clear of Moto G Stylus G It doesn t offer enough of an upgrade to justify costing This article originally appeared on Engadget at 2023-08-02 13:18:33
海外TECH Engadget DJI's Osmo Action 4 camera comes with a larger sensor and a higher price https://www.engadget.com/djis-osmo-action-4-camera-comes-with-a-larger-sensor-and-a-higher-price-130027897.html?src=rss DJI x s Osmo Action camera comes with a larger sensor and a higher priceLess than a year after launching the Action DJI has unveiled the Osmo Action with an improved camera that makes it better in low light It now packs a larger inch sensor the same one on the Mavic Pro the Mini Pro and Air drones compared to a inch sensor on the previous model and the inch sensor found on the GoPro Hero It also introduces D Log M improving dynamic range significantly over the Action nbsp Not much else on the Action has changed It has the same degree field of view and f aperture Video tops out at K p bit HDR in normal shooting mode Photo resolution is actually lower than the previous model x compared to x and max video quality is also down x instead of x Meanwhile the GoPro Hero can shoot K video at up to fps K at fps and K at up to fps nbsp The Action s design is also identical to the Action with a record button on top and power button on the side The battery compartment micro SD slot is on the right side and the USB C port on the left looking from the front The battery is the same mWh model as before with minutes of recording time ーand just minutes of charging time to get the battery to percent A microSD card is required as the Action has no internal storage nbsp It uses DJI s nifty magnetic locking system introduced with the last model that eliminates the need for a case to attach accessories And as before the Action supports any accessories compatible with a GoPro mount DJI has a number of its own accessories as well now including the chest strap mount helmet chin mount m waterproof case bike seat rail mount neck mount mini handlebar mount the Osmo Action °Wrist Strap and a new a wrist worn remote to control the Action nbsp Steve Dent for EngadgetIt s now waterproof down to m or feet m more than before or m feet with the waterproof case As before it comes with a inch × front screen and inch × rear display Both top out at nits plenty bright even on sunny days It comes with three mics and advanced wind noise reduction software that allows for impressive audio recording for such a small device It offers the latest version of DJI s stabilization Rocksteady and Rocksteady to eliminate camera shake in all directions up to the maximum K fps It also supports HorizonSteady which keeps the Horizon level no matter how much you rotate the camera K max Meanwhile HorizonBalancing corrects tilt horizontally within ±°and allows for stabilized recording at K fps nbsp To use the Action you have to first activate it using DJI s smartphone app so keep that in mind if you buy one and have a deadline The app also lets you view and transfer footage or livestream via WiFi So why did DJI release a camera so similar to the last model less than a year later Many reviews including my own docked the Action for poor low light image quality with noticeable artifacts in situations like a forest on a cloudy dayーsomething the GoPro can handle with ease I also noted that while the stabilization is good it s not up to GoPro s standards and DJI has updated that function as well The Action offers some quality of life features like quick switching between five custom modes voice prompts that let you know about the current mode voice control an upgraded InvisiStick that digitally hides the selfie stick external mic support and more DJI also offers the The LightCut app that connects wirelessly to Action via Wi Fi allowing for quick previews and auto editing without the need to transfer footage from the camera nbsp Steve Dent for EngadgetI had the Action in my hands for a short while mainly to test image quality with the new sensor There s certainly a big improvement there ーwhere the Action showed pixelation and blocky artifacts in low light the Action largely eliminates those That means it performs better in situations like cloudy mountain bike rides or underwater footage Low light capability is good overall with noise well controlled for such a relatively small sensor In that area it now edges the GoPro Hero nbsp The RockSteady stabilization still leaves a bit to be desired compared to the Hero and even the Insta X action camera however In a quick test with a mountain bike on a trail it didn t provide the on rails level of smoothness I ve seen on rival models If you don t mind slightly more zoom though RockSteady gets very close to those levels As before the Action could be a good option for content creators looking for high quality footage or folks who want to match their video with DJI s drones and other products The price has gone up considerably over the Action though ーit s now available for That makes it a tough sell against the GoPro Hero which now carries the same price nbsp If you re starting from scratch the Adventure Combo above is a far better deal at giving you the camera plus three batteries the Horizontal Vertical ProtectiveFrame a quick release adapter mount a mini quick release mount a curved adhesive base two locking screws a USB C cable the multifunction battery case a extension rod an action lens hood and an anti slip pad nbsp This article originally appeared on Engadget at 2023-08-02 13:00:27
Cisco Cisco Blog Hear the Latest on NIST’s Cybersecurity Framework 2.0 (and Beyond) https://feedpress.me/link/23532/16279683/hear-the-latest-on-nists-cybersecurity-framework-2-0-and-beyond Hear the Latest on NIST s Cybersecurity Framework and Beyond Learn about the NIST Cybersecurity Framework exploring its broadening impact and vital role in safeguarding organizations mission outcomes 2023-08-02 13:50:45
海外TECH CodeProject Latest Articles Wexflow - Open Source .NET Workflow Engine https://www.codeproject.com/Articles/5346143/Wexflow-Open-Source-NET-Workflow-Engine automation 2023-08-02 13:49:00
海外科学 NYT > Science An Evolutionary Debate on the Risks of Childbirth https://www.nytimes.com/2023/07/30/science/childbirth-evolution-obstetrical-dilemma.html childbirth 2023-08-02 13:07:59
海外科学 BBC News - Science & Environment Hemel Hempstead boy finds megalodon shark tooth at Walton-on-the-Naze https://www.bbc.co.uk/news/uk-england-essex-66372259?at_medium=RSS&at_campaign=KARANGA intact 2023-08-02 13:46:33
金融 金融庁ホームページ 鈴木財務大臣兼内閣府特命担当大臣閣議後記者会見の概要(令和5年7月28日)を掲載しました。 https://www.fsa.go.jp/common/conference/minister/2023b/20230728-1.html 内閣府特命担当大臣 2023-08-02 13:09:00
ニュース BBC News - Home Nicholas Rossi: US fugitive who faked his death can be extradited https://www.bbc.co.uk/news/uk-scotland-66374767?at_medium=RSS&at_campaign=KARANGA nicholas 2023-08-02 13:24:09
ニュース BBC News - Home Jacob Crouch: Stepfather guilty of 'vicious' baby murder https://www.bbc.co.uk/news/uk-england-derbyshire-66307905?at_medium=RSS&at_campaign=KARANGA fractures 2023-08-02 13:52:15
ニュース BBC News - Home Sepsis victim warns of silent symptoms after losing both legs https://www.bbc.co.uk/news/uk-england-berkshire-66375614?at_medium=RSS&at_campaign=KARANGA christmas 2023-08-02 13:15:39
ニュース BBC News - Home Women's World Cup: Jamaica reach last-16 stage for first time as Brazil fall early https://www.bbc.co.uk/sport/football/66380370?at_medium=RSS&at_campaign=KARANGA brazil 2023-08-02 13:34:23
ニュース BBC News - Home Bibby Stockholm: Asylum barge not a death trap, minister Grant Shapps says https://www.bbc.co.uk/news/uk-england-dorset-66381331?at_medium=RSS&at_campaign=KARANGA access 2023-08-02 13:42:20
ニュース BBC News - Home Hemel Hempstead boy finds megalodon shark tooth at Walton-on-the-Naze https://www.bbc.co.uk/news/uk-england-essex-66372259?at_medium=RSS&at_campaign=KARANGA intact 2023-08-02 13:46:33
ニュース BBC News - Home Gianluigi Buffon: Italy legend retires aged 45 https://www.bbc.co.uk/sport/football/66378584?at_medium=RSS&at_campaign=KARANGA football 2023-08-02 13:48:47
ニュース BBC News - Home Could he go to prison and other key questions https://www.bbc.co.uk/news/world-us-canada-66382042?at_medium=RSS&at_campaign=KARANGA donald 2023-08-02 13:21:58

コメント

このブログの人気の投稿

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