投稿時間:2022-10-07 00:29:56 RSSフィード2022-10-07 00:00 分まとめ(35件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… Google、「Pixel 7」と「Pixel 7 Pro」の詳細を発表 − 公式ストアで予約受付開始 https://taisy0.com/2022/10/06/163302.html googletensorg 2022-10-06 14:58:46
IT 気になる、記になる… Google、「Pixel Watch」のAndroid向け公式アプリ「Google Pixel Watch」を配信開始 https://taisy0.com/2022/10/06/163297.html android 2022-10-06 14:15:50
IT InfoQ Reliable Continuous Testing Requires Automation https://www.infoq.com/news/2022/10/continuous-testing-automation/?utm_campaign=infoq_content&utm_source=infoq&utm_medium=feed&utm_term=global Reliable Continuous Testing Requires AutomationAutomation makes it possible to build a reliable continuous testing process that covers the functional and non functional requirements of the software Preferably this automation should be done from the beginning of product development to enable quick release and delivery of software and early feedback from the users By Ben Linders 2022-10-06 14:28:00
AWS AWS Management Tools Blog Deciding between large accounts or micro accounts for distributed operations at AWS https://aws.amazon.com/blogs/mt/deciding-between-large-accounts-or-micro-accounts-for-distributed-operations-at-aws/ Deciding between large accounts or micro accounts for distributed operations at AWSWhen you re starting your journey at AWS you must define your AWS account strategy There are many possible variations for how to organize the AWS accounts by workload team specialization business domain functional domain and many others A common question from customers is should I deploy multiple workloads into a single AWS account or … 2022-10-06 14:12:33
python Pythonタグが付けられた新着投稿 - Qiita gensimを用いたBM25実装 https://qiita.com/Lucky_Acky/items/9fbbd4b23c28a5c8622f gensim 2022-10-06 23:52:12
python Pythonタグが付けられた新着投稿 - Qiita Pythonの冪乗の速度について https://qiita.com/PlusF/items/83bf1a1be6a82452d780 aaaaa 2022-10-06 23:23:01
python Pythonタグが付けられた新着投稿 - Qiita PythonでMDことはじめ vol. 4(執筆中) https://qiita.com/PlusF/items/cef88e56bda7191af444 進行 2022-10-06 23:05:45
Docker dockerタグが付けられた新着投稿 - Qiita WSL2とDockerで遊んでたらVSCodeでファイルを書き込みできなくなった https://qiita.com/are-38-a/items/ce7f76a8955c0ccfaaf9 versionserviceswebbuildwe 2022-10-06 23:59:40
技術ブログ Developers.IO FlutterアプリをiOSで実行した際に「A Firebase App named “[DEFAULT]” already exists」エラーになる場合の対処 その2 https://dev.classmethod.jp/articles/what-to-do-when-the-a-firebase-app-named-default-exists-exists-error-when-running-the-flutter-app-on-ios-part-2/ afirebaseappnamed 2022-10-06 14:30:45
海外TECH DEV Community How to stay one step ahead of errors and downtime as you scale up your business https://dev.to/finnauto/how-to-stay-one-step-ahead-of-errors-and-downtime-as-you-scale-up-your-business-lmm How to stay one step ahead of errors and downtime as you scale up your businessHey so you managed to scale your business from an early stage startup to a fast growing scale up This means your tech has grown a lot since With an ever growing system how do you keep an eye on everything and make sure that it is all running and customers are not facing any downtimes or errors Well we went through the same phase at FINN growing from a person startup in to people in and expanding to the US as well This article presents some of my key learnings as to how to stay ahead of errors and downtimes The holy trinity when it comes to minimising downtimes and errors is logging monitoring and alerting LoggingSimply speaking logging is the act of keeping logs Logs are entries of events happening in a system for example when did your system start what s the hourly CPU utilisation which user has logged in to the system what requests were made to your API server etc Why should you log Why do we need logging The answer is visibility We want to know what s going on in our system and we want our system to provide that information easily rather than cracking our heads and making blind guesses as to what might have been the issue To ensure this it is our responsibility to make sure that we add proper log entries Logs can also be processed and aggregated to get metrics like requests per hour response time as well as interesting business insights such as how many orders were created in a day or an hour What should you log The key here is consistency You should have a team wide organisation wide agreement on what to log and ensure that it is adhered to when it comes to code At FINN we have agree to have Timestamp time    so we know when it happenedLog level level    so we know what it s meant to express error warning etc Info about source scope    so we can find it in the source name of the filename Context   so we can investigate issues e g the order ID Message that tells us what happened in English message    so that we can read the logs This is the usual log message The version of the running service v    so that we can tell which version of our software logged the message and helps us debug against that specific version Who is performing the action actor    This is important for auditing and traceability purposes We can easily identify who asked our systems to perform a certain action It is also very important to make sure that any sensitive information is not logged for example credentials Personally Identifiable Information PII such as names email phone numbers social security number and so on You can instead log something such as the ID which your system uses to identify a person or order If you really need to log some of this information use a hash so you can check for equality without logging it Another thing to keep in mind is to log only what you need Logging too much will create noise and increase costs as you will need more log storage How should you log How you log your data is also very crucial For example if you log everything in plain text it will be very difficult to process and make meaning out of it To make lives easier always log in a format that can be parsed such as JSON or XML We chose JSON at our company because most logging libraries support it You must take advantage of using correct log levels There are different levels of logs error Error logs are usually from unrecoverable errors Things went wrong when we weren t expecting it Some process failed and the system could not perform what it started for example if you wanted to save a file but the write to your storage failed warning A warning indicates something went wrong but the system survived and managed to complete the process it started For example if your system failed to send an email to the customer after order creation info This level of logging is used to keep track of informational metrics like a successful completion of a request response times etc debug Debug logs are used for logging things that can help you debug your system when things go wrong It s a good practice to use debug logs to keep a track of your execution You can log data every time you complete a step for example when a user is authenticated a user s profile is verified a user s requested item is available an order created successfully an email sent to user Implementing what we learntTheories without examples and illustrations are boring I ll present our code in TypeScript to provide you with an example on how we implemented things but it can be easily implemented in any other language as long as you stick to the principles  We used Winston as the logging library We also implemented our own class on top of Winston logger to enforce our conventions MonitoringMonitoring is keeping an eye on your systems to see if everything is doing fine The key to good monitoring is knowing what to monitor Imagine monitoring a palace you can t put security cameras just about anywhere It will be too much to handle and will distract you from keeping an eye on the main stuff Similarly in software you have to know which parts matter the most for example the checkout process is very important for an e commerce company Once you have identified the crucial parts there are multiple ways to monitor them health checks end to end EE tests and log processing Health ChecksHealth checks are the starting steps towards monitoring A simple health check would be just checking if you can connect to your system from the outside world During the execution of the health check your system should try connecting to its dependencies such as a database and report if every critical dependency is available and working If not then it should fail and you get to know that your system is having a failure End to end testsHealth checks are limited to testing one part of a system at a time but fail to tell you if the whole system comprised of multiple dependent components works as a whole Fixing that would be the end to end tests They mock a human using the system as a whole such as going through the checkout process to order a car This tests everything from the input components on the website to the backend APIs handling user requests to the storage that stores the order data If any test fails we know that the real user must be facing the same issues as well and jump into action At FINN we use Checkly once again to run our scheduled EE tests Some teams also use a combination of Make and Apify to run scheduled EE tests on smaller projects One thing I love the most about Checkly is that it allows you to write Monitoring as Code together with Terraform Article linked at the end Processing logsThe previous two methods give you overall monitoring and monitoring on critical parts of the system but not system wide monitoring This is where your logs come in place If you logged errors warnings and other information you can process these logs and create beautiful dashboards to keep track of your systems such as how many errors were logged per hour how many warnings were logged in a day number of requests served successfully and so on If you re using the Serverless framework using the Serverless Dashboard together with it makes things easier and provides you with ample monitoring to get started If you want to go pro you can always use the mighty AWS CloudWatch and create your own dashboards For example AWS CloudWatch also comes with powerful querying capabilities To use these head over to your CloudWatch console gt Log Groups gt Select your resource gt Search Log Group CloudWatch is much too powerful to be described completely here Please read AWS documentation on Pattern and Filter syntax to know more AlertingAlerting exists so that you get informed about errors and maybe warnings as soon as they happen Alerting basically is some automation that keeps an eye on your monitored metrics such as xx errors requests per time xx errors etc and performs some action as soon as those metrics cross a pre defined threshold Most of the teams at FINN have different alerting setups the one pictured above is one of them For non critical incidents posting on Slack is enough so that the team knows about it and can solve the issue at their own pace For critical money making processes however we use Opsgenie which has call escalation policies in places to ensure that critical incidents are responded to within a certain amount of time ConclusionFrom an end user s perspective one could say that logging monitoring and alerting does not add much value because they are not tangible features that the user can see use But oh boy they are so important in maintaining good user experience Imagine how bad it would look if your customers have to call and notify you that a feature is not working No system is error free Rather than trying to predict all the things that can go wrong which I think becomes a waste of time after some point and coming up with counter measures a better approach IMO is to embrace the errors be ready and have systems in place to notify you as soon as they happen Please add your thoughts opinions in the comments below Would love to know how you are tackling this in your team organisation Let s Connect If you liked this article giving it a clap and sharing it with others would help a lot If you would like to read more on topics such as this including software engineering productivity etc consider following me Much appreciated Connect with me on LinkedIn or on Twitter I m always happy to talk about tech architecture and software design 2022-10-06 14:13:20
Apple AppleInsider - Frontpage News Amazon's $399 iPad mini deal (a fan favorite) is back https://appleinsider.com/articles/22/10/06/amazons-399-ipad-mini-deal-a-fan-favorite-is-back?utm_medium=rss Amazon x s iPad mini deal a fan favorite is backThe iPad mini has returned with the discount arriving ahead of the Prime Early Access Sale And you don t have to be a Prime member to snap up this fantastic deal Amazon has reissued its popular iPad mini deal All four iPad mini colors are on sale for at Amazon this Thursday marking the return of one of the best iPad deals we ve seen this year Read more 2022-10-06 14:44:53
Apple AppleInsider - Frontpage News Google Pixel 7 smartphone & Pixel Watch debut https://appleinsider.com/articles/22/10/06/google-pixel-7-smartphone-pixel-watch-debut?utm_medium=rss Google Pixel smartphone amp Pixel Watch debutThe Google Pixel Pixel Pro and Pixel Watch have been officially announced as a coherent product ecosystem that all works together for the user Google shares details about its latest Pixel productsUnlike Apple Google shares a preview of its upcoming products ahead of time So we already knew what these new devices would look like and some of what they could do Read more 2022-10-06 14:58:58
Apple AppleInsider - Frontpage News Usual suspects complain about App Store price hikes outside US https://appleinsider.com/articles/22/10/05/usual-suspects-complain-about-app-store-price-hikes-outside-us?utm_medium=rss Usual suspects complain about App Store price hikes outside USThe Coalition for App Fairness and Epic Games Tim Sweeney equate Apple s recent international App Store price hikes to small business landlords demanding raised product prices Coalition for App Fairness fights for developersApple increased App Store prices for many non US customers without giving a direct reason The increase affects any market that uses the euro as well as Chile Egypt Japan Malaysia Pakistan Poland South Korea Sweden and Vietnam Read more 2022-10-06 14:55:02
海外TECH Engadget The Pixel Tablet will attach to a speaker base to double as a smart display https://www.engadget.com/google-pixel-tablet-speaker-base-details-145616676.html?src=rss The Pixel Tablet will attach to a speaker base to double as a smart displayAfter some stops and starts Google is returning to tablets but with a smart home twist The company first teased the upcoming Pixel Tablet at I O this year saying the device would be launching in Though that date is still at least months away Google was eager to share more details at its hardware launch event today Google s vice president of product management Rose Yao said during the keynote that the company thinks of the tablet as part of its Pixel portfolio of products and that it didn t feel complete without a “large screen device That might be confusing if you recall the ill fated Pixel Slate and Pixelbook which were “large screen Pixel branded devices Like other Pixel gadgets the tablet will be a canvas for Google s own expression of Android And as the company already hinted at its developer conference this year the tablet will be powered by the same Tensor G chip that s in the flagship phones Since this is still just a tease the company is still keeping details like screen size resolution RAM and more under wraps Google is ready however to share more about the Pixel Tablet s design It looks similar to older phones like the Pixel with a rounded rectangle shape and a matte ish glass back In fact Yao said the company developed a new “nano ceramic coating that she said is inspired by “the feel of porcelain In an interview with Engadget Yao said the best way to think about this finish is to imagine the coating on a Le Creuset dutch oven She said that the Pixel Tablet s coating should feel similarly durable and premium and that it s basically embedding tiny pieces of ceramic onto the device s frame which is made of recycled aluminum This creates what she said is a “soft matte finish with a “grippy feel that should alleviate what her team believed was a pain point of tablets “They re really big devices that are kind of slippery The Pixel Tablet will also run Android complete with Material You personalization and big screen friendly features like split screen and stylus support When I asked for more information about stylus support Yao said “We ll talk about the more next year though she added that “you can use a third party stylus The fact that the Pixel Tablet is powered by Tensor which Yao said is the first time Google is bringing its own processor to a different type of product than a phone enables a few different things “I have so many stories I want to share about what that means Yao said But she can t at the moment besides alluding to speech recognition video calls photo editing and image processing as areas to look out for She also shouted out the Assistant which will be able to “work seamlessly between a tablet and the phone thanks to Tensor But not just that Google wants you to think of its tablet as a place for an always listening Assistant much like you would with a Nest speaker Yao said that her team observed how people used tablets and learned that “tablets are homebodies According to her most tablets are home percent of the time and are only active for a small portion of the time Another thing Yao said was that though tablets tended to remain in people s homes they “don t really have a home at home They re often left in drawers or by charging outlets and can either be forgotten or get in the way To make a tablet that s “truly useful and that would “bring together the best of Pixel and home Yao said her team made a charging speaker dock The base doesn t just charge the device Yao said it also “unlocks a ton of new experiences and makes the tablet helpful all the time Her favorite feature is the photo frame which is similar to that on the Nest Hub smart display But the Pixel Tablet also has front and rear cameras making it useful for video calls Yao said the angle “is just really perfect for me though based on the pictures Google has shown so far it appears the camera might shoot at an unflattering upwards angle She also confirmed that the base won t allow for adjustable angles so if you don t like the position you likely won t be able to change it “I really think it s one of the most versatile tablets on the market Yao said adding “We ll talk more next year While Google still hasn t shared information like screen size and pricing we ll likely find out more closer to launch Follow all of the news from Google s Pixel event right here 2022-10-06 14:56:16
海外TECH Engadget How to pre-order the Google Pixel 7 and Pixel 7 Pro https://www.engadget.com/how-to-pre-order-the-google-pixel-7-and-pixel-7-pro-144747859.html?src=rss How to pre order the Google Pixel and Pixel ProGoogle s Pixel event today delivered exactly what we expected a couple of new smartphones and a brand new Pixel Watch The previously teased Google Pixel was officially debuted and while it doesn t look dramatically different from its predecessor it includes a number of important changes Key among them is Google s new Tensor G chipset which promises speedier performance improved efficiency and more for both the Pixel and its larger sibling the Pixel Pro As for the Pixel Watch it looks right at home next to the new smartphones and it takes a lot of health and fitness prowess from Googled owned Fitbit Here s how to pre order the Pixel the Pixel Pro and the Pixel Watch Google Pixel GoogleGoogle s Pixel smartphone is available for pre order today starting at It comes in three colors ーsnow obsidian and lemongrass ーand it ll be widely available on October th Pre order Pixel at Google Pre order Pixel at Amazon The company s latest flagship doesn t look too different from last year s model but the changes Google made are nothing to scoff at The Pixel features an always on inch FHD Hz display made with scratch resistant Gorilla Glass Victus plus an IP rated body made of recycled aluminum It runs on Google s new Tensor G chipset which promises better machine learning capabilities increased efficiency and improved photography features like Night Sight It ll also come with GB of RAM and either GB or GB of storage The cameras on the Pixel have been updated to include a megapixel front shooter which is now the same as the front facing camera on the higher end Pixel Pro There s also a new feature called Guided Frame which helps those with low vision take better selfies by using audio and haptic prompts As for the rear array that includes a MP wide camera and a MP ultrawide lens Google promises improved Real Tone photography and low light images plus better video features like Cinematic Blur K Cinematic Pan and fps slo mo Google also promises five years of security updates for the Pixel plus an quot adaptive battery quot feature that will let the handset last for over hours Extreme Battery Saver adds to that allowing the phone to last up to hours Google Pixel ProGoogleGoogle s Pixel Pro is available for pre order today starting at It comes in three colors ーsnow obsidian and hazel ーand it ll be widely available on October th Pre order Pixel Pro at Google Pre order Pixel Pro at Amazon As to be expected the Pixel Pro is an upgrade from the standard model in a few ways It s larger with an always on inch QHD Hz display and a body with the same IP durability level as the Pixel It also runs on the new Tensor G chipset and it has an upgraded triple rear camera system that includes a MP wide camera a MP ultrawide lens and a MP telephoto shooter with a x optical zoom and support for up to x Super Res Zoom Other internal specs include GB of RAM and a choice of GB GB or GB of onboard storage The other difference between the Pixel Pro and the standard model is that the Pro has a slightly larger battery mAh than the regular handset mAh but both share the same battery life estimates Both also support fast charging that provides percent juice in just minutes when using Google s W power adapter which you can pick up separately Google Pixel WatchGoogleThe new Google Pixel Watch is available for pre order today starting at for the WiFi models and for the WiFi LTE models It s available in three colors and will be widely available on October th Pre order Pixel Watch at Google Pre order Pixel Watch at Amazon Google s first smartwatch in the Pixel family takes a lot of design nods from its phones and health tracking chops from Fitbit The circular case has a nearly invisible bezel along with an always on ppi AMOLED slightly domed display It has a mAh battery built in that Google claims will last for hours before it needs a recharge and the watch comes with a USB C magnetic charging cable The Pixel Watch runs on an Exynos SoC and has sensors including a heart rate monitor GPS accelerometer altimeter gyroscope and others built in Many of those sensors power the watch s health and fitness tracking abilities all of which build upon Fitbit s expertise in that area Google completed its purchase of Fitbit back in The Pixel Watch tracks daily activity and sleep plus it has workout modes and an ECG app for additional measurements Those familiar with Fitbit will notice that the watch also supports metrics like Daily Readiness Score Active Zone Minutes and more plus it works with the paid service Fitbit Premium Also Google plans on bringing fall detection to the Pixel Watch in the coming months Follow all of the news from Google s Pixel event right here 2022-10-06 14:47:47
海外TECH Engadget Google's 'Guided Frame' helps visually impaired users shoot better pictures https://www.engadget.com/google-guided-frame-accessibility-features-143637505.html?src=rss Google x s x Guided Frame x helps visually impaired users shoot better picturesAt today s Pixel event Google has announced a new accessibility feature that will help blind and visually impaired users take better selfies quot Guided Frame quot is a voice coach that will tell users where to hold their phones in order to for instance take a selfie Hold the device in front of you and it ll ask you to go up down or to the side until its AI believes you re in the best place to shoot When it does it ll even trigger the shutter automatically telling the user when they can relax their hand nbsp It s part of a number of features the company has unveiled today to burnish its accessibility and inclusivity including True Tone Google said it has teamed up with a number of photographers and artists who are people of color to help ensure that photos are accurate and representative of everyone s skin tone In addition it says that the Pixel series Night Sight feature courtesy of the new Tensor G chip is faster and better at shooting scenes while in the dark nbsp Follow all of the news from Google s Pixel event right here 2022-10-06 14:36:37
海外TECH Engadget Google's $899 Pixel 7 Pro has 5x optical zoom and a metal trim https://www.engadget.com/google-pixel-7-pro-release-date-price-specs-143610484.html?src=rss Google x s Pixel Pro has x optical zoom and a metal trimThe Pixel Pro was first teased back in May but it s finally time for every single detail The Pro takes the big design refresh of last year and adds an aluminum frame and camera bar Unfortunately the eye catching two tone color options haven t made it to which is a shame We re back to single colored Pixel phones sadly even if there are three different colors to choose from The inch screen the same size and resolution as the Pixel Pro is coated with Corning s Gorilla Glass Victus and the phone has IP protection against water and dust The display itself is QHD LTPO OLED and can reach refresh rates up to Hz which should ensure smooth browsing and swiping It also tops out at nits of brightness notably brighter than the Pixel Pro if not quite as bright as the iPhone Pro which can peak at nits outdoors The Pro gets some camera upgrades too Two of the three camera sensors are all but identical to the Pixel Pro Once again there s a megapixel wide camera with f aperture and a megapixel ultrawide camera with f The latter comes with a degree field of view which is an upgrade from the degree ultrawide camera on last year s Pixel The telephoto camera however has been substantially upgraded The MP sensor features up to X optical zoom and a Samsung ish X Super Res Zoom up from X zoom last year that combines multiple exposures to improve image quality GoogleBoth Pixel phones feature Google s second generation Tensor chip the G The company claims the new chip will allow for more advanced voice recognition and machine learning features This should translate to a faster more efficient Pixel especially for processor intensive tasks related to photos and image processing That includes boosting photos captured at the new x Super Res Zoom up to two times faster Night Sight low light photography processing and even sharper photos with Face Unblur The new Pixel s will also be able to capture video with a new artificial bokeh effect in a mode Google is calling Cinematic Blur It says thanks to its new Tensor chip it can achieve a realistic blur with low latency and low power draw Security wise Google has included a Titan M security chip alongside fingerprint and face unlock features Matching its predecessor the Pixel Pro has a mAh battery and can fast charge up to percent full in around half an hour but you will need to buy the compatible W charger separately The Pixel Pro starts at and will come in Obsidian Snow and Hazel color options It s available to preorder now Follow all of the news from Google s Pixel event right here 2022-10-06 14:36:10
海外TECH Engadget Pixel 7's Google Assistant updates let you silence calls with your voice https://www.engadget.com/google-pixel-7-assistant-updates-143013292.html?src=rss Pixel x s Google Assistant updates let you silence calls with your voiceGoogle is fond of introducing Assistant features alongside new devices and that s true for the Pixel Among other upgrades the new phone now lets you mute incoming calls just by saying quot silence quot You don t have to let the call ring if you can t or just don t want to reach for your handset You ll also get transcription directly in Messages so you don t have to play an audio clip in a quiet room It should be easier to record your company meetings too The Pixel s Recorder app will quot soon quot provide speaker labels to transcribe each person s words separately You ll know if it was your boss or a coworker who suggested an idea It s not clear when or if these features will reach non Pixel hardware Google sometimes keeps them as exclusives but is known to sometimes make them more broadly available to Android users after a few months wait Other phone oriented improvements are subtler Voice typing now automatically suggests emoji and supports French Italian and Spanish Arguably the biggest improvements to Assistant at this event are linked to new hardware ーthe Pixel Watch finally brings the AI helper s latest incarnation to your wrist while the upcoming Pixel Tablet doubles as a smart display Still you might appreciate the phone oriented tweaks if you re tired of telemarketers or keeping office minutes Follow all of the news from Google s Pixel event right here 2022-10-06 14:30:13
海外TECH Engadget Google's latest Pixel devices feature more recycled materials than ever https://www.engadget.com/googles-new-pixel-devices-feature-more-recycled-materials-than-ever-142708470.html?src=rss Google x s latest Pixel devices feature more recycled materials than everAs Google details all the camera processor and security updates coming to its new Pixel phones and its very first smartwatch it also noted that more recycled materials have been used in its latest hardware With the Pixel and Pixel Pro the frames are now made of percent recycled aluminum while the Pixel Watch housing uses percent recycled steel Google clarified on Twitter that recycled aluminum apparently makes up to percent of the product based on weight It goes a little further too with Pixel Watch fabric bands made from percent recycled yarn According to Google s visualization the company has folded in some recycled plastics Sustainability guides usーfrom product design to manufacturing and beyond 🪴New Pixel phones include recycled aluminum¹ GooglePixelWatch housing is made with recycled stainless steel MadeByGoogle¹See video for more info pic twitter com sGzUedxーMade By Google madebygoogle October Follow all of the news from Google s Pixel event right here 2022-10-06 14:27:08
海外TECH Engadget The Pixel 7 packs Google's Tensor G2 chip and starts at just $599 https://www.engadget.com/googles-announces-pixel-7-starting-at-just-599-dollars-specs-price-142245453.html?src=rss The Pixel packs Google x s Tensor G chip and starts at just After being teased back at I O today Google announced the new Pixel starting at just featuring a refreshed design a Tensor G chip and a bunch of new photo and video enhancements Available in three colors snow obsidian and lemongrass the new Pixel sports a familiar design including a big camera bar in back a Corning Gorilla Glass Victus in front and the same IP water resistance we got on last year s devices That said for Google has made a few tweaks including merging the camera bar with the frame of the phone for increased durability On top of that while the Pixel Pro will get slightly more premium feeling polished metal sides the Pixel gets a less shiny matte aluminum finish Interestingly another notable design change is that with a inch x OLED display the standard Pixel is actually a tiny bit smaller than the outgoing inch Pixel This is a small victory for fans of compact phones especially when you factor in a slight decrease in weight as well down to ounces from ounces on the Pixel GoogleOn the inside the Pixel will be powered by the new Tensor G chip which helps support a number of new machine learning and software features along with GB of RAM and either GB or GB of storage By leveraging the Tensor G s next gen TPU Google says low light image processing using Night Sight is two times faster compared to the previous generation The Tensor G chip also supports an improved Face Unblur function in the Pixel s camera while also unlocking a new Photo Unblur feature that allows the phone to sharpen photos including previously taken pics or images captured by other devices ーall using local processing only Other specs include a mAh battery watt wired charging and support for both wireless and reverse wireless power transfer Unfortunately while the phone does have G connectivity Google says mmWave support will vary depending on the retailer or the specific model So if you want to make sure you get full G compatibility for your network you re probably better off buying the phone directly from your carrier As for its cameras the Pixel gets two shooters in back a MP main lens and a MP ultra wide with a degree field of view But perhaps more important than the size of its sensors are some of the new photos and video tweaks Google has packed in When shooting stills Google says it has tweaked Night Sight color processing to improve clarity while still making images look like they were actually shot at night Meanwhile for video you can now record in bit color with HDR while the new Cinematic Mode adds a soft bokeh to the background of your clips And to make all your footage look just a bit better Google also upgraded the Pixel s video stabilization and noise reduction capabilities And for selfie fans this year both the Pixel and Pixel Pro are getting the same front facing MP camera with a degree field of view GoogleElsewhere one interesting new feature is the expansion of the Pixel s Direct my Call Feature which provides a handy touch menu for navigating those annoying automated voice messages you often run into when calling a big business Previously the issue with Direct my Call was that the phone needed to hear all the different options before being able to create a text based menu on your screen But now by caching responses from the top businesses US only for now the Pixel can provide a menu right away saving you time and frustration Finally in a somewhat unusual move alongside its new flagship phones Google previewed some of the new software arriving in the next Pixel feature drop which is slated for release sometime in December In a big upgrade for anyone who uses the Pixel Recorder app Google is adding automatic speaker labels to audio transcripts Additionally similar to what you get on the new Pixel Buds Pro the company is also planning to provide a Clear Calling feature designed to help reduce potentially distracting background sounds Lastly in a big upgrade to privacy and security Google will also give all Pixel owners access to a free VPN via Google One that s good for the life of the device Pre orders for the Pixel go live today with official sales beginning on October th Follow all of the news from Google s Pixel event right here 2022-10-06 14:22:45
海外TECH Engadget Google’s Tensor G2 chip gives a modest speed boost to the Pixel 7 and Pixel 7 Pro https://www.engadget.com/google-tensor-g2-chip-powers-pixel-7-pro-142045121.html?src=rss Google s Tensor G chip gives a modest speed boost to the Pixel and Pixel ProWith a new batch of Pixel phones comes a new chip at the heart of them all Google s Tensor G Like last year s Tensor the company s first custom mobile chip it s an AI infused powerhouse built specifically around the Pixel and Pixel Pro s new features It ll also be joined with a revamped Titan M chip which deals with on device security GoogleOn stage during its Pixel launch event Google VP Brian Rakowski said the Tensor G will power the Pixel s voice capabilities including faster Assistant queries as well as voice translation voice typing and more He noted that voice typing is around two and a half times faster than using the keyboard making it a feature that more people are relying on You ll even be able to visually describe emojis like asking for the quot heart eyes cat quot while voice typing On the Pixel and Pixel Pro the Tensor G also enables Photo Unblur which can sharpen out of focus photos as well as Super Res Zoom which digitally blows up photos without losing much quality it also benefits from the phone s new MP cameras One nice bonus You ll also be able to touch up older photos using all of the Tensor G s capabilities As for other features the Tensor G lets Night Sight photos process twice as quickly and it s behind Cinematic Blur mode which can artfully direct how your videos are focused Sure it s not as groundbreaking as the original but the Tensor G shows that Google is still committed to a strong cohesion between the Pixel phone s software and hardware The Tensor G chip features two quot Big quot CPU cores two quot Medium quot cores and four quot Small quot cores like its predecessor Clock speeds are only a hair higher ーliterally just MHz and MHz across the Big and Medium cores ーand Google is sticking with the Arm Cortex X and A chips with the Big and Small cores The only major update The Tensor G s Medium core now uses an Arm A instead of an A Google says the G is also running a quot next generation quot TPU AI accelerator Follow all of the news from Google s Pixel event right here 2022-10-06 14:20:45
海外TECH Engadget Google (finally) announces the Pixel Watch https://www.engadget.com/google-pixel-watch-2022-announcement-141418770.html?src=rss Google finally announces the Pixel WatchGoogle s Pixel Watch has been in the works for years and Google s been quite happy to drop hints about what it s been cooking up Admittedly having an employee leave a prototype in a restaurant will also help knock some of the wind out of any surprise you may have planned Today however is the first time that Google has really lifted the lid on its new flagship wearable and the first time we can see if it can make up for so many false starts in the watch race The Pixel Watch has a mm case with a domed custom molded and scratch resistant Gorilla Glass crystal At first blush it s clear that the curved crystal is very bulbous but the benefit of it is that the roundness makes the bezel far less visible Beneath which users will be staring into a ppi AMOLED always on display with a brightness that can output up to nits It s powered by a mAh battery that Google says will last for hours on a single charge but can re juice up to percent after just minutes on is magnetic charging plate Running down the side is both a haptic crown blessed with “Premium Haptics and a Side Button GoogleThere are two versions a WiFi Bluetooth model and one packing its own LTE modem which costs just more Both are rocking an Exynos SoC paired with a Cortex M co processor as well as GB storage and GB RAM Given that Pixel branded devices are often the “best of whatever class they represent the choice not to use Qualcomm s own wearable SoC speaks volumes After all that s the silicon of choice for every non Samsung Wear OS watch these days and there s similarly no mention of Google s own custom silicon brand Tensor here Interestingly Fitbit CEO James Park introduced the watch and the watch comes with plenty of Fitbit branded features That includes activity heart rate and sleep tracking albeit boosted by Google s own machine learning know how One of the most notable features is live heart rate with the device tracking your vital signs by the second There s also a built in ECG The additional health insights available with Fitbit Premium are also available to Pixel Watch users as is the guided workouts It suggests that Google sees the Pixel Watch as the beneficiary of Google s partnership with Fitbit rather than simply absorbing the wearables brand under its own name You ll also get much like every other Fitbit device a free six month trial of Premium with your purchase GooglePixelWatch s band system attaches internally like a camera lens to a camera body instead of the prominent external lugs of other watches Just twist and click to swap between a variety of available bands and transform your look seamlessly MadeByGooglepic twitter com HtDuxZqEーMade By Google madebygoogle October Aside from the Gorilla Glass crystal the only other durability promise is that it ll be water resistant up or down to depths of ATM Oh and that Google says that by the Watch will be able to detect falls and should you have the LTE version and prove unresponsive will call the emergency services on your behalf It s worth remembering that Google beat Apple to the wearables space by a full year in partnership with Motorola Samsung ASUS and LG But the balkanized strategy employed and the general lack of luster on those initial Android Wear versions handed much of the momentum to Apple Since then the Apple Watch has single handedly outsold every other major wearables player in pretty much every quarter since It s only when Samsung teamed back up with Google to rework Wear OS has Google s platform once again hit double digit sales percentages GoogleAnd much like Pixel phones it s likely that Google will be happy to sell a limited quantity of devices to a small section of the market Especially since it has to protect the sales of both Samsung its partner and Fitbit its new wholly owned subsidiary Although given that Samsung and Fitbit already cater for pretty much every part of the wearables market between them it s not clear what specific group Google might be targeting here Analyst Ben Wood at CCS Insight agrees saying “the Pixel Watch poses zero threat to the Apple Watch and that its existence is more to “raise awareness of smartwatches for Android smartphone owners and encourage more of these people to consider buying a wearable For that to work however Pixel Watch needs to become instantly desirable especially given Google s short patience when it comes to products that don t instantly click with the public The Google Pixel Watch is available in “Matte Black “Polished Silver or “Champagne Gold stainless steel colors They are complemented by a variety of watch bands which attach not with lugs but with a camera lens esque internal locking system that should make switching faster It is available to pre order with the WiFi Bluetooth model is priced at while the LTE model will set you back with both expected to begin shipping on October th Follow all of the news from Google s Pixel event right here 2022-10-06 14:14:18
海外TECH WIRED Google Catches Up to Apple and Samsung in the Hardware Race https://www.wired.com/story/gadget-lab-podcast-569/ smartwatch 2022-10-06 14:45:00
海外TECH WIRED Google Pixel 7 and Pixel 7 Pro (2022): Features, Price, Release Date https://www.wired.com/story/google-pixel-7-pixel-7-pro-features-price-release-date/ smart 2022-10-06 14:45:00
海外TECH WIRED Google Pixel Watch (2022): Features, Price, Release Date https://www.wired.com/story/google-pixel-watch-features-release-date-price/ android 2022-10-06 14:45:00
海外TECH WIRED 10 Best Early Amazon Prime Day Deals (2022): Echo Devices, Phones, and TVs https://www.wired.com/story/best-early-amazon-prime-day-deals-access-sale-2022/ october 2022-10-06 14:32:50
金融 RSS FILE - 日本証券業協会 株券等貸借取引状況(週間) https://www.jsda.or.jp/shiryoshitsu/toukei/kabu-taiw/index.html 貸借 2022-10-06 15:30:00
金融 RSS FILE - 日本証券業協会 SDGs特設サイトのトピックスと新着情報(リダイレクト) https://www.jsda.or.jp/about/torikumi/sdgs/sdgstopics.html 特設サイト 2022-10-06 15:00:00
ニュース BBC News - Home Homes face winter power cuts in worst-case scenario, says National Grid https://www.bbc.co.uk/news/business-63155827?at_medium=RSS&at_campaign=KARANGA times 2022-10-06 14:46:08
ニュース BBC News - Home UK's Truss joins Europe's leaders for big summit on Russian war https://www.bbc.co.uk/news/uk-politics-63151813?at_medium=RSS&at_campaign=KARANGA forum 2022-10-06 14:26:04
ニュース BBC News - Home LIV Golf: No ranking points available at Bangkok and Jeddah, says OWGR https://www.bbc.co.uk/sport/golf/63162340?at_medium=RSS&at_campaign=KARANGA LIV Golf No ranking points available at Bangkok and Jeddah says OWGRLIV Golf players will not be able to earn world ranking points at upcoming events in Bangkok and Jeddah Official World Golf Ranking OWGR says 2022-10-06 14:31:02
北海道 北海道新聞 核ごみ「文献調査、道外でも」 代表質問 首相、対話推進を強調 https://www.hokkaido-np.co.jp/article/741937/ 代表質問 2022-10-06 23:21:00
北海道 北海道新聞 「語らぬ」首相 野党追及 衆参代表質問 旧統一教会や国葬 一般論に終始 https://www.hokkaido-np.co.jp/article/741933/ 代表質問 2022-10-06 23:16:00
北海道 北海道新聞 電気代高騰対策、道が追加提案へ 129億円補正予算案 https://www.hokkaido-np.co.jp/article/741931/ 補正予算 2022-10-06 23:14:00
北海道 北海道新聞 「雪ミク」に函館版 冬のイベントで活用へ 弘前版も https://www.hokkaido-np.co.jp/article/741920/ 青森県弘前市 2022-10-06 23:01:00

コメント

このブログの人気の投稿

投稿時間:2021-06-17 05:05:34 RSSフィード2021-06-17 05:00 分まとめ(1274件)

投稿時間:2021-06-20 02:06:12 RSSフィード2021-06-20 02:00 分まとめ(3871件)

投稿時間:2020-12-01 09:41:49 RSSフィード2020-12-01 09:00 分まとめ(69件)