投稿時間:2021-07-02 04:39:21 RSSフィード2021-07-02 04:00 分まとめ(43件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Security Blog How to integrate third-party IdP using developer authenticated identities https://aws.amazon.com/blogs/security/how-to-integrate-third-party-idp-using-developer-authenticated-identities/ How to integrate third party IdP using developer authenticated identitiesAmazon Cognito identity pools enable you to create and manage unique identifiers for your users and provide temporary limited privilege credentials to your application to access AWS resources Currently there are several out of the box external identity providers IdPs to integrate with Amazon Cognito identity pools including Facebook Google and Apple If your application s primary … 2021-07-01 18:27:52
AWS AWS Security Blog How to integrate third-party IdP using developer authenticated identities https://aws.amazon.com/blogs/security/how-to-integrate-third-party-idp-using-developer-authenticated-identities/ How to integrate third party IdP using developer authenticated identitiesAmazon Cognito identity pools enable you to create and manage unique identifiers for your users and provide temporary limited privilege credentials to your application to access AWS resources Currently there are several out of the box external identity providers IdPs to integrate with Amazon Cognito identity pools including Facebook Google and Apple If your application s primary … 2021-07-01 18:27:52
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) 比線形な相関を持つデータが、モデルに影響を及ぼすことはあるのか? https://teratail.com/questions/347197?rss=all 比線形な相関を持つデータが、モデルに影響を及ぼすことはあるのか疑問に思いましたが、ググってもいい答えが見つからなかったのでご質問します。 2021-07-02 03:42:49
海外TECH Ars Technica Judge tears Florida’s social media law to shreds for violating First Amendment https://arstechnica.com/?p=1777626 calls 2021-07-01 18:22:11
海外TECH DEV Community Announcing Clojure Morsels https://dev.to/corasaurus_hex/announcing-clojure-morsels-56ma Announcing Clojure MorselsI m happy to announce that we have started a totally free newsletter called Clojure Morsels In it you ll find links and summaries about all kinds of Clojure related topics from articles to tools to tutorials to jobs You can find out more about it on our Twitter account Let us know if you enjoy it and or have feedback You can find me as Cora on Clojurians Slack if you want to chat 2021-07-01 18:49:37
海外TECH DEV Community What is GraphQL? https://dev.to/shrutikapoor08/what-is-graphql-hj5 What is GraphQL In simple terms it s like when you go to a pizza place and order a Make your own pizza you pick the base the sauce the cheese the toppings and when the pizza is done you get exactly what you asked for With REST its like you pick a pizza from the predefined menu items You may get the toppings you want but you may also get other toppings like tomatoes you didn t ask for and sometimes we will just have to manually pick the tomatoes out of it In technical terms a GraphQL is a query language a syntax for querying for data from any data source be it an API or database GraphQL is an alternative to REST APIs and provides a new way of asking for data GraphQL lets you specify what data fields you need and delivers exactly those fields GraphQL specification defines the set of rules for implementing a GraphQL API Important point to note is that GraphQL isn t a query language for your database Unlike SQL you don t have a query such as SELECT from users for your database Instead GraphQL syntax defines how to ask for data from your API the syntax of a GraphQL query looks like this query getUsers users firstname So the QL in GraphQL means a query language for your API not database A cool thing to note is that GraphQL can be used with any data source such as REST APIs amp database It can be plugged anywhere built in any language and can be fit on top of any database and tech stack which means that you can use GraphQL on top of REST APIs and still get the benefits of GraphQL without having to tear down existing REST based architecture You can use GraphQL in a Java app JavaScript app Python Django NextJSGraphQL fits on both client and server side layers You build a GraphQL API on the server side and then consume this GraphQL API on the client side by firing GraphQL requests queries mutations etc There are tools such as Apollo that provide full stack solutions to help build GraphQL API on the server and consume it on the client side REST vs GraphQL example Making an API requestLet s say that we want to fetch a user s name In a REST API we have an endpoint that we can use to make a GET request The endpoint may look like users id If we use a curl request to make a call and pass in id of a user it will look like this curl H Content Type application json https www example com api users Let s look at how GraphQL request will look The GET operation of REST is done by Query in GraphQL We don t have a separate endpoint for users in GraphQL Every request is sent to graphql endpoint In order to describe what data we are interested in we pass the relevant parameters to Query operation and describe which Query we are interested in A GraphQL API may support something like getUsers Query which is a query we can use to get users A curl request to a GraphQL API looks like curl X POST H Content Type application json data query user id name https www example com graphqlTry out sample GraphQL requests here REST vs GraphQL Implementing the APIIn REST world we will have resource implementations for each of our operations such as GET user id is mapped to getUser String id getUser defines what data is passed if this endpoint is called This resource implementation will also call any downstream operation if need be other APIs or fetch directly from the database In GraphQL when implementing a GraphQL API we need to first the define the schema of the API Schema is a complete description of what queries mutations and parameters are allowed A GET operation is done by Query in GraphQL We can specify what arguments a query accepts in a Schematype Query getUser id String What we return from this getUser query is defined by a function called resolvers Resolvers define what data should be returned when a field is called Every query is mapped to a resolver A resolver function can call any API or data sources Our resolver can be written like this getUser args const id args fetch from database API when a client fetches getUser query they will get back data like this data name Sample name GraphQL terminologyQuery Query is similar to GET in REST When we want to fetch information from a GraphQL API we use Query Mutation A mutation is used when we want to mutate the data on the server A mutation is similar to PUT POST DELETE PATCH in a REST API Schema Schema is a complete representation of what operations a GraphQL API supports Major differences between REST and GraphQLRESTGraphQLREST has multiple endpoints GraphQL has one endpoint graphqlREST APIs support PUT GET POST DELETE PATCHGraphQL supports Query Mutation SubscriptionREST endpoints are populated by resource implementationsGraphQL fields are populated by resolvers level status codes level status codesOften times roundtrips need to be done in order to fetch complete dataYou can fetch multiple fields therefore fetch all the data you need with one requesttShape of the data is determined by the serverShape of the data is determined by the client calling the API When to use GraphQL vs RESTWhen to use GraphQLWhen you have multiple downstream APIsWhen you have extraneous data coming from downstream APIsWhen you care about which fields are being used by which clients With the help of GraphQL you can have field level instrumentation When you care about ensuring that all clients have the most up to date version of your API With GraphQL since there is one endpoint all updates are given to everyone When you want to build a UI first API When you care about underfetching and overfetching When to use REST When you depend heavily on caching When you don t know a complete set of fields you may get from downstream APIs With GraphQL you need to know the schema upfront When you rely heavily on status codes of downstream APIs Everything in GraphQL is a so you will need to parse the response object or errors object Prereqs to learn GraphQLWhile I don t think there is necessarily any pre reqs it helps to know the following Fundamentals of API developmentREST APIsHTTP A language of choice for implementing GraphQL API JavaScript Go Java Python etc Resources to learn GraphQLGraphQL orghowtographqlGraphQL book by Eve PorcelloUdemy course by Stephen Grider TL DRIn plain words GraphQL is a syntax for asking for data The big difference between REST and GraphQL is that there is one endpoint only graphql and in addition to making the call to the API endpoint and passing desired parameters we also need to provide exactly what fields we want to access In technical terms GraphQL is a specification and provides a way for querying for data The specification specifies what should happen when data is requested and mutated GraphQL specifies a way to ask for data and delivers exactly the data that was requested Since it is a specification GraphQL APIs can be created in language JavaScript Java Go Python Other GraphQL resources I have published What is GraphQL and why should you use it Front End Happy Hour PodcastCommon GraphQL misconceptionsUsing GraphQL in an enterpriseMoving from Redux to GraphQLGraphQL amp State ManagementGraphQL Hub under constructionGet articles like this in your inboxWork with me in real time 2021-07-01 18:22:56
海外TECH DEV Community Time traveling with Fluree https://dev.to/fluree/time-traveling-with-fluree-30nj Time traveling with Fluree IntroWhen you get down to it if you are building an app with Fluree as the backend it is simplest to think of Fluree as a database This can be a useful way to think about working with Fluree but by doing so there is a lot being left on the table The unique combination of technologies which make Fluree what it is enable some extremely powerful functionality and unlock ways of working with data which are either uncommon or simply not possible with other data stores Let s talk about what some of those are how to use them and what this type of functionality could enable in your Fluree backed application BackgroundIn addition to a graph database for querying data Fluree is built with an immutable ledger as the backbone which holds the dataset This part of Fluree is what enables some really interesting and particularly unique functionality Immutable ledger is one of those terms which I had to Google in order to understand when I started at Fluree so let s break that down a bit Fluree associates related data elements called subjects Each subject has an id which is used to correlate the attributes called predicates and the values of those predicates together to form the facts about that subject Fluree is based on an extended version of the WC standard for RDF which is where this notion of SPO Subject Predicate Object comes from You can think of it like a row in a db table with id being the unique identifier for the row predicates are the columns and the values are the fields Each field makes up a fact about the instance of data stored in that particular row in the db For example in a Dog table with a Breed column each row corresponds to a unique Dog who is described by the attributes and fields The same idea holds in Fluree An id groups the related predicates which point to values in order to make up the facts of that subject So the dog breed predicate would point at an object french bulldog for example At the point in time when that fact was written to the ledger that specific subject s breed was french bulldog Each of these facts are stored in an immutable data structure Immutable means that those data structures are not available to be modified or changed in any way Instead of simply changing a value or updating a row in the data Fluree will make a new true fact in the ledger and associate it with the appropriate subject If this is a value which is being modified then Fluree will make two new facts one where the old fact is false and the second a new true fact both of these facts are then associated with the subject and written to the ledger This is part of the extension to RDF Each flake contains a boolean which indicates whether it is true or has been falsified You can read more about this in the flakes page in the docs This brings us to what a ledger is You can think of a ledger as discrete units or blocks which contain the history of the data as it is transacted These blocks are made of groups of immutable facts which are sent to an instance of Fluree Each block is linked to the one which came before it so there is a chain of blocks from when the ledger was created to the current block In Fluree this chain is queryable which means once some data has been transacted to Fluree you have the history of every data element in that data set Time travelSo back to those powerful pieces of functionality I mentioned at the beginning There are two ways of querying the data which enable what we call time travel in the Fluree world There are block queries and history queries both unlock elements of Fluree which are only possible because of the immutable data structures and the ledger Block queries enable querying the data state at specific moments in time and history queries allow you to get an overview of all of the modifications to a particular subject WhyWe ll get into how each of these types of queries work but first why does this even matter One of the primary benefits to having this type of view into your data is the ability to correlate events with the data state at the time that event happened For example say you are tracking prices for flights and you want to see what effect the weather had on flight prices or which day of the week prices tended to be the cheapest The sky s the limit for these types of analytical queries You also may want to enable your users to see the state of some piece of data when it was updated I saw a comment on a LinkedIn post once and was pretty sure that the commenter worked for the company who s post he was commenting on but his current job title was recently updated so I couldn t tell where he worked when the comment was added only where he currently worked the current state of the data This type of functionality can be useful in a wide range of circumstances or situations Having a way to view not only the current state of the data table stakes for any database but a way to see the state of a piece of data at a specified time OR for a specified range of time can be extremely useful Fluree goes a step further though When you are querying some data a point in time you are also seeing all of the facts which were true at that time as well This includes all of the relationships which existed at the time This is something which is not possible in any other database or data store that I am aware of You are able to query not only the historical values of something in your data but also all of the context associated with that data as well That is huge Now think about how you would go about making something like this in your db of choice Building out a historical view of a table in a traditional database whether in a relational or NoSQL db is a large and expensive maintenance burden the size of your db will explode because of data duplication without significant optimization and querying these db tables or documents can become relatively complex specifically what happens to references Does the reference point to the current table or is there a way to manage the reference such that it points to the correct row in the historical table What happens when you want to do a join to with another table There isn t an expedient or simple way to do either of those things to my knowledge One or two other data stores enable historical views but are not able to pull in all of the context and maintain relationships as well Putting it all togetherBoth of these operations are exposed via an API within a Fluree db instance Simply passing a JSON to the block or history endpoint is all that is needed to query this type of data Let s get into how to use each of these queries I will be using the Fluree Query Language FlureeQL which is a JSON based way to query the backend Fluree also supports querying via GraphQL SPARQL SQL or calling these endpoints directly from Clojure but we ll use FlureeQL to illustrate this functionality If you want to read more about our query surfaces check out the query pages for more details Block QueriesThere are two ways to query a block in Fluree You can either issue a query against the block endpoint which returns the flakes in that particular block or range of blocks or you can add a block key to a basic query issued to the query endpoint This basic query method of querying can and probably will pull in facts which were transacted to the ledger before the specified block When you issue a regular query with a block key you are issuing a query as if the specified block were the current block Each of these types of query is beneficial and can be useful depending on how you need to view your data Let s start with a query issued to the block endpoint This type of query currently supports keys block number prettyPrint boolean prettyPrint is a boolean which if true prints the results in a pretty printed aka styled format for easier reading as well as separating the asserted and retracted flakes into their own arrays in order to make them easier to parse The block key is much more interesting It can take a number a string in the form of an ISO formatted date time or duration or an array which specifies a range of block for the query For example to query a specific block block You can query via a time stamp This will return the first block which was transacted before this timestamp In other words it will give you the facts which were true at that time block T Z You can also use an ISO formatted duration block PTM This will return the state of the data as of minutes ago If you would like to query a range of blocks you can pass an array containing the blocks you would like to see This range is inclusive meaning the data returned will include both blocks you put in the array block You can also pass an array with a single block which will specify a lower also inclusive block and return the facts from that block up to the current block Using the block endpoint will return an array of flakes each of which is a fact stored in Fluree at that block or range of blocks While this is useful it is probably more realistic that you would want to see a specific set of data using a normal query but have the results returned as if they had been issued at some point in the past This is also enabled in Fluree by issuing a query to the query endpoint which contains the block key value pair This key expects the value to be structured in the same way as the examples above with the value being one of a number a formatted string or an array of block numbers So the main difference is that this type of query will pull in data which is not limited to a specific block it returns data as if the query had been issued when that block was the current block For example if you had a Dog collection of subjects in your ledger you could issue this query to see all of the dogs which had been transacted and not deleted as of block select from Dog block To read more on querying blocks check out the docs pages for block queries and querying with the block key History QueriesThe way a history query is structured and issued is relatively similar to block queries but are fairly different in what results are returned As I mentioned above a history query returns all of the modifications to a subject I like to think of a block query showing the breadth of the data at a specific time and the history query as looking down the timeline of a specific piece of data For example if you had a customer in your dataset who has connections to other customers you could see the history of that customer s connections from when they first joined your application up to the current block If you wanted to see the connections that customer had at a specific block or over a range of blocks that is possible as is using the ISO date times or durations You can build a history query using FlureeQL in JSON the same way you would with a block query For example if you know the subject s id you can simply hit the history endpoint like this history This query will return an array of objects each object containing the block and t numbers for that block and an array of flakes for that subject Another option is to issue a history query with a block key in order to constrain the results of the query to a specific timeframe in your data That looks like this history block This query will return the flakes for this id up to block You can also use a block range or use the ISO formatted string similar to the block queries Using a flake format is another way you can issue a history query This means that you can use pieces of data to identify the subject you want to query This works via the subject predicate object structure of a flake You pass the elements you want to use to query in an array as the value of the history key in the query JSON The array needs to be passed as subject predicate object but you do not have to use all elements in the array for the query to resolve Please note that the order of these within the array is important and either a subject or a predicate is required For example if you want to query for the history of all subjects matching the predicate object pair dog breed french bulldog in your collection you could query the ledger like this history null dog breed french bulldog Another way this could be done is using either a subject id with a predicate or substitute a two tuple which uniquely identifies a subject for the id That would look like this history dog favFoods or with a two tuple history dog name Jacques dog favFoods Both of these queries will return the history of the predicate dog favFoods for the dog specified with either the subject id or the unique identifier of dog name Jacques used to identify the subject you want to inspect Similar to the block queries a history query can also accept a prettyPrint key value pair When true this will return the history of the subject or predicate as indicated but will separate out the retracted and asserted flakes per block into their own arrays That looks like this history prettyPrint true which will return something in this type of structure asserted id dog breed french bulldog retracted In the return JSON each block containing data which matches the query is its own labeled object containing a named array for asserted and retracted showAuth There is one other extremely powerful way to use history queries to audit the history of who transacted the data You can issue a showAuth boolean key value pair or an array of auth id or auth subject id s in order to filter the history query to specific auth record s transactions Because each transaction is signed by a private key which is associated cryptographically with the auth id every flake in Fluree contains a record of who issued that transaction This is the way to view that data It looks like this history showAuth true This will return an array of block objects each of which will contain a named array of auth which consists of the auth s subject id and the auth id of the individual man or machine which signed that block Which will look something like this block flakes dog true null cat true null ferret true null t auth TexTgpzpMkxJqnThrgwkUdpwzaXABX For more information on how Fluree stores and interacts with identity and authorization please take a look at the identity section in the docs Wrap it upSo that s how you can go about time traveling in Fluree There are powerful tools which come out of the box which enable you to do things like query as of a specific moment in time see how a subject evolved over time in your dataset or get all of the data which was transacted by a specific auth record You can read more about it in our docs site or if you would prefer to engage with our community come join us on Slack For more detail about this subject you can watch our Time and Immutability Webinar on YouTube This has video has a publicly available demo which you can review here fluree time webinar Demo app which uses the create react app template for Fluree to embed a webworker with the application This demo showcases functionality around issuing block and history queries Time and Immutability Webinar DemoThis is the repository used for the demo in the Time and Immutability Webinar Set upTo begin working with this demo app you will need to have Fluree running locally on your machineFor detailed instruction on getting Fluree installed please visit the installation page on the docs site You will also need to have Node js installed on your machine The data folder contains the seed data for using this application as it is shown in the webinarTo get the data loaded into your Fluree instance follow these steps Open the Admin UI and create a ledger called time webinar Using either the Admin UI or a REST client of your choosing Postman Insomnia etc transact the files in the data folder in order to your ledgerThis will transact the schemaThe airports and tags for the statusesThe flight json files… View on GitHub 2021-07-01 18:18:35
海外TECH DEV Community 8 Advanced Google Search Operator to Ease Your Job https://dev.to/muhimen123/8-advanced-google-search-operator-to-ease-your-job-17jd Advanced Google Search Operator to Ease Your JobWhen in doubt Google itAs a developer Google is one of the most useful tool you will ever use However if you want to get the most out of your tool just a simple google search might not be what you are looking for Sometimes you need to dig deep to get your way out So here is a list of some useful Google Search Operator that I use regularly for exact match searchWrap your search term with double quotes and Google will try to yield results consisting of the exact search term ORIf you want to get a search result for either X or Y then simply just search X OR Y or you can also do X Y However if any of the search terms consists of more than one word wrap them with quotes defineIf you face some foreign word and want to know the meaning instead of typing meaning of xyz try define xyzdoesn t work all the time Exclude Use minus sign before any word that you don t want in the search result For example python programming siteOnly show the search result from the site you defined site dev to react intitleLooks if a specific word you mentioned is in the URL intitle devto intextSimilar to intitle but this time it will search for a specific word inside the actual content filetypeIf you want the result file something different from the default HTML you can use filetype like this filetype txt programmingThat was if from my end But there are still quite a few for you to explore If you are interested to see the possibilities take a look at this blog 2021-07-01 18:13:37
海外TECH DEV Community How to debug Node.js apps in Visual Studio Code https://dev.to/logrocket/how-to-debug-node-js-apps-in-visual-studio-code-1ha5 How to debug Node js apps in Visual Studio CodeWritten by Ayooluwa Isaiah ️The Visual Studio Code editor has all the tools to debug Node js applications effectively Its built in debugger can debug any application that targets the Node js runtime even if the source code for the application is a language that transpiles to JavaScript such as TypeScript When beginning a debugging session you must inspect the call stack and any scoped variables in their current state You can also evaluate expressions in the editor and step through the code to drill into the problematic parts Setting up a project for Node js debugging is not particularly difficult and this tutorial will help you get it right on the first try PrerequisitesBefore beginning ensure the most recent versions of both Node js and Visual Studio Code are installed This tutorial uses v and respectively You also need a Node js project you can use your own or download this sample URL shortener application The instructions to set it up are in the project s README file Start a debugging session in Visual Studio CodeThe easiest way to start a debugging session in Visual Studio Code is to open a file in the editor click the Run View icon in the Activity Bar or press Ctrl Shift D on your keyboard followed by the Run and Debug button at the top left corner of the application The Visual Studio Code debugger will try to auto detect the debug environment for your project but if this fails you will be prompted to select the appropriate environment in this case select Node js The Node js legacy option refers to the old JavaScript debugger which is still available but not recommended After selecting an environment the project launches and the debugger attaches to the process You can see the output of your project in the DEBUG CONSOLE and the debug toolbar appears at the top of the screen to step through the code pause the script or end the session On the left hand side of the editor there are five panes titled VARIABLES WATCH CALL STACK LOADED SCRIPTS and BREAKPOINTS You also can create a launch configuration file for the project to configure and save debugging setup details that are infinitely reusable by anyone working on the project This configuration file is saved as launch json in the vscode folder at the root of the project Create the configuration file by clicking the create a launch json file link in the RUN AND DEBUG RUN view After selecting the environment for your project the launch json file should appear in the editor with the following contents vscode launch json version configurations type pwa node request launch name Launch URL Shortener skipFiles lt node internals gt program workspaceFolder src server js The name of the configuration is how it will be identified in the Configurations menu the program that will run is specified in the program field There are many options that can be set on each configuration such as the arguments to pass to the program environment variables and pre debugging tasks Read the documentation to find out which settings are relevant to your project Once you ve finished setting up the project configuration select and execute through the Configuration dropdown menu Attach an External Node js processAnother option to begin a debugging session is attaching to an external Node js process Start the program with the following command node inspect src server jsOr if you want the debugger to attach before the program starts running add node inspect brk src server jsAfter executing either of the above commands you can open a process picker within Visual Studio Code which lists all the processes that are available to the Node js debugger To open the process picker type Ctrl Shift P and find the Debug Attach to Node Process command This opens a menu that lists each individual Node js process running on your machine There may be several entries but it should be easy enough to select the one you are interested in Select the relevant entry to start the debugging session Creating a breakpointBreakpoints allow you to pause the code execution on a specific line to inspect it You can create breakpoints in Visual Studio Code almost anywhere except function declaration statements You are not restricted from doing so on variable declarations expressions comments and blank lines Create a breakpoint by clicking the gutter to the left of the line numbers in the editor As you move your mouse across the numbers a red circle appears on each line Clicking the red circle on a line causes it to turn bright red indicating that an active breakpoint is present on that line You can repeat this for all the lines in your program that are relevant to the problem you re trying to solve When you create a breakpoint in the handler for a route for instance you can trigger it by executing that part of the code by making a request to the route using the browser or tools like Postman or curl This causes the program to stop executing and you can inspect the values of any current scope identifier in the VARIABLES pane by hovering on the line of the current breakpoint that s highlighted in yellow This is similar to the JavaScript debugger in web browsers In the BREAKPOINTS pane all the breakpoints that are enabled in your project are available You can edit or disable any breakpoint from there which is helpful if you have several breakpoints across different files in your application You can also break on all exceptions that occur in your application or uncaught exceptions only In the latter case this means the debugger pauses before the error message prints and you can inspect what may have gone wrong before the process exits A variant of breakpoints that is useful for the debugging workflow is the logpoint which logs a message or value to the console instead of pausing the code execution and breaking into the debugger Think of it as a more sophisticated console log statement that is easy to add and remove without editing the code itself It is represented by a red diamond shaped icon in place of the red circle Set a logpoint by right clicking the gutter and selecting Add Logpoint This brings up an input field where you can log text to the console If you want to log the value of an expression or a variable place it within curly brackets Inspecting valuesLet s take a deeper look at how you can inspect values in your program as it runs The main aspects the editor pays attention to are the VARIABLES and WATCH panes VARIABLES paneThe VARIABLES pane is where you can inspect the values of variables and expressions that were evaluated at the breakpoint If you open the context menu by right clicking on any of the values listed you can perform a few actions on the variable Set Value lets you modify the variable s value to test certain values while code is executing Copy Value copies the value of a variable to the clipboard Copy as Expression copies an expression to access the variable Add to Watch adds the variable to the WATCH pane for monitoring WATCH paneThe main benefit of the WATCH pane is that you can easily bring values that you want to monitor into view while the code is paused Instead of digging through a deeply nested property in the VARIABLES pane each time you want to check its value you can add it to the WATCH pane for easy access This is most useful when determining the values of several variables at once since they are automatically recalculated in the execution Tracing the path of code executionThe debug toolbar at the top of the editor provides several commands to navigate through the debugger efficiently When you re trying to find the path the program took to get to a specific line or function these features prove invaluable Continue F When the program halts at a breakpoint you can use this button to resume the execution of the code until the next breakpoint if any Step Over F This command executes the currently highlighted line and pauses before the next line executes You can run the command to move down a function and fully understand it s executed in the process If you use this command on a line that calls a function it executes the entire function and pauses at the line underneath the function call Step Into F The Step Into command works just like Step Over except when it hits a function call it enters the invoked function and pauses on the first line This is a useful way to move from one place to another in your codebase without skipping any details Step Out Shift F This command continues the execution and pauses at the last line of the current function This can be used if you accidentally enter a function that is not relevant to the problem you re attempting to solve This command helps you get out of that function and back to the relevant bits quickly Restart Ctrl Shift F Use this to reset the debugger instead of killing and launching it again Stop Shift F When you re done debugging a program use this command to exit the debugging session If you attach to an external Node js process an icon appears to disconnect from the process instead Debugging TypeScript with source mapsMany Node js projects are now written in TypeScript which can also be debugged with Visual Studio Code To begin enable sourceMap in your tsconfig json file compilerOptions sourceMap true Once enabled attach to the running process and set breakpoints in your TypeScript file Visual Studio Code searches the entire project for source maps excluding the node modules folder You can use the outFiles attribute in your launch configuration file to specify the exact location where Visual Studio Code must look for source maps this should be the location of the JavaScript output version configurations type pwa node request launch name Launch TypeScript skipFiles lt node internals gt preLaunchTask compile program workspaceFolder src server ts outFiles workspaceFolder dist js If you re using ts node to run your project without a build step the process is simpler Instead of using the launch json configuration above use the following version configurations type pwa node request launch name Launch Server skipFiles lt node internals gt runtimeArgs r ts node register args workspaceFolder src server ts There is no program attribute so runtimeArgs registers ts node as the handler for TypeScript files and the first argument to args is the entry file for the program Once this is set up you can start a debugging session ConclusionIn this tutorial we ve addressed many of the important aspects of debugging Node js projects in Visual Studio Code For more information on all the features that the debugger offers refer to the online documentation Thanks for reading and happy debugging s only ️Monitor failed and slow network requests in productionDeploying a Node based web app or website is the easy part Making sure your Node instance continues to serve resources to your app is where things get tougher If you re interested in ensuring requests to the backend or third party services are successful try LogRocket LogRocket is like a DVR for web apps recording literally everything that happens on your site Instead of guessing why problems happen you can aggregate and report on problematic network requests to quickly understand the root cause LogRocket instruments your app to record baseline performance timings such as page load time time to first byte slow network requests and also logs Redux NgRx and Vuex actions state Start monitoring for free 2021-07-01 18:02:54
Apple AppleInsider - Frontpage News Apple's Lisa Jackson, Arnold Schwarzenegger talk climate action https://appleinsider.com/articles/21/07/01/apples-lisa-jackson-arnold-schwarzenegger-talk-climate-action?utm_medium=rss Apple x s Lisa Jackson Arnold Schwarzenegger talk climate actionApple senior vice president Lisa Jackson attended the Austrian World Summit to speak with organizer Arnold Schwarzenegger about combating climate change and Apple s environmental progress Credit Schwarzenegger Climate InitiativeThe Austrian World Summit organized by the Schwarzenegger Climate Initiative saw Schwarzenegger speak to guests from the corporate and government worlds about combating climate change At one point on Thursday the actor and former California governor spoke to Jackson Apple s SVP of Environment Policy and Social Initiatives about the company s environmental goals and progress Read more 2021-07-01 18:57:45
Apple AppleInsider - Frontpage News How to install iOS 15 & iPadOS 15 public betas https://appleinsider.com/articles/21/07/01/how-to-install-ios-15-ipados-15-public-betas?utm_medium=rss How to install iOS amp iPadOS public betasAll of Apple s upcoming software updates are now available for anybody to test as part of the company s public beta program Here s how to take iOS iPadOS and Apple s other updates for a spin yourself Apple s public beta offeringsCurrently iOS iPadOS tvOS watchOS and macOS Monterey are all available in public beta It may be tempting to jump on the beta train but as we discussed when Apple released the developer betas in June it isn t always a good idea Read more 2021-07-01 18:32:51
Apple AppleInsider - Frontpage News Facebook cloud gaming still coming to iOS, eventually https://appleinsider.com/articles/21/07/01/facebook-cloud-gaming-still-coming-to-ios-eventually?utm_medium=rss Facebook cloud gaming still coming to iOS eventuallyThe mobile first cloud gaming service created by Facebook is Android and web only at present but the company says that it remains committed to bringing it to iOS in the future Facebook cloud gaming has over touch friendly optionsFacebook gaming launched in private beta in October but only to Android and web users The service has more than games and is available to of mainland United States users Read more 2021-07-01 18:28:50
Apple AppleInsider - Frontpage News Brydge announces new Brydge 11 Max+ keyboard for 11-inch iPad Pro, iPad Air https://appleinsider.com/articles/21/07/01/brydge-announces-new-brydge-11-max-keyboard-for-11-inch-ipad-pro-ipad-air?utm_medium=rss Brydge announces new Brydge Max keyboard for inch iPad Pro iPad AirBrydge has debuted its latest keyboard the Brydge Max designed as a less expensive alternative to Apple s inch Magic Keyboard for iPad Announced on Thursday the new Brydge Max boasts the same features as the other keyboards in Brydge s lineup This includes a native multi touch trackpad a Magnetic SnapFit case instant on connectivity and adjustable backlit keys The Brydge Max is compatible with the inch iPad Pro as well as the iPad Air It connects to iPad via Bluetooth and has up to three months of battery life per charge Read more 2021-07-01 18:05:31
海外TECH Engadget 'Ratchet & Clank Rift Apart' gets a performance boost on 120Hz displays https://www.engadget.com/ratchet-clank-rift-apart-performance-boost-120-hz-40-fps-184409958.html?src=rss x Ratchet amp Clank Rift Apart x gets a performance boost on Hz displaysRatchet amp Clank Rift Apart should now look smoother and feel more responsive if you play Sony s latest PS exclusive in fidelity mode on a Hz display The latest patch bumps up the framerate from fps to fps in that mode The update slightly makes up for the lack of variable refresh rate VRR support on PS as things stand though Sony plans to enable that through an update in the future The fidelity mode prioritizes visuals over performance offering ray tracing and up to K resolution but the framerate was capped at fps The performance and performance RT modes have lower resolution but run the game at fps Aiming for fps might seem like an odd number when we re so used to having Hz and Hz displays Because divides neatly into a Hz screen will show a new frame on every three refreshes As The Verge notes that will help ensure Ratchet amp Clank Rift Apart looks smooth if you have a compatible display It ll certainly seem slicker than a framerate that doesn t match up with how often a screen refreshes which could cause screen tearing The framerate issue should become less complicated for PS developers once the VRR update arrives Xbox Series X S and many PC GPUs currently have VRR support and more Hz monitors and TVs are hitting the market Meanwhile Insomniac rolled out an update for its other PS blockbuster Spider Man Miles Morales The patch improved the quality of ray traced reflections while using the Performance RT mode according to the studio 2021-07-01 18:44:09
海外TECH Engadget Longer TikTok videos are coming to everyone https://www.engadget.com/tiktok-three-minute-videos-now-available-182016623.html?src=rss Longer TikTok videos are coming to everyoneBack in December TikTok started allowing some of its best known creators to upload longer videos to the platform Instead of adhering to the usual second limit they could share clips that were as long as three minutes Starting today and “over the coming weeks TikTok says it will roll out that capability to everyone You ll get a notification from the app once you can use the feature TikTok says it s making the change to give people more flexibility when it comes to crafting their videos especially when it comes to content like cooking and beauty tutorials that are tough to pull off over a series of short clips “With longer videos creators will have the canvas to create new or expanded types of content on TikTok with the flexibility of a bit more space the company says of the change Now that the feature is becoming more widely available it will be interesting to see how the TikTok community responds to it When some of the first longer videos hit the platform the response was one of collective bewilderment After all the second format is so central to TikTok s identity That s not to say longer videos will erode the app s popularity but you always worry when a platform moves away even if it s just a small step from what made it popular in the first place 2021-07-01 18:20:16
海外TECH Network World 10 competitors Cisco just can’t kill off https://www.networkworld.com/article/3623822/10-competitors-cisco-just-cant-kill-off.html#tk.rss_all competitors Cisco just can t kill off In compiling this iteration of our list of competitors Cisco can t kill off one thing is clear The competition is fierce amongst the bigger players Nearly all the networking giant s competitors have refreshed their product lines or bought into technology to compete more closely with Cisco But that s not to say Cisco has been sitting still by any means The most powerful companies in enterprise networking The company has expanded and refreshed its core Catalyst Nexus and Silicon One networking gear and made major strides in security and software Going forward it wants to lead the industry in network as a service To read this article in full please click here 2021-07-01 18:18:00
海外TECH CodeProject Latest Articles VRCalc++ Object Oriented Scripting Language :: Vincent Radio {Adrix.NT} https://www.codeproject.com/Articles/1272020/VRCalcplusplus-Object-Oriented-Scripting-Language dynamic 2021-07-01 18:27:00
海外科学 NYT > Science Here’s How Biden Aims to Increase Electric Car Sales https://www.nytimes.com/2021/07/01/climate/biden-electric-cars-tailpipe-emissions.html pollution 2021-07-01 18:23:28
海外科学 NYT > Science Are ‘Heat Pumps’ the Answer to Heat Waves? Some Cities Think So. https://www.nytimes.com/2021/06/30/climate/heat-pumps-climate.html conditioners 2021-07-01 18:34:44
海外科学 BBC News - Science & Environment Blue Origin flight: Wally Funk, 82, to join Jeff Bezos space flight https://www.bbc.co.uk/news/world-us-canada-57686654 historic 2021-07-01 18:08:58
ニュース BBC News - Home Wally Funk, 82, to join Jeff Bezos space flight https://www.bbc.co.uk/news/world-us-canada-57686654 historic 2021-07-01 18:08:58
ニュース BBC News - Home Federer sets up Wimbledon clash with Norrie https://www.bbc.co.uk/sport/tennis/57674964 cameron 2021-07-01 18:46:46
ニュース BBC News - Home Global tax overhaul backed by 130 countries https://www.bbc.co.uk/news/business-57573380 corporate 2021-07-01 18:32:16
ニュース BBC News - Home Canada Lytton: Heatwave record village overwhelmingly burned in wildfire https://www.bbc.co.uk/news/world-us-canada-57678054 canada 2021-07-01 18:06:38
ビジネス ダイヤモンド・オンライン - 新着記事 【意外な結果】100年前の都道府県人口ランキング!1位東京、2位大阪、3位は? - ニュース3面鏡 https://diamond.jp/articles/-/274379 都道府県 2021-07-02 03:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 「福田赳夫の系譜」が政治支配、正統な後継者かどうかは疑問符 - 永田町ライヴ! https://diamond.jp/articles/-/275593 当意即妙 2021-07-02 03:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 米雇用の需給ギャップ、問題複雑化の背景は? - WSJ PickUp https://diamond.jp/articles/-/275627 wsjpickup 2021-07-02 03:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 日本企業に包囲網、PEファンドが虎視眈々 - WSJ PickUp https://diamond.jp/articles/-/275628 wsjpickup 2021-07-02 03:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 中年期に陥る心の「しんどい」には理由があった - ニュース3面鏡 https://diamond.jp/articles/-/275491 中年期に陥る心の「しんどい」には理由があったニュース面鏡中年期の約が陥るといわれている心理的危機「ミッドライフ・クライシス」。 2021-07-02 03:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 日本初「ひきこもり白書」の1686人調査で判明、ひきこもる人の実像とは? - 「引きこもり」するオトナたち https://diamond.jp/articles/-/275609 日本初「ひきこもり白書」の人調査で判明、ひきこもる人の実像とは「引きこもり」するオトナたち人の調査に基づく日本初の「ひきこもり白書」が出版された。 2021-07-02 03:32:00
ビジネス ダイヤモンド・オンライン - 新着記事 【論破王】ひろゆきの教え「凡人はコピぺ能力をひたすら磨きなさい」 - 1%の努力 https://diamond.jp/articles/-/275211 youtube 2021-07-02 03:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 忙しい人ほどやりがちな「肥満を加速させる最悪の行動」 - 医者が教えるダイエット 最強の教科書 https://diamond.jp/articles/-/275371 思い込み 2021-07-02 03:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 「何かやる気でない…」そんな時パッと切り替えられる1つのコツ - 習慣超大全 https://diamond.jp/articles/-/275201 自由自在 2021-07-02 03:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 「自分のアタマで考える力」を伸ばす親の習慣ベスト4 - 子育てベスト100 https://diamond.jp/articles/-/274128 trick 2021-07-02 03:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 【不動産投資こそFIREへの近道】 はじめての店舗付き物件で トラブル発生!(4棟目) - 元証券ウーマンが不動産投資で7億円 https://diamond.jp/articles/-/274620 2021-07-02 03:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 「ワクチンパスポート」欧州で初の実用化 - WSJ発 https://diamond.jp/articles/-/275731 欧州 2021-07-02 03:07:00
ビジネス ダイヤモンド・オンライン - 新着記事 【大学付属校の中学受験】 難関進学校より大学付属校の ほうが“対策”がしやすい 最大の理由とは? - 中学受験 大学付属校 合格バイブル https://diamond.jp/articles/-/273973 2021-07-02 03:05:00
ビジネス 不景気.com 米ギャップがイギリスの全店舗を閉鎖へ、伊・仏は売却交渉 - 不景気.com https://www.fukeiki.com/2021/07/gap-close-uk-store.html 閉鎖 2021-07-01 18:14:32
北海道 北海道新聞 プラごみ、野生生物の摂取深刻 世界1500種で確認 https://www.hokkaido-np.co.jp/article/562452/ 野生 2021-07-02 03:18:00
Azure Azure の更新情報 General availability: Azure Security Center updates for June 2021 https://azure.microsoft.com/ja-jp/updates/asc-june2021/ availability 2021-07-01 18:15:24
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 Jun Jul 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 Related ArticleHow HBO Max uses reCAPTCHA Enterprise to make its customer experience frictionlessBalancing product marketing customer and security needs without slowing down signups Read ArticleWeek 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 Related ArticleNew Tau VMs deliver leading price performance for scale out workloadsCompute Engine s new Tau VMs based on AMD EPYC processors provide leading price performance for scale out workloads on an x based archi Read ArticleWeek 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 Related ArticleAll about cables A guide to posts on our infrastructure under the seaAll our posts on Google s global subsea cable system in one handy location Read ArticleWeek 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 Related ArticleColossus under the hood a peek into Google s scalable storage systemAn overview of Colossus the file system that underpins Google Cloud s storage offerings Read ArticleWeek 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 Related Article businesses transforming with SAP on Google CloudBusinesses globally are running SAP on Google Cloud to take advantage of greater agility uptime and access to cutting edge smart analyt Read ArticleWeek 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 Related ArticleA handy new Google Cloud AWS and Azure product mapTo help developers translate their prior experience with other cloud providers to Google Cloud we have created a table showing how gener Read ArticleWeek 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 Related ArticleAnthos learning series All the videos in one placeIn under an hour you ll learn how Anthos lets you develop run and secure applications across your hybrid and multicloud environments Read ArticleWeek 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 Related ArticleSRE at Google Our complete list of CRE life lessonsFind links to blog posts that share Google s SRE best practices in one handy location Read ArticleWeek 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 Related ArticleAPI design Links to our most popular postsFind our most requested blog posts on API design in one location to read now or bookmark for later Read ArticleWeek 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 Related ArticleIn case you missed it All our free Google Cloud training opportunities from QSince January we ve introduced a number of no cost training opportunities to help you grow your cloud skills We ve brought them togethe Read ArticleWeek 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 Related Article cheat sheets to help you get started on your Google Cloud journeyWhether you need to determine the best way to move to the cloud or decide on the best storage option we ve built a number of cheat shee Read ArticleWeek 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 Related ArticleSRE fundamentals SLIs vs SLAs vs SLOsWhat s the difference between an SLI an SLO and an SLA Google Site Reliability Engineers SRE explain Read ArticleWeek 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 Related ArticleCloud computing Frequently asked questionsWhat are containers What s a data lake What does that acronym stand for Get answers to the questions you re too afraid to ask Read ArticleWeek 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 Related Article Google Cloud tools each explained in under minutesNeed a quick overview of Google Cloud core technologies Quickly learn these Google Cloud productsーeach explained in under two minutes Read ArticleWeek 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 Related ArticlePicture this whiteboard sketch videos that bring Google Cloud to lifeIf you re looking for a visual way to learn Google Cloud products we ve got you covered The Google Cloud Tech YouTube channel has a ser Read ArticleWeek 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 The Logs Explorer histogramWeek 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 Related ArticleColossus under the hood a peek into Google s scalable storage systemAn overview of Colossus the file system that underpins Google Cloud s storage offerings Read ArticleWeek 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 Related Article quick tips for making the most of Gmail Meet Calendar and more in Google WorkspaceWhether you re looking to stay on top of your inbox or make the most of virtual meetings most of us can benefit from quick productivity Read ArticleWeek 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 Related Article resources to help you get started with SREHere are our top five Google Cloud resources for getting started on your SRE journey Read ArticleWeek 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 Related ArticleOptimize your browser deployment Links to our most popular Chrome Insider postsFind all the posts in our Chrome Insider blog series so you can read them all in one place or bookmark them for later Read ArticleWeek 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 Related ArticleA giant list of Google Cloud resourcesThe growth of Google Cloud has been staggering I decided to invest some time in building you a comprehensive list of resources Read ArticleWeek 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 Related ArticleThe Service Mesh era All the posts in our best practices blog seriesFind all the posts in our Service Mesh Era blog series in one convenient locationーto read now or bookmark for later Read ArticleWeek 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 Related Article database trends to watchUsing managed cloud database services like Cloud SQL Spanner and more can bring performance scale and more See what s next for mode Read ArticleWeek 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 2021-07-01 20:00:00
GCP Cloud Blog Creating a unified analytics platform for digital natives https://cloud.google.com/blog/topics/developers-practitioners/creating-unified-analytics-platform-digital-natives/ Creating a unified analytics platform for digital nativesDigital native companies have no shortage of data which is often spread across different platforms and Software as a service SaaS tools As an increasing amount of data about the business is collected democratizing access to this information becomes all the more important While many tools offer in application statistics and visualizations centralizing data sources for cross platform analytics allows everyone at the organization to get an accurate picture of the entire business With Firebase BigQuery and Looker digital platforms can easily integrate disparate data sources and infuse data into operational workflows leading to better product development and increased customer happiness How it worksIn this architecture BigQuery becomes the single source of truth for analytics receiving data from various sources on a regular basis Here we can take use of the broad Google ecosystem to directly import data from Firebase Crashlytics Google Analytics Cloud Firestore and query data within Google Sheets Additionally third party datasets can be easily pushed into BigQuery with data integration tools like FiveTran  Within Looker data analysts can leverage pre built dashboards and data models or LookML through source specific Looker Blocks By combining these accelerators with custom first party LookML models analysts can join across the data sources for more meaningful analytics Using Looker Actions data consumers can leverage insights to automate workflows and improve overall application health The architecture s components are described below Data sourceNameDescriptionGoogle data sourcesGoogle Analytics Tracks customer interactions in your applicationFirebase CrashlyticsCollects and organizes Firebase application crash informationCloud Firestore Backend database for your Firebase applicationGoogle SheetsSpreadsheet service that can be used to collect manually entered first party data Third party data sourcesCustomer Relationship Management Platform CRM Manages customer data While we use Salesforceas a reference the same ideas can be applied to other tools Issue tracking or Project Management softwareCan help product and engineering teams track bug fixes and new feature development in applications While we use JIRA as a reference the same ideas can be applied to other tools Customer support software or a help deskA tool that organizes customer communications to help businesses respond to customers more quickly and effectively While we use Zendesk as a reference the same ideas can be applied to other tools Cross functional analyticsWith the various data sources centralized into BigQuery members across different teams can use the data to make informed decisions Executives may want to combine business goals from a Google Sheet with CRM data to understand how the organization is tracking towards revenue goals In preparation for board or team meetings business leaders can use Looker s integrations with Google Workspace to send query results into Google Sheets and populate a chart inside a Google Slide deck  Technical program managers and site reliability engineers may want to combine Crashlytics CRM and customer support data to prioritize bugs in the application that are affecting the highest value customers or are often brought up inside support tickets Not only can these users easily link back to the Crashlytics console for deeper investigation into the error they can also use Looker s JIRA action to automatically create JIRA issues based on thresholds across multiple data sources  Account and customer success managers CSMs can use a central dashboard to track the health of their customers using inputs like usage trends in the application customer satisfaction scores and crash reports With Looker alerts CSMs can be immediately notified of problems with an account and proactively reach out to customer contacts Getting startedTo get started creating a unified application analytics platform be sure to check out our technical reference guide If you re new to Firebase you can learn more here To get started with BigQuery check out the BigQuery Sandbox and these guides For more information on Looker sign up for a free trial here  Related ArticleSpring forward with BigQuery user friendly SQLThe newest set of user friendly SQL features in BigQuery are designed to enable you to load and query more data with greater precision a Read Article 2021-07-01 18:30:00
GCP Cloud Blog Rubin Observatory offers first astronomy research platform in the cloud https://cloud.google.com/blog/topics/hpc/rubin-science-platform-to-be-hosted-on-google-cloud/ Rubin Observatory offers first astronomy research platform in the cloudThis week the Vera C Rubin Observatory is launching the first preview of its new Rubin Science Platform RSP for an initial cohort of astronomers The observatory which is located in Chile but managed by the U S National Science Foundation s NOIRLab in Tucson AZ and SLAC in California is jointly funded by the NSF and the U S Department of Energy The platform provides an easy to use interface to store and analyze the massive datasets of the Legacy Survey of Space and Time LSST which will survey a third of the sky each night for ten years detecting billions of stars and galaxies and millions of supernovae variable stars and small bodies in our Solar System The LSST datasets are unprecedented in size and complexity and will be far too large for scientists to download to their personal computers for analysis Instead scientists will use the RSP to process query visualize and analyze the LSST data archives through a mixture of web portal notebook and other virtual data analysis services An initial launch with simulated data called Data Preview builds on the Rubin Observatory s three year partnership with Google to develop an Interim Data Facility IDF on Google Cloud to prototype hosting of the massive LSST dataset This agreement marks the first time a cloud based data facility has been used for an astronomy application of this magnitude Bringing the stars to the cloudFor Data Preview the IDF leverages Cloud Storage Google Kubernetes Engine GKE and Compute Engine to provide the Rubin Observatory user community access to simulated LSST data in an early version of the RSP The simulated data were developed over several years by the LSST Dark Energy Science Collaboration to imitate five years of an LSST like survey over square degrees of the sky about times the area of the moon The resulting images are very realistic they have the same instrumental characteristics such as pixel size and sensitivity to photons that are expected from the Rubin Observatory s LSST Camera and they were processed with an early version of the LSST Science Pipelines that will eventually be used to process LSST data “This will be the first time that these workloads have ever been hosted in a cloud environment Researchers will have an opportunity to explore an early version of this platform says Ranpal Gill senior manager and head of communications at the Rubin Observatory Broadening access for more researchersOver scientists and students with Rubin Observatory data rights were selected to participate in Data Preview from a pool of applicants that represents a wide range of demographic criteria regions and experience level Participants will be supported with resources such as tutorials seminars communication channels and networking opportunitiesーand they will be free to pursue their own science at their own pace using the data in the RSP  “The revolutionary nature of the future LSST dataset requires a commensurately innovative system for data access and analysis paired with robust support for scientists says Melissa Graham lead community scientist for the Rubin Observatory and research scientist in the astronomy department at the University of Washington “I m personally excited to enhance my own skills by using the RSP s tools for big data analysis while also helping others to learn and to pursue their LSST related science goals during Data Preview  At the same time the fact that the RSP is hosted in the cloud provides researchers at smaller institutions access to state of the art astronomy infrastructure that is comparable to that of the largest national research centers The launch benefits the observatory too the development team can learn what researchers are interested in while also testing and debugging the platform Graham says that “the platform is still in active development so researchers using it will be able to follow along in the progress and provide feedback on ways that we can optimize the development of the tools Next stepsThe LSST aims to begin the ten year survey in and expects it to include petabytes of data Through the cloud Google aims to help make this extraordinary project scalable and accessible to researchers everywhere To learn more about Data Preview watch this video Want to ramp up your own research in the cloud We offer research credits to academics using Google Cloud for qualifying projects in eligible countries You can find our application form on Google Cloud s website or contact our sales team Related ArticleGoogle Cloud fuels new discoveries in astronomyHigh performance computing and machine learning are accelerating research in the science of astronomy and we re excited to highlight new Read Article 2021-07-01 18:30: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件)