投稿時間:2022-03-01 06:08:41 RSSフィード2022-03-01 06:00 分まとめ(78件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
海外TECH Ars Technica DisplayPort 2.0 labels specify bandwidth to avoid HDMI 2.1-like confusion https://arstechnica.com/?p=1837035 bandwidth 2022-02-28 19:41:38
海外TECH Ars Technica Climate change is expected to hit heritage sites across Africa https://arstechnica.com/?p=1836978 important 2022-02-28 19:11:39
海外TECH MakeUseOf 10 Reasons Why You Shouldn't Use Spotify https://www.makeuseof.com/why-you-shouldnt-use-spotify/ consume 2022-02-28 19:45:14
海外TECH MakeUseOf Feeling Burned Out From Work? Here Are 6 Steps to Take https://www.makeuseof.com/work-burn-out-steps-to-take/ healthy 2022-02-28 19:30:13
海外TECH MakeUseOf How to Check if System Restore Is Enabled on Windows 11 https://www.makeuseof.com/windows-11-enable-system-restore/ excellent 2022-02-28 19:16:14
海外TECH DEV Community Optimizing Memory Usage of Python Applications https://dev.to/martinheinz/optimizing-memory-usage-of-python-applications-2hh7 Optimizing Memory Usage of Python ApplicationsWhen it comes to performance optimization people usually focus only on speed and CPU usage Rarely is anyone concerned with memory consumption well until they run out of RAM There are many reasons to try to limit memory usage not just avoiding having your application crash because of out of memory errors In this article we will explore techniques for finding which parts of your Python applications are consuming too much memory analyze the reasons for it and finally reduce the memory consumption and footprint using simple tricks and memory efficient data structures Why Bother Anyway But first why should you bother saving RAM anyway Are there really any reason to save memory other than avoiding the aforementioned out of memory errors crashes One simple reason is money Resources both CPU and RAM cost money why waste memory by running inefficient applications if there are ways to reduce the memory footprint Another reason is the notion that data has mass if there s a lot of it then it will move around slowly If data has to be stored on disk rather than in RAM or fast caches then it will take a while to load and get processed impacting overall performance Therefore optimizing for memory usage might have a nice side effect of speeding up the application runtime Lastly in some cases performance can be improved by adding more memory if application performance is memory bound but you can t do that if you don t have any memory left on the machine Find BottlenecksIt s clear that there are good reasons to reduce memory usage of our Python applications before we do that though we first need to find the bottlenecks or parts of code that are hogging all the memory First tool we will introduce is memory profiler This tool measures memory usage of specific function on line by line basis pip install memory profiler psutil psutil is needed for better memory profiler performancepython m memory profiler some code pyFilename some code pyLine Mem usage Increment Occurrences Line Contents MiB MiB profile def memory intensive MiB MiB small list None MiB MiB big list None MiB MiB del big list MiB MiB return small listTo start using it we install it with pip along with psutil package which significantly improves profiler s performance In addition to that we also need to mark the function we want to benchmark with profile decorator Finally we run the profiler against our code using python m memory profiler This shows memory usage allocation on line by line basis for the decorated function in this case memory intensive which intentionally creates and deletes large lists Now that we know how to narrow down our focus and find specific lines that increase memory consumption we might want to dig a little deeper and see how much each variable is using You might have seen sys getsizeof used to measure this before This function however will give you questionable information for some types of data structures For integers or bytearrays you will get the real size in bytes for containers such as list though you will only get size of the container itself and not its contents import sysprint sys getsizeof print sys getsizeof print sys getsizeof print sys getsizeof a print sys getsizeof aa print sys getsizeof aaa print sys getsizeof print sys getsizeof print sys getsizeof yet empty list is and each value inside is We can see that with plain integers everytime we cross a threshold bytes are added to the size Similarly with plain strings everytime we add another character one extra byte is added With lists however this doesn t hold up sys getsizeof doesn t walk the data structure and only returns size of the parent object in this case list Better approach is to use specific tool designed for analyzing memory behaviour One such is tool is Pympler which can help you get more realistic idea about Python object sizes pip install pymplerfrom pympler import asizeofprint asizeof asizeof print asizeof asized detail format size flat size flat size flat size flat size flat size flat print asizeof asized string detail format string size flat size flat string size flat size flat size flat Pympler provides asizeof module with function of same name which correctly reports size of the list as well all values it contains Additionally this module also has asized function that can give us further size breakdown of individual components of the object Pympler has many more features though including tracking class instances or identifying memory leaks In case these are something that might be needed for your application then I recommend checking out tutorials available in docs Saving Some RAMNow that we know how to look for all kinds of potential memory issues we need to find a way to fix them Potentially quickest and easiest solution can be switching to more memory efficient data structures Python lists are one of the more memory hungry options when it comes to storing arrays of values from memory profiler import memory usagedef allocate size some var n for n in range size usage memory usage allocate int e e is to the power of peak max usage print f Usage over time usage Usage over time print f Peak usage peak Peak usage The simple function above allocate creates a Python list of numbers using the specified size To measure how much memory it takes up we can use memory profiler shown earlier which gives us amount of memory used in second intervals during function execution We can see that generating list of million numbers requires more than MiB of memory Well that seems like a lot for a bunch of numbers Can we do any better import arraydef allocate size some var array array l range size usage memory usage allocate int e peak max usage print f Usage over time usage Usage over time print f Peak usage peak Peak usage In this example we used Python s array module which can store primitives such as integers or characters We can see that in this case memory usage peaked at just over MiB That s a huge difference in comparison to list You can further reduce memory usage by choosing appropriate precision import arrayhelp array Arrays represent basic values and behave very much like lists except the type of objects stored in them is constrained The type is specified at object creation time by using a type code which is a single character The following type codes are defined Type code C Type Minimum size in bytes b signed integer B unsigned integer u Unicode character see note h signed integer H unsigned integer i signed integer I unsigned integer l signed integer L unsigned integer q signed integer see note Q unsigned integer see note f floating point d floating point One major downside of using array as data container is that it doesn t support that many types If you plan to perform a lot of mathematical operations on the data then you re probably better off using NumPy arrays instead import numpy as npdef allocate size some var np arange size usage memory usage allocate int e peak max usage print f Usage over time usage Usage over time print f Peak usage peak Peak usage More type options with NumPy data np ones int e np complex Useful helper functions print f Size in bytes data nbytes Size of array value count data size Size in bytes Size of array value count We can see that NumPy arrays also perform pretty well when it comes to memory usage with peak array size of MiB That s a bit more than array but with NumPy you can take advantage of fast mathematical functions as well as types that are not supported by array such as complex numbers The above optimizations help with overall size of arrays of values but we can make some improvements also to the size of the individual objects defined by Python classes This can be done using slots class attribute which is used to explicitly declare class properties Declaring slots on a class also has a nice side effect of denying creation of dict and weakref attributes from pympler import asizeofclass Normal passclass Smaller slots print asizeof asized Normal detail format lt main Normal object at xfccce gt size flat dict size flat class size flat print asizeof asized Smaller detail format lt main Smaller object at xfcf gt size flat class size flat Here we can see how much smaller the Smaller class instance actually is The absence of dict removes whole bytes from each instance which can save huge amount of memory when instantiating millions of values The above tips and tricks should be helpful in dealing with numeric values as well as class objects What about strings though How you should store those generally depends on what you intend to do with them If you re going to search through huge number of string values then as we ve seen using list is very bad idea set might be a bit more appropriate if execution speed is important but will probably consume even more RAM Best option might be to use optimized data structure such as trie especially for static data sets which you use for example for querying As is common with Python there s already a library for that as well as for many other tree like data structures some of which you will find at Not Using RAM At AllEasiest way to save RAM is to not use it in a first place You obviously can t avoid using RAM completely but you can avoid loading full data set at once and instead work with the data incrementally where possible The simplest way to achieve this is by using generators which return a lazy iterator which computes elements on demand rather than all at once Stronger tool that you can leverage is memory mapped files which allows us to load only parts of data from a file Python s standard library provides mmap module for this which can be used to create memory mapped files which behave both like files and bytearrays You can use them both with file operations like read seek or write as well as string operations import mmapwith open some data txt r as file with mmap mmap file fileno access mmap ACCESS READ as m print f Read using read method m read Read using read method b Lorem ipsum dol m seek Rewind to start print f Read using slice method m Read using slice method b Lorem ipsum dol Loading reading memory mapped file is very simple We first open the file for reading as we usually do We then use file s file descriptor file fileno to create memory mapped file from it From there we can access its data both with file operations such as read or string operations like slicing Most of the time you will be probably interested more reading the file as shown above but it s also possible to write to the memory mapped file import mmapimport rewith open some data txt r as file with mmap mmap file fileno as m Words starting with capital letter pattern re compile rb b A Z b for match in pattern findall m print match b Lorem b Morbi b Nullam Delete first characters start end length end start size len m new size size length m move start end size end m flush file truncate new size First difference in the code that you will notice is the change in access mode to r which denotes both reading and writing To show that we can indeed perform both reading and writing operations we first read from the file and then use RegEx to search for all the words that start with capital letter After that we demonstrate deletion of data from the file This is not as straightforward as reading and searching because we need to adjust size of the file when we delete some of its contents To do so we use move dest src count method of mmap module which copies size end bytes of the data from index end to index start which in this case translates to deletion of first bytes If you re doing computations in NumPy then you might prefer its memmap features docs which is suitable for NumPy arrays stored in binary files Closing ThoughtsOptimizing applications is difficult problem in general It also heavily depends on the task at hand as well as the type of data itself In this article we looked at common ways to find memory usage issues and some options for fixing them There are however many other approaches to reducing memory footprint of an application This includes trading accuracy for storage space by using probabilistic data structures such as bloom filters or HyperLogLog Another option is using tree like data structures like DAWG or Marissa trie which are very efficient at storing string data 2022-02-28 19:51:52
海外TECH DEV Community Understanding neural search framework: Jina AI https://dev.to/aniket762/understanding-neural-search-framework-jina-ai-595n Understanding neural search framework Jina AISearch is a big business and is getting bigger each day Just a few years down the line searching meant typing text in a search bar With advancement it now allows us to search for audio video images and many more Just before the turn of the millennium there were just million Google searches per day Today that figure is around billion searches per day Trust me or not Google search is dying If you have ever googled about recipes or even some blogs recently I don t need to tell you that Google search results have gone to shit You would have already noticed that the first few non ad results are SEO optimized sites filled with affiliate links and ads If you don t believe me give a read on what happened in Norway Here comes the need for a better search engine Just a bit about Symbolic Search ️Symbolic search works better when you want your search to be fully customized Google search is a general purpose search engine which cannot be used just everywhere If you have a team of developers who has the skill and time to jot down each parameter Symbolic search can be taken to heights Say you want to build a blog site where an author pays the team to show the blog on top so you might rank according to the need and the money flow goes well The hell lot of customization in indexing products searching users implementing filters and sorting along with more comes with a high cost You Have to Explain Every Little Thing and moreover Text is fragile Therefore If you are someone who plans to create the next search engine with more accurate results with fewer ads or affiliate links OR You are someone who wants to add search in your application be it in production or development you need to know this According to reports Google started using deep neural networks in the search engine in If you want to disrupt the industry with your build I suggest you check out Jina Let s get started What is a neural search In short a neural search is a new approach to retrieving information Instead of telling a machine a set of rules to understand what data is what neural search does the same thing with a pre trained neural network This means developers don t have to write every little rule saving them time and headaches and the system trains itself to get better as it goes along Where can it be fruitful In the early internet days it was really amazing for firms to build search engines that use text as the parameter and correspondingly pull and rank URLs from the web With the recent advancements in Deep Learning a neural search system can go beyond simple text search Let me take you through a not so techy situation You are sitting in a fancy restaurant and hear some beats which you like now you want to search for beats and songs which are similar to what you have heard neural search comes into play The very next moment you like the shinny tree upfront and you want to have it in your house just click a photo and search it you get the aptest results from it Starting from getting most similar furniture garments songs memes it can be used by any business and I can bet it is the future for search How I came to know about Jina Before starting with what is Jina AI I thought sharing this would make this more interesting Remember the time when Money Heist was releasing their final season and some companies gave holidays to employees to bid goodbye to the amazing series Jina was the first startup to do so according to my knowledge I was amazed by the company culture and went straight to their career portal without knowing about their product but at a point in time they were not hiring interns After visiting their GitHub I thought it to be an alternative to Elastic until I used it in my side project I wanted to build a small search engine for one of my software with having knowledge of AI I used K means clustering to build a basic AI model After resolving a hell of lot of bugs with integrations and model training I was waiting with an inefficient text search bar Then was the time I went straight to elastic and then Solr but at that point of time I wanted something different thus went for Jina AI and boom The quick implementation cloud native approach and accuracy made me a fanboy This blog is just an appreciation post for the amazing open source project What is Jina Jina AI is a cloud native neural search framework for any kind of DataJina is an approach to neural search It s cloud native so it can be deployed in containers and it offers anything to anything search Text to text image to image video to video or whatever else you can feed it It empowers anyone to build SOTA and scalable neural search applications in minutes Jina runs on fundamental concepts Document Executor and Flow What makes Jina different from other playersLocal amp Cloud friendly From the very beginning it had distributed architecture scalable and cloud native Ultimately which gave the same DX on local Docker Compose and Kubernetes Server Scale and Share It helps you to scale your applications to meet availability and throughput requirements Serves a local project with HTTP WebSockets or gRPC endpoints in just minutes Time Saver Let s you quickly build solutions for indexing querying understanding multi or cross modal documents The document is the basic data type that Jina operates with Video image text audio source code and PDFs are the types of document Own Stack Jina empowers to keep end to end ownership of your solution Avoid integration pitfalls you get with fragmented multi vendor generic legacy tools Move over Jina has out of the box integrations with cloud native ecosystems Outro There s no better way to test drive Jina than by diving in and playing with it Jina s team provides pre trained Docker images and jinabox js an easy to use front end for searching text images audio or video The purpose of the blog is to create awareness about Jina and similar neural search frameworks To learn further it is recommended to go through the Jina s GitHub and Jina s blogs In case you have some questions regarding the article or want to discuss something under the sun feel free to connect with me on LinkedIn If you run an organisation and want me to write for you please do connect with me 2022-02-28 19:29:26
海外TECH DEV Community Dividing Kotlin Multiplatform work in teams https://dev.to/touchlab/dividing-kotlin-multiplatform-work-in-teams-2cad Dividing Kotlin Multiplatform work in teamsKotlin Multiplatform is a great way to share code between multiple platforms but this new approach can be confusing to navigate There s a variety of sourceSets for platform specific code plus intermediate sourceSets such as mobileMain that cover multiple platforms at once One of the difficulties that can arise is how to divide work among your team This gets more difficult the larger your team is and the more platforms you re developing for It sounds straightforward at first the iOS developer works on the iOS code the javascript works on the JS code and so on In practice however you may run into unforeseen challenges ChallengesLanguages KMP is of course written in Kotlin but if you have iOS developers or Javascript developers that only know Swift or JS then there s going to be a learning curve Android Bias You may think if you re writing Kotlin code then get the Android developer to do it Not only are you pushing all the work on your Android devs but there s chances for Android biases in their code Conflicts If you have all devs working on their own platforms at the same time that can lead to conflicts when merging PRs and arguments about the best approach Assigning Tasks Beyond writing code there is an issue of issue tracking When assigning work how do you know who s working on what layers An Android task could include shared code So how do you assign work to multiple developers effectively without causing the team to step on each others toes Our ApproachThe best approach we ve found is to split up the work into two camps PlatformSpecificUI and KMPFor example if our project is written for Android iOS and JS we ll have four groups androidUI iosUI jsUI and KMPThis again may sound straightforward but there are some things worth mentioning First let s visualize the layers Here we can see the different layers in our example We have androidMain iOSMain jsMain mobileMain and commonMainSo in our example we have the four groups and their work androidUI works in androidMain and the Android layeriOSUI works in iosMain and the iOS layerjsUI works in the js layerKMP works in commonMain mobileMain and jsMainWith this approach all the platforms are dependent on the KMP groups work The common layer An ExampleSo as an example we want to add a new feature A new screen that fetches an image from an api and displays it when a button is pressed This feature will be on every platform and it s going to be tracked via an issue tracker Above we have an example of what your architecture might look like a lot at first but let s go over it In Android we have Fragment gt ViewModel gt Coordinator gt Repo gt network apiA button is pressed in the Fragment an action is sent to the ViewModel which using a coroutine calls the coordinator The coordinator then gets the image from the repository and processes it to bring back to the ui A similar flow can be seen for iOS and Javascript but with their own implementations In this example we have the interfaces RepositoryCommon and Api which are then implemented platform specific Splitting the workYou may be asking why the jsUI doesn t work in jsMain while the other two groups work in their respective sourceSets It s better to think of it in this way The KMP group is working on the common code and its implementationsIn the example above the KMP group is working on the CommonRepository as well as the implementations They even work on the next level up The Coordinator and js Service The Coordinator and service are still in business logic and despite having their own platforms they are still using shared libraries Why this approachThis approach prevents some of the issues mentioned prior No platform delays Since all the platform specific work relies on the KMP groups work there is no one platform that has an extra workload and all platforms start at the same starting line Increasing Platform Knowledge The KMP group creating the groundwork for all the different platforms means that they can grow their knowledge of all the platforms in development No conflicts All the platforms relying on the common layer ensures that all the platforms are in agreement with the business logic before working on the platform specific code Note With this method all platform developers would review and approve this foundational code to make sure it fits all their requirements This also helps maintain feature parity across platforms and avoid platform biases Platform EqualityOne key issue that I think a lot of KMP developers struggle with is platform equality It s easy to start with the Android implementation since it s in Kotlin and the KMP library is easily debuggable This approach puts a focus on Android and other platforms can lose out because of it They re seen as afterthoughts and don t get as much focus as Android A small example is that lists are not supported in KotlinJS so if the developer starts using lists in the android implementation they may not notice until the JS project is built One of the advantages to having one group work in KMP is that it gives even attention to every platform as the KMP developer has to write code with all the platforms in mind Layer InterminglingThere are some issues that may come up especially when working between business and UI logic Developers have different levels of experience in languages and Platforms so crossing the bridge between logic layers can be tricky Examples of these issues are Platform specifics shared code can still call platform libraries such as iosMain calling Foundation so Kotlin developers may not know these libraries Different Languages In our approach platform developers are working in Kotlin sourceSets i e an iOS developer has to work in iOSMain An iOS dev may be familiar with UIKit and Swift but is unsure how to write the code in Kotlin In cases like this where a there is an intersection between shared code and platform specific code pair programming is a great option Not only does it ensure that the code meets both sides requirements but it encourages knowledge sharing The KMP developer working on the shared code can create a base implementation then work alongside the platform specific developer to find the best approach to the issue All the while both developers are sharing their knowledge of Kotlin and platform specific code DownsidesThe main downside to this approach is that the KMP dev cannot easily test their implementation For example if they are writing a network call and tries to serialize it into what they think the format is it s only until one of the platform developers implements the call that they will realize it s incorrect One way to get ahead of this issue is to create tests whenever possible Testing network layers can be tricky but writing some form of test to make sure your code works for the platforms will help nip these issues in the bud If there is an issue like this then it should be communicated with the team so that the other platform developers know that there is an issue and the team can work to resolve the bug ConclusionEvery team is different and every project is different While this approach may not suit everyone at Touchlab we have found that it can help organize work and increase knowledge sharing Thanks for reading Let me know in the comments if you have questions Also you can reach out to me at kevinschildhorn on Twitter or on the Kotlin Slack And if you find all this interesting maybe you d like to work with or work at Touchlab 2022-02-28 19:02:28
Apple AppleInsider - Frontpage News Apple maintains second-place spot in Europe smartphone market in 2021 https://appleinsider.com/articles/22/02/28/apple-maintains-second-place-spot-in-europe-smartphone-market-in-2021?utm_medium=rss Apple maintains second place spot in Europe smartphone market in Apple is maintaining its iPhone market share in Europe as the current top brand Samsung declined and newcomer Realme broke into the top five for the first time iPhone The Cupertino tech giant held a share of the European market throughout according to new data from Strategy Analytics Apple s iPhone saw year over year growth allowing its market share to remain relatively steady from the year prior Read more 2022-02-28 19:52:19
Apple AppleInsider - Frontpage News Get a free year of VPN access with MacPaw's ClearVPN https://appleinsider.com/articles/22/02/28/get-a-free-year-of-vpn-access-with-macpaws-clearvpn?utm_medium=rss Get a free year of VPN access with MacPaw x s ClearVPNMacPaw is offering a free one year subscription to ClearVPN a promotion intended to keep the Internet open and usable during the ongoing international incident in the Ukraine The situation in the Ukraine has affected the entire tech world and with communications being all important at such times it can be impacted by strategic maneuvers For example in the wake of Facebook and Twitter changing policies and stopping advertising in the Ukraine and Russia a Russian regulator ordered to throttle both social media platforms in retaliation For people in territories that face such throttling efforts one workaround is to use a VPN Rather than forcing users into using potentially malicious free VPN services MacPaw has taken a different tactic Read more 2022-02-28 19:21:30
海外TECH Engadget Microsoft is the latest to ban Russian state media from its platforms https://www.engadget.com/microsoft-bans-russia-state-media-193720376.html?src=rss Microsoft is the latest to ban Russian state media from its platformsMicrosoft is joining Facebook YouTube and others in limiting the reach of Russian state media following the invasion of Ukraine The company is responding to the European Union s ban on RT and Sputnik by pulling those outlets from its platforms Microsoft Start including MSN won t display state sponsored RT and Sputnik content while all ads from either publication are banned across Microsoft s ad network The software giant is also pulling RT s news apps from the Windows app store Bing will still display RT and Sputnik links However Microsoft is quot further de ranking quot their search results to make sure the links only appear when someone clearly intends to visit those sites The crackdown comes alongside an update on Microsoft s cybersecurity monitoring in Ukraine The company noted that its Threat Intelligence Center spotted a wave of quot offensive and destructive quot cyberattacks targeting Ukranian online infrastructure just hours before Russia began its invasion on February th The digital assault included new malware nicknamed FoxBlade and was quot precisely targeted quot like previous attacks Microsoft said its Defender anti malware tools was updated to counter FoxBlade within three hours of the discovery and that it was advising the Ukranian government on this and other defense initiatives The bans on RT and Sputnik aren t surprising even without the EU s measures in place Microsoft has fought disinformation campaigns for years and it stressed that these attempts to manipulate the public are quot commonplace quot during wars when state propaganda ramps up Simply speaking Microsoft sees this as necessary to both present an objective view of the invasion and to avoid funding misinformation efforts 2022-02-28 19:37:20
海外TECH Engadget Sony's Twisted Metal TV series is headed to Peacock https://www.engadget.com/twisted-metal-peacock-192004308.html?src=rss Sony x s Twisted Metal TV series is headed to PeacockSony s upcoming live action adaptation of Twisted Metal nbsp has found a home NBCUniversal announced on Monday it will stream the series on Peacock News that Sony s PlayStation Productions unit was developing an adaptation of the Twisted Metal franchise came at the start of last year In September we learned Altered Carbon and The Falcon and the Winter Soldier star Anthony Mackie would play the role of series protagonist John Doe a smart talking milkman with no memory of his past but a penchant for driving as fast as he talks PlayStation Productions is billing the show as an action comedy with Cobra Kai scribe nbsp Michael Jonathan Smith serving as showrunner writer and executive producer on the show NBCUniversal didn t say when Twisted Metal would premiere on Peacock However the show is just one of several properties Sony is in the process of adapting for television and film It s also working on a Ghost of Tsushima movie that John Wick s Chad Stahelski will direct and then there s The Last of Us HBO Programming President Casey Bloys recently told The Hollywood Reporter the series wouldn t premiere in 2022-02-28 19:20:04
海外TECH Engadget Nintendo pulls Super Smash Bros. from the Evo 2022 esports tournament https://www.engadget.com/super-smash-bros-evo-2022-nintendo-190421417.html?src=rss Nintendo pulls Super Smash Bros from the Evo esports tournamentAlthough it s one of the most important franchises for the fighting game crowd Super Smash Bros won t make an appearance at the community s biggest event of the year quot Since we ve seen historic Super Smash Bros moments created at Evo s events quot Evo which Sony bought last year said quot We are saddened that Nintendo has chosen not to continue that legacy with us this year pic twitter com YEXZgGWーEVO EVO February Evo will be the first full edition of the event since which featured a Super Smash Bros Ultimate tournament in place of Super Smash Bros Melee The event was canceled following accusations of abuse that were leveled against Evo co founder and then CEO Joey Cuellar Evo took place as an online only affair due to the COVID pandemic Evo has a long history with the Super Smash Bros series Super Smash Bros Melee in particular was a popular part of the event for several years As Kotaku notes Nintendo which tries to control how other organizations use its games failed in its attempt to prevent Evo organizers from livestreaming the Melee tournament Melee was added to that year s event following a charity drive This doesn t exactly mean the end of Nintendo backed Super Smash Bros esports though In November Nintendo and Panda Global announced plans to run their own competitive Smash series The company also has a partnership with PlayVS which runs Super Smash Bros Ultimate and Splatoon high school varsity esports leagues As for what games will actually be present at Evo we won t need to wait long to find out Evo will host a Twitch livestream on March th to reveal more details about this year s event which will take place in Las Vegas in August 2022-02-28 19:04:21
海外TECH CodeProject Latest Articles Visitor Pattern in C# - 5 Versions https://www.codeproject.com/Articles/5326263/Visitor-Pattern-in-Csharp-5-Versions pattern 2022-02-28 19:29:00
海外科学 NYT > Science Supreme Court Will Hear Biggest Climate Change Case in a Decade https://www.nytimes.com/2022/02/27/climate/supreme-court-will-hear-biggest-climate-change-case-in-a-decade.html Supreme Court Will Hear Biggest Climate Change Case in a DecadeThe court could handcuff President Biden s climate change agenda ーand restrict federal agencies from enacting new regulations governing health workplace safety and more 2022-02-28 19:02:47
海外科学 BBC News - Science & Environment Supreme Court hears case that may derail Biden's climate plan https://www.bbc.co.uk/news/world-us-canada-60559410?at_medium=RSS&at_campaign=KARANGA virginia 2022-02-28 19:15:12
医療系 医療介護 CBnews 地域医療全体の最適化が中長期的な経営向上策となる-連携と横展開が病院経営を強くする(5) https://www.cbnews.jp/news/entry/20220228165259 代表取締役 2022-03-01 05:00:00
海外ニュース Japan Times latest articles Russian artillery pounds Ukraine’s Kharkiv as cease-fire talks end with no breakthrough https://www.japantimes.co.jp/news/2022/03/01/world/russia-ukraine-day-5-wrap/ russian 2022-03-01 04:42:19
ニュース BBC News - Home Ukraine conflict: Dozens killed in attack on Kharkiv, officials say https://www.bbc.co.uk/news/world-europe-60560465?at_medium=RSS&at_campaign=KARANGA invasion 2022-02-28 19:39:24
ニュース BBC News - Home Ukraine crisis: Fifa and Uefa suspend all Russian clubs and national teams https://www.bbc.co.uk/sport/athletics/60560567?at_medium=RSS&at_campaign=KARANGA Ukraine crisis Fifa and Uefa suspend all Russian clubs and national teamsRussian football clubs and national teams have been suspended from all competitions by Fifa and Uefa after the country s invasion of Ukraine 2022-02-28 19:18:16
ニュース BBC News - Home Shell to sever Gazprom links in Ukraine crisis https://www.bbc.co.uk/news/business-60564265?at_medium=RSS&at_campaign=KARANGA gazprom 2022-02-28 19:06:12
ニュース BBC News - Home Ukraine maps: Tracking Russia's invasion https://www.bbc.co.uk/news/world-europe-60506682?at_medium=RSS&at_campaign=KARANGA districts 2022-02-28 19:43:15
ニュース BBC News - Home Leeds United: Jesse Marsch succeeds Marcelo Bielsa as head coach https://www.bbc.co.uk/sport/football/60544602?at_medium=RSS&at_campaign=KARANGA coach 2022-02-28 19:25:50
ニュース BBC News - Home Covid-19 in the UK: How many coronavirus cases are there in my area? https://www.bbc.co.uk/news/uk-51768274?at_medium=RSS&at_campaign=KARANGA cases 2022-02-28 19:07:20
ビジネス ダイヤモンド・オンライン - 新着記事 マッキンゼー流!経営にメガトレンドを生かして会社を成長させる「3ステップ」の極意【動画】 - マッキンゼー流!リーダーの新教科書 ―戦略とファイナンス― https://diamond.jp/articles/-/292537 企業価値 2022-03-01 04:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 HISの創業者・澤田氏が社長退任、次の社長を待つ「厳し過ぎる苦境」の実態 - ダイヤモンド 決算報 https://diamond.jp/articles/-/297700 2022-03-01 04:49:00
ビジネス ダイヤモンド・オンライン - 新着記事 大和ハウス・積水ハウスを抑え、積水化学が増収率トップになったワケ - ダイヤモンド 決算報 https://diamond.jp/articles/-/297701 大和ハウス・積水ハウスを抑え、積水化学が増収率トップになったワケダイヤモンド決算報コロナ禍が年目に突入し、多くの業界や企業のビジネスをいまだに揺さぶり続けている。 2022-03-01 04:47:00
ビジネス ダイヤモンド・オンライン - 新着記事 【大分舞鶴高校】華麗なる卒業生人脈!フォークシンガーの南こうせつ、伊勢正三、九州電力社長の池辺和弘… - 日本を動かす名門高校人脈 https://diamond.jp/articles/-/297666 九州電力 2022-03-01 04:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 米利上げ前倒しも「着地点は2%程度」予想変わらず、“都合の良い”楽観視に潜むリスク - 政策・マーケットラボ https://diamond.jp/articles/-/297435 2022-03-01 04:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 米バイデン政権は本当に日本を守る?ウクライナ侵攻で浮上した大不安 - DOL特別レポート https://diamond.jp/articles/-/297744 国際秩序 2022-03-01 04:39:00
ビジネス ダイヤモンド・オンライン - 新着記事 「新冷戦」勃発は杞憂?ロシアがウクライナ侵攻で窮地に追いやられる理由 - 上久保誠人のクリティカル・アナリティクス https://diamond.jp/articles/-/297759 上久保誠人 2022-03-01 04:38:00
ビジネス ダイヤモンド・オンライン - 新着記事 ロシア「力の強制」が生む最悪のシナリオ、犯罪心理学から読み解く真の思惑とは - DOL特別レポート https://diamond.jp/articles/-/297677 外事警察 2022-03-01 04:37:00
ビジネス ダイヤモンド・オンライン - 新着記事 自民党京都府連の「選挙買収疑惑」、常態化を許した3つの理由 - DOL特別レポート https://diamond.jp/articles/-/297702 鎮火 2022-03-01 04:36:00
ビジネス ダイヤモンド・オンライン - 新着記事 キリン、ビールから医薬・健康企業への大転換で気になる「国内リストラ」の行方 - 今週のキーワード 真壁昭夫 https://diamond.jp/articles/-/297665 2022-03-01 04:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 2月上旬に「内定を取り消します、会社の都合で」は法的にOKか? - 組織を壊す「自分ファースト」な社員たち 木村政美 https://diamond.jp/articles/-/297664 新入社員 2022-03-01 04:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 自民党「責任ある積極財政を推進する議員連盟」設立総会の全貌(下) - DOL特別レポート https://diamond.jp/articles/-/297170 安倍晋三 2022-03-01 04:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 『スラムダンク』湘北高校バスケ部に学ぶ、心が揺れない最強チームの作り方 - 識者に聞く「幸せな運動」のススメ https://diamond.jp/articles/-/297626 『スラムダンク』湘北高校バスケ部に学ぶ、心が揺れない最強チームの作り方識者に聞く「幸せな運動」のススメ年秋に公開が予定されているのが、映画『スラムダンク』だ。 2022-03-01 04:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 なぜミュージシャンの「最初に録ったデモ音源」は素晴らしいのか? - フィジカルとテクノロジー https://diamond.jp/articles/-/297444 高木正勝 2022-03-01 04:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 就活不安に負けない3つの指針、「インターン全落ち」「サイレントお祈り」は怖くない! - 採用のプロが明かす「親必読」最新就活事情 https://diamond.jp/articles/-/297625 2022-03-01 04:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 中学受験「3つの利点」、子どもの成長に生きる! - 中学受験への道 https://diamond.jp/articles/-/297473 中学受験「つの利点」、子どもの成長に生きる中学受験への道年中学入試が終わった。 2022-03-01 04:05:00
ビジネス ダイヤモンド・オンライン - 新着記事 対ロ制裁は仮想通貨にも? 米が検討する新領域 - WSJ発 https://diamond.jp/articles/-/297770 仮想通貨 2022-03-01 04:04:00
ビジネス 不景気.com 山口フィナンシャルグループの22年3月期は135億円の最終赤字へ - 不景気.com https://www.fukeiki.com/2022/03/yamaguchi-fg-2022-loss.html 山口フィナンシャルグループ 2022-02-28 19:05:02
北海道 北海道新聞 就活解禁、一転売り手市場へ 企業説明会、今年も感染防止策 https://www.hokkaido-np.co.jp/article/651118/ 会社説明会 2022-03-01 04:11:00
北海道 北海道新聞 FIFA、ロシアを出場禁止に W杯予選や欧州リーグも https://www.hokkaido-np.co.jp/article/651117/ 欧州サッカー連盟 2022-03-01 04:01:48
ビジネス 東洋経済オンライン ドラマ「鉄オタ道子」、制作者が明かす企画のツボ なぜ女性?なぜ秘境駅?プロデューサーを直撃 | 旅・趣味 | 東洋経済オンライン https://toyokeizai.net/articles/-/513360?utm_source=rss&utm_medium=http&utm_campaign=link_back 東洋経済オンライン 2022-03-01 04:30:00
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 Feb Mar Eventarc is now HIPAA compliantーEventarc is covered under the Google Cloud Business Associate Agreement BAA meaning it has achieved HIPAA compliance Healthcare and life sciences organizations can now use Eventarc to send events that require HIPAA complianceError Reporting automatically captures exceptions found in logs ingested by Cloud Logging from the following languages Go Java Node js PHP Python Ruby and NET aggregates them and then notifies you of their existence Learn moreabout how USAA partnered with Google Cloud to transform their operations by leveraging AI to drive efficiency in vehicle insurance claims estimation Learn how Google Cloud and NetApp s ability to “burst to cloud seamlessly spinning up compute and storage on demand accelerates EDA design testing Google Cloud CISO Phil Venables shares his thoughts on the latest security updates from the Google Cybersecurity Action Team Google Cloud Easy as Pie Hackathon the results are in VPC Flow Logs Org Policy Constraints allow users to enforce VPC Flow Logs enablement across their organization and impose minimum and maximum sampling rates VPC Flow Logs are used to understand network traffic for troubleshooting optimization and compliance purposes Related ArticleCelebrating our tech and startup customersTech companies and startups are choosing Google Cloud so they can focus on innovation not infrastructure See what they re up to Read ArticleWeek of Feb Feb Read how Paerpay promotes bigger tabs and faster more pleasant transactions with Google Cloud and the Google for Startups Cloud Program Learn about the advancements we ve released for our Google Cloud Marketplace customers and partners in the last few months BBVA collaborated with Google Cloud to create one of the most successful Google Cloud training programs for employees to date Read how they did it  Google for Games Developer Summit returns March at AM PT  Learn about our latest games solutions and product innovations It s online and open to all Check out the full agenda g co gamedevsummit Build a data mesh on Google Cloud with Dataplex now GA Read how Dataplex enables customers to centrally manage monitor and govern distributed data and makes it securely accessible to a variety of analytics and data science tools While understanding what is happening now has great business value forward thinking companies like Tyson Foods are taking things a step further using real time analytics integrated with artificial intelligence AI and business intelligence BI to answer the question “what might happen in the future Join us for the first Google Cloud Security Talks of happening on March th Modernizing SecOps is a top priority for so many organizations Register to attend and learn how you can enhance your approach to threat detection investigation and response Google Cloud introduces their Data Hero series with a profile on Lynn Langit a data cloud architect educator and developer on GCP Building ML solutions Check out these guidelines for ensuring quality in each process of the MLOps lifecycle Eventarc is now Payment Card Industry Data Security Standard PCI DSS compliant Related ArticleSupercharge your event driven architecture with new Cloud Functions nd gen The next generation of our Cloud Functions Functions as a Service platform gives you more features control performance scalability and Read ArticleWeek of Feb Feb The Google Cloud Retail Digital Pulse Asia Pacificis an ongoing annual assessment carried out in partnership with IDC Retail Insights to understand the maturity of retail digital transformation in the Asia Pacific Region The study covers retailers across eight markets amp sub segments to investigate their digital maturity across five dimensions strategy people data technology and process to arrive at a stage Digital Pulse Index with being the most mature It provides great insights in various stages of digital maturity of asian retailers their drivers for digitisation challenges innovation hotspots and the focus areas with respect to use cases and technologies Deploying Cloud Memorystore for Redis for any scale Learn how you can scale Cloud Memorystore for high volume use cases by leveraging client side sharding This blog provides a step by step walkthrough which demonstrates how you can adapt your existing application to scale to the highest levels with the help of the Envoy Proxy Read our blog to learn more Check out how six SAP customers are driving value with BigQuery This Black History Month we re highlighting Black led startups using Google Cloud to grow their businesses Check out how DOSS and its co founder Bobby Bryant disrupts the real estate industry with voice search tech and analytics on Google Cloud Vimeo leverages managed database services from Google Cloud to serve up billions of views around the world each day Read how it uses Cloud Spanner to deliver a consistent and reliable experience to its users no matter where they are How can serverless best be leveraged Can cloud credits be maximized Are all managed services equal We dive into top questions for startups Google introduces Sustainability value pillar in GCP Active Assist solutionto accelerate our industry leadership in Co reduction and environmental protection efforts Intelligent carbon footprint reduction tool is launched in preview Central States health insurance CIO Pat Moroney shares highs and lows from his career transforming IT Read moreTraffic Director client authorization for proxyless gRPC services is now generally available Combine with managed mTLS credentials in GKE to centrally manage access between workloads using Traffic Director Read more Cloud Functions nd gen is now in public preview The next generation of our Cloud Functions Functions as a Service platform gives you more features control performance scalability and events sources Learn more Related ArticleIntroducing Compute Optimized VMs powered by AMD EPYC processorsWe ve increased your Compute Engine choices with new CD Compute Optimized VMs with the rd Generation AMD EPYC Processor code named Mil Read ArticleWeek of Feb Feb Now announcing the general availability of the newest instance series in our Compute Optimized family CDーpowered by rd Gen AMD EPYC processors Read how CD provides larger instance types and memory per core configurations ideal for customers with performance intensive workloads Digital health startup expands its impact on healthcare equity and diversity with Google Cloud Platform and the Google for Startups Accelerator for Black Founders Rear more Storage Transfer Service support for agent pools is now generally available GA You can use agent pools to create isolated groups of agents as a source or sink entity in a transfer job This enables you to transfer data from multiple data centers and filesystems concurrently without creating multiple projects for a large transfer spanning multiple filesystems and data centers This option is available via API Console and gcloud transfer CLI The five trends driving healthcare and life sciences in will be powered by accessible data AI and partnerships Learn how COLOPL Minna Bank and Eleven Japan use Cloud Spanner to solve their scalability performance and digital transformation challenges Related ArticleSave the date for Google Cloud Next October Mark October in your calendar and sign up at g co cloudnext to get updates Read ArticleWeek of Jan Feb Pub Sub Lite goes regional Pub Sub Lite is a high volume messaging service with ultra low cost that now offers regional Lite topics in addition to existing zonal Lite topics Unlike zonal topics which are located in a single zone regional topics are asynchronously replicated across two zones Multi zone replication protects from zonal failures in the service Read about it here Google Workspace is making it easy for employees to bring modern collaboration to work even if their organizations are still using legacy tools Essentials Starter is a no cost offer designed to help people bring the apps they know and love to use in their personal lives to their work life Learn more We re now offering days free access to role based Google Cloud training with interactive labs and opportunities to earn skill badges to demonstrate your cloud knowledge Learn more Security Command Center SCC Premium adds support for additional compliance benchmarks including CIS Google Cloud Computing Foundations and OWASP Top amp Learn more about how SCC helps manage and improve your cloud security posture Storage Transfer Service now offers Preview support transfers from self managed object storage systems via user managed agents With this new feature customers can seamlessly copy PBs of data from cloud or on premise object storage to Google Cloud Storage Object Storage sources must be compatible with Amazon S APIs For customers migrating from AWS S to GCS this feature gives an option to control network routes to Google Cloud Fill this signup form to access this STS feature Related ArticleGoogle Tau VMs deliver over price performance advantage to customersWhen used with GKE Tau VM customers reported strong price performance and full x compatibility from this general purpose VM Read ArticleWeek of Jan Jan Learn how Sabre leveraged a year partnership with Google Cloud to power the travel industry with innovative technology As Sabre embarked on a cloud transformation it sought managed database services from Google Cloud that enabled low latency and improved consistency Sabre discovered how the strengths of both Cloud Spanner and Bigtable supported unique use cases and led to high performance solutions Storage Transfer Service now offers Preview support for moving data between two filesystems and keeping them in sync on a periodic schedule This launch offers a managed way to migrate from a self managed filesystem to Filestore If you have on premises systems generating massive amounts of data that needs to be processed in Google Cloud you can now use Storage Transfer Service to accelerate data transfer from an on prem filesystem to a cloud filesystem See Transfer data between POSIX file systems for details Storage Transfer Service now offers Preview support for preserving POSIX attributes and symlinks when transferring to from and between POSIX filesystems Attributes include the user ID of the owner the group ID of the owning group the mode or permissions the modification time and the size of the file See Metadata preservation for details Bigtable Autoscaling is Generally Available GA Bigtable Autoscaling automatically adds or removes capacity in response to the changing demand for your applications With autoscaling you only pay for what you need and you can spend more time on your business instead of managing infrastructure  Learn more Week of Jan Jan Sprinklr and Google Cloud join forces to help enterprises reimagine their customer experience management strategies Hear more from Nirav Sheth Nirav Sheth Director of ISV Marketplace amp Partner Sales Firestore Key Visualizer is Generally Available GA Firestore Key Visualizer is an interactive performance monitoring tool that helps customers observe and maximize Firestore s performance Learn more Like many organizations Wayfair faced the challenge of deciding which cloud databases they should migrate to in order to modernize their business and operations Ultimately they chose Cloud SQL and Cloud Spanner because of the databases clear path for shifting workloads as well as the flexibility they both provide Learn how Wayfair was able to migrate quickly while still being able to serve production traffic at scale Week of Jan Jan Start your New Year s resolutions by learning at no cost how to use Google Cloud Read more to find how to take advantage of these training opportunities megatrends drive cloud adoptionーand improve security for all Google Cloud CISO Phil Venables explains the eight major megatrends powering cloud adoption and why they ll continue to make the cloud more secure than on prem for the foreseeable future Read more Week of Jan Jan Google Transfer Appliance announces General Availability of online mode Customers collecting data at edge locations e g cameras cars sensors can offload to Transfer Appliance and stream that data to a Cloud Storage bucket Online mode can be toggled to send the data to Cloud Storage over the network or offline by shipping the appliance Customers can monitor their online transfers for appliances from Cloud Console Week of Dec Dec The most read blogs about Google Cloud compute networking storage and physical infrastructure in Read more Top Google Cloud managed container blogs of Four cloud security trends that organizations and practitioners should be planning for in ーand what they should do about them Read more Google Cloud announces the top data analytics stories from including the top three trends and lessons they learned from customers this year Read more Explore Google Cloud s Contact Center AI CCAI and its momentum in Read more An overview of the innovations that Google Workspace delivered in for Google Meet Read more Google Cloud s top artificial intelligence and machine learning posts from Read more How we ve helped break down silos unearth the value of data and apply that data to solve big problems Read more A recap of the year s infrastructure progress from impressive Tau VMs to industry leading storage capabilities to major networking leaps Read more Google Cloud CISO Phil Venables shares his thoughts on the latest security updates from the Google Cybersecurity Action Team Read more Google Cloud A cloud built for developers ー year in review Read more API management continued to grow in importance in and Apigee continued to innovate capabilities for customers new solutions and partnerships Read more Recapping Google s progress in toward running on carbon free energy by ーand decarbonizing the electricity system as a whole Read more Week of Dec Dec And that s a wrap After engaging in countless customer interviews we re sharing our top lessons learned from our data customers in Learn what customer data journeys inspired our top picks and what made the cut here Cloud SQL now shows you minor version information For more information see our documentation Cloud SQL for MySQL now allows you to select your MySQL minor version when creating an instance and upgrade MySQL minor version For more information see our documentation Cloud SQL for MySQL now supports database auditing Database auditing lets you track specific user actions in the database such as table updates read queries user privilege grants and others To learn more see MySQL database auditing Week of Dec Dec A CRITICAL VULNERABILITY in a widely used logging library Apache s Logj has become a global security incident Security researchers around the globe warn that this could have serious repercussions Two Google Cloud Blog posts describe how Cloud Armorand Cloud IDS both help mitigate the threat Take advantage of these ten no cost trainings before Check them out here Deploy Task Queues alongside your Cloud Application Cloud Tasks is now available in GCP Regions worldwide Read more Managed Anthos Service Mesh support for GKE Autopilot Preview GKE Autopilot with Managed ASM provides ease of use and simplified administration capabilities allowing customers to focus on their application not the infrastructure Customers can now let Google handle the upgrade and lifecycle tasks for both the cluster and the service mesh Configure Managed ASM with asmcli experiment in GKE Autopilot cluster Policy Troubleshooter for BeyondCorp Enterprise is now generally available Using this feature admins can triage access failure events and perform the necessary actions to unblock users quickly Learn more by registering for Google Cloud Security Talks on December and attending the BeyondCorp Enterprise session The event is free to attend and sessions will be available on demand Google Cloud Security Talks Zero Trust Edition This week we hosted our final Google Cloud Security Talks event of the year focused on all things zero trust Google pioneered the implementation of zero trust in the enterprise over a decade ago with our BeyondCorp effort and we continue to lead the way applying this approach to most aspects of our operations Check out our digital sessions on demand to hear the latest updates on Google s vision for a zero trust future and how you can leverage our capabilities to protect your organization in today s challenging threat environment Week of Dec Dec key metrics to measure cloud FinOps impact in and beyond Learn about the key metrics to effectively measure the impact of Cloud FinOps across your organization and leverage the metrics to gain insights prioritize on strategic goals and drive enterprise wide adoption Learn moreWe announced Cloud IDS our new network security offering is now generally available Cloud IDS built with Palo Alto Networks technologies delivers easy to use cloud native managed network based threat detection with industry leading breadth and security efficacy To learn more and request a day trial credit see the Cloud IDS webpage Week of Nov Dec Join Cloud Learn happening from Dec This interactive learning event will have live technical demos Q amp As career development workshops and more covering everything from Google Cloud fundamentals to certification prep Learn more Get a deep dive into BigQuery Administrator Hub With BigQuery Administrator Hub you can better manage BigQuery at scale with Resource Charts and Slot Estimator Administrators Learn more about these tools and just how easy they are to usehere New data and AI in Media blog How data and AI can help media companies better personalize and what to watch out for We interviewed Googlers Gloria Lee Executive Account Director of Media amp Entertainment and John Abel Technical Director for the Office of the CTO to share exclusive insights on how media organizations should think about and ways to make the most out of their data in the new era of direct to consumer Watch our video interview with Gloria and John and read more Datastream is now generally available GA Datastream a serverless change data capture CDC and replication service allows you to synchronize data across heterogeneous databases storage systems and applications reliably and with minimal latency to support real time analytics database replication and event driven architectures Datastream currently supports CDC ingestion from Oracle and MySQL to Cloud Storage with additional sources and destinations coming in the future Datastream integrates with Dataflow and Cloud Data Fusion to deliver real time replication to a wide range of destinations including BigQuery Cloud Spanner and Cloud SQL Learn more Week of Nov Nov Security Command Center SCC launches new mute findings capability We re excited to announce a new “Mute Findings capability in SCC that helps you gain operational efficiencies by effectively managing the findings volume based on your organization s policies and requirements SCC presents potential security risks in your cloud environment as findings across misconfigurations vulnerabilities and threats With the launch of mute findings capability you gain a way to reduce findings volume and focus on the security issues that are highly relevant to you and your organization To learn more read this blog post and watch thisshort demo video Week of Nov Nov Cloud Spanner is our distributed globally scalable SQL database service that decouples compute from storage which makes it possible to scale processing resources separately from storage This means that horizontal upscaling is possible with no downtime for achieving higher performance on dimensions such as operations per second for both reads and writes The distributed scaling nature of Spanner s architecture makes it an ideal solution for unpredictable workloads such as online games Learn how you can get started developing global multiplayer games using Spanner New Dataflow templates for Elasticsearch releasedto help customers process and export Google Cloud data into their Elastic Cloud You can now push data from Pub Sub Cloud Storage or BigQuery into your Elasticsearch deployments in a cloud native fashion Read more for a deep dive on how to set up a Dataflow streaming pipeline to collect and export your Cloud Audit logs into Elasticsearch and analyze them in Kibana UI We re excited to announce the public preview of Google Cloud Managed Service for Prometheus a new monitoring offering designed for scale and ease of use that maintains compatibility with the open source Prometheus ecosystem While Prometheus works well for many basic deployments managing Prometheus can become challenging at enterprise scale Learn more about the service in our blog and on the website Week of Nov Nov New study on the economics of cloud migration The Total Economic ImpactOf Migrating Expensive Operating Systems and Traditional Software to Google Cloud We worked with Forrester on this study which details the cost savings and benefits you can achieve from migrating and modernizing with Google Cloud especially with respect to expensive operating systems and traditional software Download now New whitepaper on building a successful cloud migration strategy The priority to move into the cloud and achieve a zero data center footprint is becoming top of mind for many CIOs One of the most fundamental changes required to accelerate a move to the cloud is the adoption of a product mindsetーthe shift from an emphasis on project to product Download “Accelerating the journey to the cloud with a product mindset now Week of Nov Nov Time to live TTL reduces storage costs improves query performance and simplifies data retention in Cloud Spanner by automatically removing unneeded data based on user defined policies Unlike custom scripts or application code TTL is fully managed and designed for minimal impact on other workloads TTL is generally available today in Spanner at no additional cost Read more New whitepaper available Migrating to NET Core on Google Cloud This free whitepaper written for NET developers and software architects who want to modernize their NET Framework applications outlines the benefits and things to consider when migrating NET Framework apps to NET Core running on Google Cloud It also offers a framework with suggestions to help you build a strategy for migrating to a fully managed Kubernetes offering or to Google serverless Download the free whitepaper Export from Google Cloud Storage Storage Transfer Service now offers Preview support for exporting data from Cloud Storage to any POSIX file system You can use this bidirectional data movement capability to move data in and out of Cloud Storage on premises clusters and edge locations including Google Distributed Cloud The service provides built in capabilities such as scheduling bandwidth management retries and data integrity checks that simplifies the data transfer workflow For more information see Download data from Cloud Storage Document Translation is now GA Translate documents in real time in languages and retain document formatting Learn more about new features and see a demo on how Eli Lilly translates content globally Announcing the general availability of Cloud Asset Inventory console We re excited to announce the general availability of the new Cloud Asset Inventory user interface In addition to all the capabilities announced earlier in Public Preview the general availability release provides powerful search and easy filtering capabilities These capabilities enable you to view details of resources and IAM policies machine type and policy statistics and insights into your overall cloud footprint Learn more about these new capabilities by using the searching resources and searching IAM policies guides You can get more information about Cloud Asset Inventory using our product documentation Week of Oct Oct BigQuery table snapshots are now generally available A table snapshot is a low cost read only copy of a table s data as it was at a particular time By establishing a robust value measurement approach to track and monitor the business value metrics toward business goals we are bringing technology finance and business leaders together through the discipline of Cloud FinOps to show how digital transformation is enabling the organization to create new innovative capabilities and generate top line revenue Learn more We ve announced BigQuery Omni a new multicloud analytics service that allows data teams to perform cross cloud analytics across AWS Azure and Google Cloud all from one viewpoint Learn how BigQuery Omni works and what data and business challenges it solves here Week of Oct Oct Available now are our newest TD VMs family based on rd Generation AMD EPYC processors Learn more In case you missed it ーtop AI announcements from Google Cloud Next Catch up on what s new see demos and hear from our customers about how Google Cloud is making AI more accessible more focused on business outcomes and fast tracking the time to value Too much to take in at Google Cloud Next No worries here s a breakdown of the biggest announcements at the day event Check out the second revision of Architecture Framework Google Cloud s collection of canonical best practices Week of Oct Oct We re excited to announce Google Cloud s new goal of equipping more than million people with Google Cloud skills To help achieve this goal we re offering no cost access to all our training content this month Find out more here  Support for language repositories in Artifact Registry is now generally available Artifact Registry allows you to store all your language specific artifacts in one place Supported package types include Java Node and Python Additionally support for Linux packages is in public preview Learn more Want to know what s the latest with Google ML Powered intelligence service Active Assist and how to learn more about it at Next Check out this blog Week of Sept Oct Announcing the launch of Speaker ID In customer preference for voice calls increased by percentage points to and was by far the most preferred service channel But most callers still need to pass through archaic authentication processes which slows down the time to resolution and burns through valuable agent time Speaker ID from Google Cloud brings ML based speaker identification directly to customers and contact center partners allowing callers to authenticate over the phone using their own voice  Learn more Your guide to all things AI amp ML at Google Cloud Next Google Cloud Next is coming October and if you re interested in AI amp ML we ve got you covered Tune in to hear about real use cases from companies like Twitter Eli Lilly Wayfair and more We re also excited to share exciting product news and hands on AI learning opportunities  Learn more about AI at Next and register for free today It is now simple to use Terraform to configure Anthos features on your GKE clusters Check out part two of this series which explores adding Policy Controller audits to our Config Sync managed cluster  Learn more Week of Sept Sept Announcing the webinar Powering market data through cloud and AI ML  We re sponsoring a Coalition Greenwich webinar on September rd where we ll discuss the findings of our upcoming study on how market data delivery and consumption is being transformed by cloud and AI Moderated by Coalition Greenwich the panel will feature Trey Berre from CME Group Brad Levy from Symphony and Ulku Rowe representing Google Cloud  Register here New research from Google Cloud reveals five innovation trends for market data Together with Coalition Greenwich we surveyed exchanges trading systems data aggregators data producers asset managers hedge funds and investment banks to examine both the distribution and consumption of market data and trading infrastructure in the cloud Learn more about our findings here If you are looking for a more automated way to manage quotas over a high number of projects we are excited to introduce a Quota Monitoring Solution from Google Cloud Professional Services This solution benefits customers who have many projects or organizations and are looking for an easy way to monitor the quota usage in a single dashboard and use default alerting capabilities across all quotas Week of Sept Sept New storage features help ensure data is never lost  We are announcing extensions to our popular Cloud Storage offering and introducing two new services Filestore Enterprise and Backup for Google Kubernetes Engine GKE Together these new capabilities will make it easier for you to protect your data out of the box across a wide variety of applications and use cases Read the full article API management powers sustainable resource management Water waste and energy solutions company Veolia uses APIs and API Management platform Apigee to build apps and help their customers build their own apps too Learn from their digital and API first approach here To support our expanding customer base in Canada we re excited to announce that the new Google Cloud Platform region in Toronto is now open Toronto is the th Google Cloud region connected via our high performance network helping customers better serve their users and customers throughout the globe In combination with Montreal customers now benefit from improved business continuity planning with distributed secure infrastructure needed to meet IT and business requirements for disaster recovery while maintaining data sovereignty Cloud SQL now supports custom formatting controls for CSVs When performing admin exports and imports users can now select custom characters for field delimiters quotes escapes and other characters For more information see our documentation Week of Sept Sept Hear how Lowe s SRE was able to reduce their Mean Time to Recovery MTTR by over after adopting Google s Site Reliability Engineering practices and Google Cloud s operations suite Week of  Aug Sept A what s new blog in the what s new blog Yes you read that correctly Google Cloud data engineers are always hard at work maintaining the hundreds of dataset pipelines that feed into our public datasets repository but they re also regularly bringing new ones into the mix Check out our newest featured datasets and catch a few best practices in our living blog What are the newest datasets in Google Cloud Migration success with Operational Health Reviews from Google Cloud s Professional Service Organization Learn how Google Cloud s Professional Services Org is proactively and strategically guiding customers to operate effectively and efficiently in the Cloud both during and after their migration process Learn how we simplified monitoring for Google Cloud VMware Engine and Google Cloud operations suite Read more Week of Aug Aug Google Transfer Appliance announces preview of online mode Customers are increasingly collecting data that needs to quickly be transferred to the cloud Transfer Appliances are being used to quickly offload data from sources e g cameras cars sensors and can now stream that data to a Cloud Storage bucket Online mode can be toggled as data is copied into the appliance and either send the data offline by shipping the appliance to Google or copy data to Cloud Storage over the network Read more Topic retention for Cloud Pub Sub is now Generally Available Topic retention is the most comprehensive and flexible way available to retain Pub Sub messages for message replay In addition to backing up all subscriptions connected to the topic new subscriptions can now be initialized from a timestamp in the past Learn more about the feature here Vertex Predictions now supports private endpoints for online prediction Through VPC Peering Private Endpoints provide increased security and lower latency when serving ML models Read more Week of Aug Aug Look for us to take security one step further by adding authorization features for service to service communications for gRPC proxyless services as well as to support other deployment models where proxyless gRPC services are running somewhere other than GKE for example Compute Engine We hope you ll join us and check out the setup guide and give us feedback Cloud Run now supports VPC Service Controls You can now protect your Cloud Run services against data exfiltration by using VPC Service Controls in conjunction with Cloud Run s ingress and egress settings Read more Read how retailers are leveraging Google Cloud VMware Engine to move their on premises applications to the cloud where they can achieve the scale intelligence and speed required to stay relevant and competitive Read more A series of new features for BeyondCorp Enterprise our zero trust offering We now offer native support for client certificates for eight types of VPC SC resources We are also announcing general availability of the on prem connector which allows users to secure HTTP or HTTPS based on premises applications outside of Google Cloud Additionally three new BeyondCorp attributes are available in Access Context Manager as part of a public preview Customers can configure custom access policies based on time and date credential strength and or Chrome browser attributes Read more about these announcements here We are excited to announce that Google Cloud working with its partners NAG and DDN demonstrated the highest performing Lustre file system on the IO ranking of the fastest HPC storage systems ーquite a feat considering Lustre is one of the most widely deployed HPC file systems in the world  Read the full article The Storage Transfer Service for on premises data API is now available in Preview Now you can use RESTful APIs to automate your on prem to cloud transfer workflows  Storage Transfer Service is a software service to transfer data over a network The service provides built in capabilities such as scheduling bandwidth management retries and data integrity checks that simplifies the data transfer workflow It is now simple to use Terraform to configure Anthos features on your GKE clusters This is the first part of the part series that describes using Terraform to enable Config Sync  For platform administrators  this natural IaC approach improves auditability and transparency and reduces risk of misconfigurations or security gaps Read more In this commissioned study “Modernize With AIOps To Maximize Your Impact Forrester Consulting surveyed organizations worldwide to better understand how they re approaching artificial intelligence for IT operations AIOps in their cloud environments and what kind of benefits they re seeing Read more If your organization or development environment has strict security policies which don t allow for external IPs it can be difficult to set up a connection between a Private Cloud SQL instance and a Private IP VM This article contains clear instructions on how to set up a connection from a private Compute Engine VM to a private Cloud SQL instance using a private service connection and the mysqlsh command line tool Week of Aug Aug Compute Engine users have a new updated set of VM level “in context metrics charts and logs to correlate signals for common troubleshooting scenarios across CPU Disk Memory Networking and live Processes  This brings the best of Google Cloud s operations suite directly to the Compute Engine UI Learn more ​​Pub Sub to Splunk Dataflow template has been updatedto address multiple enterprise customer asks from improved compatibility with Splunk Add on for Google Cloud Platform to more extensibility with user defined functions UDFs and general pipeline reliability enhancements to tolerate failures like transient network issues when delivering data to Splunk Read more to learn about how to take advantage of these latest features Read more Google Cloud and NVIDIA have teamed up to make VR AR workloads easier faster to create and tetherless Read more Register for the Google Cloud Startup Summit September at goo gle StartupSummit for a digital event filled with inspiration learning and discussion This event will bring together our startup and VC community to discuss the latest trends and insights headlined by a keynote by Astro Teller Captain of Moonshots at X the moonshot factory Additionally learn from a variety of technical and business sessions to help take your startup to the next level Google Cloud and Harris Poll healthcare research reveals COVID impacts on healthcare technology Learn more Partial SSO is now available for public preview If you use a rd party identity provider to single sign on into Google services Partial SSO allows you to identify a subset of your users to use Google Cloud Identity as your SAML SSO identity provider short video and demo Week of Aug Aug Gartner named Google Cloud a Leader in the Magic Quadrant for Cloud Infrastructure and Platform Services formerly Infrastructure as a Service Learn more Private Service Connect is now generally available Private Service Connect lets you create private and secure connections to Google Cloud and third party services with service endpoints in your VPCs  Read more migration guides designed to help you identify the best ways to migrate which include meeting common organizational goals like minimizing time and risk during your migration identifying the most enterprise grade infrastructure for your workloads picking a cloud that aligns with your organization s sustainability goals and more Read more Week of Jul Jul This week we hosting our Retail amp Consumer Goods Summit a digital event dedicated to helping leading retailers and brands digitally transform their business Read more about our consumer packaged goods strategy and a guide to key summit content for brands in this blog from Giusy Buonfantino Google Cloud s Vice President of CPG We re hosting our Retail amp Consumer Goods Summit a digital event dedicated to helping leading retailers and brands digitally transform their business Read more See how IKEA uses Recommendations AI to provide customers with more relevant product information  Read more ​​Google Cloud launches a career program for people with autism designed to hire and support more talented people with autism in the rapidly growing cloud industry  Learn moreGoogle Cloud follows new API stability tenets that work to minimize unexpected deprecations to our Enterprise APIs  Read more Week of Jul Jul Register and join us for Google Cloud Next October at g co CloudNext for a fresh approach to digital transformation as well as a few surprises Next will be a fully customizable digital adventure for a more personalized learning journey Find the tools and training you need to succeed From live interactive Q amp As and informative breakout sessions to educational demos and real life applications of the latest tech from Google Cloud Get ready to plug into your cloud community get informed and be inspired Together we can tackle today s greatest business challenges and start solving for what s next Application Innovation takes a front row seat this year To stay ahead of rising customer expectations and the digital and in person hybrid landscape enterprises must know what application innovation means and how to deliver this type of innovation with a small piece of technology that might surprise you Learn more about the three pillars of app innovation here We announced Cloud IDS our new network security offering which is now available in preview Cloud IDS delivers easy to use cloud native managed network based threat detection With Cloud IDS customers can enjoy a Google Cloud integrated experience built with Palo Alto Networks industry leading threat detection technologies to provide high levels of security efficacy Learn more Key Visualizer for Cloud Spanner is now generally available Key Visualizer is a new interactive monitoring tool that lets developers and administrators analyze usage patterns in Spanner It reveals trends and outliers in key performance and resource metrics for databases of any size helping to optimize queries and reduce infrastructure costs See it in action The market for healthcare cloud is projected to grow This means a need for better tech infrastructure digital transformation amp Cloud tools Learn how Google Cloud Partner Advantage partners help customers solve business challenges in healthcare Week of Jul Jul Simplify VM migrations with Migrate for Compute Engine as a Service delivers a Google managed cloud service that enables simple frictionless and large scale enterprise migrations of virtual machines to Google Compute Engine with minimal downtime and risk API driven and integrated into your Google Cloud console for ease of use this service uses agent less replication to copy data without manual intervention and without VPN requirements It also enables you to launch non disruptive validations of your VMs prior to cutover  Rapidly migrate a single application or execute a sprint with hundred systems using migration groups with confidence Read more here The Google Cloud region in Delhi NCR is now open for business ready to host your workloads Learn more and watch the region launch event here Introducing Quilkin the open source game server proxy Developed in collaboration with Embark Studios Quilkin is an open source UDP proxy tailor made for high performance real time multiplayer games Read more We re making Google Glass on Meet available to a wider network of global customers Learn more Transfer Appliance supports Google Managed Encryption Keys ーWe re announcing the support for Google Managed Encryption Keys with Transfer Appliance this is in addition to the currently available Customer Managed Encryption Keys feature Customers have asked for the Transfer Appliance service to create and manage encryption keys for transfer sessions to improve usability and maintain security The Transfer Appliance Service can now manage the encryption keys for the customers who do not wish to handle a key themselves Learn more about Using Google Managed Encryption Keys UCLA builds a campus wide API program With Google Cloud s API management platform Apigee UCLA created a unified and strong API foundation that removes data friction that students faculty and administrators alike face This foundation not only simplifies how various personas connect to data but also encourages more innovations in the future Learn their story An enhanced region picker makes it easy to choose a Google Cloud region with the lowest CO output  Learn more Amwell and Google Cloud explore five ways telehealth can help democratize access to healthcare  Read more Major League Baseball and Kaggle launch ML competition to learn about fan engagement  Batter up We re rolling out general support of Brand Indicators for Message Identification BIMI in Gmail within Google Workspace Learn more Learn how DeNA Sports Business created an operational status visualization system that helps determine whether live event attendees have correctly installed Japan s coronavirus contact tracing app COCOA Google Cloud CAS provides a highly scalable and available private CA to address the unprecedented growth in certificates in the digital world Read more about CAS Week of Jul Jul Google Cloud and Call of Duty League launch ActivStat to bring fans players and commentators the power of competitive statistics in real time Read more Building applications is a heavy lift due to the technical complexity which includes the complexity of backend services that are used to manage and store data Firestore alters this by having Google Cloud manage your backend complexity through a complete backend as a service Learn more Google Cloud s new Native App Development skills challenge lets you earn badges that demonstrate your ability to create cloud native apps Read more and sign up Week of Jun Jul Storage Transfer Service now offers preview support for Integration with AWS Security Token Service Security conscious customers can now use Storage Transfer Service to perform transfers from AWS S without passing any security credentials This release will alleviate the security burden associated with passing long term AWS S credentials which have to be rotated or explicitly revoked when they are no longer needed Read more The most popular and surging Google Search terms are now available in BigQuery as a public dataset View the Top and Top rising queries from Google Trends from the past days including years of historical data across the Designated Market Areas DMAs in the US Learn more A new predictive autoscaling capability lets you add additional Compute Engine VMs in anticipation of forecasted demand Predictive autoscaling is generally available across all Google Cloud regions Read more or consult the documentation for more information on how to configure simulate and monitor predictive autoscaling Messages by Google is now the default messaging app for all AT amp T customers using Android phones in the United States Read more TPU v Pods will soon be available on Google Cloud providing the most powerful publicly available computing platform for machine learning training Learn more Cloud SQL for SQL Server has addressed multiple enterprise customer asks with the GA releases of both SQL Server and Active Directory integration as well as the Preview release of Cross Region Replicas  This set of releases work in concert to allow customers to set up a more scalable and secure managed SQL Server environment to address their workloads needs Read more Week of Jun Jun Simplified return to office with no code technology We ve just released a solution to your most common return to office headaches make a no code app customized to solve your business specific challenges Learn how to create an automated app where employees can see office room occupancy check what desks are reserved or open review disinfection schedules and more in this blog tutorial New technical validation whitepaper for running ecommerce applicationsーEnterprise Strategy Group s analyst outlines the challenges of organizations running ecommerce applications and how Google Cloud helps to mitigate those challenges and handle changing demands with global infrastructure solutions Download the whitepaper The fullagendafor Google for Games Developer Summit on July th th is now available A free digital event with announcements from teams including Stadia Google Ads AdMob Android Google Play Firebase Chrome YouTube and Google Cloud Hear more about how Google Cloud technology creates opportunities for gaming companies to make lasting enhancements for players and creatives Register at g co gamedevsummitBigQuery row level security is now generally available giving customers a way to control access to subsets of data in the same table for different groups of users Row level security RLS extends the principle of least privilege access and enables fine grained access control policies in BigQuery tables BigQuery currently supports access controls at the project dataset table and column level Adding RLS to the portfolio of access controls now enables customers to filter and define access to specific rows in a table based on qualifying user conditionsーproviding much needed peace of mind for data professionals Transfer from Azure ADLS Gen Storage Transfer Service offers Preview support for transferring data from Azure ADLS Gen to Google Cloud Storage Take advantage of a scalable serverless service to handle data transfer Read more reCAPTCHA V and V customers can now migrate site keys to reCAPTCHA Enterprise in under minutes and without making any code changes Watch our Webinar to learn more  Bot attacks are the biggest threat to your business that you probably haven t addressed yet Check out our Forbes article to see what you can do about it Week of Jun Jun A new VM family for scale out workloadsーNew AMD based Tau VMs offer higher absolute performance and higher price performance compared to general purpose VMs from any of the leading public cloud vendors Learn more New whitepaper helps customers plot their cloud migrationsーOur new whitepaper distills the conversations we ve had with CIOs CTOs and their technical staff into several frameworks that can help cut through the hype and the technical complexity to help devise the strategy that empowers both the business and IT Read more or download the whitepaper Ubuntu Pro lands on Google CloudーThe general availability of Ubuntu Pro images on Google Cloud gives customers an improved Ubuntu experience expanded security coverage and integration with critical Google Cloud features Read more Navigating hybrid work with a single connected experience in Google WorkspaceーNew additions to Google Workspace help businesses navigate the challenges of hybrid work such as Companion Mode for Google Meet calls Read more Arab Bank embraces Google Cloud technologyーThis Middle Eastern bank now offers innovative apps and services to their customers and employees with Apigee and Anthos In fact Arab Bank reports over of their new to bank customers are using their mobile apps Learn more Google Workspace for the Public Sector Sector eventsーThis June learn about Google Workspace tips and tricks to help you get things done Join us for one or more of our learning events tailored for government and higher education users Learn more Week of Jun Jun The top cloud capabilities industry leaders want for sustained innovationーMulticloud and hybrid cloud approaches coupled with open source technology adoption enable IT teams to take full advantage of the best cloud has to offer Our recent study with IDG shows just how much of a priority this has become for business leaders Read more or download the report Announcing the Firmina subsea cableーPlanned to run from the East Coast of the United States to Las Toninas Argentina with additional landings in Praia Grande Brazil and Punta del Este Uruguay Firmina will be the longest open subsea cable in the world capable of running entirely from a single power source at one end of the cable if its other power source s become temporarily unavailableーa resilience boost at a time when reliable connectivity is more important than ever Read more New research reveals what s needed for AI acceleration in manufacturingーAccording to our data which polled more than senior manufacturing executives across seven countries have turned to digital enablers and disruptive technologies due to the pandemic such as data and analytics cloud and artificial intelligence AI And of manufacturers who use AI in their day to day operations report that their reliance on AI is increasing Read more or download the report Cloud SQL offers even faster maintenanceーCloud SQL maintenance is zippier than ever MySQL and PostgreSQL planned maintenance typically lasts less than seconds and SQL Server maintenance typically lasts less than seconds You can learn more about maintenance here Simplifying Transfer Appliance configuration with Cloud Setup ApplicationーWe re announcing the availability of the Transfer Appliance Cloud Setup Application This will use the information you provide through simple prompts and configure your Google Cloud permissions preferred Cloud Storage bucket and Cloud KMS key for your transfer Several cloud console based manual steps are now simplified with a command line experience Read more  Google Cloud VMware Engine is now HIPAA compliantーAs of April Google Cloud VMware Engine is covered under the Google Cloud Business Associate Agreement BAA meaning it has achieved HIPAA compliance Healthcare organizations can now migrate and run their HIPAA compliant VMware workloads in a fully compatible VMware Cloud Verified stack running natively in Google Cloud with Google Cloud VMware Engine without changes or re architecture to tools processes or applications Read more Introducing container native Cloud DNSーKubernetes networking almost always starts with a DNS request DNS has broad impacts on your application and cluster performance scalability and resilience That is why we are excited to announce the release of container native Cloud DNSーthe native integration of Cloud DNS with Google Kubernetes Engine GKE to provide in cluster Service DNS resolution with Cloud DNS our scalable and full featured DNS service Read more Welcoming the EU s new Standard Contractual Clauses for cross border data transfersーLearn how we re incorporating the new Standard Contractual Clauses SCCs into our contracts to help protect our customers data and meet the requirements of European privacy legislation Read more Lowe s meets customer demand with Google SRE practicesーLearn how Low s has been able to increase the number of releases they can support by adopting Google s Site Reliability Engineering SRE framework and leveraging their partnership with Google Cloud Read more What s next for SAP on Google Cloud at SAPPHIRE NOW and beyondーAs SAP s SAPPHIRE conference begins this week we believe businesses have a more significant opportunity than ever to build for their next decade of growth and beyond Learn more on how we re working together with our customers SAP and our partners to support this transformation Read more Support for Node js Python and Java repositories for Artifact Registrynow in Preview With today s announcement you can not only use Artifact Registry to secure and distribute container images but also manage and secure your other software artifacts Read more What s next for SAP on Google Cloud at SAPPHIRE NOW and beyondーAs SAP s SAPPHIRE conference begins this week we believe businesses have a more significant opportunity than ever to build for their next decade of growth and beyond Learn more on how we re working together with our customers SAP and our partners to support this transformation Read more Google named a Leader in The Forrester Wave Streaming Analytics Q report Learn about the criteria where Google Dataflow was rated out and why this matters for our customers here Applied ML Summit this Thursday June Watch our keynote to learn about predictions for machine learning over the next decade Engage with distinguished researchers leading practitioners and Kaggle Grandmasters during our live Ask Me Anything session Take part in our modeling workshops to learn how you can iterate faster and deploy and manage your models with confidence no matter your level of formal computer science training Learn how to develop and apply your professional skills grow your abilities at the pace of innovation and take your career to the next level  Register now Week of May Jun Security Command Center now supports CIS benchmarks and granular access control Security Command Center SCC now supports CIS benchmarks for Google Cloud Platform Foundation v enabling you to monitor and address compliance violations against industry best practices in your Google Cloud environment Additionally SCC now supports fine grained access control for administrators that allows you to easily adhere to the principles of least privilegeーrestricting access based on roles and responsibilities to reduce risk and enabling broader team engagement to address security Read more Zero trust managed security for services with Traffic Director We created Traffic Director to bring to you a fully managed service mesh product that includes load balancing traffic management and service discovery And now we re happy to announce the availability of a fully managed zero trust security solution using Traffic Director with Google Kubernetes Engine GKE and Certificate Authority CA Service Read more How one business modernized their data warehouse for customer success PedidosYa migrated from their old data warehouse to Google Cloud s BigQuery Now with BigQuery the Latin American online food ordering company has reduced the total cost per query by x Learn more Announcing new Cloud TPU VMs New Cloud TPU VMs make it easier to use our industry leading TPU hardware by providing direct access to TPU host machines offering a new and improved user experience to develop and deploy TensorFlow PyTorch and JAX on Cloud TPUs Read more Introducing logical replication and decoding for Cloud SQL for PostgreSQL We re announcing the public preview of logical replication and decoding for Cloud SQL for PostgreSQL By releasing those capabilities and enabling change data capture CDC from Cloud SQL for PostgreSQL we strengthen our commitment to building an open database platform that meets critical application requirements and integrates seamlessly with the PostgreSQL ecosystem Read more How businesses are transforming with SAP on Google Cloud Thousands of organizations globally rely on SAP for their most mission critical workloads And for many Google Cloud customers part of a broader digital transformation journey has included accelerating the migration of these essential SAP workloads to Google Cloud for greater agility elasticity and uptime Read six of their stories Week of May May Google Cloud for financial services driving your transformation cloud journey As we welcome the industry to our Financial Services Summit we re sharing more on how Google Cloud accelerates a financial organization s digital transformation through app and infrastructure modernization data democratization people connections and trusted transactions Read more or watch the summit on demand Introducing Datashare solution for financial services We announced the general availability of Datashare for financial services a new Google Cloud solution that brings together the entire capital markets ecosystemーdata publishers and data consumersーto exchange market data securely and easily Read more Announcing Datastream in Preview Datastream a serverless change data capture CDC and replication service allows enterprises to synchronize data across heterogeneous databases storage systems and applications reliably and with minimal latency to support real time analytics database replication and event driven architectures Read more Introducing Dataplex An intelligent data fabric for analytics at scale Dataplex provides a way to centrally manage monitor and govern your data across data lakes data warehouses and data marts and make this data securely accessible to a variety of analytics and data science tools Read more  Announcing Dataflow Prime Available in Preview in Q Dataflow Prime is a new platform based on a serverless no ops auto tuning architecture built to bring unparalleled resource utilization and radical operational simplicity to big data processing Dataflow Prime builds on Dataflow and brings new user benefits with innovations in resource utilization and distributed diagnostics The new capabilities in Dataflow significantly reduce the time spent on infrastructure sizing and tuning tasks as well as time spent diagnosing data freshness problems Read more Secure and scalable sharing for data and analytics with Analytics Hub With Analytics Hub available in Preview in Q organizations get a rich data ecosystem by publishing and subscribing to analytics ready datasets control and monitoring over how their data is being used a self service way to access valuable and trusted data assets and an easy way to monetize their data assets without the overhead of building and managing the infrastructure Read more Cloud Spanner trims entry cost by Coming soon to Preview granular instance sizing in Spanner lets organizations run workloads at as low as th the cost of regular instances equating to approximately month Read more Cloud Bigtable lifts SLA and adds new security features for regulated industries Bigtable instances with a multi cluster routing policy across or more regions are now covered by a monthly uptime percentage under the new SLA In addition new Data Access audit logs can help determine whether sensitive customer information has been accessed in the event of a security incident and if so when and by whom Read more Build a no code journaling app In honor of Mental Health Awareness Month Google Cloud s no code application development platform AppSheet demonstrates how you can build a journaling app complete with titles time stamps mood entries and more Learn how with this blog and video here New features in Security Command CenterーOn May th Security Command Center Premium launched the general availability of granular access controls at project and folder level and Center for Internet Security CIS benchmarks for Google Cloud Platform Foundation These new capabilities enable organizations to improve their security posture and efficiently manage risk for their Google Cloud environment Learn more Simplified API operations with AI Google Cloud s API management platform Apigee applies Google s industry leading ML and AI to your API metadata Understand how it works with anomaly detection here This week Data Cloud and Financial Services Summits Our Google Cloud Summit series begins this week with the Data Cloud Summit on Wednesday May Global At this half day event you ll learn how leading companies like PayPal Workday Equifax and many others are driving competitive differentiation using Google Cloud technologies to build their data clouds and transform data into value that drives innovation The following day Thursday May Global amp EMEA at the Financial Services Summit discover how Google Cloud is helping financial institutions such as PayPal Global Payments HSBC Credit Suisse AXA Switzerland and more unlock new possibilities and accelerate business through innovation Read more and explore the entire summit series Announcing the Google for Games Developer Summit on July th th With a surge of new gamers and an increase in time spent playing games in the last year it s more important than ever for game developers to delight and engage players To help developers with this opportunity the games teams at Google are back to announce the return of the Google for Games Developer Summit on July th th  Hear from experts across Google about new game solutions they re building to make it easier for you to continue creating great games connecting with players and scaling your business  Registration is free and open to all game developers  Register for the free online event at g co gamedevsummit to get more details in the coming weeks We can t wait to share our latest innovations with the developer community  Learn more Week of May May Best practices to protect your organization against ransomware threats For more than years Google has been operating securely in the cloud using our modern technology stack to provide a more defensible environment that we can protect at scale While the threat of ransomware isn t new our responsibility to help protect you from existing or emerging threats never changes In our recent blog post we shared guidance on how organizations can increase their resilience to ransomware and how some of our Cloud products and services can help Read more Forrester names Google Cloud a Leader in Unstructured Data Security Platforms Forrester Research has named Google Cloud a Leader in The Forrester Wave Unstructured Data Security Platforms Q report and rated Google Cloud highest in the current offering category among the providers evaluated Read more or download the report Introducing Vertex AI One platform every ML tool you need Vertex AI is a managed machine learning ML platform that allows companies to accelerate the deployment and maintenance of artificial intelligence AI models Read more Transforming collaboration in Google Workspace We re launching smart canvas  a new product experience that delivers the next evolution of collaboration for Google Workspace Between now and the end of the year we re rolling out innovations that make it easier for people to stay connected focus their time and attention and transform their ideas into impact Read more Developing next generation geothermal power At I O this week we announced a first of its kind next generation geothermal project with clean energy startup Fervo that will soon begin adding carbon free energy to the electric grid that serves our data centers and infrastructure throughout Nevada including our Cloud region in Las Vegas Read more Contributing to an environment of trust and transparency in Europe Google Cloud was one of the first cloud providers to support and adopt the EU GDPR Cloud Code of Conduct  CoC The CoC is a mechanism for cloud providers to demonstrate how they offer sufficient guarantees to implement appropriate technical and organizational measures as data processors under the GDPR  This week the Belgian Data Protection Authority based on a positive opinion by the European Data Protection Board  EDPB  approved the CoC a product of years of constructive collaboration between the cloud computing community the European Commission and European data protection authorities We are proud to say that Google Cloud Platform and Google Workspace already adhere to these provisions Learn more Announcing Google Cloud datasets solutions We re adding commercial synthetic and first party data to our Google Cloud Public Datasets Program to help organizations increase the value of their analytics and AI initiatives and we re making available an open source reference architecture for a more streamlined data onboarding process to the program Read more Introducing custom samples in Cloud Code With new custom samples in Cloud Code  developers can quickly access your enterprise s best code samples via a versioned Git repository directly from their IDEs Read more Retention settings for Cloud SQL Cloud SQL now allows you to configure backup retention settings to protect against data loss You can retain between and days worth of automated backups and between and days worth of transaction logs for point in time recovery See the details here Cloud developer s guide to Google I O Google I O may look a little different this year but don t worry you ll still get the same first hand look at the newest launches and projects coming from Google Best of all it s free and available to all virtually on May Read more Week of May May APIs and Apigee power modern day due diligence With APIs and Google Cloud s Apigee business due diligence company DueDil revolutionized the way they harness and share their Big Information Graph B I G with partners and customers Get the full story Cloud CISO Perspectives May It s been a busy month here at Google Cloud since our inaugural CISO perspectives blog post in April Here VP and CISO of Google Cloud Phil Venables recaps our cloud security and industry highlights a sneak peak of what s ahead from Google at RSA and more Read more new features to secure your Cloud Run services We announced several new ways to secure Cloud Run environments to make developing and deploying containerized applications easier for developers Read more Maximize your Cloud Run investments with new committed use discounts We re introducing self service spend based committed use discounts for Cloud Run which let you commit for a year to spending a certain amount on Cloud Run and benefiting from a discount on the amount you committed Read more Google Cloud Armor Managed Protection Plus is now generally available Cloud Armor our Distributed Denial of Service DDoS protection and Web Application Firewall WAF service on Google Cloud leverages the same infrastructure network and technology that has protected Google s internet facing properties from some of the largest attacks ever reported These same tools protect customers infrastructure from DDoS attacks which are increasing in both magnitude and complexity every year Deployed at the very edge of our network Cloud Armor absorbs malicious network and protocol based volumetric attacks while mitigating the OWASP Top risks and maintaining the availability of protected services Read more Announcing Document Translation for Translation API Advanced in preview Translation is critical to many developers and localization providers whether you re releasing a document a piece of software training materials or a website in multiple languages With Document Translation now you can directly translate documents in languages and formats such as Docx PPTx XLSx and PDF while preserving document formatting Read more Introducing BeyondCorp Enterprise protected profiles Protected profiles enable users to securely access corporate resources from an unmanaged device with the same threat and data protections available in BeyondCorp Enterprise all from the Chrome Browser Read more How reCAPTCHA Enterprise protects unemployment and COVID vaccination portals With so many people visiting government websites to learn more about the COVID vaccine make vaccine appointments or file for unemployment these web pages have become prime targets for bot attacks and other abusive activities But reCAPTCHA Enterprise has helped state governments protect COVID vaccine registration portals and unemployment claims portals from abusive activities Learn more Day one with Anthos Here are ideas for how to get started Once you have your new application platform in place there are some things you can do to immediately get value and gain momentum Here are six things you can do to get you started Read more The era of the transformation cloud is here Google Cloud s president Rob Enslin shares how the era of the transformation cloud has seen organizations move beyond data centers to change not only where their business is done but more importantly how it is done Read more Week of May May Transforming hard disk drive maintenance with predictive ML In collaboration with Seagate we developed a machine learning system that can forecast the probability of a recurring failing diskーa disk that fails or has experienced three or more problems in days Learn how we did it Agent Assist for Chat is now in public preview Agent Assist provides your human agents with continuous support during their calls and now chats by identifying the customers intent and providing them with real time recommendations such as articles and FAQs as well as responses to customer messages to more effectively resolve the conversation Read more New Google Cloud AWS and Azure product map Our updated product map helps you understand similar offerings from Google Cloud AWS and Azure and you can easily filter the list by product name or other common keywords Read more or view the map Join our Google Cloud Security Talks on May th We ll share expert insights into how we re working to be your most trusted cloud Find the list of topics we ll cover here Databricks is now GA on Google Cloud Deploy or migrate Databricks Lakehouse to Google Cloud to combine the benefits of an open data cloud platform with greater analytics flexibility unified infrastructure management and optimized performance Read more HPC VM image is now GA The CentOS based HPC VM image makes it quick and easy to create HPC ready VMs on Google Cloud that are pre tuned for optimal performance Check out our documentation and quickstart guide to start creating instances using the HPC VM image today Take the State of DevOps survey Help us shape the future of DevOps and make your voice heard by completing the State of DevOps survey before June Read more or take the survey OpenTelemetry Trace is now available OpenTelemetry has reached a key milestone the OpenTelemetry Tracing Specification has reached version API and SDK release candidates are available for Java Erlang Python Go Node js and Net Additional languages will follow over the next few weeks Read more New blueprint helps secure confidential data in AI Platform Notebooks We re adding to our portfolio of blueprints with the publication of our Protecting confidential data in AI Platform Notebooks blueprint guide and deployable blueprint which can help you apply data governance and security policies that protect your AI Platform Notebooks containing confidential data Read more The Liquibase Cloud Spanner extension is now GA Liquibase an open source library that works with a wide variety of databases can be used for tracking managing and automating database schema changes By providing the ability to integrate databases into your CI CD process Liquibase helps you more fully adopt DevOps practices The Liquibase Cloud Spanner extension allows developers to use Liquibase s open source database library to manage and automate schema changes in Cloud Spanner Read more Cloud computing Frequently asked questions There are a number of terms and concepts in cloud computing and not everyone is familiar with all of them To help we ve put together a list of common questions and the meanings of a few of those acronyms Read more Week of Apr Apr Announcing the GKE Gateway controller in Preview GKE Gateway controller Google Cloud s implementation of the Gateway API manages internal and external HTTP S load balancing for a GKE cluster or a fleet of GKE clusters and provides multi tenant sharing of load balancer infrastructure with centralized admin policy and control Read more See Network Performance for Google Cloud in Performance Dashboard The Google Cloud performance view part of the Network Intelligence Center provides packet loss and latency metrics for traffic on Google Cloud It allows users to do informed planning of their deployment architecture as well as determine in real time the answer to the most common troubleshooting question Is it Google or is it me The Google Cloud performance view is now open for all Google Cloud customers as a public preview  Check it out Optimizing data in Google Sheets allows users to create no code apps Format columns and tables in Google Sheets to best position your data to transform into a fully customized successful app no coding necessary Read our four best Google Sheets tips Automation bots with AppSheet Automation AppSheet recently released AppSheet Automation infusing Google AI capabilities to AppSheet s trusted no code app development platform Learn step by step how to build your first automation bot on AppSheet here Google Cloud announces a new region in Israel Our new region in Israel will make it easier for customers to serve their own users faster more reliably and securely Read more New multi instance NVIDIA GPUs on GKE We re launching support for multi instance GPUs in GKE currently in Preview which will help you drive better value from your GPU investments Read more Partnering with NSF to advance networking innovation We announced our partnership with the U S National Science Foundation NSF joining other industry partners and federal agencies as part of a combined million investment in academic research for Resilient and Intelligent Next Generation NextG Systems or RINGS Read more Creating a policy contract with Configuration as Data Configuration as Data is an emerging cloud infrastructure management paradigm that allows developers to declare the desired state of their applications and infrastructure without specifying the precise actions or steps for how to achieve it However declaring a configuration is only half the battle you also want policy that defines how a configuration is to be used This post shows you how Google Cloud products deliver real time data solutions Seven Eleven Japan built Seven Central its new platform for digital transformation on Google Cloud Powered by BigQuery Cloud Spanner and Apigee API management Seven Central presents easy to understand data ultimately allowing for quickly informed decisions Read their story here Week of Apr Apr Extreme PD is now GA On April th Google Cloud s Persistent Disk launched general availability of Extreme PD a high performance block storage volume with provisioned IOPS and up to GB s of throughput  Learn more Research How data analytics and intelligence tools to play a key role post COVID A recent Google commissioned study by IDG highlighted the role of data analytics and intelligent solutions when it comes to helping businesses separate from their competition The survey of IT leaders across the globe reinforced the notion that the ability to derive insights from data will go a long way towards determining which companies win in this new era  Learn more or download the study Introducing PHP on Cloud Functions We re bringing support for PHP a popular general purpose programming language to Cloud Functions With the Functions Framework for PHP you can write idiomatic PHP functions to build business critical applications and integration layers And with Cloud Functions for PHP now available in Preview you can deploy functions in a fully managed PHP environment complete with access to resources in a private VPC network  Learn more Delivering our CCAG pooled audit As our customers increased their use of cloud services to meet the demands of teleworking and aid in COVID recovery we ve worked hard to meet our commitment to being the industry s most trusted cloud despite the global pandemic We re proud to announce that Google Cloud completed an annual pooled audit with the CCAG in a completely remote setting and were the only cloud service provider to do so in  Learn more Anthos now available We recently released Anthos our run anywhere Kubernetes platform that s connected to Google Cloud delivering an array of capabilities that make multicloud more accessible and sustainable  Learn more New Redis Enterprise for Anthos and GKE We re making Redis Enterprise for Anthos and Google Kubernetes Engine GKE available in the Google Cloud Marketplace in private preview  Learn more Updates to Google Meet We introduced a refreshed user interface UI enhanced reliability features powered by the latest Google AI and tools that make meetings more engagingーeven funーfor everyone involved  Learn more DocAI solutions now generally available Document Doc AI platform  Lending DocAI and Procurement DocAI built on decades of AI innovation at Google bring powerful and useful solutions across lending insurance government and other industries  Learn more Four consecutive years of renewable energy In Google again matched percent of its global electricity use with purchases of renewable energy All told we ve signed agreements to buy power from more than renewable energy projects with a combined capacity of gigawatts about the same as a million solar rooftops  Learn more Announcing the Google Cloud region picker The Google Cloud region picker lets you assess key inputs like price latency to your end users and carbon footprint to help you choose which Google Cloud region to run on  Learn more Google Cloud launches new security solution WAAP WebApp and API Protection WAAP combines Google Cloud Armor Apigee and reCAPTCHA Enterprise to deliver improved threat protection consolidated visibility and greater operational efficiencies across clouds and on premises environments Learn more about WAAP here New in no code As discussed in our recent article no code hackathons are trending among innovative organizations Since then we ve outlined how you can host one yourself specifically designed for your unique business innovation outcomes Learn how here Google Cloud Referral Program now availableーNow you can share the power of Google Cloud and earn product credit for every new paying customer you refer Once you join the program you ll get a unique referral link that you can share with friends clients or others Whenever someone signs up with your link they ll get a product creditーthat s more than the standard trial credit When they become a paying customer we ll reward you with a product credit in your Google Cloud account Available in the United States Canada Brazil and Japan  Apply for the Google Cloud Referral Program Week of Apr Apr Announcing the Data Cloud Summit May At this half day event you ll learn how leading companies like PayPal Workday Equifax Zebra Technologies Commonwealth Care Alliance and many others are driving competitive differentiation using Google Cloud technologies to build their data clouds and transform data into value that drives innovation  Learn more and register at no cost Announcing the Financial Services Summit May In this hour event you ll learn how Google Cloud is helping financial institutions including PayPal Global Payments HSBC Credit Suisse and more unlock new possibilities and accelerate business through innovation and better customer experiences  Learn more and register for free  Global  amp  EMEA How Google Cloud is enabling vaccine equity In our latest update we share more on how we re working with US state governments to help produce equitable vaccination strategies at scale  Learn more The new Google Cloud region in Warsaw is open The Google Cloud region in Warsaw is now ready for business opening doors for organizations in Central and Eastern Europe  Learn more AppSheet Automation is now GA Google Cloud s AppSheet launches general availability of AppSheet Automation a unified development experience for citizen and professional developers alike to build custom applications with automated processes all without coding Learn how companies and employees are reclaiming their time and talent with AppSheet Automation here Introducing SAP Integration with Cloud Data Fusion Google Cloud native data integration platform Cloud Data Fusion now offers the capability to seamlessly get data out of SAP Business Suite SAP ERP and S HANA  Learn more Week of Apr Apr New Certificate Authority Service CAS whitepaper “How to deploy a secure and reliable public key infrastructure with Google Cloud Certificate Authority Service written by Mark Cooper of PKI Solutions and Anoosh Saboori of Google Cloud covers security and architectural recommendations for the use of the Google Cloud CAS by organizations and describes critical concepts for securing and deploying a PKI based on CAS  Learn more or read the whitepaper Active Assist s new feature  predictive autoscaling helps improve response times for your applications When you enable predictive autoscaling Compute Engine forecasts future load based on your Managed Instance Group s MIG history and scales it out in advance of predicted load so that new instances are ready to serve when the load arrives Without predictive autoscaling an autoscaler can only scale a group reactively based on observed changes in load in real time With predictive autoscaling enabled the autoscaler works with real time data as well as with historical data to cover both the current and forecasted load That makes predictive autoscaling ideal for those apps with long initialization times and whose workloads vary predictably with daily or weekly cycles For more information see How predictive autoscaling works or check if predictive autoscaling is suitable for your workload and to learn more about other intelligent features check out Active Assist Introducing Dataprep BigQuery pushdown BigQuery pushdown gives you the flexibility to run jobs using either BigQuery or Dataflow If you select BigQuery then Dataprep can automatically determine if data pipelines can be partially or fully translated in a BigQuery SQL statement Any portions of the pipeline that cannot be run in BigQuery are executed in Dataflow Utilizing the power of BigQuery results in highly efficient data transformations especially for manipulations such as filters joins unions and aggregations This leads to better performance optimized costs and increased security with IAM and OAuth support  Learn more Announcing the Google Cloud Retail amp Consumer Goods Summit The Google Cloud Retail amp Consumer Goods Summit brings together technology and business insights the key ingredients for any transformation Whether you re responsible for IT data analytics supply chains or marketing please join Building connections and sharing perspectives cross functionally is important to reimagining yourself your organization or the world  Learn more or register for free New IDC whitepaper assesses multicloud as a risk mitigation strategy To better understand the benefits and challenges associated with a multicloud approach we supported IDC s new whitepaper that investigates how multicloud can help regulated organizations mitigate the risks of using a single cloud vendor The whitepaper looks at different approaches to multi vendor and hybrid clouds taken by European organizations and how these strategies can help organizations address concentration risk and vendor lock in improve their compliance posture and demonstrate an exit strategy  Learn more or download the paper Introducing request priorities for Cloud Spanner APIs You can now specify request priorities for some Cloud Spanner APIs By assigning a HIGH MEDIUM or LOW priority to a specific request you can now convey the relative importance of workloads to better align resource usage with performance objectives  Learn more How we re working with governments on climate goals Google Sustainability Officer Kate Brandt shares more on how we re partnering with governments around the world to provide our technology and insights to drive progress in sustainability efforts  Learn more Week of Mar Apr Why Google Cloud is the ideal platform for Block one and other DLT companies Late last year Google Cloud joined the EOS community a leading open source platform for blockchain innovation and performance and is taking steps to support the EOS Public Blockchain by becoming a block producer  BP At the time we outlined how our planned participation underscores the importance of blockchain to the future of business government and society We re sharing more on why Google Cloud is uniquely positioned to be an excellent partner for Block one and other distributed ledger technology DLT companies  Learn more New whitepaper Scaling certificate management with Certificate Authority Service As Google Cloud s Certificate Authority Service CAS approaches general availability we want to help customers understand the service better Customers have asked us how CAS fits into our larger security story and how CAS works for various use cases Our new white paper answers these questions and more  Learn more and download the paper Build a consistent approach for API consumers Learn the differences between REST and GraphQL as well as how to apply REST based practices to GraphQL No matter the approach discover how to manage and treat both options as API products here Apigee X makes it simple to apply Cloud CDN to APIs With Apigee X and Cloud CDN organizations can expand their API programs global reach Learn how to deploy APIs across regions and zones here Enabling data migration with Transfer Appliances in APACーWe re announcing the general availability of Transfer Appliances TA TA in Singapore Customers are looking for fast secure and easy to use options to migrate their workloads to Google Cloud and we are addressing their needs with Transfer Appliances globally in the US EU and APAC Learn more about Transfer Appliances TA and TA Windows Authentication is now supported on Cloud SQL for SQL Server in public previewーWe ve launched seamless integration with Google Cloud s Managed Service for Microsoft Active Directory AD This capability is a critical requirement to simplify identity management and streamline the migration of existing SQL Server workloads that rely on AD for access control  Learn more or get started Using Cloud AI to whip up new treats with Mars MaltesersーMaltesers a popular British candy made by Mars teamed up with our own AI baker and ML engineer extraordinaire  Sara Robinson to create a brand new dessert recipe with Google Cloud AI  Find out what happened  recipe included Simplifying data lake management with Dataproc Metastore now GAーDataproc Metastore a fully managed serverless technical metadata repository based on the Apache Hive metastore is now generally available Enterprises building and migrating open source data lakes to Google Cloud now have a central and persistent metastore for their open source data analytics frameworks  Learn more Introducing the Echo subsea cableーWe announced our investment in Echo the first ever cable to directly connect the U S to Singapore with direct fiber pairs over an express route Echo will run from Eureka California to Singapore with a stop over in Guam and plans to also land in Indonesia Additional landings are possible in the future  Learn more Week of Mar Mar new videos bring Google Cloud to lifeーThe Google Cloud Tech YouTube channel s latest video series explains cloud tools for technical practitioners in about minutes each  Learn more BigQuery named a Leader in the Forrester Wave Cloud Data Warehouse Q reportーForrester gave BigQuery a score of out of across different criteria Learn more in our blog post or download the report Charting the future of custom compute at GoogleーTo meet users performance needs at low power we re doubling down on custom chips that use System on a Chip SoC designs  Learn more Introducing Network Connectivity CenterーWe announced Network Connectivity Center which provides a single management experience to easily create connect and manage heterogeneous on prem and cloud networks leveraging Google s global infrastructure Network Connectivity Center serves as a vantage point to seamlessly connect VPNs partner and dedicated interconnects as well as third party routers and Software Defined WANs helping you optimize connectivity reduce operational burden and lower costsーwherever your applications or users may be  Learn more Making it easier to get Compute Engine resources for batch processingーWe announced a new method of obtaining Compute Engine instances for batch processing that accounts for availability of resources in zones of a region Now available in preview for regional managed instance groups you can do this simply by specifying the ANY value in the API  Learn more Next gen virtual automotive showrooms are here thanks to Google Cloud Unreal Engine and NVIDIAーWe teamed up with Unreal Engine the open and advanced real time D creation game engine and NVIDIA inventor of the GPU to launch new virtual showroom experiences for automakers Taking advantage of the NVIDIA RTX platform on Google Cloud these showrooms provide interactive D experiences photorealistic materials and environments and up to K cloud streaming on mobile and connected devices Today in collaboration with MHP the Porsche IT consulting firm and MONKEYWAY a real time D streaming solution provider you can see our first virtual showroom the Pagani Immersive Experience Platform  Learn more Troubleshoot network connectivity with Dynamic Verification public preview ーYou can now check packet loss rate and one way network latency between two VMs on GCP This capability is an addition to existing Network Intelligence Center Connectivity Tests which verify reachability by analyzing network configuration in your VPCs  See more in our documentation Helping U S states get the COVID vaccine to more peopleーIn February we announced our Intelligent Vaccine Impact solution IVIs  to help communities rise to the challenge of getting vaccines to more people quickly and effectively Many states have deployed IVIs and have found it able to meet demand and easily integrate with their existing technology infrastructures Google Cloud is proud to partner with a number of states across the U S including Arizona the Commonwealth of Massachusetts North Carolina Oregon and the Commonwealth of Virginia to support vaccination efforts at scale  Learn more Week of Mar Mar A VMs now GA The largest GPU cloud instances with NVIDIA A GPUsーWe re announcing the general availability of A VMs based on the NVIDIA Ampere A Tensor Core GPUs in Compute Engine This means customers around the world can now run their NVIDIA CUDA enabled machine learning ML and high performance computing HPC scale out and scale up workloads more efficiently and at a lower cost  Learn more Earn the new Google Kubernetes Engine skill badge for freeーWe ve added a new skill badge this month Optimize Costs for Google Kubernetes Engine GKE which you can earn for free when you sign up for the Kubernetes track of the skills challenge The skills challenge provides days free access to Google Cloud labs and gives you the opportunity to earn skill badges to showcase different cloud competencies to employers Learn more Now available carbon free energy percentages for our Google Cloud regionsーGoogle first achieved carbon neutrality in and since we ve purchased enough solar and wind energy to match of our global electricity consumption Now we re building on that progress to target a new sustainability goal running our business on carbon free energy everywhere by Beginning this week we re sharing data about how we are performing against that objective so our customers can select Google Cloud regions based on the carbon free energy supplying them Learn more Increasing bandwidth to C and N VMsーWe announced the public preview of and Gbps high bandwidth network configurations for General Purpose N and Compute Optimized C Compute Engine VM families as part of continuous efforts to optimize our Andromeda host networking stack This means we can now offer higher bandwidth options on existing VM families when using the Google Virtual NIC gVNIC These VMs were previously limited to Gbps Learn more New research on how COVID changed the nature of ITーTo learn more about the impact of COVID and the resulting implications to IT Google commissioned a study by IDG to better understand how organizations are shifting their priorities in the wake of the pandemic  Learn more and download the report New in API securityーGoogle Cloud Apigee API management platform s latest release  Apigee X works with Cloud Armor to protect your APIs with advanced security technology including DDoS protection geo fencing OAuth and API keys Learn more about our integrated security enhancements here Troubleshoot errors more quickly with Cloud LoggingーThe Logs Explorer now automatically breaks down your log results by severity making it easy to spot spikes in errors at specific times Learn more about our new histogram functionality here Week of Mar Mar Introducing AskGoogleCloud on Twitter and YouTubeーOur first segment on March th features Developer Advocates Stephanie Wong Martin Omander and James Ward to answer questions on the best workloads for serverless the differences between “serverless and “cloud native how to accurately estimate costs for using Cloud Run and much more  Learn more Learn about the value of no code hackathonsーGoogle Cloud s no code application development platform AppSheet helps to facilitate hackathons for “non technical employees with no coding necessary to compete Learn about Globe Telecom s no code hackathon as well as their winning AppSheet app here Introducing Cloud Code Secret Manager IntegrationーSecret Manager provides a central place and single source of truth to manage access and audit secrets across Google Cloud Integrating Cloud Code with Secret Manager brings the powerful capabilities of both these tools together so you can create and manage your secrets right from within your preferred IDE whether that be VS Code IntelliJ or Cloud Shell Editor  Learn more Flexible instance configurations in Cloud SQLーCloud SQL for MySQL now supports flexible instance configurations which offer you the extra freedom to configure your instance with the specific number of vCPUs and GB of RAM that fits your workload To set up a new instance with a flexible instance configuration see our documentation here The Cloud Healthcare Consent Management API is now generally availableーThe Healthcare Consent Management API is now GA giving customers the ability to greatly scale the management of consents to meet increasing need particularly amidst the emerging task of managing health data for new care and research scenarios  Learn more Week of Mar Mar Cloud Run is now available in all Google Cloud regions  Learn more Introducing Apache Spark Structured Streaming connector for Pub Sub LiteーWe re announcing the release of an open source connector to read streams of messages from Pub Sub Lite into Apache Spark The connector works in all Apache Spark X distributions including Dataproc Databricks or manual Spark installations  Learn more Google Cloud Next is October ーJoin us and learn how the most successful companies have transformed their businesses with Google Cloud Sign up at g co cloudnext for updates  Learn more Hierarchical firewall policies now GAーHierarchical firewalls provide a means to enforce firewall rules at the organization and folder levels in the GCP Resource Hierarchy This allows security administrators at different levels in the hierarchy to define and deploy consistent firewall rules across a number of projects so they re applied to all VMs in currently existing and yet to be created projects  Learn more Announcing the Google Cloud Born Digital SummitーOver this half day event we ll highlight proven best practice approaches to data architecture diversity amp inclusion and growth with Google Cloud solutions  Learn more and register for free Google Cloud products in words or less edition ーOur popular “ words or less Google Cloud developer s cheat sheet is back and updated for  Learn more Gartner names Google a leader in its Magic Quadrant for Cloud AI Developer Services reportーWe believe this recognition is based on Gartner s evaluation of Google Cloud s language vision conversational and structured data services and solutions for developers  Learn more Announcing the Risk Protection ProgramーThe Risk Protection Program offers customers peace of mind through the technology to secure their data the tools to monitor the security of that data and an industry first cyber policy offered by leading insurers  Learn more Building the future of workーWe re introducing new innovations in Google Workspace to help people collaborate and find more time and focus wherever and however they work  Learn more Assured Controls and expanded Data RegionsーWe ve added new information governance features in Google Workspace to help customers control their data based on their business goals  Learn more Week of Feb Feb Google Cloud tools explained in minutesーNeed a quick overview of Google Cloud core technologies Quickly learn these Google Cloud productsーeach explained in under two minutes  Learn more BigQuery materialized views now GAーMaterialized views MV s are precomputed views that periodically cache results of a query to provide customers increased performance and efficiency  Learn more New in BigQuery BI EngineーWe re extending BigQuery BI Engine to work with any BI or custom dashboarding applications that require sub second query response times In this preview BI Engine will work seamlessly with Looker and other popular BI tools such as Tableau and Power BI without requiring any change to the BI tools  Learn more Dataproc now supports Shielded VMsーAll Dataproc clusters created using Debian or Ubuntu operating systems now use Shielded VMs by default and customers can provide their own configurations for secure boot vTPM and Integrity Monitoring This feature is just one of the many ways customers that have migrated their Hadoop and Spark clusters to GCP experience continued improvements to their security postures without any additional cost New Cloud Security Podcast by GoogleーOur new podcast brings you stories and insights on security in the cloud delivering security from the cloud and of course on what we re doing at Google Cloud to help keep customer data safe and workloads secure  Learn more New in Conversational AI and Apigee technologyーAustralian retailer Woolworths provides seamless customer experiences with their virtual agent Olive Apigee API Management and Dialogflow technology allows customers to talk to Olive through voice and chat  Learn more Introducing GKE AutopilotーGKE already offers an industry leading level of automation that makes setting up and operating a Kubernetes cluster easier and more cost effective than do it yourself and other managed offerings Autopilot represents a significant leap forward In addition to the fully managed control plane that GKE has always provided using the Autopilot mode of operation automatically applies industry best practices and can eliminate all node management operations maximizing your cluster efficiency and helping to provide a stronger security posture  Learn more Partnering with Intel to accelerate cloud native GーAs we continue to grow cloud native services for the telecommunications industry we re excited to announce a collaboration with Intel to develop reference architectures and integrated solutions for communications service providers to accelerate their deployment of G and edge network solutions  Learn more Veeam Backup for Google Cloud now availableーVeeam Backup for Google Cloud automates Google native snapshots to securely protect VMs across projects and regions with ultra low RPOs and RTOs and store backups in Google Object Storage to enhance data protection while ensuring lower costs for long term retention Migrate for Anthos GAーWith Migrate for Anthos customers and partners can automatically migrate and modernize traditional application workloads running in VMs into containers running on Anthos or GKE Included in this new release  In place modernization for Anthos on AWS Public Preview to help customers accelerate on boarding to Anthos AWS while leveraging their existing investment in AWS data sources projects VPCs and IAM controls Additional Docker registries and artifacts repositories support GA including AWS ECR basic auth docker registries and AWS S storage to provide further flexibility for customers using Anthos Anywhere on prem AWS etc  HTTPS Proxy support GA to enable MA functionality access to external image repos and other services where a proxy is used to control external access Week of Feb Feb Introducing Cloud Domains in previewーCloud Domains simplify domain registration and management within Google Cloud improve the custom domain experience for developers increase security and support stronger integrations around DNS and SSL  Learn more Announcing Databricks on Google CloudーOur partnership with Databricks enables customers to accelerate Databricks implementations by simplifying their data access by jointly giving them powerful ways to analyze their data and by leveraging our combined AI and ML capabilities to impact business outcomes  Learn more Service Directory is GAーAs the number and diversity of services grows it becomes increasingly challenging to maintain an inventory of all of the services across an organization Last year we launched Service Directory to help simplify the problem of service management Today it s generally available  Learn more Week of Feb Feb Introducing Bare Metal Solution for SAP workloadsーWe ve expanded our Bare Metal Solutionーdedicated single tenant systems designed specifically to run workloads that are too large or otherwise unsuitable for standard virtualized environmentsーto include SAP certified hardware options giving SAP customers great options for modernizing their biggest and most challenging workloads  Learn more TB SSDs bring ultimate IOPS to Compute Engine VMsーYou can now attach TB and TB Local SSD to second generation general purpose N Compute Engine VMs for great IOPS per dollar  Learn more Supporting the Python ecosystemーAs part of our longstanding support for the Python ecosystem we are happy to increase our support for the Python Software Foundation the non profit behind the Python programming language ecosystem and community  Learn more  Migrate to regional backend services for Network Load BalancingーWe now support backend services with Network Load Balancingーa significant enhancement over the prior approach target pools providing a common unified data model for all our load balancing family members and accelerating the delivery of exciting features on Network Load Balancing  Learn more Week of Feb Feb Apigee launches Apigee XーApigee celebrates its year anniversary with Apigee X a new release of the Apigee API management platform Apigee X harnesses the best of Google technologies to accelerate and globalize your API powered digital initiatives Learn more about Apigee X and digital excellence here Celebrating the success of Black founders with Google Cloud during Black History MonthーFebruary is Black History Month a time for us to come together to celebrate and remember the important people and history of the African heritage Over the next four weeks we will highlight four Black led startups and how they use Google Cloud to grow their businesses Our first feature highlights TQIntelligence and its founder Yared Week of Jan Jan BeyondCorp Enterprise now generally availableーBeyondCorp Enterprise is a zero trust solution built on Google s global network which provides customers with simple and secure access to applications and cloud resources and offers integrated threat and data protection To learn more read the blog post visit our product homepage  and register for our upcoming webinar Week of Jan Jan Cloud Operations Sandbox now availableーCloud Operations Sandbox is an open source tool that helps you learn SRE practices from Google and apply them on cloud services using Google Cloud s operations suite formerly Stackdriver with everything you need to get started in one click You can read our blog post or get started by visiting cloud ops sandbox dev exploring the project repo and following along in the user guide  New data security strategy whitepaperーOur new whitepaper shares our best practices for how to deploy a modern and effective data security program in the cloud Read the blog post or download the paper    WebSockets HTTP and gRPC bidirectional streams come to Cloud RunーWith these capabilities you can deploy new kinds of applications to Cloud Run that were not previously supported while taking advantage of serverless infrastructure These features are now available in public preview for all Cloud Run locations Read the blog post or check out the WebSockets demo app or the sample hc server app New tutorial Build a no code workout app in stepsーLooking to crush your new year s resolutions Using AppSheet Google Cloud s no code app development platform you can build a custom fitness app that can do things like record your sets reps and weights log your workouts and show you how you re progressing Learn how Week of Jan Jan State of API Economy Report now availableーGoogle Cloud details the changing role of APIs in amidst the COVID pandemic informed by a comprehensive study of Apigee API usage behavior across industry geography enterprise size and more Discover these trends along with a projection of what to expect from APIs in Read our blog post here or download and read the report here New in the state of no codeーGoogle Cloud s AppSheet looks back at the key no code application development themes of AppSheet contends the rising number of citizen developer app creators will ultimately change the state of no code in Read more here Week of Jan Jan Last year s most popular API postsーIn an arduous year thoughtful API design and strategy is critical to empowering developers and companies to use technology for global good Google Cloud looks back at the must read API posts in Read it here Week of Dec Dec A look back at the year across Google CloudーLooking for some holiday reading We ve published recaps of our year across databases serverless data analytics and no code development Or take a look at our most popular posts of Week of Dec Dec Memorystore for Redis enables TLS encryption support Preview ーWith this release you can now use Memorystore for applications requiring sensitive data to be encrypted between the client and the Memorystore instance Read more here Monitoring Query Language MQL for Cloud Monitoring is now generally availableーMonitoring Query language provides developers and operators on IT and development teams powerful metric querying analysis charting and alerting capabilities This functionality is needed for Monitoring use cases that include troubleshooting outages root cause analysis custom SLI SLO creation reporting and analytics complex alert logic and more Learn more Week of Dec Dec Memorystore for Redis now supports Redis AUTHーWith this release you can now use OSS Redis AUTH feature with Memorystore for Redis instances Read more here New in serverless computingーGoogle Cloud API Gateway and its service first approach to developing serverless APIs helps organizations accelerate innovation by eliminating scalability and security bottlenecks for their APIs Discover more benefits here Environmental Dynamics Inc makes a big move to no codeーThe environmental consulting company EDI built and deployed business apps with no coding skills necessary with Google Cloud s AppSheet This no code effort not only empowered field workers but also saved employees over hours a year Get the full story here Introducing Google Workspace for GovernmentーGoogle Workspace for Government is an offering that brings the best of Google Cloud s collaboration and communication tools to the government with pricing that meets the needs of the public sector Whether it s powering social care visits employment support or virtual courts Google Workspace helps governments meet the unique challenges they face as they work to provide better services in an increasingly virtual world Learn more Week of Nov Dec Google enters agreement to acquire ActifioーActifio a leader in backup and disaster recovery DR offers customers the opportunity to protect virtual copies of data in their native format manage these copies throughout their entire lifecycle and use these copies for scenarios like development and test This planned acquisition further demonstrates Google Cloud s commitment to helping enterprises protect workloads on premises and in the cloud Learn more Traffic Director can now send traffic to services and gateways hosted outside of Google CloudーTraffic Director support for Hybrid Connectivity Network Endpoint Groups NEGs now generally available enables services in your VPC network to interoperate more seamlessly with services in other environments It also enables you to build advanced solutions based on Google Cloud s portfolio of networking products such as Cloud Armor protection for your private on prem services Learn more Google Cloud launches the Healthcare Interoperability Readiness ProgramーThis program powered by APIs and Google Cloud s Apigee helps patients doctors researchers and healthcare technologists alike by making patient data and healthcare data more accessible and secure Learn more here Container Threat Detection in Security Command CenterーWe announced the general availability of Container Threat Detection a built in service in Security Command Center This release includes multiple detection capabilities to help you monitor and secure your container deployments in Google Cloud Read more here Anthos on bare metal now GAーAnthos on bare metal opens up new possibilities for how you run your workloads and where You can run Anthos on your existing virtualized infrastructure or eliminate the dependency on a hypervisor layer to modernize applications while reducing costs Learn more Week of Nov Tuning control support in Cloud SQL for MySQLーWe ve made all flags that were previously in preview now generally available GA empowering you with the controls you need to optimize your databases See the full list here New in BigQuery MLーWe announced the general availability of boosted trees using XGBoost deep neural networks DNNs using TensorFlow and model export for online prediction Learn more New AI ML in retail reportーWe recently commissioned a survey of global retail executives to better understand which AI ML use cases across the retail value chain drive the highest value and returns in retail and what retailers need to keep in mind when going after these opportunities Learn more  or read the report Week of Nov New whitepaper on how AI helps the patent industryーOur new paper outlines a methodology to train a BERT bidirectional encoder representation from transformers model on over million patent publications from the U S and other countries using open source tooling Learn more or read the whitepaper Google Cloud support for NET ーLearn more about our support of NET as well as how to deploy it to Cloud Run NET Core now on Cloud FunctionsーWith this integration you can write cloud functions using your favorite NET Core runtime with our Functions Framework for NET for an idiomatic developer experience Learn more Filestore Backups in previewーWe announced the availability of the Filestore Backups preview in all regions making it easier to migrate your business continuity disaster recovery and backup strategy for your file systems in Google Cloud Learn more Introducing Voucher a service to help secure the container supply chainーDeveloped by the Software Supply Chain Security team at Shopify to work with Google Cloud tools Voucher evaluates container images created by CI CD pipelines and signs those images if they meet certain predefined security criteria Binary Authorization then validates these signatures at deploy time ensuring that only explicitly authorized code that meets your organizational policy and compliance requirements can be deployed to production Learn more most watched from Google Cloud Next OnAirーTake a stroll through the sessions that were most popular from Next OnAir covering everything from data analytics to cloud migration to no code development  Read the blog Artifact Registry is now GAーWith support for container images Maven npm packages and additional formats coming soon Artifact Registry helps your organization benefit from scale security and standardization across your software supply chain  Read the blog Week of Nov Introducing the Anthos Developer SandboxーThe Anthos Developer Sandbox gives you an easy way to learn to develop on Anthos at no cost available to anyone with a Google account Read the blog Database Migration Service now available in previewーDatabase Migration Service DMS makes migrations to Cloud SQL simple and reliable DMS supports migrations of self hosted MySQL databasesーeither on premises or in the cloud as well as managed databases from other cloudsーto Cloud SQL for MySQL Support for PostgreSQL is currently available for limited customers in preview with SQL Server coming soon Learn more Troubleshoot deployments or production issues more quickly with new logs tailingーWe ve added support for a new API to tail logs with low latency Using gcloud it allows you the convenience of tail f with the powerful query language and centralized logging solution of Cloud Logging Learn more about this preview feature Regionalized log storage now available in new regions in previewーYou can now select where your logs are stored from one of five regions in addition to globalーasia east europe west us central us east and us west When you create a logs bucket you can set the region in which you want to store your logs data Get started with this guide Week of Nov Cloud SQL adds support for PostgreSQL ーShortly after its community GA Cloud SQL has added support for PostgreSQL You get access to the latest features of PostgreSQL while Cloud SQL handles the heavy operational lifting so your team can focus on accelerating application delivery Read more here Apigee creates value for businesses running on SAPーGoogle Cloud s API Management platform Apigee is optimized for data insights and data monetization helping businesses running on SAP innovate faster without fear of SAP specific challenges to modernization Read more here Document AI platform is liveーThe new Document AI DocAI platform a unified console for document processing is now available in preview You can quickly access all parsers tools and solutions e g Lending DocAI Procurement DocAI with a unified API enabling an end to end document solution from evaluation to deployment Read the full story here or check it out in your Google Cloudconsole Accelerating data migration with Transfer Appliances TA and TAーWe re announcing the general availability of new Transfer Appliances Customers are looking for fast secure and easy to use options to migrate their workloads to Google Cloud and we are addressing their needs with next generation Transfer Appliances Learn more about Transfer Appliances TA and TA Week of Oct B H Inc accelerates digital transformationーThe Utah based contracting and construction company BHI eliminated IT backlog when non technical employees were empowered to build equipment inspection productivity and other custom apps by choosing Google Workspace and the no code app development platform AppSheet Read the full story here Globe Telecom embraces no code developmentーGoogle Cloud s AppSheet empowers Globe Telecom employees to do more innovating with less code The global communications company kickstarted their no code journey by combining the power of AppSheet with a unique adoption strategy As a result AppSheet helped Globe Telecom employees build business apps in just weeks Get the full story Cloud Logging now allows you to control access to logs via Log ViewsーBuilding on the control offered via Log Buckets  blog post you can now configure who has access to logs based on the source project resource type or log name all using standard IAM controls Logs views currently in Preview can help you build a system using the principle of least privilege limiting sensitive logs to only users who need this information  Learn more about Log Views Document AI is HIPAA compliantーDocument AI now enables HIPAA compliance Now Healthcare and Life Science customers such as health care providers health plans and life science organizations can unlock insights by quickly extracting structured data from medical documents while safeguarding individuals protected health information PHI Learn more about Google Cloud s nearly products that support HIPAA compliance Week of Oct Improved security and governance in Cloud SQL for PostgreSQLーCloud SQL for PostgreSQL now integrates with Cloud IAM preview to provide simplified and consistent authentication and authorization Cloud SQL has also enabled PostgreSQL Audit Extension preview for more granular audit logging Read the blog Announcing the AI in Financial Crime Compliance webinarーOur executive digital forum will feature industry executives academics and former regulators who will discuss how AI is transforming financial crime compliance on November Register now Transforming retail with AI MLーNew research provides insights on high value AI ML use cases for food drug mass merchant and speciality retail that can drive significant value and build resilience for your business Learn what the top use cases are for your sub segment and read real world success stories Download the ebook here and view this companion webinar which also features insights from Zulily New release of Migrate for AnthosーWe re introducing two important new capabilities in the release of Migrate for Anthos Google Cloud s solution to easily migrate and modernize applications currently running on VMs so that they instead run on containers in Google Kubernetes Engine or Anthos The first is GA support for modernizing IIS apps running on Windows Server VMs The second is a new utility that helps you identify which VMs in your existing environment are the best targets for modernization to containers Start migrating or check out the assessment tool documentation Linux Windows New Compute Engine autoscaler controlsーNew scale in controls in Compute Engine let you limit the VM deletion rate by preventing the autoscaler from reducing a MIG s size by more VM instances than your workload can tolerate to lose Read the blog Lending DocAI in previewーLending DocAI is a specialized solution in our Document AI portfolio for the mortgage industry that processes borrowers income and asset documents to speed up loan applications Read the blog or check out the product demo Week of Oct New maintenance controls for Cloud SQLーCloud SQL now offers maintenance deny period controls which allow you to prevent automatic maintenance from occurring during a day time period Read the blog Trends in volumetric DDoS attacksーThis week we published a deep dive into DDoS threats detailing the trends we re seeing and giving you a closer look at how we prepare for multi terabit attacks so your sites stay up and running Read the blog New in BigQueryーWe shared a number of updates this week including new SQL capabilities more granular control over your partitions with time unit partitioning the general availability of Table ACLs and BigQuery System Tables Reports a solution that aims to help you monitor BigQuery flat rate slot and reservation utilization by leveraging BigQuery s underlying INFORMATION SCHEMA views Read the blog Cloud Code makes YAML easy for hundreds of popular Kubernetes CRDsーWe announced authoring support for more than popular Kubernetes CRDs out of the box any existing CRDs in your Kubernetes cluster and any CRDs you add from your local machine or a URL Read the blog Google Cloud s data privacy commitments for the AI eraーWe ve outlined how our AI ML Privacy Commitment reflects our belief that customers should have both the highest level of security and the highest level of control over data stored in the cloud Read the blog New lower pricing for Cloud CDNーWe ve reduced the price of cache fill content fetched from your origin charges across the board by up to along with our recent introduction of a new set of flexible caching capabilities to make it even easier to use Cloud CDN to optimize the performance of your applications Read the blog Expanding the BeyondCorp AllianceーLast year we announced our BeyondCorp Alliance with partners that share our Zero Trust vision Today we re announcing new partners to this alliance Read the blog New data analytics training opportunitiesーThroughout October and November we re offering a number of no cost ways to learn data analytics with trainings for beginners to advanced users Learn more New BigQuery blog seriesーBigQuery Explained provides overviews on storage data ingestion queries joins and more Read the series Week of Oct Introducing the Google Cloud Healthcare Consent Management APIーThis API gives healthcare application developers and clinical researchers a simple way to manage individuals consent of their health data particularly important given the new and emerging virtual care and research scenarios related to COVID Read the blog Announcing Google Cloud buildpacksーBased on the CNCF buildpacks v specification these buildpacks produce container images that follow best practices and are suitable for running on all of our container platforms Cloud Run fully managed Anthos and Google Kubernetes Engine GKE Read the blog Providing open access to the Genome Aggregation Database gnomAD ーOur collaboration with Broad Institute of MIT and Harvard provides free access to one of the world s most comprehensive public genomic datasets Read the blog Introducing HTTP gRPC server streaming for Cloud RunーServer side HTTP streaming for your serverless applications running on Cloud Run fully managed is now available This means your Cloud Run services can serve larger responses or stream partial responses to clients during the span of a single request enabling quicker server response times for your applications Read the blog New security and privacy features in Google WorkspaceーAlongside the announcement of Google Workspace we also shared more information on new security features that help facilitate safe communication and give admins increased visibility and control for their organizations Read the blog Introducing Google WorkspaceーGoogle Workspace includes all of the productivity apps you know and use at home at work or in the classroomーGmail Calendar Drive Docs Sheets Slides Meet Chat and moreーnow more thoughtfully connected Read the blog New in Cloud Functions languages availability portability and moreーWe extended Cloud Functionsーour scalable pay as you go Functions as a Service FaaS platform that runs your code with zero server managementーso you can now use it to build end to end solutions for several key use cases Read the blog Announcing the Google Cloud Public Sector Summit Dec ーOur upcoming two day virtual event will offer thought provoking panels keynotes customer stories and more on the future of digital service in the public sector Register at no cost 2022-02-28 21:00:00
GCP Cloud Blog Celebrating our tech and startup customers https://cloud.google.com/blog/topics/inside-google-cloud/celebrating-tech-and-startup-customers/ Celebrating our tech and startup customersOur tech and startup customers are disrupting industries driving innovation and changing how people do things We re proud of their success and want to showcase what they re up to You ll hear about their new products their businesses reaching new milestones and their ability to get things done faster and easier using Google Cloud s app development data analytics and AI ML services Puppet CTO increases development speedHear Puppet CTO Deepak Giridharagopal discuss how they managed to build Puppet s first Saas product Relay fast while also ensuring they would be able to remain agile if growth was to happen quickly Watch video Vimeo builds a fully responsive video platform on Google CloudThe video platform Vimeo leverages managed database services from Google Cloud to serve up billions of views around the world each day Read how it uses Cloud Spanner to deliver a consistent and reliable experience to its users no matter where they are  Find out more  Nylas improved price performance by You don t have to choose between price performance and x compatibility Hear from David Ting SVP of Engineering and CISO at nylas to learn how Google s x based Tau VMs delivered better price performance than competing Arm based VMs Watch now Optimizely partners with Google Cloud on experimentation solutions Build the next big thing with Optimizely Experimentation on Google Cloud driving innovation and next gen experimentation for enterprise companies and marketers Check it out 2022-02-28 21:00:00
GCP Cloud Blog Vertex Forecast: An overview https://cloud.google.com/blog/topics/developers-practitioners/vertex-forecast-overview/ Vertex Forecast An overviewA retailer needs to predict product demand or sales a call center manager wants to predict the call volume to hire more representatives a hotel chain requires hotel occupancy predictions for next season and a hospital needs to forecast bed occupancy Vertex Forecast provides accurate forecasts for these and many other business forecasting use cases Click to enlarge Univariate vs multivariate datasetsForecasting datasets come in many shapes and sizes  In univariate data sets a single variable is observed over a period of time For example the famousAirline Passenger dataset Box and Jenkins Times Series Analysis Forecasting and Control p is a canonical example of a univariate time series data set In the graph below you can see an updated version of this time series that shows clear trend variations and seasonal patterns source US Department of Transportation Monthly Air Passengers in the US from to More often business forecasters are faced with the challenge of forecasting large groups of related time series at scale using multivariate datasets A typical retail or supply chain demand planning team has to forecast demand for thousands of products across hundreds of locations or zip codes leading to millions of individual forecasts Infrastructure SRE teams have to forecast consumption or traffic for hundreds or thousands of compute instances and load balancing nodes Similarly financial planning teams often need to forecast revenue and cash flow from hundreds or thousands of individual customers and lines of business  Forecasting algorithmsThe most popular forecasting methods today are statistical models Auto Regressive Integrated Moving Average ARIMA models for example are widely used as a classical method for forecasting BigQuery ML offers an advanced ARIMA model for forecasting use cases BQARIMA is perfect for univariate forecasting use cases see this great tutorial on how to forecast a single time series from the Google Analytics public data set   More recently  deep learning models have been gaining a lot of popularity for forecasting applications For example the winners of the last M competition all used neural networks and ensembles There is ongoing debate on when to apply which methods but it s becoming increasingly clear that neural networks are here to stay for forecasting applications Why use deep learning models for forecasting Deep learning s recent success in the forecasting space is because they are Global Forecasting Models Unlike univariate i e local forecasting models for which a separate model is trained for each individual time series in a data set a Deep Learning time series forecasting model can be trained simultaneously across a large data set of s or s of unique time series This allows the model to learn from correlations and metadata across related time series such as demand for groups of related products or traffic to related websites or apps While many types of ML models can be used as GFM Deep Learning architectures such as the ones used for Vertex Forecast are also able to ingest different types of features such as text data categorical features and covariates that are not known in the future These capabilities make Vertex Forecast ideal for situations where there are very large and varying numbers of time series and use cases like short lifecycle and cold start forecasts Univariate vs Global Forecasting Models Click to enlarge What is Vertex Forecast You can build forecasting models in Vertex Forecast using advanced AutoML algorithms for neural network architecture search Vertex Forecast offers automated preprocessing of your time series data so instead of fumbling with data types and transformations you can just load your dataset into BigQuery or Vertex and AutoML will automatically apply common transformations and even engineer features required for modeling Most importantly it searches through a space of multiple Deep Learning layers and components such as attention dilated convolution gating and skip connections It then evaluates hundreds of models in parallel to find the right architecture or ensemble of architectures for your particular dataset using time series specific cross validation and hyperparameter tuning techniques generic automl tools are not suitable for time series model search and tuning purposes because they induce leakage into the model selection process leading to significant overfitting  This process requires lots of computational resources but the trials are run in parallel dramatically reducing the total time needed to find the model architecture for your specific dataset In fact it typically takes less time than setting up traditional methods Best of all by integrating Vertex Forecast with Vertex Workbench and Vertex Pipelines you can significantly speed up the experimentation and deployment process of GFM forecasting capabilities reducing the time required from months to just a few weeks and quickly augmenting your forecasting capabilities from being able to process just basic time series inputs to complex unstructured and multimodal signals  For a more in depth look into Vertex Forecast check out this video  For more GCPSketchnote follow the GitHub repo For similar cloud content follow me on Twitter pvergadia and keep an eye out on thecloudgirl devRelated ArticleHow can demand forecasting approach real time responsiveness Vertex AI makes it possibleAI is making it possible for retailers to do forecasting with near real time insights from a wealth of sources Get granular with Vertex Read Article 2022-02-28 19:30:00
TECH Engadget Japanese 2008年3月1日、手のひらサイズのインターネットツール「mylo COM-2」が発売されました:今日は何の日? https://japanese.engadget.com/today1-203024376.html mylocom 2022-02-28 20:30:24
AWS AWS Partner Network (APN) Blog Defense-in-Depth Principles for Protecting Workloads with CrowdStrike and AWS https://aws.amazon.com/blogs/apn/defense-in-depth-principles-for-protecting-workloads-with-crowdstrike-and-aws/ Defense in Depth Principles for Protecting Workloads with CrowdStrike and AWSMigrating to the cloud has allowed many organizations to reduce costs innovate faster and deliver business results more effectively Managing securing and having visibility across endpoints networks and workloads is not an easy feat and requires a unified defense in depth approach Learn how CrowdStrike s leading endpoint protection workload protection and threat intelligence directly integrate with AWS services to build an effective defense in depth solution to stay ahead of threats 2022-02-28 20:21:09
海外TECH Ars Technica Apple is said to be working on a foldable MacBook/iPad hybrid device https://arstechnica.com/?p=1837028 keyboard 2022-02-28 20:44:08
海外TECH Ars Technica Sony patents method for “significant improvement of ray tracing speed” https://arstechnica.com/?p=1837139 hardware 2022-02-28 20:35:37
海外TECH MakeUseOf What Is Wish? Is Wish Legit, Safe, and Reliable for Shopping? https://www.makeuseof.com/tag/wish-safe-shop-online/ china 2022-02-28 20:30:13
海外TECH DEV Community 5 Mistakes I’ve Made as a Junior Flutter Developer https://dev.to/bornfightcompany/5-mistakes-ive-made-as-a-junior-flutter-developer-55id Mistakes I ve Made as a Junior Flutter DeveloperSo you want to learn Flutter Maybe you ve seen a cool job opening for Flutter developers or wanted to try how it compares to native development of Android or iOS apps You ve started learning Flutter and it seemed pretty cool right You wanted to learn more and more and the hunger for Flutter knowledge doesn t stop Well it might be a time to slow down and reflect on what you ve learned Maybe try to be a bit self critical See what could ve been done better After all Flutter is a new technology and many times there isn t a right or wrong answer Here are some mistakes I made as a Junior Flutter Developer   Ignoring native developmentA few years before I started learning Flutter I started developing Android apps using Kotlin Unfortunately it didn t last long because I was a student and didn t have enough free time to further increase my Android skills Today I can see clearly that the basics of both Android and iOS would be a useful background Maybe it isn t the worst mistake not to learn native development but it sure does help As you develop more and more Flutter projects you ll find yourself opening android and ios folders more often Sometimes you may have to tweak native code to get desired behavior A good example would be implementing native splash screens although nowadays there is a package for everything Overall it is generally considered a good practice to have experience with native development before starting Flutter Surely it isn t a must to get you going with Flutter but at some point you ll need to understand the concepts of native development   Not making everything a widgetOne way of implementing a DRY principle in programming is always extracting a repeating logic into a function This led me to extracting repeating UI components into functions but I ve realized soon that this kind of approach is no good Flutter is a bit different in that way Since we want our app to be as performant as it can be we need to minimize the amount of rebuilds it s making For example imagine having a screen with a button that is changing color on click Performance wise you d only want to rebuild that button when the color has changed If you use something like the code below the whole screen will rebuild every time Scaffold body Column children ElevatedButton style ElevatedButton styleFrom primary color onPressed setState changeColor child const Text Button The key is to extract that button in a separate widget and move the color changing logic into that new widget As you call setState only that widget will be rebuilt and the rest won t Now it probably doesn t sound that important but when you have some heavy computing happening and or the screen itself is rebuilding frequently animations can be performance heavy there is a possibility that the app will lag To further understand this topic I would recommend this video I myself started to use this approach only after seeing this video yes I m ashamed because I never to that day had a reason to optimize my app   Lack of state managementIf you ve read my previous mistake you may wonder how you can change the color of our button widget from another widget that is higher in widget tree What happens if some other component needs to change the color of the button Well the solution to that problem isn t trivial That s why we use state management solutions Some of the most popular state management solutions are Provider Riverpod BLoC and GetX When I first started my Flutter journey I only used setState as my state management approach As far as I think it isn t bad to start that way because then you know exactly what happens with your widgets and how Flutter is rebuilding and drawing your screens As soon as you start making more complex apps everything will become a mess You ll have trouble finding anything in your code since it will probably be spaghetti code The best way to clean that mess is to implement a state management solution That way you ll decouple UI components from the business logic and everything will have its place in your project I personally started with BLoC but didn t find it that helpful nor simple A few months ago I was introduced to Riverpod and never looked back Anyway it s a matter of personal preference and you should find what works for you and stick with it   Using too many packagesFlutter is a framework developed with simplicity in mind If you aren t new to Flutter you ve probably heard There is a package for everything and yes there almost literally is When developing a new feature chances that someone already implemented it and made a package for others to reuse it are pretty high It s as simple as plug n play Of course if you want to become a good Flutter developer and know what s happening under the hood of those packages you ll probably want to implement it yourself It might be time consuming but it is the best way to actually learn fundamentals When I first started learning Flutter I was a victim of this mistake myself I would start working on a new feature and the first thought that would cross my mind was Let s check if there is a package for that Unfortunately the package was there in of situations Just later I realized that no package is without its flaws Imagine the situations where you need to develop a feature which already has a package dedicated for it but it just lacks that little thing that you need You have no choice but to write it on your own Having experience doing things yourself will definitely come in handy   Not being consistentFlutter provides you with package flutter lints in every new project by default if you are using Flutter pre or newer It provides the latest set of recommended lints that encourage good coding practices When I first started I wanted to learn as much as possible and go through the Flutter framework as quickly as I could The result of that was inconsistent code with a lot of bad practices which were error prone My life changed when I started using the lint package No more single quotes double quotes dilemma Choose one and stick with it Personally I use single quotes in Flutter projects because imports are automatically added with single quotes Functions without return types don t exist anymore I started avoiding using var And so on and so forth Personal favorite lints of mine are always declare return types and always specify types Introduction of lints in my projects made my code cleaner better and most important more consistent Like in every other project or anything you do in life consistency is key  To conclude don t be discouraged if you are making some of these mistakes as well but always strive to learn more and do more These were my top mistakes and I hope you can learn from them because I most certainly did Feel free to share some of the mistakes you ve made when starting with Flutter 2022-02-28 20:03:12
海外TECH DEV Community Discord- School Chromebook. https://dev.to/thouxanbanjay/discord-school-chromebook-2n1j discord 2022-02-28 20:01:23
海外TECH DEV Community Como alojar tu sitio web en IPFS con tu dominio Handshake HNS - dweb https://dev.to/cryptojei/como-alojar-tu-sitio-web-en-ipfs-con-tu-dominio-handshake-hns-dweb-2fnc Como alojar tu sitio web en IPFS con tu dominio Handshake HNS dwebÚltimamente se puesto muy de moda el termino web que trae un abanico de nuevas soluciones a la web tradicional dentro del que esta IPFS sistema de archivos interplanetario con el que empezamos a pensar un alojamiento descentralizado sostenible en el tiempo en esta pequeña guía te enseñare a desplegar un nodo local de IPFS y almacenar los sitios web que desees y poder publicarlos en internet con un dominio TLD totalmente descentralizado y de manera segura gracias a handshake Requisitos Dominio Handshake ←puedes comprar uno aquiServidor gb o gb ram Instalar tu nodo IPFSEn esta guia nos centraremos en sistemas operativos linux si quieres una guia para windows hasmelo saberIniciamos actualizando librerias e instalando algunas dependencias apt get updateapt get install tar wgetDescargamos la ultima version de los binarios e instalamos wget tar xfv go ipfs v linux amd tar gzcp go ipfs ipfs usr local bin Por lo general no es una buena idea ejecutar un servicio público como root Asíque cree una nueva cuenta de usuario para ejecutar IPFS y cambie a ella adduser ipfssu ipfsIniciamos IPFS ipfs init profile serverYa podrias iniciar ipfs demon pero configuraremos IPFS para que inicie con el servidorvolvemos a usuario root exitosudo suPermite que el usuario ipfs ejecute servicios de ejecución prolongada habilitando la persistencia del usuario para ese usuario loginctl enable linger ipfsCree el archivo ipfs service mkdir etc systemd system ipfs serviceCon este contenido Unit Description IPFS daemon Service User ipfsGroup ipfsExecStart usr local bin ipfs daemon enable gcRestart on failure Install WantedBy multi user targetHabilite e inicie el servicio systemctl enable ipfssystemctl start ipfsAhora IPFS debería estar en funcionamiento y comenzara cuando se inicie el servidor Volvemos al usuario Ipfs e iniciamos el nodo su ipfsipfs swarm peersSeguido veremos algunos pares dentro de la red perfecto todo a sido un exito Agregar los datos de tu sitio web a IPFSAhora que tiene IPFS ejecutándose en su servidor agregue su sitio web ipfs add r lt path react app build gt Esto agrega todo el contenido de la carpeta en a IPFS recursivamente Deberías ver un resultado similar a esteadded QmcrBxpSJifUyyZbtyXXsPuUmvTKKfZKQikVJaW lt path gt images fritz pngadded QmauwHKDTGaTeAdQJbWwZEGczjzSuEceeasPUXoqz lt path gt index htmladded QmdJiiVRTyyYTnCWDLrkqqKFaMiwaAvAASTEyyXAC lt path gt imagesadded QmaFrmEDFJXnYJbhCrKDGsXVvSUALzhvWuPvY lt path gt Guarda el último multi hash aquí QmaFrmED… el tuyo serádiferente Su sitio web ahora estáagregado a IPFS Puede verlo en la puerta de enlace ipfs io ahora O en su local en localhost O en cualquier otra puerta de enlace Una recomendacion es repetir este proceso al actualizar el sitio ya que si actuliza sobre el mismo hash IPFS puede causar enlaces rotos Configuarar tus DNS Handshake HNSInicialmente en este caso usaremos Namebase y nuestro servidor privado para crear nuestro regitros dns NAMEBASEIngresamos al apartado de administracion de dominio de namebase Crearemos un regitros A asia la ip de nuestro servidor ya que contamos con un nodo IPFS local En caso de que quiera usar un getaway externo usa un registro CName apuntando al getaway deceado Si usas esta opcion tendras problemas para tener una coneccion segura SSLYa que nuestro dominio pricipal esta apuntando a nuestro getaway podemos crear nustro dlink en un rcord TXT dnslink ipfs QmaFrmEDFJXnYJbhCrKDGsXVvSUALzhvWuPvYTienes que usar el hash de la carpeta IPFS que te pedimos guardar en uno de los pasos anterioresListo ya tienes listos tus registros dns esto tambien creara un ipns con el nombre de tu dominio en el caso de domonios icann esperamos pronto resuelva dominios HNS de igual manera Configurar nuestro servidorEn este caso usaramos el servidor NGINX esto para usarlo como proxy asia el getaway y nuestro dominio dentro de la red IPFSRecuerda que los puertos y de tu servidor deben estra abiertos para permitir el trafico webapt get update amp amp apt get install nginxEditamos o creamos el archivo conf de nuestro servidor nano etc nginx sites available defaultCon el siguiente contenido server server name tudominio server tokens off listen listen listen ssl listen ssl location proxy pass proxy http version proxy set header Upgrade http upgrade proxy set header Connection upgrade proxy set header Host host proxy cache bypass http upgrade Esto enviarátodas las solicitudes a tudominio a su puerta de enlace IPFS que se ejecuta en localhost Agregamos seguridad server location ipns return location ipfs return Agrega esto en la ultima linea evitaria que usuarios externos hagan otras solicitudes a IPFS afectando el acho de banda de tu servidorVerificamos que todo este correcto y reiniciamos el servidor nginx tsystemctl reload nginxNota importante Agregar los nameserver de hdns io a tu servidor para una correcta resolucion de los dominios handshake Configurar coneccion segura DANEInstala cerbot para generar los certificados add apt repository ppa certbot certbotapt get updateapt get install python certbot nginxGeneremos los certificados DANE sudo certbot nginx d tudominiotld server reuse keyEn este caso no usaremos el api de letsencrypt usaremos un api proporcionada por Rithvik Vibhu para generar certificados auntofirmados DANECreamos Record TLSA En este caso para la validacion completa del certificado DANE tienes que crear otro registro en tu dns con el contenido de tu llave publica aqui te explico como generarlo Primero iremos a la ruta donde se generaron nuestros certificados DANE cd etc letsencrypt live tudominioAhora ejecutamos el siguiente comando echo n amp amp openssl x in fullchain pem pubkey noout openssl pkey pubin outform der openssl dgst sha binary xxd p u c esto nos arrojara el contenido de nuestro registro EDFCDCDDBDBFECFEEEACACreamos un registro TLSA en ruestro dns tcp tudominio IN TLSA EDFCDCDDBDBFECFEEEACAHemos terminado y con un resultado exitosoLo hemos logrado les quiero recordar que los DNS en handshake se actualizan cada horas asi que tienen que coordinar su tiempo de trabajo para no quedarte esperando ese tiempo 2022-02-28 20:00:38
Cisco Cisco Blog Network as a Service: The changing face of NetOps https://blogs.cisco.com/networking/network-as-a-service-the-changing-face-of-netops Network as a Service The changing face of NetOpsNetwork Operations roles will change to support new requirements for managing the network in emerging models like Network as a Service NaaS As individuals and organizations we re better when we navigate these changes together 2022-02-28 20:03:08
海外科学 NYT > Science Supreme Court Considers Limiting E.P.A.’s Ability to Address Climate Change https://www.nytimes.com/2022/02/28/us/politics/supreme-court-climate-change.html Supreme Court Considers Limiting E P A s Ability to Address Climate ChangeMembers of the court s conservative majority voiced skepticism that Congress had authorized the agency to decide what they said were major political and economic questions 2022-02-28 20:51:00
海外TECH WIRED An ‘Unhinged’ Putin Threatens Dangerous Escalation in Ukraine https://www.wired.com/story/putin-nuclear-threat-ukraine-war-escalation forces 2022-02-28 20:33:30
ニュース BBC News - Home Ukraine: Fighting escalates despite ceasefire talks https://www.bbc.co.uk/news/world-europe-60560465?at_medium=RSS&at_campaign=KARANGA ukraine 2022-02-28 20:37:32
ニュース BBC News - Home Ukraine crisis: Fifa and Uefa suspend all Russian clubs and national teams https://www.bbc.co.uk/sport/athletics/60560567?at_medium=RSS&at_campaign=KARANGA Ukraine crisis Fifa and Uefa suspend all Russian clubs and national teamsRussian football clubs and national teams have been suspended from all competitions by Fifa and Uefa after the country s invasion of Ukraine 2022-02-28 20:45:38
ニュース BBC News - Home Ukraine conflict: Russia blames Liz Truss and others for nuclear alert https://www.bbc.co.uk/news/uk-60558048?at_medium=RSS&at_campaign=KARANGA russia 2022-02-28 20:20:13
ニュース BBC News - Home Leeds United: Jesse Marsch succeeds Marcelo Bielsa as head coach https://www.bbc.co.uk/sport/football/60544602?at_medium=RSS&at_campaign=KARANGA coach 2022-02-28 20:02:46
ニュース BBC News - Home Scoring of Taylor-Catterall fight to be investigated amid controversy https://www.bbc.co.uk/sport/boxing/60559433?at_medium=RSS&at_campaign=KARANGA Scoring of Taylor Catterall fight to be investigated amid controversyThe British Boxing Board of Control probes the surprise scoring in Josh Taylor s split decision win over Jack Catterall as the Scot hits out at personal attacks 2022-02-28 20:03:22
ビジネス ダイヤモンド・オンライン - 新着記事 増配を開示した銘柄を利回り順に紹介[2022年2月版] 利回り11.2%で”3期連続”増配予想の「日本郵船」、 利回り8.1%の「JFEホールディングス」などに注目! - 配当【増配・減配】最新ニュース! https://diamond.jp/articles/-/297650 2022-03-01 06:00:00
ビジネス ダイヤモンド・オンライン - 新着記事 社会人でも医師になれる!医学部編入が狙える全大学リスト、「穴場」はここだ - 資格・大学・大学院で自分の価値を上げる! 学び直し“裏ワザ”大全 https://diamond.jp/articles/-/297145 難関 2022-03-01 05:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 ロシアへのSWIFT制裁にも段階あり、現在はまず「3合目程度」 - 混迷ウクライナ https://diamond.jp/articles/-/297706 swift 2022-03-01 05:22:00
ビジネス ダイヤモンド・オンライン - 新着記事 JA報道巡る「農協界のドンvsダイヤモンド」の内幕、前哨戦は訴訟示唆の抗議文 - 農協の大悪党 野中広務を倒した男 https://diamond.jp/articles/-/297668 JA報道巡る「農協界のドンvsダイヤモンド」の内幕、前哨戦は訴訟示唆の抗議文農協の大悪党野中広務を倒した男ダイヤモンド編集部は年、JAグループ京都の米卸、京山が販売したコメに中国産米が混入していた疑いがあるとする記事を公開した。 2022-03-01 05:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 セブンイレブン「極秘内部資料」に8000店EC対応計画、実現を阻む2つの難題とは - 物流危機 https://diamond.jp/articles/-/296538 鬼門 2022-03-01 05:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 市場の評判最悪「キシダノミクス」を追い風にする、“逆張り企業”厳選23社リスト - 今こそチャンス!日米テンバガー投資術 https://diamond.jp/articles/-/297253 上場企業 2022-03-01 05:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 1人で空回りしてしまう部長と、部下を巻き込める部長の「決定的な違い」 - トンデモ人事部が会社を壊す https://diamond.jp/articles/-/297667 部長 2022-03-01 05:05:00
ビジネス 電通報 | 広告業界動向とマーケティングのコラム・ニュース 息苦しさをアートで救う、「呼吸を見る展」とは? https://dentsu-ho.com/articles/8098 artformedical 2022-03-01 06:00:00
ビジネス 電通報 | 広告業界動向とマーケティングのコラム・ニュース 中小企業の共創プロジェクトに見る、境界線をなくす意義 https://dentsu-ho.com/articles/8096 中小企業 2022-03-01 06:00:00
北海道 北海道新聞 <社説>土地利用規制法 恣意的運用に歯止めを https://www.hokkaido-np.co.jp/article/651060/ 土地利用 2022-03-01 05:01:00
ビジネス 東洋経済オンライン 3回目接種いつ打つか迷う人に知ってほしい現実 ワクチン有効活用のカギを握る「次の流行予測」 | 新型コロナ、長期戦の混沌 | 東洋経済オンライン https://toyokeizai.net/articles/-/534868?utm_source=rss&utm_medium=http&utm_campaign=link_back 外来診療 2022-03-01 05:30:00
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 Feb Mar Eventarc is now HIPAA compliantーEventarc is covered under the Google Cloud Business Associate Agreement BAA meaning it has achieved HIPAA compliance Healthcare and life sciences organizations can now use Eventarc to send events that require HIPAA complianceError Reporting automatically captures exceptions found in logs ingested by Cloud Logging from the following languages Go Java Node js PHP Python Ruby and NET aggregates them and then notifies you of their existence Learn moreabout how USAA partnered with Google Cloud to transform their operations by leveraging AI to drive efficiency in vehicle insurance claims estimation Learn how Google Cloud and NetApp s ability to “burst to cloud seamlessly spinning up compute and storage on demand accelerates EDA design testing Google Cloud CISO Phil Venables shares his thoughts on the latest security updates from the Google Cybersecurity Action Team Google Cloud Easy as Pie Hackathon the results are in VPC Flow Logs Org Policy Constraints allow users to enforce VPC Flow Logs enablement across their organization and impose minimum and maximum sampling rates VPC Flow Logs are used to understand network traffic for troubleshooting optimization and compliance purposes Related ArticleCelebrating our tech and startup customersTech companies and startups are choosing Google Cloud so they can focus on innovation not infrastructure See what they re up to Read ArticleWeek of Feb Feb Read how Paerpay promotes bigger tabs and faster more pleasant transactions with Google Cloud and the Google for Startups Cloud Program Learn about the advancements we ve released for our Google Cloud Marketplace customers and partners in the last few months BBVA collaborated with Google Cloud to create one of the most successful Google Cloud training programs for employees to date Read how they did it  Google for Games Developer Summit returns March at AM PT  Learn about our latest games solutions and product innovations It s online and open to all Check out the full agenda g co gamedevsummit Build a data mesh on Google Cloud with Dataplex now GA Read how Dataplex enables customers to centrally manage monitor and govern distributed data and makes it securely accessible to a variety of analytics and data science tools While understanding what is happening now has great business value forward thinking companies like Tyson Foods are taking things a step further using real time analytics integrated with artificial intelligence AI and business intelligence BI to answer the question “what might happen in the future Join us for the first Google Cloud Security Talks of happening on March th Modernizing SecOps is a top priority for so many organizations Register to attend and learn how you can enhance your approach to threat detection investigation and response Google Cloud introduces their Data Hero series with a profile on Lynn Langit a data cloud architect educator and developer on GCP Building ML solutions Check out these guidelines for ensuring quality in each process of the MLOps lifecycle Eventarc is now Payment Card Industry Data Security Standard PCI DSS compliant Related ArticleSupercharge your event driven architecture with new Cloud Functions nd gen The next generation of our Cloud Functions Functions as a Service platform gives you more features control performance scalability and Read ArticleWeek of Feb Feb The Google Cloud Retail Digital Pulse Asia Pacificis an ongoing annual assessment carried out in partnership with IDC Retail Insights to understand the maturity of retail digital transformation in the Asia Pacific Region The study covers retailers across eight markets amp sub segments to investigate their digital maturity across five dimensions strategy people data technology and process to arrive at a stage Digital Pulse Index with being the most mature It provides great insights in various stages of digital maturity of asian retailers their drivers for digitisation challenges innovation hotspots and the focus areas with respect to use cases and technologies Deploying Cloud Memorystore for Redis for any scale Learn how you can scale Cloud Memorystore for high volume use cases by leveraging client side sharding This blog provides a step by step walkthrough which demonstrates how you can adapt your existing application to scale to the highest levels with the help of the Envoy Proxy Read our blog to learn more Check out how six SAP customers are driving value with BigQuery This Black History Month we re highlighting Black led startups using Google Cloud to grow their businesses Check out how DOSS and its co founder Bobby Bryant disrupts the real estate industry with voice search tech and analytics on Google Cloud Vimeo leverages managed database services from Google Cloud to serve up billions of views around the world each day Read how it uses Cloud Spanner to deliver a consistent and reliable experience to its users no matter where they are How can serverless best be leveraged Can cloud credits be maximized Are all managed services equal We dive into top questions for startups Google introduces Sustainability value pillar in GCP Active Assist solutionto accelerate our industry leadership in Co reduction and environmental protection efforts Intelligent carbon footprint reduction tool is launched in preview Central States health insurance CIO Pat Moroney shares highs and lows from his career transforming IT Read moreTraffic Director client authorization for proxyless gRPC services is now generally available Combine with managed mTLS credentials in GKE to centrally manage access between workloads using Traffic Director Read more Cloud Functions nd gen is now in public preview The next generation of our Cloud Functions Functions as a Service platform gives you more features control performance scalability and events sources Learn more Related ArticleIntroducing Compute Optimized VMs powered by AMD EPYC processorsWe ve increased your Compute Engine choices with new CD Compute Optimized VMs with the rd Generation AMD EPYC Processor code named Mil Read ArticleWeek of Feb Feb Now announcing the general availability of the newest instance series in our Compute Optimized family CDーpowered by rd Gen AMD EPYC processors Read how CD provides larger instance types and memory per core configurations ideal for customers with performance intensive workloads Digital health startup expands its impact on healthcare equity and diversity with Google Cloud Platform and the Google for Startups Accelerator for Black Founders Rear more Storage Transfer Service support for agent pools is now generally available GA You can use agent pools to create isolated groups of agents as a source or sink entity in a transfer job This enables you to transfer data from multiple data centers and filesystems concurrently without creating multiple projects for a large transfer spanning multiple filesystems and data centers This option is available via API Console and gcloud transfer CLI The five trends driving healthcare and life sciences in will be powered by accessible data AI and partnerships Learn how COLOPL Minna Bank and Eleven Japan use Cloud Spanner to solve their scalability performance and digital transformation challenges Related ArticleSave the date for Google Cloud Next October Mark October in your calendar and sign up at g co cloudnext to get updates Read ArticleWeek of Jan Feb Pub Sub Lite goes regional Pub Sub Lite is a high volume messaging service with ultra low cost that now offers regional Lite topics in addition to existing zonal Lite topics Unlike zonal topics which are located in a single zone regional topics are asynchronously replicated across two zones Multi zone replication protects from zonal failures in the service Read about it here Google Workspace is making it easy for employees to bring modern collaboration to work even if their organizations are still using legacy tools Essentials Starter is a no cost offer designed to help people bring the apps they know and love to use in their personal lives to their work life Learn more We re now offering days free access to role based Google Cloud training with interactive labs and opportunities to earn skill badges to demonstrate your cloud knowledge Learn more Security Command Center SCC Premium adds support for additional compliance benchmarks including CIS Google Cloud Computing Foundations and OWASP Top amp Learn more about how SCC helps manage and improve your cloud security posture Storage Transfer Service now offers Preview support transfers from self managed object storage systems via user managed agents With this new feature customers can seamlessly copy PBs of data from cloud or on premise object storage to Google Cloud Storage Object Storage sources must be compatible with Amazon S APIs For customers migrating from AWS S to GCS this feature gives an option to control network routes to Google Cloud Fill this signup form to access this STS feature Related ArticleGoogle Tau VMs deliver over price performance advantage to customersWhen used with GKE Tau VM customers reported strong price performance and full x compatibility from this general purpose VM Read ArticleWeek of Jan Jan Learn how Sabre leveraged a year partnership with Google Cloud to power the travel industry with innovative technology As Sabre embarked on a cloud transformation it sought managed database services from Google Cloud that enabled low latency and improved consistency Sabre discovered how the strengths of both Cloud Spanner and Bigtable supported unique use cases and led to high performance solutions Storage Transfer Service now offers Preview support for moving data between two filesystems and keeping them in sync on a periodic schedule This launch offers a managed way to migrate from a self managed filesystem to Filestore If you have on premises systems generating massive amounts of data that needs to be processed in Google Cloud you can now use Storage Transfer Service to accelerate data transfer from an on prem filesystem to a cloud filesystem See Transfer data between POSIX file systems for details Storage Transfer Service now offers Preview support for preserving POSIX attributes and symlinks when transferring to from and between POSIX filesystems Attributes include the user ID of the owner the group ID of the owning group the mode or permissions the modification time and the size of the file See Metadata preservation for details Bigtable Autoscaling is Generally Available GA Bigtable Autoscaling automatically adds or removes capacity in response to the changing demand for your applications With autoscaling you only pay for what you need and you can spend more time on your business instead of managing infrastructure  Learn more Week of Jan Jan Sprinklr and Google Cloud join forces to help enterprises reimagine their customer experience management strategies Hear more from Nirav Sheth Nirav Sheth Director of ISV Marketplace amp Partner Sales Firestore Key Visualizer is Generally Available GA Firestore Key Visualizer is an interactive performance monitoring tool that helps customers observe and maximize Firestore s performance Learn more Like many organizations Wayfair faced the challenge of deciding which cloud databases they should migrate to in order to modernize their business and operations Ultimately they chose Cloud SQL and Cloud Spanner because of the databases clear path for shifting workloads as well as the flexibility they both provide Learn how Wayfair was able to migrate quickly while still being able to serve production traffic at scale Week of Jan Jan Start your New Year s resolutions by learning at no cost how to use Google Cloud Read more to find how to take advantage of these training opportunities megatrends drive cloud adoptionーand improve security for all Google Cloud CISO Phil Venables explains the eight major megatrends powering cloud adoption and why they ll continue to make the cloud more secure than on prem for the foreseeable future Read more Week of Jan Jan Google Transfer Appliance announces General Availability of online mode Customers collecting data at edge locations e g cameras cars sensors can offload to Transfer Appliance and stream that data to a Cloud Storage bucket Online mode can be toggled to send the data to Cloud Storage over the network or offline by shipping the appliance Customers can monitor their online transfers for appliances from Cloud Console Week of Dec Dec The most read blogs about Google Cloud compute networking storage and physical infrastructure in Read more Top Google Cloud managed container blogs of Four cloud security trends that organizations and practitioners should be planning for in ーand what they should do about them Read more Google Cloud announces the top data analytics stories from including the top three trends and lessons they learned from customers this year Read more Explore Google Cloud s Contact Center AI CCAI and its momentum in Read more An overview of the innovations that Google Workspace delivered in for Google Meet Read more Google Cloud s top artificial intelligence and machine learning posts from Read more How we ve helped break down silos unearth the value of data and apply that data to solve big problems Read more A recap of the year s infrastructure progress from impressive Tau VMs to industry leading storage capabilities to major networking leaps Read more Google Cloud CISO Phil Venables shares his thoughts on the latest security updates from the Google Cybersecurity Action Team Read more Google Cloud A cloud built for developers ー year in review Read more API management continued to grow in importance in and Apigee continued to innovate capabilities for customers new solutions and partnerships Read more Recapping Google s progress in toward running on carbon free energy by ーand decarbonizing the electricity system as a whole Read more Week of Dec Dec And that s a wrap After engaging in countless customer interviews we re sharing our top lessons learned from our data customers in Learn what customer data journeys inspired our top picks and what made the cut here Cloud SQL now shows you minor version information For more information see our documentation Cloud SQL for MySQL now allows you to select your MySQL minor version when creating an instance and upgrade MySQL minor version For more information see our documentation Cloud SQL for MySQL now supports database auditing Database auditing lets you track specific user actions in the database such as table updates read queries user privilege grants and others To learn more see MySQL database auditing Week of Dec Dec A CRITICAL VULNERABILITY in a widely used logging library Apache s Logj has become a global security incident Security researchers around the globe warn that this could have serious repercussions Two Google Cloud Blog posts describe how Cloud Armorand Cloud IDS both help mitigate the threat Take advantage of these ten no cost trainings before Check them out here Deploy Task Queues alongside your Cloud Application Cloud Tasks is now available in GCP Regions worldwide Read more Managed Anthos Service Mesh support for GKE Autopilot Preview GKE Autopilot with Managed ASM provides ease of use and simplified administration capabilities allowing customers to focus on their application not the infrastructure Customers can now let Google handle the upgrade and lifecycle tasks for both the cluster and the service mesh Configure Managed ASM with asmcli experiment in GKE Autopilot cluster Policy Troubleshooter for BeyondCorp Enterprise is now generally available Using this feature admins can triage access failure events and perform the necessary actions to unblock users quickly Learn more by registering for Google Cloud Security Talks on December and attending the BeyondCorp Enterprise session The event is free to attend and sessions will be available on demand Google Cloud Security Talks Zero Trust Edition This week we hosted our final Google Cloud Security Talks event of the year focused on all things zero trust Google pioneered the implementation of zero trust in the enterprise over a decade ago with our BeyondCorp effort and we continue to lead the way applying this approach to most aspects of our operations Check out our digital sessions on demand to hear the latest updates on Google s vision for a zero trust future and how you can leverage our capabilities to protect your organization in today s challenging threat environment Week of Dec Dec key metrics to measure cloud FinOps impact in and beyond Learn about the key metrics to effectively measure the impact of Cloud FinOps across your organization and leverage the metrics to gain insights prioritize on strategic goals and drive enterprise wide adoption Learn moreWe announced Cloud IDS our new network security offering is now generally available Cloud IDS built with Palo Alto Networks technologies delivers easy to use cloud native managed network based threat detection with industry leading breadth and security efficacy To learn more and request a day trial credit see the Cloud IDS webpage Week of Nov Dec Join Cloud Learn happening from Dec This interactive learning event will have live technical demos Q amp As career development workshops and more covering everything from Google Cloud fundamentals to certification prep Learn more Get a deep dive into BigQuery Administrator Hub With BigQuery Administrator Hub you can better manage BigQuery at scale with Resource Charts and Slot Estimator Administrators Learn more about these tools and just how easy they are to usehere New data and AI in Media blog How data and AI can help media companies better personalize and what to watch out for We interviewed Googlers Gloria Lee Executive Account Director of Media amp Entertainment and John Abel Technical Director for the Office of the CTO to share exclusive insights on how media organizations should think about and ways to make the most out of their data in the new era of direct to consumer Watch our video interview with Gloria and John and read more Datastream is now generally available GA Datastream a serverless change data capture CDC and replication service allows you to synchronize data across heterogeneous databases storage systems and applications reliably and with minimal latency to support real time analytics database replication and event driven architectures Datastream currently supports CDC ingestion from Oracle and MySQL to Cloud Storage with additional sources and destinations coming in the future Datastream integrates with Dataflow and Cloud Data Fusion to deliver real time replication to a wide range of destinations including BigQuery Cloud Spanner and Cloud SQL Learn more Week of Nov Nov Security Command Center SCC launches new mute findings capability We re excited to announce a new “Mute Findings capability in SCC that helps you gain operational efficiencies by effectively managing the findings volume based on your organization s policies and requirements SCC presents potential security risks in your cloud environment as findings across misconfigurations vulnerabilities and threats With the launch of mute findings capability you gain a way to reduce findings volume and focus on the security issues that are highly relevant to you and your organization To learn more read this blog post and watch thisshort demo video Week of Nov Nov Cloud Spanner is our distributed globally scalable SQL database service that decouples compute from storage which makes it possible to scale processing resources separately from storage This means that horizontal upscaling is possible with no downtime for achieving higher performance on dimensions such as operations per second for both reads and writes The distributed scaling nature of Spanner s architecture makes it an ideal solution for unpredictable workloads such as online games Learn how you can get started developing global multiplayer games using Spanner New Dataflow templates for Elasticsearch releasedto help customers process and export Google Cloud data into their Elastic Cloud You can now push data from Pub Sub Cloud Storage or BigQuery into your Elasticsearch deployments in a cloud native fashion Read more for a deep dive on how to set up a Dataflow streaming pipeline to collect and export your Cloud Audit logs into Elasticsearch and analyze them in Kibana UI We re excited to announce the public preview of Google Cloud Managed Service for Prometheus a new monitoring offering designed for scale and ease of use that maintains compatibility with the open source Prometheus ecosystem While Prometheus works well for many basic deployments managing Prometheus can become challenging at enterprise scale Learn more about the service in our blog and on the website Week of Nov Nov New study on the economics of cloud migration The Total Economic ImpactOf Migrating Expensive Operating Systems and Traditional Software to Google Cloud We worked with Forrester on this study which details the cost savings and benefits you can achieve from migrating and modernizing with Google Cloud especially with respect to expensive operating systems and traditional software Download now New whitepaper on building a successful cloud migration strategy The priority to move into the cloud and achieve a zero data center footprint is becoming top of mind for many CIOs One of the most fundamental changes required to accelerate a move to the cloud is the adoption of a product mindsetーthe shift from an emphasis on project to product Download “Accelerating the journey to the cloud with a product mindset now Week of Nov Nov Time to live TTL reduces storage costs improves query performance and simplifies data retention in Cloud Spanner by automatically removing unneeded data based on user defined policies Unlike custom scripts or application code TTL is fully managed and designed for minimal impact on other workloads TTL is generally available today in Spanner at no additional cost Read more New whitepaper available Migrating to NET Core on Google Cloud This free whitepaper written for NET developers and software architects who want to modernize their NET Framework applications outlines the benefits and things to consider when migrating NET Framework apps to NET Core running on Google Cloud It also offers a framework with suggestions to help you build a strategy for migrating to a fully managed Kubernetes offering or to Google serverless Download the free whitepaper Export from Google Cloud Storage Storage Transfer Service now offers Preview support for exporting data from Cloud Storage to any POSIX file system You can use this bidirectional data movement capability to move data in and out of Cloud Storage on premises clusters and edge locations including Google Distributed Cloud The service provides built in capabilities such as scheduling bandwidth management retries and data integrity checks that simplifies the data transfer workflow For more information see Download data from Cloud Storage Document Translation is now GA Translate documents in real time in languages and retain document formatting Learn more about new features and see a demo on how Eli Lilly translates content globally Announcing the general availability of Cloud Asset Inventory console We re excited to announce the general availability of the new Cloud Asset Inventory user interface In addition to all the capabilities announced earlier in Public Preview the general availability release provides powerful search and easy filtering capabilities These capabilities enable you to view details of resources and IAM policies machine type and policy statistics and insights into your overall cloud footprint Learn more about these new capabilities by using the searching resources and searching IAM policies guides You can get more information about Cloud Asset Inventory using our product documentation Week of Oct Oct BigQuery table snapshots are now generally available A table snapshot is a low cost read only copy of a table s data as it was at a particular time By establishing a robust value measurement approach to track and monitor the business value metrics toward business goals we are bringing technology finance and business leaders together through the discipline of Cloud FinOps to show how digital transformation is enabling the organization to create new innovative capabilities and generate top line revenue Learn more We ve announced BigQuery Omni a new multicloud analytics service that allows data teams to perform cross cloud analytics across AWS Azure and Google Cloud all from one viewpoint Learn how BigQuery Omni works and what data and business challenges it solves here Week of Oct Oct Available now are our newest TD VMs family based on rd Generation AMD EPYC processors Learn more In case you missed it ーtop AI announcements from Google Cloud Next Catch up on what s new see demos and hear from our customers about how Google Cloud is making AI more accessible more focused on business outcomes and fast tracking the time to value Too much to take in at Google Cloud Next No worries here s a breakdown of the biggest announcements at the day event Check out the second revision of Architecture Framework Google Cloud s collection of canonical best practices Week of Oct Oct We re excited to announce Google Cloud s new goal of equipping more than million people with Google Cloud skills To help achieve this goal we re offering no cost access to all our training content this month Find out more here  Support for language repositories in Artifact Registry is now generally available Artifact Registry allows you to store all your language specific artifacts in one place Supported package types include Java Node and Python Additionally support for Linux packages is in public preview Learn more Want to know what s the latest with Google ML Powered intelligence service Active Assist and how to learn more about it at Next Check out this blog Week of Sept Oct Announcing the launch of Speaker ID In customer preference for voice calls increased by percentage points to and was by far the most preferred service channel But most callers still need to pass through archaic authentication processes which slows down the time to resolution and burns through valuable agent time Speaker ID from Google Cloud brings ML based speaker identification directly to customers and contact center partners allowing callers to authenticate over the phone using their own voice  Learn more Your guide to all things AI amp ML at Google Cloud Next Google Cloud Next is coming October and if you re interested in AI amp ML we ve got you covered Tune in to hear about real use cases from companies like Twitter Eli Lilly Wayfair and more We re also excited to share exciting product news and hands on AI learning opportunities  Learn more about AI at Next and register for free today It is now simple to use Terraform to configure Anthos features on your GKE clusters Check out part two of this series which explores adding Policy Controller audits to our Config Sync managed cluster  Learn more Week of Sept Sept Announcing the webinar Powering market data through cloud and AI ML  We re sponsoring a Coalition Greenwich webinar on September rd where we ll discuss the findings of our upcoming study on how market data delivery and consumption is being transformed by cloud and AI Moderated by Coalition Greenwich the panel will feature Trey Berre from CME Group Brad Levy from Symphony and Ulku Rowe representing Google Cloud  Register here New research from Google Cloud reveals five innovation trends for market data Together with Coalition Greenwich we surveyed exchanges trading systems data aggregators data producers asset managers hedge funds and investment banks to examine both the distribution and consumption of market data and trading infrastructure in the cloud Learn more about our findings here If you are looking for a more automated way to manage quotas over a high number of projects we are excited to introduce a Quota Monitoring Solution from Google Cloud Professional Services This solution benefits customers who have many projects or organizations and are looking for an easy way to monitor the quota usage in a single dashboard and use default alerting capabilities across all quotas Week of Sept Sept New storage features help ensure data is never lost  We are announcing extensions to our popular Cloud Storage offering and introducing two new services Filestore Enterprise and Backup for Google Kubernetes Engine GKE Together these new capabilities will make it easier for you to protect your data out of the box across a wide variety of applications and use cases Read the full article API management powers sustainable resource management Water waste and energy solutions company Veolia uses APIs and API Management platform Apigee to build apps and help their customers build their own apps too Learn from their digital and API first approach here To support our expanding customer base in Canada we re excited to announce that the new Google Cloud Platform region in Toronto is now open Toronto is the th Google Cloud region connected via our high performance network helping customers better serve their users and customers throughout the globe In combination with Montreal customers now benefit from improved business continuity planning with distributed secure infrastructure needed to meet IT and business requirements for disaster recovery while maintaining data sovereignty Cloud SQL now supports custom formatting controls for CSVs When performing admin exports and imports users can now select custom characters for field delimiters quotes escapes and other characters For more information see our documentation Week of Sept Sept Hear how Lowe s SRE was able to reduce their Mean Time to Recovery MTTR by over after adopting Google s Site Reliability Engineering practices and Google Cloud s operations suite Week of  Aug Sept A what s new blog in the what s new blog Yes you read that correctly Google Cloud data engineers are always hard at work maintaining the hundreds of dataset pipelines that feed into our public datasets repository but they re also regularly bringing new ones into the mix Check out our newest featured datasets and catch a few best practices in our living blog What are the newest datasets in Google Cloud Migration success with Operational Health Reviews from Google Cloud s Professional Service Organization Learn how Google Cloud s Professional Services Org is proactively and strategically guiding customers to operate effectively and efficiently in the Cloud both during and after their migration process Learn how we simplified monitoring for Google Cloud VMware Engine and Google Cloud operations suite Read more Week of Aug Aug Google Transfer Appliance announces preview of online mode Customers are increasingly collecting data that needs to quickly be transferred to the cloud Transfer Appliances are being used to quickly offload data from sources e g cameras cars sensors and can now stream that data to a Cloud Storage bucket Online mode can be toggled as data is copied into the appliance and either send the data offline by shipping the appliance to Google or copy data to Cloud Storage over the network Read more Topic retention for Cloud Pub Sub is now Generally Available Topic retention is the most comprehensive and flexible way available to retain Pub Sub messages for message replay In addition to backing up all subscriptions connected to the topic new subscriptions can now be initialized from a timestamp in the past Learn more about the feature here Vertex Predictions now supports private endpoints for online prediction Through VPC Peering Private Endpoints provide increased security and lower latency when serving ML models Read more Week of Aug Aug Look for us to take security one step further by adding authorization features for service to service communications for gRPC proxyless services as well as to support other deployment models where proxyless gRPC services are running somewhere other than GKE for example Compute Engine We hope you ll join us and check out the setup guide and give us feedback Cloud Run now supports VPC Service Controls You can now protect your Cloud Run services against data exfiltration by using VPC Service Controls in conjunction with Cloud Run s ingress and egress settings Read more Read how retailers are leveraging Google Cloud VMware Engine to move their on premises applications to the cloud where they can achieve the scale intelligence and speed required to stay relevant and competitive Read more A series of new features for BeyondCorp Enterprise our zero trust offering We now offer native support for client certificates for eight types of VPC SC resources We are also announcing general availability of the on prem connector which allows users to secure HTTP or HTTPS based on premises applications outside of Google Cloud Additionally three new BeyondCorp attributes are available in Access Context Manager as part of a public preview Customers can configure custom access policies based on time and date credential strength and or Chrome browser attributes Read more about these announcements here We are excited to announce that Google Cloud working with its partners NAG and DDN demonstrated the highest performing Lustre file system on the IO ranking of the fastest HPC storage systems ーquite a feat considering Lustre is one of the most widely deployed HPC file systems in the world  Read the full article The Storage Transfer Service for on premises data API is now available in Preview Now you can use RESTful APIs to automate your on prem to cloud transfer workflows  Storage Transfer Service is a software service to transfer data over a network The service provides built in capabilities such as scheduling bandwidth management retries and data integrity checks that simplifies the data transfer workflow It is now simple to use Terraform to configure Anthos features on your GKE clusters This is the first part of the part series that describes using Terraform to enable Config Sync  For platform administrators  this natural IaC approach improves auditability and transparency and reduces risk of misconfigurations or security gaps Read more In this commissioned study “Modernize With AIOps To Maximize Your Impact Forrester Consulting surveyed organizations worldwide to better understand how they re approaching artificial intelligence for IT operations AIOps in their cloud environments and what kind of benefits they re seeing Read more If your organization or development environment has strict security policies which don t allow for external IPs it can be difficult to set up a connection between a Private Cloud SQL instance and a Private IP VM This article contains clear instructions on how to set up a connection from a private Compute Engine VM to a private Cloud SQL instance using a private service connection and the mysqlsh command line tool Week of Aug Aug Compute Engine users have a new updated set of VM level “in context metrics charts and logs to correlate signals for common troubleshooting scenarios across CPU Disk Memory Networking and live Processes  This brings the best of Google Cloud s operations suite directly to the Compute Engine UI Learn more ​​Pub Sub to Splunk Dataflow template has been updatedto address multiple enterprise customer asks from improved compatibility with Splunk Add on for Google Cloud Platform to more extensibility with user defined functions UDFs and general pipeline reliability enhancements to tolerate failures like transient network issues when delivering data to Splunk Read more to learn about how to take advantage of these latest features Read more Google Cloud and NVIDIA have teamed up to make VR AR workloads easier faster to create and tetherless Read more Register for the Google Cloud Startup Summit September at goo gle StartupSummit for a digital event filled with inspiration learning and discussion This event will bring together our startup and VC community to discuss the latest trends and insights headlined by a keynote by Astro Teller Captain of Moonshots at X the moonshot factory Additionally learn from a variety of technical and business sessions to help take your startup to the next level Google Cloud and Harris Poll healthcare research reveals COVID impacts on healthcare technology Learn more Partial SSO is now available for public preview If you use a rd party identity provider to single sign on into Google services Partial SSO allows you to identify a subset of your users to use Google Cloud Identity as your SAML SSO identity provider short video and demo Week of Aug Aug Gartner named Google Cloud a Leader in the Magic Quadrant for Cloud Infrastructure and Platform Services formerly Infrastructure as a Service Learn more Private Service Connect is now generally available Private Service Connect lets you create private and secure connections to Google Cloud and third party services with service endpoints in your VPCs  Read more migration guides designed to help you identify the best ways to migrate which include meeting common organizational goals like minimizing time and risk during your migration identifying the most enterprise grade infrastructure for your workloads picking a cloud that aligns with your organization s sustainability goals and more Read more Week of Jul Jul This week we hosting our Retail amp Consumer Goods Summit a digital event dedicated to helping leading retailers and brands digitally transform their business Read more about our consumer packaged goods strategy and a guide to key summit content for brands in this blog from Giusy Buonfantino Google Cloud s Vice President of CPG We re hosting our Retail amp Consumer Goods Summit a digital event dedicated to helping leading retailers and brands digitally transform their business Read more See how IKEA uses Recommendations AI to provide customers with more relevant product information  Read more ​​Google Cloud launches a career program for people with autism designed to hire and support more talented people with autism in the rapidly growing cloud industry  Learn moreGoogle Cloud follows new API stability tenets that work to minimize unexpected deprecations to our Enterprise APIs  Read more Week of Jul Jul Register and join us for Google Cloud Next October at g co CloudNext for a fresh approach to digital transformation as well as a few surprises Next will be a fully customizable digital adventure for a more personalized learning journey Find the tools and training you need to succeed From live interactive Q amp As and informative breakout sessions to educational demos and real life applications of the latest tech from Google Cloud Get ready to plug into your cloud community get informed and be inspired Together we can tackle today s greatest business challenges and start solving for what s next Application Innovation takes a front row seat this year To stay ahead of rising customer expectations and the digital and in person hybrid landscape enterprises must know what application innovation means and how to deliver this type of innovation with a small piece of technology that might surprise you Learn more about the three pillars of app innovation here We announced Cloud IDS our new network security offering which is now available in preview Cloud IDS delivers easy to use cloud native managed network based threat detection With Cloud IDS customers can enjoy a Google Cloud integrated experience built with Palo Alto Networks industry leading threat detection technologies to provide high levels of security efficacy Learn more Key Visualizer for Cloud Spanner is now generally available Key Visualizer is a new interactive monitoring tool that lets developers and administrators analyze usage patterns in Spanner It reveals trends and outliers in key performance and resource metrics for databases of any size helping to optimize queries and reduce infrastructure costs See it in action The market for healthcare cloud is projected to grow This means a need for better tech infrastructure digital transformation amp Cloud tools Learn how Google Cloud Partner Advantage partners help customers solve business challenges in healthcare Week of Jul Jul Simplify VM migrations with Migrate for Compute Engine as a Service delivers a Google managed cloud service that enables simple frictionless and large scale enterprise migrations of virtual machines to Google Compute Engine with minimal downtime and risk API driven and integrated into your Google Cloud console for ease of use this service uses agent less replication to copy data without manual intervention and without VPN requirements It also enables you to launch non disruptive validations of your VMs prior to cutover  Rapidly migrate a single application or execute a sprint with hundred systems using migration groups with confidence Read more here The Google Cloud region in Delhi NCR is now open for business ready to host your workloads Learn more and watch the region launch event here Introducing Quilkin the open source game server proxy Developed in collaboration with Embark Studios Quilkin is an open source UDP proxy tailor made for high performance real time multiplayer games Read more We re making Google Glass on Meet available to a wider network of global customers Learn more Transfer Appliance supports Google Managed Encryption Keys ーWe re announcing the support for Google Managed Encryption Keys with Transfer Appliance this is in addition to the currently available Customer Managed Encryption Keys feature Customers have asked for the Transfer Appliance service to create and manage encryption keys for transfer sessions to improve usability and maintain security The Transfer Appliance Service can now manage the encryption keys for the customers who do not wish to handle a key themselves Learn more about Using Google Managed Encryption Keys UCLA builds a campus wide API program With Google Cloud s API management platform Apigee UCLA created a unified and strong API foundation that removes data friction that students faculty and administrators alike face This foundation not only simplifies how various personas connect to data but also encourages more innovations in the future Learn their story An enhanced region picker makes it easy to choose a Google Cloud region with the lowest CO output  Learn more Amwell and Google Cloud explore five ways telehealth can help democratize access to healthcare  Read more Major League Baseball and Kaggle launch ML competition to learn about fan engagement  Batter up We re rolling out general support of Brand Indicators for Message Identification BIMI in Gmail within Google Workspace Learn more Learn how DeNA Sports Business created an operational status visualization system that helps determine whether live event attendees have correctly installed Japan s coronavirus contact tracing app COCOA Google Cloud CAS provides a highly scalable and available private CA to address the unprecedented growth in certificates in the digital world Read more about CAS Week of Jul Jul Google Cloud and Call of Duty League launch ActivStat to bring fans players and commentators the power of competitive statistics in real time Read more Building applications is a heavy lift due to the technical complexity which includes the complexity of backend services that are used to manage and store data Firestore alters this by having Google Cloud manage your backend complexity through a complete backend as a service Learn more Google Cloud s new Native App Development skills challenge lets you earn badges that demonstrate your ability to create cloud native apps Read more and sign up Week of Jun Jul Storage Transfer Service now offers preview support for Integration with AWS Security Token Service Security conscious customers can now use Storage Transfer Service to perform transfers from AWS S without passing any security credentials This release will alleviate the security burden associated with passing long term AWS S credentials which have to be rotated or explicitly revoked when they are no longer needed Read more The most popular and surging Google Search terms are now available in BigQuery as a public dataset View the Top and Top rising queries from Google Trends from the past days including years of historical data across the Designated Market Areas DMAs in the US Learn more A new predictive autoscaling capability lets you add additional Compute Engine VMs in anticipation of forecasted demand Predictive autoscaling is generally available across all Google Cloud regions Read more or consult the documentation for more information on how to configure simulate and monitor predictive autoscaling Messages by Google is now the default messaging app for all AT amp T customers using Android phones in the United States Read more TPU v Pods will soon be available on Google Cloud providing the most powerful publicly available computing platform for machine learning training Learn more Cloud SQL for SQL Server has addressed multiple enterprise customer asks with the GA releases of both SQL Server and Active Directory integration as well as the Preview release of Cross Region Replicas  This set of releases work in concert to allow customers to set up a more scalable and secure managed SQL Server environment to address their workloads needs Read more Week of Jun Jun Simplified return to office with no code technology We ve just released a solution to your most common return to office headaches make a no code app customized to solve your business specific challenges Learn how to create an automated app where employees can see office room occupancy check what desks are reserved or open review disinfection schedules and more in this blog tutorial New technical validation whitepaper for running ecommerce applicationsーEnterprise Strategy Group s analyst outlines the challenges of organizations running ecommerce applications and how Google Cloud helps to mitigate those challenges and handle changing demands with global infrastructure solutions Download the whitepaper The fullagendafor Google for Games Developer Summit on July th th is now available A free digital event with announcements from teams including Stadia Google Ads AdMob Android Google Play Firebase Chrome YouTube and Google Cloud Hear more about how Google Cloud technology creates opportunities for gaming companies to make lasting enhancements for players and creatives Register at g co gamedevsummitBigQuery row level security is now generally available giving customers a way to control access to subsets of data in the same table for different groups of users Row level security RLS extends the principle of least privilege access and enables fine grained access control policies in BigQuery tables BigQuery currently supports access controls at the project dataset table and column level Adding RLS to the portfolio of access controls now enables customers to filter and define access to specific rows in a table based on qualifying user conditionsーproviding much needed peace of mind for data professionals Transfer from Azure ADLS Gen Storage Transfer Service offers Preview support for transferring data from Azure ADLS Gen to Google Cloud Storage Take advantage of a scalable serverless service to handle data transfer Read more reCAPTCHA V and V customers can now migrate site keys to reCAPTCHA Enterprise in under minutes and without making any code changes Watch our Webinar to learn more  Bot attacks are the biggest threat to your business that you probably haven t addressed yet Check out our Forbes article to see what you can do about it Week of Jun Jun A new VM family for scale out workloadsーNew AMD based Tau VMs offer higher absolute performance and higher price performance compared to general purpose VMs from any of the leading public cloud vendors Learn more New whitepaper helps customers plot their cloud migrationsーOur new whitepaper distills the conversations we ve had with CIOs CTOs and their technical staff into several frameworks that can help cut through the hype and the technical complexity to help devise the strategy that empowers both the business and IT Read more or download the whitepaper Ubuntu Pro lands on Google CloudーThe general availability of Ubuntu Pro images on Google Cloud gives customers an improved Ubuntu experience expanded security coverage and integration with critical Google Cloud features Read more Navigating hybrid work with a single connected experience in Google WorkspaceーNew additions to Google Workspace help businesses navigate the challenges of hybrid work such as Companion Mode for Google Meet calls Read more Arab Bank embraces Google Cloud technologyーThis Middle Eastern bank now offers innovative apps and services to their customers and employees with Apigee and Anthos In fact Arab Bank reports over of their new to bank customers are using their mobile apps Learn more Google Workspace for the Public Sector Sector eventsーThis June learn about Google Workspace tips and tricks to help you get things done Join us for one or more of our learning events tailored for government and higher education users Learn more Week of Jun Jun The top cloud capabilities industry leaders want for sustained innovationーMulticloud and hybrid cloud approaches coupled with open source technology adoption enable IT teams to take full advantage of the best cloud has to offer Our recent study with IDG shows just how much of a priority this has become for business leaders Read more or download the report Announcing the Firmina subsea cableーPlanned to run from the East Coast of the United States to Las Toninas Argentina with additional landings in Praia Grande Brazil and Punta del Este Uruguay Firmina will be the longest open subsea cable in the world capable of running entirely from a single power source at one end of the cable if its other power source s become temporarily unavailableーa resilience boost at a time when reliable connectivity is more important than ever Read more New research reveals what s needed for AI acceleration in manufacturingーAccording to our data which polled more than senior manufacturing executives across seven countries have turned to digital enablers and disruptive technologies due to the pandemic such as data and analytics cloud and artificial intelligence AI And of manufacturers who use AI in their day to day operations report that their reliance on AI is increasing Read more or download the report Cloud SQL offers even faster maintenanceーCloud SQL maintenance is zippier than ever MySQL and PostgreSQL planned maintenance typically lasts less than seconds and SQL Server maintenance typically lasts less than seconds You can learn more about maintenance here Simplifying Transfer Appliance configuration with Cloud Setup ApplicationーWe re announcing the availability of the Transfer Appliance Cloud Setup Application This will use the information you provide through simple prompts and configure your Google Cloud permissions preferred Cloud Storage bucket and Cloud KMS key for your transfer Several cloud console based manual steps are now simplified with a command line experience Read more  Google Cloud VMware Engine is now HIPAA compliantーAs of April Google Cloud VMware Engine is covered under the Google Cloud Business Associate Agreement BAA meaning it has achieved HIPAA compliance Healthcare organizations can now migrate and run their HIPAA compliant VMware workloads in a fully compatible VMware Cloud Verified stack running natively in Google Cloud with Google Cloud VMware Engine without changes or re architecture to tools processes or applications Read more Introducing container native Cloud DNSーKubernetes networking almost always starts with a DNS request DNS has broad impacts on your application and cluster performance scalability and resilience That is why we are excited to announce the release of container native Cloud DNSーthe native integration of Cloud DNS with Google Kubernetes Engine GKE to provide in cluster Service DNS resolution with Cloud DNS our scalable and full featured DNS service Read more Welcoming the EU s new Standard Contractual Clauses for cross border data transfersーLearn how we re incorporating the new Standard Contractual Clauses SCCs into our contracts to help protect our customers data and meet the requirements of European privacy legislation Read more Lowe s meets customer demand with Google SRE practicesーLearn how Low s has been able to increase the number of releases they can support by adopting Google s Site Reliability Engineering SRE framework and leveraging their partnership with Google Cloud Read more What s next for SAP on Google Cloud at SAPPHIRE NOW and beyondーAs SAP s SAPPHIRE conference begins this week we believe businesses have a more significant opportunity than ever to build for their next decade of growth and beyond Learn more on how we re working together with our customers SAP and our partners to support this transformation Read more Support for Node js Python and Java repositories for Artifact Registrynow in Preview With today s announcement you can not only use Artifact Registry to secure and distribute container images but also manage and secure your other software artifacts Read more What s next for SAP on Google Cloud at SAPPHIRE NOW and beyondーAs SAP s SAPPHIRE conference begins this week we believe businesses have a more significant opportunity than ever to build for their next decade of growth and beyond Learn more on how we re working together with our customers SAP and our partners to support this transformation Read more Google named a Leader in The Forrester Wave Streaming Analytics Q report Learn about the criteria where Google Dataflow was rated out and why this matters for our customers here Applied ML Summit this Thursday June Watch our keynote to learn about predictions for machine learning over the next decade Engage with distinguished researchers leading practitioners and Kaggle Grandmasters during our live Ask Me Anything session Take part in our modeling workshops to learn how you can iterate faster and deploy and manage your models with confidence no matter your level of formal computer science training Learn how to develop and apply your professional skills grow your abilities at the pace of innovation and take your career to the next level  Register now Week of May Jun Security Command Center now supports CIS benchmarks and granular access control Security Command Center SCC now supports CIS benchmarks for Google Cloud Platform Foundation v enabling you to monitor and address compliance violations against industry best practices in your Google Cloud environment Additionally SCC now supports fine grained access control for administrators that allows you to easily adhere to the principles of least privilegeーrestricting access based on roles and responsibilities to reduce risk and enabling broader team engagement to address security Read more Zero trust managed security for services with Traffic Director We created Traffic Director to bring to you a fully managed service mesh product that includes load balancing traffic management and service discovery And now we re happy to announce the availability of a fully managed zero trust security solution using Traffic Director with Google Kubernetes Engine GKE and Certificate Authority CA Service Read more How one business modernized their data warehouse for customer success PedidosYa migrated from their old data warehouse to Google Cloud s BigQuery Now with BigQuery the Latin American online food ordering company has reduced the total cost per query by x Learn more Announcing new Cloud TPU VMs New Cloud TPU VMs make it easier to use our industry leading TPU hardware by providing direct access to TPU host machines offering a new and improved user experience to develop and deploy TensorFlow PyTorch and JAX on Cloud TPUs Read more Introducing logical replication and decoding for Cloud SQL for PostgreSQL We re announcing the public preview of logical replication and decoding for Cloud SQL for PostgreSQL By releasing those capabilities and enabling change data capture CDC from Cloud SQL for PostgreSQL we strengthen our commitment to building an open database platform that meets critical application requirements and integrates seamlessly with the PostgreSQL ecosystem Read more How businesses are transforming with SAP on Google Cloud Thousands of organizations globally rely on SAP for their most mission critical workloads And for many Google Cloud customers part of a broader digital transformation journey has included accelerating the migration of these essential SAP workloads to Google Cloud for greater agility elasticity and uptime Read six of their stories Week of May May Google Cloud for financial services driving your transformation cloud journey As we welcome the industry to our Financial Services Summit we re sharing more on how Google Cloud accelerates a financial organization s digital transformation through app and infrastructure modernization data democratization people connections and trusted transactions Read more or watch the summit on demand Introducing Datashare solution for financial services We announced the general availability of Datashare for financial services a new Google Cloud solution that brings together the entire capital markets ecosystemーdata publishers and data consumersーto exchange market data securely and easily Read more Announcing Datastream in Preview Datastream a serverless change data capture CDC and replication service allows enterprises to synchronize data across heterogeneous databases storage systems and applications reliably and with minimal latency to support real time analytics database replication and event driven architectures Read more Introducing Dataplex An intelligent data fabric for analytics at scale Dataplex provides a way to centrally manage monitor and govern your data across data lakes data warehouses and data marts and make this data securely accessible to a variety of analytics and data science tools Read more  Announcing Dataflow Prime Available in Preview in Q Dataflow Prime is a new platform based on a serverless no ops auto tuning architecture built to bring unparalleled resource utilization and radical operational simplicity to big data processing Dataflow Prime builds on Dataflow and brings new user benefits with innovations in resource utilization and distributed diagnostics The new capabilities in Dataflow significantly reduce the time spent on infrastructure sizing and tuning tasks as well as time spent diagnosing data freshness problems Read more Secure and scalable sharing for data and analytics with Analytics Hub With Analytics Hub available in Preview in Q organizations get a rich data ecosystem by publishing and subscribing to analytics ready datasets control and monitoring over how their data is being used a self service way to access valuable and trusted data assets and an easy way to monetize their data assets without the overhead of building and managing the infrastructure Read more Cloud Spanner trims entry cost by Coming soon to Preview granular instance sizing in Spanner lets organizations run workloads at as low as th the cost of regular instances equating to approximately month Read more Cloud Bigtable lifts SLA and adds new security features for regulated industries Bigtable instances with a multi cluster routing policy across or more regions are now covered by a monthly uptime percentage under the new SLA In addition new Data Access audit logs can help determine whether sensitive customer information has been accessed in the event of a security incident and if so when and by whom Read more Build a no code journaling app In honor of Mental Health Awareness Month Google Cloud s no code application development platform AppSheet demonstrates how you can build a journaling app complete with titles time stamps mood entries and more Learn how with this blog and video here New features in Security Command CenterーOn May th Security Command Center Premium launched the general availability of granular access controls at project and folder level and Center for Internet Security CIS benchmarks for Google Cloud Platform Foundation These new capabilities enable organizations to improve their security posture and efficiently manage risk for their Google Cloud environment Learn more Simplified API operations with AI Google Cloud s API management platform Apigee applies Google s industry leading ML and AI to your API metadata Understand how it works with anomaly detection here This week Data Cloud and Financial Services Summits Our Google Cloud Summit series begins this week with the Data Cloud Summit on Wednesday May Global At this half day event you ll learn how leading companies like PayPal Workday Equifax and many others are driving competitive differentiation using Google Cloud technologies to build their data clouds and transform data into value that drives innovation The following day Thursday May Global amp EMEA at the Financial Services Summit discover how Google Cloud is helping financial institutions such as PayPal Global Payments HSBC Credit Suisse AXA Switzerland and more unlock new possibilities and accelerate business through innovation Read more and explore the entire summit series Announcing the Google for Games Developer Summit on July th th With a surge of new gamers and an increase in time spent playing games in the last year it s more important than ever for game developers to delight and engage players To help developers with this opportunity the games teams at Google are back to announce the return of the Google for Games Developer Summit on July th th  Hear from experts across Google about new game solutions they re building to make it easier for you to continue creating great games connecting with players and scaling your business  Registration is free and open to all game developers  Register for the free online event at g co gamedevsummit to get more details in the coming weeks We can t wait to share our latest innovations with the developer community  Learn more Week of May May Best practices to protect your organization against ransomware threats For more than years Google has been operating securely in the cloud using our modern technology stack to provide a more defensible environment that we can protect at scale While the threat of ransomware isn t new our responsibility to help protect you from existing or emerging threats never changes In our recent blog post we shared guidance on how organizations can increase their resilience to ransomware and how some of our Cloud products and services can help Read more Forrester names Google Cloud a Leader in Unstructured Data Security Platforms Forrester Research has named Google Cloud a Leader in The Forrester Wave Unstructured Data Security Platforms Q report and rated Google Cloud highest in the current offering category among the providers evaluated Read more or download the report Introducing Vertex AI One platform every ML tool you need Vertex AI is a managed machine learning ML platform that allows companies to accelerate the deployment and maintenance of artificial intelligence AI models Read more Transforming collaboration in Google Workspace We re launching smart canvas  a new product experience that delivers the next evolution of collaboration for Google Workspace Between now and the end of the year we re rolling out innovations that make it easier for people to stay connected focus their time and attention and transform their ideas into impact Read more Developing next generation geothermal power At I O this week we announced a first of its kind next generation geothermal project with clean energy startup Fervo that will soon begin adding carbon free energy to the electric grid that serves our data centers and infrastructure throughout Nevada including our Cloud region in Las Vegas Read more Contributing to an environment of trust and transparency in Europe Google Cloud was one of the first cloud providers to support and adopt the EU GDPR Cloud Code of Conduct  CoC The CoC is a mechanism for cloud providers to demonstrate how they offer sufficient guarantees to implement appropriate technical and organizational measures as data processors under the GDPR  This week the Belgian Data Protection Authority based on a positive opinion by the European Data Protection Board  EDPB  approved the CoC a product of years of constructive collaboration between the cloud computing community the European Commission and European data protection authorities We are proud to say that Google Cloud Platform and Google Workspace already adhere to these provisions Learn more Announcing Google Cloud datasets solutions We re adding commercial synthetic and first party data to our Google Cloud Public Datasets Program to help organizations increase the value of their analytics and AI initiatives and we re making available an open source reference architecture for a more streamlined data onboarding process to the program Read more Introducing custom samples in Cloud Code With new custom samples in Cloud Code  developers can quickly access your enterprise s best code samples via a versioned Git repository directly from their IDEs Read more Retention settings for Cloud SQL Cloud SQL now allows you to configure backup retention settings to protect against data loss You can retain between and days worth of automated backups and between and days worth of transaction logs for point in time recovery See the details here Cloud developer s guide to Google I O Google I O may look a little different this year but don t worry you ll still get the same first hand look at the newest launches and projects coming from Google Best of all it s free and available to all virtually on May Read more Week of May May APIs and Apigee power modern day due diligence With APIs and Google Cloud s Apigee business due diligence company DueDil revolutionized the way they harness and share their Big Information Graph B I G with partners and customers Get the full story Cloud CISO Perspectives May It s been a busy month here at Google Cloud since our inaugural CISO perspectives blog post in April Here VP and CISO of Google Cloud Phil Venables recaps our cloud security and industry highlights a sneak peak of what s ahead from Google at RSA and more Read more new features to secure your Cloud Run services We announced several new ways to secure Cloud Run environments to make developing and deploying containerized applications easier for developers Read more Maximize your Cloud Run investments with new committed use discounts We re introducing self service spend based committed use discounts for Cloud Run which let you commit for a year to spending a certain amount on Cloud Run and benefiting from a discount on the amount you committed Read more Google Cloud Armor Managed Protection Plus is now generally available Cloud Armor our Distributed Denial of Service DDoS protection and Web Application Firewall WAF service on Google Cloud leverages the same infrastructure network and technology that has protected Google s internet facing properties from some of the largest attacks ever reported These same tools protect customers infrastructure from DDoS attacks which are increasing in both magnitude and complexity every year Deployed at the very edge of our network Cloud Armor absorbs malicious network and protocol based volumetric attacks while mitigating the OWASP Top risks and maintaining the availability of protected services Read more Announcing Document Translation for Translation API Advanced in preview Translation is critical to many developers and localization providers whether you re releasing a document a piece of software training materials or a website in multiple languages With Document Translation now you can directly translate documents in languages and formats such as Docx PPTx XLSx and PDF while preserving document formatting Read more Introducing BeyondCorp Enterprise protected profiles Protected profiles enable users to securely access corporate resources from an unmanaged device with the same threat and data protections available in BeyondCorp Enterprise all from the Chrome Browser Read more How reCAPTCHA Enterprise protects unemployment and COVID vaccination portals With so many people visiting government websites to learn more about the COVID vaccine make vaccine appointments or file for unemployment these web pages have become prime targets for bot attacks and other abusive activities But reCAPTCHA Enterprise has helped state governments protect COVID vaccine registration portals and unemployment claims portals from abusive activities Learn more Day one with Anthos Here are ideas for how to get started Once you have your new application platform in place there are some things you can do to immediately get value and gain momentum Here are six things you can do to get you started Read more The era of the transformation cloud is here Google Cloud s president Rob Enslin shares how the era of the transformation cloud has seen organizations move beyond data centers to change not only where their business is done but more importantly how it is done Read more Week of May May Transforming hard disk drive maintenance with predictive ML In collaboration with Seagate we developed a machine learning system that can forecast the probability of a recurring failing diskーa disk that fails or has experienced three or more problems in days Learn how we did it Agent Assist for Chat is now in public preview Agent Assist provides your human agents with continuous support during their calls and now chats by identifying the customers intent and providing them with real time recommendations such as articles and FAQs as well as responses to customer messages to more effectively resolve the conversation Read more New Google Cloud AWS and Azure product map Our updated product map helps you understand similar offerings from Google Cloud AWS and Azure and you can easily filter the list by product name or other common keywords Read more or view the map Join our Google Cloud Security Talks on May th We ll share expert insights into how we re working to be your most trusted cloud Find the list of topics we ll cover here Databricks is now GA on Google Cloud Deploy or migrate Databricks Lakehouse to Google Cloud to combine the benefits of an open data cloud platform with greater analytics flexibility unified infrastructure management and optimized performance Read more HPC VM image is now GA The CentOS based HPC VM image makes it quick and easy to create HPC ready VMs on Google Cloud that are pre tuned for optimal performance Check out our documentation and quickstart guide to start creating instances using the HPC VM image today Take the State of DevOps survey Help us shape the future of DevOps and make your voice heard by completing the State of DevOps survey before June Read more or take the survey OpenTelemetry Trace is now available OpenTelemetry has reached a key milestone the OpenTelemetry Tracing Specification has reached version API and SDK release candidates are available for Java Erlang Python Go Node js and Net Additional languages will follow over the next few weeks Read more New blueprint helps secure confidential data in AI Platform Notebooks We re adding to our portfolio of blueprints with the publication of our Protecting confidential data in AI Platform Notebooks blueprint guide and deployable blueprint which can help you apply data governance and security policies that protect your AI Platform Notebooks containing confidential data Read more The Liquibase Cloud Spanner extension is now GA Liquibase an open source library that works with a wide variety of databases can be used for tracking managing and automating database schema changes By providing the ability to integrate databases into your CI CD process Liquibase helps you more fully adopt DevOps practices The Liquibase Cloud Spanner extension allows developers to use Liquibase s open source database library to manage and automate schema changes in Cloud Spanner Read more Cloud computing Frequently asked questions There are a number of terms and concepts in cloud computing and not everyone is familiar with all of them To help we ve put together a list of common questions and the meanings of a few of those acronyms Read more Week of Apr Apr Announcing the GKE Gateway controller in Preview GKE Gateway controller Google Cloud s implementation of the Gateway API manages internal and external HTTP S load balancing for a GKE cluster or a fleet of GKE clusters and provides multi tenant sharing of load balancer infrastructure with centralized admin policy and control Read more See Network Performance for Google Cloud in Performance Dashboard The Google Cloud performance view part of the Network Intelligence Center provides packet loss and latency metrics for traffic on Google Cloud It allows users to do informed planning of their deployment architecture as well as determine in real time the answer to the most common troubleshooting question Is it Google or is it me The Google Cloud performance view is now open for all Google Cloud customers as a public preview  Check it out Optimizing data in Google Sheets allows users to create no code apps Format columns and tables in Google Sheets to best position your data to transform into a fully customized successful app no coding necessary Read our four best Google Sheets tips Automation bots with AppSheet Automation AppSheet recently released AppSheet Automation infusing Google AI capabilities to AppSheet s trusted no code app development platform Learn step by step how to build your first automation bot on AppSheet here Google Cloud announces a new region in Israel Our new region in Israel will make it easier for customers to serve their own users faster more reliably and securely Read more New multi instance NVIDIA GPUs on GKE We re launching support for multi instance GPUs in GKE currently in Preview which will help you drive better value from your GPU investments Read more Partnering with NSF to advance networking innovation We announced our partnership with the U S National Science Foundation NSF joining other industry partners and federal agencies as part of a combined million investment in academic research for Resilient and Intelligent Next Generation NextG Systems or RINGS Read more Creating a policy contract with Configuration as Data Configuration as Data is an emerging cloud infrastructure management paradigm that allows developers to declare the desired state of their applications and infrastructure without specifying the precise actions or steps for how to achieve it However declaring a configuration is only half the battle you also want policy that defines how a configuration is to be used This post shows you how Google Cloud products deliver real time data solutions Seven Eleven Japan built Seven Central its new platform for digital transformation on Google Cloud Powered by BigQuery Cloud Spanner and Apigee API management Seven Central presents easy to understand data ultimately allowing for quickly informed decisions Read their story here Week of Apr Apr Extreme PD is now GA On April th Google Cloud s Persistent Disk launched general availability of Extreme PD a high performance block storage volume with provisioned IOPS and up to GB s of throughput  Learn more Research How data analytics and intelligence tools to play a key role post COVID A recent Google commissioned study by IDG highlighted the role of data analytics and intelligent solutions when it comes to helping businesses separate from their competition The survey of IT leaders across the globe reinforced the notion that the ability to derive insights from data will go a long way towards determining which companies win in this new era  Learn more or download the study Introducing PHP on Cloud Functions We re bringing support for PHP a popular general purpose programming language to Cloud Functions With the Functions Framework for PHP you can write idiomatic PHP functions to build business critical applications and integration layers And with Cloud Functions for PHP now available in Preview you can deploy functions in a fully managed PHP environment complete with access to resources in a private VPC network  Learn more Delivering our CCAG pooled audit As our customers increased their use of cloud services to meet the demands of teleworking and aid in COVID recovery we ve worked hard to meet our commitment to being the industry s most trusted cloud despite the global pandemic We re proud to announce that Google Cloud completed an annual pooled audit with the CCAG in a completely remote setting and were the only cloud service provider to do so in  Learn more Anthos now available We recently released Anthos our run anywhere Kubernetes platform that s connected to Google Cloud delivering an array of capabilities that make multicloud more accessible and sustainable  Learn more New Redis Enterprise for Anthos and GKE We re making Redis Enterprise for Anthos and Google Kubernetes Engine GKE available in the Google Cloud Marketplace in private preview  Learn more Updates to Google Meet We introduced a refreshed user interface UI enhanced reliability features powered by the latest Google AI and tools that make meetings more engagingーeven funーfor everyone involved  Learn more DocAI solutions now generally available Document Doc AI platform  Lending DocAI and Procurement DocAI built on decades of AI innovation at Google bring powerful and useful solutions across lending insurance government and other industries  Learn more Four consecutive years of renewable energy In Google again matched percent of its global electricity use with purchases of renewable energy All told we ve signed agreements to buy power from more than renewable energy projects with a combined capacity of gigawatts about the same as a million solar rooftops  Learn more Announcing the Google Cloud region picker The Google Cloud region picker lets you assess key inputs like price latency to your end users and carbon footprint to help you choose which Google Cloud region to run on  Learn more Google Cloud launches new security solution WAAP WebApp and API Protection WAAP combines Google Cloud Armor Apigee and reCAPTCHA Enterprise to deliver improved threat protection consolidated visibility and greater operational efficiencies across clouds and on premises environments Learn more about WAAP here New in no code As discussed in our recent article no code hackathons are trending among innovative organizations Since then we ve outlined how you can host one yourself specifically designed for your unique business innovation outcomes Learn how here Google Cloud Referral Program now availableーNow you can share the power of Google Cloud and earn product credit for every new paying customer you refer Once you join the program you ll get a unique referral link that you can share with friends clients or others Whenever someone signs up with your link they ll get a product creditーthat s more than the standard trial credit When they become a paying customer we ll reward you with a product credit in your Google Cloud account Available in the United States Canada Brazil and Japan  Apply for the Google Cloud Referral Program Week of Apr Apr Announcing the Data Cloud Summit May At this half day event you ll learn how leading companies like PayPal Workday Equifax Zebra Technologies Commonwealth Care Alliance and many others are driving competitive differentiation using Google Cloud technologies to build their data clouds and transform data into value that drives innovation  Learn more and register at no cost Announcing the Financial Services Summit May In this hour event you ll learn how Google Cloud is helping financial institutions including PayPal Global Payments HSBC Credit Suisse and more unlock new possibilities and accelerate business through innovation and better customer experiences  Learn more and register for free  Global  amp  EMEA How Google Cloud is enabling vaccine equity In our latest update we share more on how we re working with US state governments to help produce equitable vaccination strategies at scale  Learn more The new Google Cloud region in Warsaw is open The Google Cloud region in Warsaw is now ready for business opening doors for organizations in Central and Eastern Europe  Learn more AppSheet Automation is now GA Google Cloud s AppSheet launches general availability of AppSheet Automation a unified development experience for citizen and professional developers alike to build custom applications with automated processes all without coding Learn how companies and employees are reclaiming their time and talent with AppSheet Automation here Introducing SAP Integration with Cloud Data Fusion Google Cloud native data integration platform Cloud Data Fusion now offers the capability to seamlessly get data out of SAP Business Suite SAP ERP and S HANA  Learn more Week of Apr Apr New Certificate Authority Service CAS whitepaper “How to deploy a secure and reliable public key infrastructure with Google Cloud Certificate Authority Service written by Mark Cooper of PKI Solutions and Anoosh Saboori of Google Cloud covers security and architectural recommendations for the use of the Google Cloud CAS by organizations and describes critical concepts for securing and deploying a PKI based on CAS  Learn more or read the whitepaper Active Assist s new feature  predictive autoscaling helps improve response times for your applications When you enable predictive autoscaling Compute Engine forecasts future load based on your Managed Instance Group s MIG history and scales it out in advance of predicted load so that new instances are ready to serve when the load arrives Without predictive autoscaling an autoscaler can only scale a group reactively based on observed changes in load in real time With predictive autoscaling enabled the autoscaler works with real time data as well as with historical data to cover both the current and forecasted load That makes predictive autoscaling ideal for those apps with long initialization times and whose workloads vary predictably with daily or weekly cycles For more information see How predictive autoscaling works or check if predictive autoscaling is suitable for your workload and to learn more about other intelligent features check out Active Assist Introducing Dataprep BigQuery pushdown BigQuery pushdown gives you the flexibility to run jobs using either BigQuery or Dataflow If you select BigQuery then Dataprep can automatically determine if data pipelines can be partially or fully translated in a BigQuery SQL statement Any portions of the pipeline that cannot be run in BigQuery are executed in Dataflow Utilizing the power of BigQuery results in highly efficient data transformations especially for manipulations such as filters joins unions and aggregations This leads to better performance optimized costs and increased security with IAM and OAuth support  Learn more Announcing the Google Cloud Retail amp Consumer Goods Summit The Google Cloud Retail amp Consumer Goods Summit brings together technology and business insights the key ingredients for any transformation Whether you re responsible for IT data analytics supply chains or marketing please join Building connections and sharing perspectives cross functionally is important to reimagining yourself your organization or the world  Learn more or register for free New IDC whitepaper assesses multicloud as a risk mitigation strategy To better understand the benefits and challenges associated with a multicloud approach we supported IDC s new whitepaper that investigates how multicloud can help regulated organizations mitigate the risks of using a single cloud vendor The whitepaper looks at different approaches to multi vendor and hybrid clouds taken by European organizations and how these strategies can help organizations address concentration risk and vendor lock in improve their compliance posture and demonstrate an exit strategy  Learn more or download the paper Introducing request priorities for Cloud Spanner APIs You can now specify request priorities for some Cloud Spanner APIs By assigning a HIGH MEDIUM or LOW priority to a specific request you can now convey the relative importance of workloads to better align resource usage with performance objectives  Learn more How we re working with governments on climate goals Google Sustainability Officer Kate Brandt shares more on how we re partnering with governments around the world to provide our technology and insights to drive progress in sustainability efforts  Learn more Week of Mar Apr Why Google Cloud is the ideal platform for Block one and other DLT companies Late last year Google Cloud joined the EOS community a leading open source platform for blockchain innovation and performance and is taking steps to support the EOS Public Blockchain by becoming a block producer  BP At the time we outlined how our planned participation underscores the importance of blockchain to the future of business government and society We re sharing more on why Google Cloud is uniquely positioned to be an excellent partner for Block one and other distributed ledger technology DLT companies  Learn more New whitepaper Scaling certificate management with Certificate Authority Service As Google Cloud s Certificate Authority Service CAS approaches general availability we want to help customers understand the service better Customers have asked us how CAS fits into our larger security story and how CAS works for various use cases Our new white paper answers these questions and more  Learn more and download the paper Build a consistent approach for API consumers Learn the differences between REST and GraphQL as well as how to apply REST based practices to GraphQL No matter the approach discover how to manage and treat both options as API products here Apigee X makes it simple to apply Cloud CDN to APIs With Apigee X and Cloud CDN organizations can expand their API programs global reach Learn how to deploy APIs across regions and zones here Enabling data migration with Transfer Appliances in APACーWe re announcing the general availability of Transfer Appliances TA TA in Singapore Customers are looking for fast secure and easy to use options to migrate their workloads to Google Cloud and we are addressing their needs with Transfer Appliances globally in the US EU and APAC Learn more about Transfer Appliances TA and TA Windows Authentication is now supported on Cloud SQL for SQL Server in public previewーWe ve launched seamless integration with Google Cloud s Managed Service for Microsoft Active Directory AD This capability is a critical requirement to simplify identity management and streamline the migration of existing SQL Server workloads that rely on AD for access control  Learn more or get started Using Cloud AI to whip up new treats with Mars MaltesersーMaltesers a popular British candy made by Mars teamed up with our own AI baker and ML engineer extraordinaire  Sara Robinson to create a brand new dessert recipe with Google Cloud AI  Find out what happened  recipe included Simplifying data lake management with Dataproc Metastore now GAーDataproc Metastore a fully managed serverless technical metadata repository based on the Apache Hive metastore is now generally available Enterprises building and migrating open source data lakes to Google Cloud now have a central and persistent metastore for their open source data analytics frameworks  Learn more Introducing the Echo subsea cableーWe announced our investment in Echo the first ever cable to directly connect the U S to Singapore with direct fiber pairs over an express route Echo will run from Eureka California to Singapore with a stop over in Guam and plans to also land in Indonesia Additional landings are possible in the future  Learn more Week of Mar Mar new videos bring Google Cloud to lifeーThe Google Cloud Tech YouTube channel s latest video series explains cloud tools for technical practitioners in about minutes each  Learn more BigQuery named a Leader in the Forrester Wave Cloud Data Warehouse Q reportーForrester gave BigQuery a score of out of across different criteria Learn more in our blog post or download the report Charting the future of custom compute at GoogleーTo meet users performance needs at low power we re doubling down on custom chips that use System on a Chip SoC designs  Learn more Introducing Network Connectivity CenterーWe announced Network Connectivity Center which provides a single management experience to easily create connect and manage heterogeneous on prem and cloud networks leveraging Google s global infrastructure Network Connectivity Center serves as a vantage point to seamlessly connect VPNs partner and dedicated interconnects as well as third party routers and Software Defined WANs helping you optimize connectivity reduce operational burden and lower costsーwherever your applications or users may be  Learn more Making it easier to get Compute Engine resources for batch processingーWe announced a new method of obtaining Compute Engine instances for batch processing that accounts for availability of resources in zones of a region Now available in preview for regional managed instance groups you can do this simply by specifying the ANY value in the API  Learn more Next gen virtual automotive showrooms are here thanks to Google Cloud Unreal Engine and NVIDIAーWe teamed up with Unreal Engine the open and advanced real time D creation game engine and NVIDIA inventor of the GPU to launch new virtual showroom experiences for automakers Taking advantage of the NVIDIA RTX platform on Google Cloud these showrooms provide interactive D experiences photorealistic materials and environments and up to K cloud streaming on mobile and connected devices Today in collaboration with MHP the Porsche IT consulting firm and MONKEYWAY a real time D streaming solution provider you can see our first virtual showroom the Pagani Immersive Experience Platform  Learn more Troubleshoot network connectivity with Dynamic Verification public preview ーYou can now check packet loss rate and one way network latency between two VMs on GCP This capability is an addition to existing Network Intelligence Center Connectivity Tests which verify reachability by analyzing network configuration in your VPCs  See more in our documentation Helping U S states get the COVID vaccine to more peopleーIn February we announced our Intelligent Vaccine Impact solution IVIs  to help communities rise to the challenge of getting vaccines to more people quickly and effectively Many states have deployed IVIs and have found it able to meet demand and easily integrate with their existing technology infrastructures Google Cloud is proud to partner with a number of states across the U S including Arizona the Commonwealth of Massachusetts North Carolina Oregon and the Commonwealth of Virginia to support vaccination efforts at scale  Learn more Week of Mar Mar A VMs now GA The largest GPU cloud instances with NVIDIA A GPUsーWe re announcing the general availability of A VMs based on the NVIDIA Ampere A Tensor Core GPUs in Compute Engine This means customers around the world can now run their NVIDIA CUDA enabled machine learning ML and high performance computing HPC scale out and scale up workloads more efficiently and at a lower cost  Learn more Earn the new Google Kubernetes Engine skill badge for freeーWe ve added a new skill badge this month Optimize Costs for Google Kubernetes Engine GKE which you can earn for free when you sign up for the Kubernetes track of the skills challenge The skills challenge provides days free access to Google Cloud labs and gives you the opportunity to earn skill badges to showcase different cloud competencies to employers Learn more Now available carbon free energy percentages for our Google Cloud regionsーGoogle first achieved carbon neutrality in and since we ve purchased enough solar and wind energy to match of our global electricity consumption Now we re building on that progress to target a new sustainability goal running our business on carbon free energy everywhere by Beginning this week we re sharing data about how we are performing against that objective so our customers can select Google Cloud regions based on the carbon free energy supplying them Learn more Increasing bandwidth to C and N VMsーWe announced the public preview of and Gbps high bandwidth network configurations for General Purpose N and Compute Optimized C Compute Engine VM families as part of continuous efforts to optimize our Andromeda host networking stack This means we can now offer higher bandwidth options on existing VM families when using the Google Virtual NIC gVNIC These VMs were previously limited to Gbps Learn more New research on how COVID changed the nature of ITーTo learn more about the impact of COVID and the resulting implications to IT Google commissioned a study by IDG to better understand how organizations are shifting their priorities in the wake of the pandemic  Learn more and download the report New in API securityーGoogle Cloud Apigee API management platform s latest release  Apigee X works with Cloud Armor to protect your APIs with advanced security technology including DDoS protection geo fencing OAuth and API keys Learn more about our integrated security enhancements here Troubleshoot errors more quickly with Cloud LoggingーThe Logs Explorer now automatically breaks down your log results by severity making it easy to spot spikes in errors at specific times Learn more about our new histogram functionality here Week of Mar Mar Introducing AskGoogleCloud on Twitter and YouTubeーOur first segment on March th features Developer Advocates Stephanie Wong Martin Omander and James Ward to answer questions on the best workloads for serverless the differences between “serverless and “cloud native how to accurately estimate costs for using Cloud Run and much more  Learn more Learn about the value of no code hackathonsーGoogle Cloud s no code application development platform AppSheet helps to facilitate hackathons for “non technical employees with no coding necessary to compete Learn about Globe Telecom s no code hackathon as well as their winning AppSheet app here Introducing Cloud Code Secret Manager IntegrationーSecret Manager provides a central place and single source of truth to manage access and audit secrets across Google Cloud Integrating Cloud Code with Secret Manager brings the powerful capabilities of both these tools together so you can create and manage your secrets right from within your preferred IDE whether that be VS Code IntelliJ or Cloud Shell Editor  Learn more Flexible instance configurations in Cloud SQLーCloud SQL for MySQL now supports flexible instance configurations which offer you the extra freedom to configure your instance with the specific number of vCPUs and GB of RAM that fits your workload To set up a new instance with a flexible instance configuration see our documentation here The Cloud Healthcare Consent Management API is now generally availableーThe Healthcare Consent Management API is now GA giving customers the ability to greatly scale the management of consents to meet increasing need particularly amidst the emerging task of managing health data for new care and research scenarios  Learn more Week of Mar Mar Cloud Run is now available in all Google Cloud regions  Learn more Introducing Apache Spark Structured Streaming connector for Pub Sub LiteーWe re announcing the release of an open source connector to read streams of messages from Pub Sub Lite into Apache Spark The connector works in all Apache Spark X distributions including Dataproc Databricks or manual Spark installations  Learn more Google Cloud Next is October ーJoin us and learn how the most successful companies have transformed their businesses with Google Cloud Sign up at g co cloudnext for updates  Learn more Hierarchical firewall policies now GAーHierarchical firewalls provide a means to enforce firewall rules at the organization and folder levels in the GCP Resource Hierarchy This allows security administrators at different levels in the hierarchy to define and deploy consistent firewall rules across a number of projects so they re applied to all VMs in currently existing and yet to be created projects  Learn more Announcing the Google Cloud Born Digital SummitーOver this half day event we ll highlight proven best practice approaches to data architecture diversity amp inclusion and growth with Google Cloud solutions  Learn more and register for free Google Cloud products in words or less edition ーOur popular “ words or less Google Cloud developer s cheat sheet is back and updated for  Learn more Gartner names Google a leader in its Magic Quadrant for Cloud AI Developer Services reportーWe believe this recognition is based on Gartner s evaluation of Google Cloud s language vision conversational and structured data services and solutions for developers  Learn more Announcing the Risk Protection ProgramーThe Risk Protection Program offers customers peace of mind through the technology to secure their data the tools to monitor the security of that data and an industry first cyber policy offered by leading insurers  Learn more Building the future of workーWe re introducing new innovations in Google Workspace to help people collaborate and find more time and focus wherever and however they work  Learn more Assured Controls and expanded Data RegionsーWe ve added new information governance features in Google Workspace to help customers control their data based on their business goals  Learn more Week of Feb Feb Google Cloud tools explained in minutesーNeed a quick overview of Google Cloud core technologies Quickly learn these Google Cloud productsーeach explained in under two minutes  Learn more BigQuery materialized views now GAーMaterialized views MV s are precomputed views that periodically cache results of a query to provide customers increased performance and efficiency  Learn more New in BigQuery BI EngineーWe re extending BigQuery BI Engine to work with any BI or custom dashboarding applications that require sub second query response times In this preview BI Engine will work seamlessly with Looker and other popular BI tools such as Tableau and Power BI without requiring any change to the BI tools  Learn more Dataproc now supports Shielded VMsーAll Dataproc clusters created using Debian or Ubuntu operating systems now use Shielded VMs by default and customers can provide their own configurations for secure boot vTPM and Integrity Monitoring This feature is just one of the many ways customers that have migrated their Hadoop and Spark clusters to GCP experience continued improvements to their security postures without any additional cost New Cloud Security Podcast by GoogleーOur new podcast brings you stories and insights on security in the cloud delivering security from the cloud and of course on what we re doing at Google Cloud to help keep customer data safe and workloads secure  Learn more New in Conversational AI and Apigee technologyーAustralian retailer Woolworths provides seamless customer experiences with their virtual agent Olive Apigee API Management and Dialogflow technology allows customers to talk to Olive through voice and chat  Learn more Introducing GKE AutopilotーGKE already offers an industry leading level of automation that makes setting up and operating a Kubernetes cluster easier and more cost effective than do it yourself and other managed offerings Autopilot represents a significant leap forward In addition to the fully managed control plane that GKE has always provided using the Autopilot mode of operation automatically applies industry best practices and can eliminate all node management operations maximizing your cluster efficiency and helping to provide a stronger security posture  Learn more Partnering with Intel to accelerate cloud native GーAs we continue to grow cloud native services for the telecommunications industry we re excited to announce a collaboration with Intel to develop reference architectures and integrated solutions for communications service providers to accelerate their deployment of G and edge network solutions  Learn more Veeam Backup for Google Cloud now availableーVeeam Backup for Google Cloud automates Google native snapshots to securely protect VMs across projects and regions with ultra low RPOs and RTOs and store backups in Google Object Storage to enhance data protection while ensuring lower costs for long term retention Migrate for Anthos GAーWith Migrate for Anthos customers and partners can automatically migrate and modernize traditional application workloads running in VMs into containers running on Anthos or GKE Included in this new release  In place modernization for Anthos on AWS Public Preview to help customers accelerate on boarding to Anthos AWS while leveraging their existing investment in AWS data sources projects VPCs and IAM controls Additional Docker registries and artifacts repositories support GA including AWS ECR basic auth docker registries and AWS S storage to provide further flexibility for customers using Anthos Anywhere on prem AWS etc  HTTPS Proxy support GA to enable MA functionality access to external image repos and other services where a proxy is used to control external access Week of Feb Feb Introducing Cloud Domains in previewーCloud Domains simplify domain registration and management within Google Cloud improve the custom domain experience for developers increase security and support stronger integrations around DNS and SSL  Learn more Announcing Databricks on Google CloudーOur partnership with Databricks enables customers to accelerate Databricks implementations by simplifying their data access by jointly giving them powerful ways to analyze their data and by leveraging our combined AI and ML capabilities to impact business outcomes  Learn more Service Directory is GAーAs the number and diversity of services grows it becomes increasingly challenging to maintain an inventory of all of the services across an organization Last year we launched Service Directory to help simplify the problem of service management Today it s generally available  Learn more Week of Feb Feb Introducing Bare Metal Solution for SAP workloadsーWe ve expanded our Bare Metal Solutionーdedicated single tenant systems designed specifically to run workloads that are too large or otherwise unsuitable for standard virtualized environmentsーto include SAP certified hardware options giving SAP customers great options for modernizing their biggest and most challenging workloads  Learn more TB SSDs bring ultimate IOPS to Compute Engine VMsーYou can now attach TB and TB Local SSD to second generation general purpose N Compute Engine VMs for great IOPS per dollar  Learn more Supporting the Python ecosystemーAs part of our longstanding support for the Python ecosystem we are happy to increase our support for the Python Software Foundation the non profit behind the Python programming language ecosystem and community  Learn more  Migrate to regional backend services for Network Load BalancingーWe now support backend services with Network Load Balancingーa significant enhancement over the prior approach target pools providing a common unified data model for all our load balancing family members and accelerating the delivery of exciting features on Network Load Balancing  Learn more Week of Feb Feb Apigee launches Apigee XーApigee celebrates its year anniversary with Apigee X a new release of the Apigee API management platform Apigee X harnesses the best of Google technologies to accelerate and globalize your API powered digital initiatives Learn more about Apigee X and digital excellence here Celebrating the success of Black founders with Google Cloud during Black History MonthーFebruary is Black History Month a time for us to come together to celebrate and remember the important people and history of the African heritage Over the next four weeks we will highlight four Black led startups and how they use Google Cloud to grow their businesses Our first feature highlights TQIntelligence and its founder Yared Week of Jan Jan BeyondCorp Enterprise now generally availableーBeyondCorp Enterprise is a zero trust solution built on Google s global network which provides customers with simple and secure access to applications and cloud resources and offers integrated threat and data protection To learn more read the blog post visit our product homepage  and register for our upcoming webinar Week of Jan Jan Cloud Operations Sandbox now availableーCloud Operations Sandbox is an open source tool that helps you learn SRE practices from Google and apply them on cloud services using Google Cloud s operations suite formerly Stackdriver with everything you need to get started in one click You can read our blog post or get started by visiting cloud ops sandbox dev exploring the project repo and following along in the user guide  New data security strategy whitepaperーOur new whitepaper shares our best practices for how to deploy a modern and effective data security program in the cloud Read the blog post or download the paper    WebSockets HTTP and gRPC bidirectional streams come to Cloud RunーWith these capabilities you can deploy new kinds of applications to Cloud Run that were not previously supported while taking advantage of serverless infrastructure These features are now available in public preview for all Cloud Run locations Read the blog post or check out the WebSockets demo app or the sample hc server app New tutorial Build a no code workout app in stepsーLooking to crush your new year s resolutions Using AppSheet Google Cloud s no code app development platform you can build a custom fitness app that can do things like record your sets reps and weights log your workouts and show you how you re progressing Learn how Week of Jan Jan State of API Economy Report now availableーGoogle Cloud details the changing role of APIs in amidst the COVID pandemic informed by a comprehensive study of Apigee API usage behavior across industry geography enterprise size and more Discover these trends along with a projection of what to expect from APIs in Read our blog post here or download and read the report here New in the state of no codeーGoogle Cloud s AppSheet looks back at the key no code application development themes of AppSheet contends the rising number of citizen developer app creators will ultimately change the state of no code in Read more here Week of Jan Jan Last year s most popular API postsーIn an arduous year thoughtful API design and strategy is critical to empowering developers and companies to use technology for global good Google Cloud looks back at the must read API posts in Read it here Week of Dec Dec A look back at the year across Google CloudーLooking for some holiday reading We ve published recaps of our year across databases serverless data analytics and no code development Or take a look at our most popular posts of Week of Dec Dec Memorystore for Redis enables TLS encryption support Preview ーWith this release you can now use Memorystore for applications requiring sensitive data to be encrypted between the client and the Memorystore instance Read more here Monitoring Query Language MQL for Cloud Monitoring is now generally availableーMonitoring Query language provides developers and operators on IT and development teams powerful metric querying analysis charting and alerting capabilities This functionality is needed for Monitoring use cases that include troubleshooting outages root cause analysis custom SLI SLO creation reporting and analytics complex alert logic and more Learn more Week of Dec Dec Memorystore for Redis now supports Redis AUTHーWith this release you can now use OSS Redis AUTH feature with Memorystore for Redis instances Read more here New in serverless computingーGoogle Cloud API Gateway and its service first approach to developing serverless APIs helps organizations accelerate innovation by eliminating scalability and security bottlenecks for their APIs Discover more benefits here Environmental Dynamics Inc makes a big move to no codeーThe environmental consulting company EDI built and deployed business apps with no coding skills necessary with Google Cloud s AppSheet This no code effort not only empowered field workers but also saved employees over hours a year Get the full story here Introducing Google Workspace for GovernmentーGoogle Workspace for Government is an offering that brings the best of Google Cloud s collaboration and communication tools to the government with pricing that meets the needs of the public sector Whether it s powering social care visits employment support or virtual courts Google Workspace helps governments meet the unique challenges they face as they work to provide better services in an increasingly virtual world Learn more Week of Nov Dec Google enters agreement to acquire ActifioーActifio a leader in backup and disaster recovery DR offers customers the opportunity to protect virtual copies of data in their native format manage these copies throughout their entire lifecycle and use these copies for scenarios like development and test This planned acquisition further demonstrates Google Cloud s commitment to helping enterprises protect workloads on premises and in the cloud Learn more Traffic Director can now send traffic to services and gateways hosted outside of Google CloudーTraffic Director support for Hybrid Connectivity Network Endpoint Groups NEGs now generally available enables services in your VPC network to interoperate more seamlessly with services in other environments It also enables you to build advanced solutions based on Google Cloud s portfolio of networking products such as Cloud Armor protection for your private on prem services Learn more Google Cloud launches the Healthcare Interoperability Readiness ProgramーThis program powered by APIs and Google Cloud s Apigee helps patients doctors researchers and healthcare technologists alike by making patient data and healthcare data more accessible and secure Learn more here Container Threat Detection in Security Command CenterーWe announced the general availability of Container Threat Detection a built in service in Security Command Center This release includes multiple detection capabilities to help you monitor and secure your container deployments in Google Cloud Read more here Anthos on bare metal now GAーAnthos on bare metal opens up new possibilities for how you run your workloads and where You can run Anthos on your existing virtualized infrastructure or eliminate the dependency on a hypervisor layer to modernize applications while reducing costs Learn more Week of Nov Tuning control support in Cloud SQL for MySQLーWe ve made all flags that were previously in preview now generally available GA empowering you with the controls you need to optimize your databases See the full list here New in BigQuery MLーWe announced the general availability of boosted trees using XGBoost deep neural networks DNNs using TensorFlow and model export for online prediction Learn more New AI ML in retail reportーWe recently commissioned a survey of global retail executives to better understand which AI ML use cases across the retail value chain drive the highest value and returns in retail and what retailers need to keep in mind when going after these opportunities Learn more  or read the report Week of Nov New whitepaper on how AI helps the patent industryーOur new paper outlines a methodology to train a BERT bidirectional encoder representation from transformers model on over million patent publications from the U S and other countries using open source tooling Learn more or read the whitepaper Google Cloud support for NET ーLearn more about our support of NET as well as how to deploy it to Cloud Run NET Core now on Cloud FunctionsーWith this integration you can write cloud functions using your favorite NET Core runtime with our Functions Framework for NET for an idiomatic developer experience Learn more Filestore Backups in previewーWe announced the availability of the Filestore Backups preview in all regions making it easier to migrate your business continuity disaster recovery and backup strategy for your file systems in Google Cloud Learn more Introducing Voucher a service to help secure the container supply chainーDeveloped by the Software Supply Chain Security team at Shopify to work with Google Cloud tools Voucher evaluates container images created by CI CD pipelines and signs those images if they meet certain predefined security criteria Binary Authorization then validates these signatures at deploy time ensuring that only explicitly authorized code that meets your organizational policy and compliance requirements can be deployed to production Learn more most watched from Google Cloud Next OnAirーTake a stroll through the sessions that were most popular from Next OnAir covering everything from data analytics to cloud migration to no code development  Read the blog Artifact Registry is now GAーWith support for container images Maven npm packages and additional formats coming soon Artifact Registry helps your organization benefit from scale security and standardization across your software supply chain  Read the blog Week of Nov Introducing the Anthos Developer SandboxーThe Anthos Developer Sandbox gives you an easy way to learn to develop on Anthos at no cost available to anyone with a Google account Read the blog Database Migration Service now available in previewーDatabase Migration Service DMS makes migrations to Cloud SQL simple and reliable DMS supports migrations of self hosted MySQL databasesーeither on premises or in the cloud as well as managed databases from other cloudsーto Cloud SQL for MySQL Support for PostgreSQL is currently available for limited customers in preview with SQL Server coming soon Learn more Troubleshoot deployments or production issues more quickly with new logs tailingーWe ve added support for a new API to tail logs with low latency Using gcloud it allows you the convenience of tail f with the powerful query language and centralized logging solution of Cloud Logging Learn more about this preview feature Regionalized log storage now available in new regions in previewーYou can now select where your logs are stored from one of five regions in addition to globalーasia east europe west us central us east and us west When you create a logs bucket you can set the region in which you want to store your logs data Get started with this guide Week of Nov Cloud SQL adds support for PostgreSQL ーShortly after its community GA Cloud SQL has added support for PostgreSQL You get access to the latest features of PostgreSQL while Cloud SQL handles the heavy operational lifting so your team can focus on accelerating application delivery Read more here Apigee creates value for businesses running on SAPーGoogle Cloud s API Management platform Apigee is optimized for data insights and data monetization helping businesses running on SAP innovate faster without fear of SAP specific challenges to modernization Read more here Document AI platform is liveーThe new Document AI DocAI platform a unified console for document processing is now available in preview You can quickly access all parsers tools and solutions e g Lending DocAI Procurement DocAI with a unified API enabling an end to end document solution from evaluation to deployment Read the full story here or check it out in your Google Cloudconsole Accelerating data migration with Transfer Appliances TA and TAーWe re announcing the general availability of new Transfer Appliances Customers are looking for fast secure and easy to use options to migrate their workloads to Google Cloud and we are addressing their needs with next generation Transfer Appliances Learn more about Transfer Appliances TA and TA Week of Oct B H Inc accelerates digital transformationーThe Utah based contracting and construction company BHI eliminated IT backlog when non technical employees were empowered to build equipment inspection productivity and other custom apps by choosing Google Workspace and the no code app development platform AppSheet Read the full story here Globe Telecom embraces no code developmentーGoogle Cloud s AppSheet empowers Globe Telecom employees to do more innovating with less code The global communications company kickstarted their no code journey by combining the power of AppSheet with a unique adoption strategy As a result AppSheet helped Globe Telecom employees build business apps in just weeks Get the full story Cloud Logging now allows you to control access to logs via Log ViewsーBuilding on the control offered via Log Buckets  blog post you can now configure who has access to logs based on the source project resource type or log name all using standard IAM controls Logs views currently in Preview can help you build a system using the principle of least privilege limiting sensitive logs to only users who need this information  Learn more about Log Views Document AI is HIPAA compliantーDocument AI now enables HIPAA compliance Now Healthcare and Life Science customers such as health care providers health plans and life science organizations can unlock insights by quickly extracting structured data from medical documents while safeguarding individuals protected health information PHI Learn more about Google Cloud s nearly products that support HIPAA compliance Week of Oct Improved security and governance in Cloud SQL for PostgreSQLーCloud SQL for PostgreSQL now integrates with Cloud IAM preview to provide simplified and consistent authentication and authorization Cloud SQL has also enabled PostgreSQL Audit Extension preview for more granular audit logging Read the blog Announcing the AI in Financial Crime Compliance webinarーOur executive digital forum will feature industry executives academics and former regulators who will discuss how AI is transforming financial crime compliance on November Register now Transforming retail with AI MLーNew research provides insights on high value AI ML use cases for food drug mass merchant and speciality retail that can drive significant value and build resilience for your business Learn what the top use cases are for your sub segment and read real world success stories Download the ebook here and view this companion webinar which also features insights from Zulily New release of Migrate for AnthosーWe re introducing two important new capabilities in the release of Migrate for Anthos Google Cloud s solution to easily migrate and modernize applications currently running on VMs so that they instead run on containers in Google Kubernetes Engine or Anthos The first is GA support for modernizing IIS apps running on Windows Server VMs The second is a new utility that helps you identify which VMs in your existing environment are the best targets for modernization to containers Start migrating or check out the assessment tool documentation Linux Windows New Compute Engine autoscaler controlsーNew scale in controls in Compute Engine let you limit the VM deletion rate by preventing the autoscaler from reducing a MIG s size by more VM instances than your workload can tolerate to lose Read the blog Lending DocAI in previewーLending DocAI is a specialized solution in our Document AI portfolio for the mortgage industry that processes borrowers income and asset documents to speed up loan applications Read the blog or check out the product demo Week of Oct New maintenance controls for Cloud SQLーCloud SQL now offers maintenance deny period controls which allow you to prevent automatic maintenance from occurring during a day time period Read the blog Trends in volumetric DDoS attacksーThis week we published a deep dive into DDoS threats detailing the trends we re seeing and giving you a closer look at how we prepare for multi terabit attacks so your sites stay up and running Read the blog New in BigQueryーWe shared a number of updates this week including new SQL capabilities more granular control over your partitions with time unit partitioning the general availability of Table ACLs and BigQuery System Tables Reports a solution that aims to help you monitor BigQuery flat rate slot and reservation utilization by leveraging BigQuery s underlying INFORMATION SCHEMA views Read the blog Cloud Code makes YAML easy for hundreds of popular Kubernetes CRDsーWe announced authoring support for more than popular Kubernetes CRDs out of the box any existing CRDs in your Kubernetes cluster and any CRDs you add from your local machine or a URL Read the blog Google Cloud s data privacy commitments for the AI eraーWe ve outlined how our AI ML Privacy Commitment reflects our belief that customers should have both the highest level of security and the highest level of control over data stored in the cloud Read the blog New lower pricing for Cloud CDNーWe ve reduced the price of cache fill content fetched from your origin charges across the board by up to along with our recent introduction of a new set of flexible caching capabilities to make it even easier to use Cloud CDN to optimize the performance of your applications Read the blog Expanding the BeyondCorp AllianceーLast year we announced our BeyondCorp Alliance with partners that share our Zero Trust vision Today we re announcing new partners to this alliance Read the blog New data analytics training opportunitiesーThroughout October and November we re offering a number of no cost ways to learn data analytics with trainings for beginners to advanced users Learn more New BigQuery blog seriesーBigQuery Explained provides overviews on storage data ingestion queries joins and more Read the series Week of Oct Introducing the Google Cloud Healthcare Consent Management APIーThis API gives healthcare application developers and clinical researchers a simple way to manage individuals consent of their health data particularly important given the new and emerging virtual care and research scenarios related to COVID Read the blog Announcing Google Cloud buildpacksーBased on the CNCF buildpacks v specification these buildpacks produce container images that follow best practices and are suitable for running on all of our container platforms Cloud Run fully managed Anthos and Google Kubernetes Engine GKE Read the blog Providing open access to the Genome Aggregation Database gnomAD ーOur collaboration with Broad Institute of MIT and Harvard provides free access to one of the world s most comprehensive public genomic datasets Read the blog Introducing HTTP gRPC server streaming for Cloud RunーServer side HTTP streaming for your serverless applications running on Cloud Run fully managed is now available This means your Cloud Run services can serve larger responses or stream partial responses to clients during the span of a single request enabling quicker server response times for your applications Read the blog New security and privacy features in Google WorkspaceーAlongside the announcement of Google Workspace we also shared more information on new security features that help facilitate safe communication and give admins increased visibility and control for their organizations Read the blog Introducing Google WorkspaceーGoogle Workspace includes all of the productivity apps you know and use at home at work or in the classroomーGmail Calendar Drive Docs Sheets Slides Meet Chat and moreーnow more thoughtfully connected Read the blog New in Cloud Functions languages availability portability and moreーWe extended Cloud Functionsーour scalable pay as you go Functions as a Service FaaS platform that runs your code with zero server managementーso you can now use it to build end to end solutions for several key use cases Read the blog Announcing the Google Cloud Public Sector Summit Dec ーOur upcoming two day virtual event will offer thought provoking panels keynotes customer stories and more on the future of digital service in the public sector Register at no cost 2022-02-28 21:00:00
GCP Cloud Blog Celebrating our tech and startup customers https://cloud.google.com/blog/topics/inside-google-cloud/celebrating-tech-and-startup-customers/ Celebrating our tech and startup customersOur tech and startup customers are disrupting industries driving innovation and changing how people do things We re proud of their success and want to showcase what they re up to You ll hear about their new products their businesses reaching new milestones and their ability to get things done faster and easier using Google Cloud s app development data analytics and AI ML services Puppet CTO increases development speedHear Puppet CTO Deepak Giridharagopal discuss how they managed to build Puppet s first Saas product Relay fast while also ensuring they would be able to remain agile if growth was to happen quickly Watch video Vimeo builds a fully responsive video platform on Google CloudThe video platform Vimeo leverages managed database services from Google Cloud to serve up billions of views around the world each day Read how it uses Cloud Spanner to deliver a consistent and reliable experience to its users no matter where they are  Find out more  Nylas improved price performance by You don t have to choose between price performance and x compatibility Hear from David Ting SVP of Engineering and CISO at nylas to learn how Google s x based Tau VMs delivered better price performance than competing Arm based VMs Watch now Optimizely partners with Google Cloud on experimentation solutions Build the next big thing with Optimizely Experimentation on Google Cloud driving innovation and next gen experimentation for enterprise companies and marketers Check it out 2022-02-28 21:00:00
GCP Cloud Blog Understanding Chrome browser support options for your business https://cloud.google.com/blog/products/chrome-enterprise/chrome-browser-support-options-for-your-business/ Understanding Chrome browser support options for your businessKeeping business running is essential to maintaining employee productivity Some IT teams like the added assurance of Chrome support to help tackle unexpected issues and avoid potential downtime In the event of an issue our browser experts can help troubleshoot online or over the phone and get your team back up and running no matter what time of day it is  With Chrome you have a variety of support options for your business We ve put together a list of these below as well as detailed how to start opening tickets today Understanding your support optionsWith the many support options available IT teams can choose the one that s right for their organization  For starters many organizations prefer to manage their Chrome deployment using our readily available online resources Our Help Center hosts articles on a variety of topics with detailed information and step by step instructions for how to deploy and manage Chrome in enterprise environments There s also an online community where admins can post questions for other Chrome admins and Google teams to troubleshoot issues or learn best practices However some companies want direct access to Chrome experts and we have you covered  Many enterprises already have access to Chrome s support team included in their existing agreements with Google Customers receive Chrome support for their entire organization if they have any of the following or more Chrome Enterprise Upgrade licenses across Chrome OS or Chrome OS Flex or more Google Workspace licensesGoogle Cloud Platform Enhanced or Premium supportIf you re looking for another option we also offer standalone Chrome Browser Enterprise Support This option is priced per user or through a site license and requires a minimum amount of licenses If you re interested in learning more about this option contact us Role accessBefore creating a support ticket  ensure that you have the appropriate role access level required to receive support  As a Chrome Enterprise Upgrade or Google Workspace customer you may need to have Super Admin access or have your Super Admin create this role for you To create the admin role access have your super admin navigate to Account gt Admin Roles and click Create new role Check the box under the Security section that says “Support and click the save button  For Google Cloud Platform customers you need to have a Tech Support Editor role before creating any support cases How to open a support ticketAfter you ve picked a support option that is right for your organization and confirmed you had the right administrative access you re ready to start opening up support tickets  If you re a Chrome Enterprise Upgrade or Google Workspace customer opening tickets is as simple as Opening the Google admin console and browse to the home pageScrolling down and click on the Support button to launch the Help AssistantClicking “contact support select your product and describe your issue or questionYou will be presented with some relevant support articles and if those don t answer your question click on “This didn t help continue to Support Select your method of contact and work with Support to resolve your issue or questionIf you re a Google Cloud Platform customer follow these steps to create a new support case  Sign in to the Google Cloud Console Support page as a support userSelect the project for which you d like to open a support caseOpen “Cases Click “Create case Complete the required fields and submit the formWhile IT teams can t predict all potential issues before they arise the Chrome team is always here to help troubleshoot them Having the right support for your business can be a game changer in today s hybrid work environment Choose the right option for your business to stay one step ahead 2022-02-28 20:15: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件)