投稿時間:2023-05-09 03:20:19 RSSフィード2023-05-09 03:00 分まとめ(20件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Big Data Blog New scatter plot options in Amazon QuickSight to visualize your data https://aws.amazon.com/blogs/big-data/new-scatter-plot-options-in-amazon-quicksight-to-visualize-your-data/ New scatter plot options in Amazon QuickSight to visualize your dataAre you looking to understand the relationships between two numerical variables Scatter plots are a powerful visual type that allow you to identify patterns outliers and strength of relationships between variables In this post we walk you through the newly launched scatter plot features in Amazon QuickSight which will help you take your correlation analysis … 2023-05-08 17:23:30
AWS AWS Machine Learning Blog Securing MLflow in AWS: Fine-grained access control with AWS native services https://aws.amazon.com/blogs/machine-learning/securing-mlflow-in-aws-fine-grained-access-control-with-aws-native-services/ Securing MLflow in AWS Fine grained access control with AWS native servicesWith Amazon SageMaker you can manage the whole end to end machine learning ML lifecycle It offers many native capabilities to help manage ML workflows aspects such as experiment tracking and model governance via the model registry This post provides a solution tailored to customers that are already using MLflow an open source platform for managing ML workflows … 2023-05-08 17:12:34
AWS AWS Machine Learning Blog Host ML models on Amazon SageMaker using Triton: TensorRT models https://aws.amazon.com/blogs/machine-learning/host-ml-models-on-amazon-sagemaker-using-triton-tensorrt-models/ Host ML models on Amazon SageMaker using Triton TensorRT modelsSometimes it can be very beneficial to use tools such as compilers that can modify and compile your models for optimal inference performance In this post we explore TensorRT and how to use it with Amazon SageMaker inference using NVIDIA Triton Inference Server We explore how TensorRT works and how to host and optimize these … 2023-05-08 17:04:28
AWS AWS Koch Ag & Engergy Solutions: AWS Customer Testimonial | Amazon Web Services https://www.youtube.com/watch?v=0rTGzAEytm0 Koch Ag amp Engergy Solutions AWS Customer Testimonial Amazon Web ServicesLearn how Koch Ag Energy Solutions KAES is building an event driven architecture EDA on AWS with Amazon EventBridge and serverless services KAES is able to easily scale their systems and accelerate their time to market In this video Michael Jernigan talks about the benefits that his company has realized from building an EDA Learn more at Subscribe More AWS videos More AWS events videos Do you have technical AWS questions Ask the community of experts on AWS re Post ABOUT AWSAmazon Web Services AWS is the world s most comprehensive and broadly adopted cloud platform offering over fully featured services from data centers globally Millions of customers ーincluding the fastest growing startups largest enterprises and leading government agencies ーare using AWS to lower costs become more agile and innovate faster eventdrivenarchitecture eventbridge serverless AWS AmazonWebServices CloudComputing 2023-05-08 17:36:29
Ruby Rubyタグが付けられた新着投稿 - Qiita 【初学者向け】依存オブジェクトの注入をわかった気になろう! https://qiita.com/yuta_931214/items/b6d002ec7b1c15468f1f 記事 2023-05-09 02:02:58
海外TECH Ars Technica Twitter fails to remove, label graphic images after Texas mass shooting https://arstechnica.com/?p=1937477 media 2023-05-08 17:12:52
海外TECH MakeUseOf How to Fix Sony WH-1000XM4 Ringing and Clicking Issues https://www.makeuseof.com/sony-wh-1000xm4-fix-ringing-clicking-issues/ issues 2023-05-08 17:30:17
海外TECH MakeUseOf How to Fix the “Your IT Administrator Has Limited Access” Windows Security Error https://www.makeuseof.com/your-it-administrator-limited-access-windows/ How to Fix the “Your IT Administrator Has Limited Access Windows Security ErrorIf you re using a personal account and this odd error message is stopping you from accessing Windows Security here are the fixes 2023-05-08 17:15:16
海外TECH DEV Community Database 101: How social media “likes” are stored in a database https://dev.to/danielhe4rt/database-101-how-social-media-likes-are-stored-in-a-database-3oii Database How social media “likes are stored in a databaseDid you ever think about how Instagram Twitter Facebook or any social media platforms track who liked your posts Let s figure it out in this post If you re just starting working with databases you might want to start off by reading my initial post Database Data Consistency for Beginners That captures my own exploration of how many database paradigms exist as I look far beyond my previous experience with just SQL and MySQL I m keeping track on my studies in this Database series Table of Contents Prologue Let s Research Researching Data Types Properly Modeling Final Considerations Prologue Recently I was invited to speak at an event called CityJS But here s the thing I m the PHP guy I don t do JS at all but I accepted the challenge To pull it off I needed to find a good example to show how a highly scalable and low latency database works So I asked one of my coworkers for examples He told me to look for high numbers inside any platform like counters or something like that At that point I realized that any type of metrics can fit this example Likes views comments follows etc could be queried as counters In this article you will find my studies of how do proper data modeling for these using ScyllaDB Let s Research First things first right After deciding what to cover in my talk I needed to understand how to build this data model We ll need a posts table and also a post likes table that relates who liked each post So far it seems enough to do our likes counter My first bet for a query to count all likes was something like Ok and if I just do a query with SELECT count FROM social post likes it can work right Well it worked but it was not as performant as expected when I did a test with a couple thousands of likes in a post As the number of likes grows the query becomes slower and slower But ScyllaDB can handle thousands of rows easily…why isn t it performant That s probably what you re thinking right now or maybe not ScyllaDB even as a cool database with cool features will not solve the problem of bad data modeling We need to think about how to make things faster Researching Data Types Ok let s think straight the data needs to be stored and we need the relation between who liked our post but we can t use it for count So what if I create a new row as integer in the posts table and increment decrement it every time Well that seems like a good idea but there s a problem we need to keep track of every change on the posts table and if we start to INSERT or UPDATE data there we ll probably create a bunch of nonsense records in our database Using ScyllaDB every time that you need to update something you actually create new data scylla cqlsh socials gt INSERT INTO socials posts id user id description image url created at likes VALUES dbbc c fe a adfe eddfd e ae afa adbbe Such a cool event P Conf scylla cqlsh socials gt INSERT INTO socials posts id user id description image url created at likes VALUES dbbc c fe a adfe eddfd e ae afa adbbe Such a cool event P Conf scylla cqlsh socials gt INSERT INTO socials posts id user id description image url created at likes VALUES dbbc c fe a adfe eddfd e ae afa adbbe Such a cool event P Conf scylla cqlsh socials gt SELECT from posts id user id created at description image url likes dbbc c fe a adfe eddfd e ae afa adbbe Such a cool event P Conf dbbc c fe a adfe eddfd e ae afa adbbe Such a cool event P Conf dbbc c fe a adfe eddfd e ae afa adbbe Such a cool event P Conf You will have to track everything that changes in your data So for each increase there will be one more row unless you don t change your clustering keys or don t care about timestamps a really stupid idea After that I went into ScyllaDB docs and found out that there s a type called counter that fit our needs and is also ATOMIC Ok it fit our needs but not our data modeling To use this type we have to follow a few rules but let s focus on the ones that are causing trouble for us right now The only other columns in a table with a counter column can be columns of the primary key which cannot be updated No other kinds of columns can be included You need to use UPDATE queries to handle tables that own a counter data type You only can INCREMENT or DECREMENT values setting a specific value is not permitted This limitation safeguards correct handling of counter and non counter updates by not allowing them in the same operation So we can use this counter but not on the posts table Ok then it seems that we re finding a way to get it done Properly Modeling With the information that counter type should not be mixed with other data types in a table the only option that is left to us is create a NEW TABLE and store this type of data So I made a new table called post analytics that will hold only counter types For the moment let s work with only likes since we have a Many to Many relation post likes created already These next queries are what you probably will run for this example that we created Social when you like a postUPDATE socials post analytics SET likes likes WHERE post id dbbc c fe a adfe INSERT INTO socials post likes post id user id liked at VALUES dbbc c fe a adfe eddfd e ae afa adbbe Social when you dislike a postDELETE FROM socials post likes WHERE post id dbbc c fe a adfe AND user id eddfd e ae afa adbbe UPDATE socials post analytics SET likes likes WHERE post id dbbc c fe a adfe Now you might have new unanswered questions in your mind like So every time that I need a new counter related to some data I ll need a new table Well it depends on your use case In the social media case if you want to store who saw the post you will probably need a post viewers table with session id and a bunch of other stuff Having these simple queries that can be done without joins can be way faster than having count queries Final Considerations Me at CityJS stage saying a bunch of nonse data modeling using TSI learned a lot not only by studying new ways of data modeling but also having to learn TypeScript to create the CityJS presentation and build this use case As everything is brand new for me I ll do my best to keep sharing my studies Please feel free to correct me in the comments Discussing is the best way to learn new things Don t forget to like this post follow me on the socials and fill your water bottle xDTwitter DanielHert PT BRTwitter DanielHert ENTwitch Channel 2023-05-08 17:17:03
Apple AppleInsider - Frontpage News Amazon's new Apple sale: $800 off MacBook Pro, $199 AirPods Pro 2, $100 off iPads https://appleinsider.com/articles/23/05/08/amazons-new-apple-sale-800-off-macbook-pro-199-airpods-pro-2-100-off-ipads?utm_medium=rss Amazon x s new Apple sale off MacBook Pro AirPods Pro off iPadsAmazon slashed prices on high end MacBooks and most of the iPad lineup this week including offering an discount for a inch MacBook Pro with an M Max chip Other fantastic deals include discounts on several iPad models Get up to off Apple Gear at Amazon Amazon is also providing discounts on Apple accessories including a discount on AirPods Pro nd generation and upwards of off on Apple Watch Series models Read more 2023-05-08 17:35:26
Apple AppleInsider - Frontpage News Apple is about to start a new $5 billion bond sale https://appleinsider.com/articles/23/05/08/apple-is-about-to-start-a-new-5-billion-bond-sale?utm_medium=rss Apple is about to start a new billion bond saleIn the upcoming weeks Apple plans to offer five different bonds in a sale to finance its buyback and dividend initiatives and could potentially raise up to billion Apple plans a new bond saleJust days after its recent buyback of billion worth of shares on Monday Apple filed a prospectus with the US Securities and Exchange Commission for a new bond program Read more 2023-05-08 17:10:37
Apple AppleInsider - Frontpage News Apple Maps may offer lock screen navigation in iOS 17, claims iffy rumor https://appleinsider.com/articles/23/05/08/apple-maps-may-offer-lock-screen-navigation-in-ios-17-claims-iffy-rumor?utm_medium=rss Apple Maps may offer lock screen navigation in iOS claims iffy rumorThe lock screen will gain some more Apple Maps functionality which could make it easier to navigate without necessarily needing to unlock the iPhone a sketchy rumor claims Twitter Analyst Apple s WWDC event is a month away and the rumors about what it will unveil are starting to flow In a Monday tweet it is claimed part of the changes will be one affecting Apple Maps in iOS Read more 2023-05-08 17:07:58
海外TECH Engadget Bank of Canada asks for public feedback about a national digital currency https://www.engadget.com/bank-of-canada-asks-for-public-feedback-about-a-national-digital-currency-172630056.html?src=rss Bank of Canada asks for public feedback about a national digital currencyThe Bank of Canada wants the public s opinions on a potential digital Canadian dollar Although the country s central bank says a national digital currency isn t yet needed it wants to remain flexible and ready should that ever change “As Canada s central bank we want to make sure everyone can always take part in our country s economy That means being ready for whatever the future holds said Senior Deputy Governor Carolyn Rogers in a press release published today The bank cites the diminishing use of cash potential competition with cryptocurrencies and national economic stability as reasons to prepare for the potential shift “The Bank has been providing bank notes to Canadians for more than years its announcement states “Cash is a safe accessible and trusted method of payment that anyone can use including people who don t have a bank account a credit score or official identification documents However there may come a time when bank notes are not widely used in day to day transactions which could risk excluding many Canadians from taking part in the economy Although cryptocurrency is less of a threat to traditional financial institutions after last year s epic collapses it s still a looming danger that likely motivated this move If decentralized currencies ever became widely enough used to reduce demand for the Canadian dollar that could threaten the bank s and government s ability to assert control over the economy maintain stability and implement policies “A digital Canadian dollar would ensure Canadians always have an official safe and stable digital payment option issued by Canada s central bank the bank says But it also emphasized that even if it eventually launched a national digital currency it would still issue bank notes for anyone who wants them “Cash isn t going anywhere it unequivocally states The survey is a standard online questionnaire about how Canadians would likely use digital currency which security features are essential and their concerns about accessibility and privacy “We want to hear from Canadians about what they value most in the design of a digital dollar This will help us make design choices and ensure that it is secure reliable and meets the needs of Canadians said Rogers The bank says Canadians feedback “will be kept anonymous confidential and be reported in aggregate only This article originally appeared on Engadget at 2023-05-08 17:26:30
海外TECH Engadget The best mirrorless cameras for 2023 https://www.engadget.com/best-mirrorless-cameras-133026494.html?src=rss The best mirrorless cameras for The last few months in the camera world have been tumultuous to say the least Since our previous guide we ve seen numerous new models from Sony Canon Fujifilm Nikon and Panasonic with better shooting speeds autofocus and video That s exciting if you re after the latest cameras but it also means that deals can be found on great older models as well If you re confused about which models have the best AF capabilities stabilization or other features we re here to clear things up Our guide will catch you up on all the latest models and deals so you can select the best camera whether you re a vlogger sports shooter or wildlife photographer What to look for in a mirrorless cameraTo learn more about mirrorless tech and why it s taken over the camera world check out our previous camera guide for an explanation or watch our Upscaled video on the subject for an even deeper dive Why get a camera when my smartphone takes great photos you may ask In a word physics The larger sensors in mirrorless cameras let more light in and you have a wide choice of lenses with far superior optics Where smartphones have one f stop cameras have many which gives you more exposure control You also get natural and not AI generated bokeh quicker shooting a physical shutter more professional video recording and so on Smartphones do have impressive AI skills that help make photography easier but that s about it With that settled mirrorless is the best way to go if you re shopping for a new camera Both Canon and Nikon recently announced they re discontinuing development of new DSLRs simply because most of the advantages of that category are gone as I detailed in a recent video With putting all their R amp D in mirrorless that s where you ll find the most up to date tech Steve Dent EngadgetCompact cameras still exist as a category but barely Panasonic has built a number of good models in the past but recently said it would focus only on video centric mirrorless models going forward And we haven t seen any new ones from Canon or Nikon lately either Only Sony and Fujifilm are still carrying the compact torch the latter with its XV model which has become famously hard to find Most of Sony s recently compact models like the ZV F are designed for vloggers Now let s talk about features you need in a mirrorless camera The one that affects your photography and budget the most is sensor size The largest is medium format but that s only used on niche and expensive cameras from Hasselblad Fujifilm and Leica so we ll skip over those for this article See my Fujifilm GFX S and Hasselblad XD reviews for more The most expensive category we ll be discussing here is full frame largely used by pros and serious amateurs Models are available from all the major brands except Fujifilm including Sony Canon Nikon and Panasonic That format offers the best image quality low light capability and depth of field with prices starting around With the right lenses you can get beautifully blurred backgrounds but autofocus is more critical Lenses are also more expensive Down one size are APS C cameras offered on Fujifilm Sony Nikon and Canon models Cameras and lenses are cheaper than full frame but you still get nice blurred “bokeh decent low light shooting capability and relatively high resolution With a sensor size equivalent to mm movie film it s ideal for video recording Steve Dent EngadgetMicro Four Thirds used by Panasonic and Olympus is the smallest mainstream sensor size for mirrorless cameras It offers less dramatic bokeh and light gathering capability than APS C but allows for smaller and lighter cameras and lenses For video it s harder to blur the background to isolate your subject but focus is easier to control The next thing to consider is sensor resolution High res cameras like Sony s megapixel full frame AR V or Fujifilm s megapixel APS C X H deliver detailed images but the small pixels mean they re not ideal for video or low light shooting Lower resolution models like Panasonic s megapixel GHs or Sony s megapixel AS III excel at video and high ISO shooting but lack detail for photos Image quality is subjective but different cameras do produce slightly different results Some photographers prefer the skin tones from Canon while others like Fujifilm s colors for example It s best to check sample photos to see which model best suits your style What about handling The Fujifilm X T has lots of manual dials to access shooting controls while Sony s A relies more on menus The choice often depends on personal preferences but manual dials and buttons can help you find settings more easily and shoot quicker For heavy lenses you need a camera with a big grip Video is more important than ever Most great cameras deliver at least K at frames per second but some models now offer K at up to p with K and even K resolution If you need professional looking results choose a camera with bit or even RAW capability along with log profiles to maximize dynamic range In body stabilization which keeps the camera steady even if you move is another important option for video and low light photography You ll also want to consider the electronic viewfinder EVF specs High resolutions and refresh rates make judging shots easier particularly in sunny environments Other important features include displays that flip up or around for vlogging or selfie shots along with things like battery life the number and type of memory card slots the ports and wireless connectivity Lens selection is also key as some brands like Sony have more choice than others For most of our picks keep in mind that you ll need to buy at least one lens Now let s take a look at our top camera picks for We ve divided the selection into four budget categories under under under and over We chose those price categories because many recent cameras slot neatly into them Manufacturers have largely abandoned the low end of the market so there are very few mirrorless models under Best mirrorless cameras under My top pick in the budget category is Canon s brand new megapixel R an impressive model considering the price It can shoot bursts at up to fps in electronic shutter mode and offers K bit at up to p with supersampling and no crop It has a fully articulating display and unlike other cameras in this category an electronic viewfinder It uses Canon s Dual Pixel AF with subject recognition mode and even has a popup flash The only drawback is the lack of decent quality lens that s as affordable as the camera itself Pre orders are open with delivery set for spring Your next best option is an older model the megapixel Olympus OM D E M Mark IV as it offers the best mix of photography and video features You get up to fps shooting speeds K p or HD p video and it s one of the few cameras in this price category with built in five axis stabilization It s portable and lightweight for travel and the lenses are compact and affordable The drawbacks are an autofocus system that s not as fast or accurate as the competition and a small sensor size If you re a creator Sony s megapixel ZV E is a strong budget option It can shoot sharp downsampled K video at up to fps with a x crop or p at fps and uses Sony s fantastic AI powered autofocus system with face and eye detection It also has a few creator specific features like Product Showcase and a bokeh switch that makes the background as blurry as possible so your subject stands out Another nice feature is the high quality microphone that lets you vlog without the need to buy an external mic The main drawbacks are the lack of an EVF and rolling shutter Another good creator option that s better for photography is Panasonic s Lumix G on sale right now with a mm lens As with the ZV E it can shoot K video at fps cropped x though p is limited to fps Unlike its Sony rival though the G has a million dot EVF and fps shooting speeds Other features include a fully articulating display and axis hybrid image stabilization Honorable mentions go to two models starting with Nikon s megapixel APS C Z another mirrorless camera designed for vloggers and creators It offers K using the full width of the sensor fps slow mo at p a flip out display and AI powered hybrid phase detect AF The drawbacks are the lack of an EVF and autofocus that s not up to Sony s standards And finally another good budget option is the Canon EOS M Mark II a mildly refreshed version of the M with features like a flip out screen tap to record and focus plus K video with a x crop Best mirrorless cameras under Your best option overall in this category is Canon s megapixel APS C EOS R It offers very fast shooting speeds up to fps using the electronic shutter high resolution images that complement skin tones and excellent autofocus It also delivers sharp K video with bits of color depth marred only by excessive rolling shutter Other features include axis in body stabilization dual high speed card slots good battery life and more Full frame cameras generally used to start at and up but now there are two new models at The best by far is Canon s brand new EOS R basically an R II lite It has Canon s excellent Dual Pixel AF with subject recognition AI and can shoot bursts at up to fps It s equally strong with video supporting oversampled bit K at up to fps The R also offers a flip out display making it great for vloggers The main drawback is a lack of in body stabilization It s now on pre order with delivery set for spring A better choice for video is Panasonic s Micro Four Thirds GH II It s one of the least expensive models with bit high data rate K p video It also offers effective image stabilization pro inputs dual high speed card slots and a flip out screen Negative points are the small Micro Four Thirds sensor and relatively low megapixel photo resolution Several cameras are worthy of honorable mention in this category including Canon s megapixel EOS R still a great budget option for K video and particularly photography despite being released over four years ago Other good choices include the fast and pretty Olympus OM D E M III and Sony s A which offers very fast shooting speeds and the best autofocus in its class Finally Nikon s megapixel Z is another good choice for a full frame camera in this price category particularly for photography as it deliver outstanding image quality Best mirrorless cameras under This category currently has the most choices with the Sony A IV leading the charge Resolution is up considerably from the megapixel A III to megapixels with image quality much improved overall Video is now up to par with rivals with K at up to p with bit quality Autofocus is incredible for both video and stills and the in body stabilization does a good job The biggest drawbacks are rolling shutter that limits the use of the electronic shutter plus the relatively high price The next best option is the EOS R II Canon s new mainstream hybrid mirrorless camera that offers a great mix of photography and video features The megapixel sensor delivers more detail than the previous model and you can now shoot RAW stills at up to fps in electronic shutter mode Video specs are equally solid with full sensor K supersampled from K at up to fps Autofocus is quick and more versatile than ever thanks to expanded subject detection It s still not quite up to Sony s standards though and the microHDMI and lack of a CFexpress slot isn t ideal If you re OK with a smaller APS C sensor check out the Fujifilm X HS It has an incredibly fast stacked backside illuminated megapixel sensor that allows for rapid burst shooting speeds of fps along with K p video with minimal rolling shutter It can capture ProRes bit video internally has stops of in body stabilization and a class leading EVF Yes it s expensive for an APS C camera at but on the other hand it s the cheapest stacked sensor camera out there The other downside is AF that s not quite up to Canon and Sony s level Video shooters should look at Panasonic s full frame S II It s the company s first camera with hybrid phase detect AF designed to make focus quot wobble quot and other issues a thing of the past You can shoot sharp K p video downsampled from the full sensor width or K p from an APS C cropped size all in bit color It even offers K p capture along with RAW K external output to an Atomos recorder You also get a flip out screen for vlogging and updated five axis in body stabilization that s the best in the industry Photo quality is also good thanks to the dual gain megapixel sensor The main drawback is the slowish burst speeds The best value in a new camera is the Fujifilm X T It offers a megapixel APS C sensor K video at p K p bit video stop image stabilization and shooting speeds up to fps It s full of mechanical dials and buttons with Fujifilm s traditional layout The downsides are a tilt only display and autofocus system that can t keep up with Sony and Canon systems If you want to go a step up with better video specs for a bit more money Fuji s X H has the same sensor as the X T but offers K p video and a flip out display Honorable mentions in this category go to the Nikon Z II which offers excellent image quality solid video specs and great handling For budget options take a look at Sony s compact full frame AC along with Fujifilm s older but still great X T Best mirrorless cameras over Finally here are the best cameras if the sky s the limit in terms of pricing At the apex is Sony s megapixel stacked sensor A a stunning high end camera with a stunning price It rules in performance with fps shooting speeds and equally quick autofocus that rarely misses a shot It backs that up with K and K p video shooting built in stabilization and the fastest highest resolution EVF on the market The only real drawbacks are the lack of a flip out screen and of course that price For a bit less money the Nikon Z packs a megapixel stacked sensor that s so fast it doesn t even have a mechanical shutter It has Nikon s best autofocus system by far and delivers outstanding image quality Video is top notch as well with K p internally and K p RAW via the HDMI port The main drawbacks are the lack of an articulating display and high price but it s a great option if you need speed resolution and high end video capabilities Tied for the next positions are Sony s AS III and AR V With a megapixel sensor the AR V shoots sharp and beautiful images at a very respectable speed for such a high resolution model fps It has equally fast and reliable autofocus the sharpest viewfinder on the market and in body stabilization that s much improved over the AR IV Video has even improved with K and bit options now on tap albeit with significant rolling shutter If you don t need the video however Sony s AR IVa does mostly the same job photo wise and costs a few hundred dollars less The megapixel AS III meanwhile is the best dedicated video camera with outstanding K video quality at up to fps a flip out display and category leading autofocus It also offers axis in body stabilization a relatively compact size and great handling While the megapixel sensor doesn t deliver a lot of photo detail it s the best camera for low light shooting period And if you want a mirrorless sports camera check out Canon s megapixel EOS R It can shoot bursts at up to fps with autofocus enabled making it great for any fast moving action It s a very solid option for video too offering K at up to fps in Canon s RAW LTE mode or K at fps Canon s Dual Pixel autofocus is excellent and it offers stops of shake reduction a flip out display and even eye detection autofocus The biggest drawback for the average buyer is the price so it s really aimed at professionals as a replacement for the DX Mark III DSLR Honorable mention goes to Canon s megapixel EOS R For a lot less money it nearly keeps pace with the A thanks to the fps shooting speeds and lightning fast autofocus It also offers K and K p video while besting Sony with internal RAW recording The big drawback is overheating as you can t shoot K longer than minutes and it takes a while before it cools down enough so that you can start shooting again Another solid option is Panasonic s SH a Netflix approved mirrorless camera that can handle K video and RAW shooting You re now caught up new models have been arriving thick and fast including potential rumored APS C models from Canon Another known model coming in May is Panasonic s S IIx which offers the same features of the S II plus internal SSD recording and live streaming for just more We ll have full coverage of those when they arrive so stay glued to Engadget com for the latest updates This article originally appeared on Engadget at 2023-05-08 17:15:38
ニュース BBC News - Home King Charles and Queen Camilla pose in royal regalia for official portraits https://www.bbc.co.uk/news/uk-65523802?at_medium=RSS&at_campaign=KARANGA ceremony 2023-05-08 17:04:03
ニュース BBC News - Home Sum 41 to split after final album and world tour https://www.bbc.co.uk/news/entertainment-arts-65527873?at_medium=RSS&at_campaign=KARANGA rockers 2023-05-08 17:46:11
ニュース BBC News - Home Fulham 5-3 Leicester City: Foxes remain in deep trouble after dismal first-half display https://www.bbc.co.uk/sport/football/65445806?at_medium=RSS&at_campaign=KARANGA Fulham Leicester City Foxes remain in deep trouble after dismal first half displayLeicester forward James Maddison believes his side were not hungry enough in their Premier League loss at Fulham 2023-05-08 17:44:07
ニュース BBC News - Home Preston North End 0-3 Sunderland: Black Cats crush Preston at Deepdale to reach play-offs https://www.bbc.co.uk/sport/football/65445646?at_medium=RSS&at_campaign=KARANGA Preston North End Sunderland Black Cats crush Preston at Deepdale to reach play offsSunderland sneak into the Championship play offs thanks to a crushing win over Preston and Millwall s stunning loss to Blackburn 2023-05-08 17:40:20
ニュース BBC News - Home Millwall 3-4 Blackburn Rovers: Lions denied play-off spot by Rovers comeback https://www.bbc.co.uk/sport/football/65445638?at_medium=RSS&at_campaign=KARANGA blackburn 2023-05-08 17:02:09
GCP Cloud Blog What’s new with Google Cloud https://cloud.google.com/blog/topics/inside-google-cloud/whats-new-google-cloud/ What s new with Google CloudWant to know the latest from Google Cloud Find it here in one handy location Check back regularly for our newest updates announcements resources events learning opportunities and more  Tip  Not sure where to find what you re looking for on the Google Cloud blog Start here  Google Cloud blog Full list of topics links and resources Week of May Introducing BigQuery differential privacy SQL building blocks that analysts and data scientists can use to anonymize their data We are also partnering with Tumult Labs to help Google Cloud customers with their differential privacy implementations Scalable electronic trading on Google Cloud A business case with BidFX Working with Google Cloud BidFX has been able to develop and deploy a new product called Liquidity Provision Analytics “LPA launching to production within roughly six months to solve the transaction cost analysis challenge in an innovative way LPA will be offering features such as skew detection for liquidity providers execution time optimization pricing comparison top of book analysis and feedback to counterparties Read more here AWS EC VMs discovery and assessment mFit can discover EC VMs inventory in your AWS region and collect guest level information from multiple VMs to provide technical fit assessment for modernization See demo video Generate assessment report in Microsoft Excel file mFit can generate detailed assessment report in Microsoft Excel XLSX format which can handle large amounts of VMs in a single report few s which an HTML report might not be able to handle Regulatory Reporting Platform Regulatory reporting remains a challenge for financial services firms We share our point of view on the main challenges and opportunities in our latest blog accompanied by an infographic and a customer case study from ANZ Bank We also wrote a white paper for anyone looking for a deeper dive into our Regulatory Reporting Platform Week of May Microservices observability is now generally available for C Go and Java This release includes a number of new features and improvements making it easier than ever to monitor and troubleshoot your microservices applications Learn more on our user guide Google Cloud Deploy Google Cloud Deploy now supports Skaffold as the default Skaffold version for all target types Release Notes Cloud Build You can now configure Cloud Build to continue executing a build even if specified steps fail This feature is generally available Learn more hereWeek of April General Availability Custom Modules for Security Health Analytics is now generally available Author custom detective controls in Security Command Center using the new custom module capability Next generation Confidential VM is now available in Private Preview with a Confidential Computing technology called AMD Secure Encrypted Virtualization Secure Nested Paging AMD SEV SNP on general purpose ND machines Confidential VMs with AMD SEV SNP enabled builds upon memory encryption and adds new hardware based security protections such as strong memory integrity encrypted register state thanks to AMD SEV Encrypted State SEV ES and hardware rooted remote attestation Sign up here Selecting Tier networking for your Compute Engine VM can give you the bandwidth you need for demanding workloads Check out this blog on Increasing bandwidth to Compute Engine VMs with TIER networking Week of April Use Terraform to manage Log Analytics in Cloud Logging  You can now configure Log Analytics on Cloud Logging buckets and BigQuery linked datasets by using the following Terraform modules Google logging project bucket configgoogle logging linked datasetWeek of April Assured Open Source Software is generally available for Java and Python ecosystems Assured OSS is offered at no charge and provides an opportunity for any organization that utilizes open source software to take advantage of Google s expertise in securing open source dependencies BigQuery change data capture CDC is now in public preview BigQuery CDC provides a fully managed method of processing and applying streamed UPSERT and DELETE operations directly into BigQuery tables in real time through the BigQuery Storage Write API This further enables the real time replication of more classically transactional systems into BigQuery which empowers cross functional analytics between OLTP and OLAP systems Learn more here Week of April Now Available Google Cloud Deploy now supports canary release as a deployment strategy This feature is supported in Preview Learn moreGeneral Availability Cloud Run services as backends to Internal HTTP S Load Balancers and Regional External HTTP S Load Balancers Internal load balancers allow you to establish private connectivity between Cloud Run services and other services and clients on Google Cloud on premises or on other clouds In addition you get custom domains tools to migrate traffic from legacy services Identity aware proxy support and more Regional external load balancer as the name suggests is designed to reside in a single region and connect with workloads only in the same region thus helps you meet your regionalization requirements Learn more New Visualization tools for Compute Engine Fleets TheObservability tab in the Compute Engine console VM List page has reached General Availability The new Observability tab is an easy way to monitor and troubleshoot the health of your fleet of VMs Datastream for BigQuery is Generally Available  Datastream for BigQuery is generally available offering a unique truly seamless and easy to use experience that enables near real time insights in BigQuery with just a few steps Using BigQuery s newly developed change data capture CDC and Storage Write API s UPSERT functionality Datastream efficiently replicates updates directly from source systems into BigQuery tables in real time You no longer have to waste valuable resources building and managing complex data pipelines self managed staging tables tricky DML merge logic or manual conversion from database specific data types into BigQuery data types Just configure your source database connection type and destination in BigQuery and you re all set Datastream for BigQuery will backfill historical data and continuously replicate new changes as they happen Now available  Build an analytics lakehouse on Google Cloud whitepaper The analytics lakehouse combines the benefits of data lakes and data warehouses without the overhead of each In this paper we discuss the end to end architecture which enable organizations to extract data in real time regardless of which cloud or datastore the data reside in use the data in aggregate for greater insight and artificial intelligence AI all with governance and unified access across teams  Download now Week of March Faced with strong data growth Squarespace made the decision to move away from on premises Hadoop to a cloud managed solution for its data platform Learn how they reduced the number of escalations by with the analytics lakehouse on Google Cloud  Read nowLast chance Register to attend Google Data Cloud amp AI Summit  Join us on Wednesday March at AM PDT PM EDT to discover how you can use data and AI to reveal opportunities to transform your business and make your data work smarter Find out how organizations are using Google Cloud data and AI solutions to transform customer experiences boost revenue and reduce costs  Register today for this no cost digital event New BigQuery editions flexibility and predictability for your data cloud  At the Data Cloud amp AI Summit we announced BigQuery pricing editionsーStandard Enterprise and Enterprise Plusーthat allow you to choose the right price performance for individual workloads Along with editions we also announced autoscaling capabilities that ensure you only pay for the compute capacity you use and a new compressed storage billing model that is designed to reduce your storage costs Learn more about latest BigQuery innovations and register for the upcoming BigQuery roadmap session on April Introducing Looker Modeler A single source of truth for BI metrics  At the Data Cloud amp AI Summit we introduced a standalone metrics layer we call Looker Modeler available in preview in Q With Looker Modeler organizations can benefit from consistent governed metrics that define data relationships and progress against business priorities and consume them in BI tools such as Connected Sheets Looker Studio Looker Studio Pro Microsoft Power BI Tableau and ThoughtSpot Bucket based log based metrics ーnow generally available ーallow you to track visualize and alert on important logs in your cloud environment from many different projects or across the entire organization based on what logs are stored in a log bucket Week of March Chronicle Security Operations Feature Roundup Bringing a modern and unified security operations experience to our customers is and has been a top priority with the Google Chronicle team We re happy to show continuing innovation and even more valuable functionality In our latest release roundup we ll highlight a host of new capabilities focused on delivering improved context collaboration and speed to handle alerts faster and more effectively Learn how our newest capabilities enable security teams to do more with less here Announcing Google s Data Cloud amp AI Summit March th  Can your data work smarter How can you use AI to unlock new opportunities Join us on Wednesday March to gain expert insights new solutions and strategies to reveal opportunities hiding in your company s data Find out how organizations are using Google Cloud data and AI solutions to transform customer experiences boost revenue and reduce costs  Register today for this no cost digital event Artifact Registry Feature Preview Artifact Registry now supports immutable tags for Docker repositories If you enable this setting an image tag always points to the same image digest including the default latest tag This feature is in Preview Learn moreWeek of March A new era for AI and Google Workspace  Google Workspace is using AI to become even more helpful starting with new capabilities in Docs and Gmail to write and refine content Learn more Building the most open and innovative AI ecosystem  In addition to the news this week on AI products Google Cloud has also announced new partnerships programs and resources This includes bringing bringing the best of Google s infrastructure AI products and foundation models to partners at every layer of the AI stack chipmakers companies building foundation models and AI platforms technology partners enabling companies to develop and deploy machine learning ML models app builders solving customer use cases with generative AI and global services and consulting firms that help enterprise customers implement all of this technology at scale Learn more From Microbrows to Microservices  Ulta Beauty is building their digital store of the future but to maintain control over their new modernized application they turned to Anthos and GKE Google Cloud s managed container services to provide an eCommerce experience as beautiful as their guests Read our blog to see how a newly minted Cloud Architect learnt Kubernetes and Google Cloud to provide the best possible architecture for his developers Learn more Now generally available understand and trust your data with Dataplex data lineage a fully managed Dataplex capability that helps you understand how data is sourced and transformed within the organization Dataplex data lineage automatically tracks data movement across BigQuery BigLake Cloud Data Fusion Preview and Cloud Composer Preview eliminating operational hassles around manual curation of lineage metadata Learn more here Rapidly expand the reach of Spanner databases with read only replicas and zero downtime moves Configurable read only replicas let you add read only replicas to any Spanner instance to deliver low latency reads to clients in any geography Alongside Spanner s zero downtime instance move service you have the freedom to move your production Spanner instances from any configuration to another on the fly with zero downtime whether it s regional multi regional or a custom configuration with configurable read only replicas Learn more here Week of March Automatically blocking project SSH keys in Dataflow is now GA This service option allows Dataflow users to prevent their Dataflow worker VMs from accepting SSH keys that are stored in project metadata and results in improved security Getting started is easy enable the block project ssh keys service option while submitting your Dataflow job Celebrate International Women s Day Learn about the leaders driving impact at Google Cloud and creating pathways for other women in their industries Read more Google Cloud Deploy now supports Parallel Deployment to GKE and Cloud Run workloads This feature is in Preview  Read more Sumitovant doubles medical research output in one year using LookerSumitovant is a leading biopharma research company that has doubled their research output in one year alone By leveraging modern cloud data technologies Sumitovant supports their globally distributed workforce of scientists to develop next generation therapies using Google Cloud s Looker for trusted self service data research To learn more about Looker check out Week of Feb Mar Add geospatial intelligence to your Retail use cases by leveraging the CARTO platform on top of your data in BigQueryLocation data will add a new dimension to your Retail use cases like site selection geomarketing and logistics and supply chain optimization Read more about the solution and various customer implementations in the CARTO for Retail Reference Guide and see a demonstration in this blog Google Cloud Deploy support for deployment verification is now GA  Read more or Try the DemoWeek of Feb Feb Logs for Network Load Balancing and logs for Internal TCP UDP Load Balancingare now GA Logs are aggregated per connection and exported in near real time providing useful information such as tuples of the connection received bytes and sent bytes for troubleshooting and monitoring the pass through Google Cloud Load Balancers Further customers can include additional optional fields such as annotations for client side and server side GCE and GKE resources to obtain richer telemetry The newly published Anthos hybrid cloud architecture reference design guideprovides opinionated guidance to deploy Anthos in a hybrid environment to address some common challenges that you might encounter Check out the architecture reference design guidehere to accelerate your journey to hybrid cloud and containerization Week of Feb Feb Deploy PyTorch models on Vertex AI in a few clicks with prebuilt PyTorch serving containers which means less code no need to write Dockerfiles and faster time to production Confidential GKE Nodes on Compute Optimized CD VMs are now GA Confidential GKE Nodes help to increase the security of your GKE clusters by leveraging hardware to ensure your data is encrypted in memory helping to defend against accidental data leakage malicious administrators and “curious neighbors Getting started is easy as your existing GKE workloads can run confidentially with no code changes required Announcing Google s Data Cloud amp AI Summit March th Can your data work smarter How can you use AI to unlock new opportunities Register for Google Data Cloud amp AI Summit a digital event for data and IT leaders data professionals developers and more to explore the latest breakthroughs Join us on Wednesday March to gain expert insights new solutions and strategies to reveal opportunities hiding in your company s data Find out how organizations are using Google Cloud data and AI solutions to transform customer experiences boost revenue and reduce costs  Register today for this no cost digital event Running SAP workloads on Google Cloud Upgrade to our newly released Agent for SAP to gain increased visibility into your infrastructure and application performance The new agent consolidates several of our existing agents for SAP workloads which means less time spent on installation and updates and more time for making data driven decisions In addition there is new optional functionality that powers exciting products like Workload Manager a way to automatically scan your SAP workloads against best practices Learn how to install or upgrade the agent here Leverege uses BigQuery as a key component of its data and analytics pipeline to deliver innovative IoT solutions at scale As part of the Built with BigQuery program this blog post goes into detail about Leverege IoT Stack that runs on Google Cloud to power business critical enterprise IoT solutions at scale  Download white paper Three Actions Enterprise IT Leaders Can Take to Improve Software Supply Chain Security to learn how and why high profile software supply chain attacks like SolarWinds and Logj happened the key lessons learned from these attacks as well as actions you can take today to prevent similar attacks from happening to your organization Week of Feb Feb Immersive Stream for XRleverages Google Cloud GPUs to host render and stream high quality photorealistic experiences to millions of mobile devices around the world and is now generally available Read more here Reliable and consistent data presents an invaluable opportunity for organizations to innovate make critical business decisions and create differentiated customer experiences But poor data quality can lead to inefficient processes and possible financial losses Today we announce new Dataplex features automatic data quality AutoDQ and data profiling available in public preview AutoDQ offers automated rule recommendations built in reporting and serveless execution to construct high quality data  Data profiling delivers richer insight into the data by identifying its common statistical characteristics Learn more Cloud Workstations now supports Customer Managed Encryption Keys CMEK which provides user encryption control over Cloud Workstation Persistent Disks Read more Google Cloud Deploy now supports Cloud Run targets in General Availability Read more Learn how to use NetApp Cloud Volumes Service as datastores for Google Cloud VMware Engine for expanding storage capacity Read moreWeek of Jan Feb Oden Technologies uses BigQuery to provide real time visibility efficiency recommendations and resiliency in the face of network disruptions in manufacturing systems As part of the Built with BigQuery program this blog post describes the use cases challenges solution and solution architecture in great detail Manage table and column level access permissions using attribute based policies in Dataplex Dataplex attribute store provides a unified place where you can create and organize a Data Class hierarchy to classify your distributed data and assign behaviors such as Table ACLs and Column ACLs to the classified data classes Dataplex will propagate IAM Roles to tables across multiple Google Cloud projects according to the attribute s assigned to them and a single merged policy tag to columns according to the attribute s attached to them  Read more Lytics is a next generation composableCDP that enables companies to deploy a scalable CDP around their existing data warehouse lakes As part of the Built with BigQuery program for ISVs Lytics leverages Analytics Hub to launch secure data sharing and enrichment solution for media and advertisers This blog post goes over Lytics Conductor on Google Cloud and its architecture in great detail Now available in public preview Dataplex business glossary offers users a cloud native way to maintain and manage business terms and definitions for data governance establishing consistent business language improving trust in data and enabling self serve use of data Learn more here Security Command Center SCC Google Cloud s native security and risk management solution is now available via self service to protect individual projects from cyber attacks It s never been easier to secure your Google Cloud resources with SCC Read our blog to learn more To get started today go to Security Command Center in the Google Cloud console for your projects Global External HTTP S Load Balancer and Cloud CDN now support advanced traffic management using flexible pattern matching in public preview This allows you to use wildcards anywhere in your path matcher You can use this to customize origin routing for different types of traffic request and response behaviors and caching policies In addition you can now use results from your pattern matching to rewrite the path that is sent to the origin Run large pods on GKE Autopilot with the Balanced compute class When you need computing resources on the larger end of the spectrum we re excited that the Balanced compute class which supports Pod resource sizes up to vCPU and GiB is now GA Week of Jan Jan Starting with Anthos version Google supports each Anthos minor version for months after the initial release of the minor version or until the release of the third subsequent minor version whichever is longer We plan to have Anthos minor release three times a year around the months of April August and December in with a monthly patch release for example z in version x y z for supported minor versions For more information read here Anthos Policy Controller enables the enforcement of fully programmable policies for your clusters across the environments We are thrilled to announce the launch of our new built in Policy Controller Dashboard a powerful tool that makes it easy to manage and monitor the policy guardrails applied to your Fleet of clusters New policy bundles are available to help audit your cluster resources against kubernetes standards industry standards or Google recommended best practices The easiest way to get started with Anthos Policy Controller is to just install Policy controller and try applying a policy bundle to audit your fleet of clusters against a standard such as CIS benchmark Dataproc is an important service in any data lake modernization effort Many customers begin their journey to the cloud by migrating their Hadoop workloads to Dataproc and continue to modernize their solutions by incorporating the full suite of Google Cloud s data offerings Check out this guide that demonstrates how you can optimize Dataproc job stability performance and cost effectiveness Eventarc adds support for new direct events from the following Google services in Preview API Gateway Apigee Registry BeyondCorp Certificate Manager Cloud Data Fusion Cloud Functions Cloud Memorystore for Memcached Database Migration Datastream Eventarc Workflows This brings the total pre integrated events offered in Eventarc to over events from Google services and third party SaaS vendors  mFit release adds support for JBoss and Apache workloads by including fit analysis and framework analytics for these workload types in the assessment report See the release notes for important bug fixes and enhancements Google Cloud Deploy Google Cloud Deploy now supports Skaffold version  Release notesCloud Workstations Labels can now be applied to Cloud Workstations resources  Release notes Cloud Build Cloud Build repositories nd gen lets you easily create and manage repository connections not only through Cloud Console but also through gcloud and the Cloud Build API Release notesWeek of Jan Jan Cloud CDN now supports private origin authentication for Amazon Simple Storage Service Amazon S buckets and compatible object stores in Preview This capability improves security by allowing only trusted connections to access the content on your private origins and preventing users from directly accessing it Week of Jan Jan Revionics partnered with Google Cloud to build a data driven pricing platform for speed scale and automation with BigQuery Looker and more As part of the Built with BigQuery program this blog post describes the use cases problems solved solution architecture and key outcomes of hosting Revionics product Platform Built for Change on Google Cloud Comprehensive guide for designing reliable infrastructure for your workloads in Google Cloud The guide combines industry leading reliability best practices with the knowledge and deep expertise of reliability engineers across Google Understand the platform level reliability capabilities of Google Cloud the building blocks of reliability in Google Cloud and how these building blocks affect the availability of your cloud resources Review guidelines for assessing the reliability requirements of your cloud workloads Compare architectural options for deploying distributed and redundant resources across Google Cloud locations and learn how to manage traffic and load for distributed deployments Read the full blog here GPU Pods on GKE Autopilot are now generally available Customers can now run ML training inference video encoding and all other workloads that need a GPU with the convenience of GKE Autopilot s fully managed Kubernetes environment Kubernetes v is now generally available on GKE GKE customers can now take advantage of the many new features in this exciting release This release continues Google Cloud s goal of making Kubernetes releases available to Google customers within days of the Kubernetes OSS release Event driven transfer for Cloud Storage Customers have told us they need asynchronous scalable service to replicate data between Cloud Storage buckets for a variety of use cases including aggregating data in a single bucket for data processing and analysis keeping buckets across projects regions continents in sync etc Google Cloud now offers Preview support for event driven transfer serverless real time replication capability to move data from AWS S to Cloud Storage and copy data between multiple Cloud Storage buckets Read the full blog here Pub Sub Lite now offers export subscriptions to Pub Sub This new subscription type writes Lite messages directly to Pub Sub no code development or Dataflow jobs needed Great for connecting disparate data pipelines and migration from Lite to Pub Sub See here for documentation 2023-05-08 19:00:00

コメント

このブログの人気の投稿

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

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

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