投稿時間:2021-04-29 03:34:44 RSSフィード2021-04-29 03:00 分まとめ(36件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Partner Network (APN) Blog Automate Your AWS DevOps Validation Pipeline with the Infosys Cloud Infrastructure Validation Solution https://aws.amazon.com/blogs/apn/automate-your-aws-devops-validation-pipeline-with-the-infosys-cloud-infrastructure-validation-solution/ Automate Your AWS DevOps Validation Pipeline with the Infosys Cloud Infrastructure Validation SolutionAn often overlooked aspect of migration is the configuration checks on the underlying cloud infrastructure In order to make sure the foundational infrastructure is safe secure and compliant there s a need to validate the cloud configuration early in the migration cycle Infosys has developed an innovative automation solution that addresses the need for secure configuration reviews while ensuring agility and reliability through the migration journey 2021-04-28 17:46:33
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) CSS textareaにpadding-bottom https://teratail.com/questions/335706?rss=all 2021-04-29 02:58:03
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) Javaのクラス型のフィールドとは何か?が知りたいです https://teratail.com/questions/335705?rss=all Javaのクラス型のフィールドとは何かが知りたいです勉強サイトprogeteのJAVAについての質問ですクラス型のフィールドインスタンスフィールドにクラス型の変数を定義することで、フィールドにインスタンスを持つことが可能です。 2021-04-29 02:34:53
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) SmartFormatの"channel.title"の先頭に[│]が入ってしまう。 https://teratail.com/questions/335704?rss=all SmartFormatのquotchanneltitlequotの先頭に│が入ってしまう。 2021-04-29 02:32:26
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) jupyterlab上で、作成し保存したexcelファイルを開くことができません。(python3) https://teratail.com/questions/335703?rss=all python前提・実現したいことjupyterlabをエディタとし、pythonを用いて、urlnbspnbsp「ダイワ上場投信信託ートピックス」の株価を抽出し、Excelファイルに記録する作業をしています。 2021-04-29 02:10:44
Ruby Railsタグが付けられた新着投稿 - Qiita rails new ~ でLoadError: cannot load such file -- sqlite3/2.7/sqlite3_nativeのエラーが出る時の解決 https://qiita.com/iwasan06/items/e0e91538fa16eaad3eff railsnewでLoadErrorcannotloadsuchfilesqlitesqlitenativeのエラーが出る時の解決環境WindowsRubyDevkitxrails生じた問題「railsnewアプリ名」でアプリを作成した際に「LoadErrorcannotloadsuchfilesqlitesqlitenative」というエラーがでてきました。 2021-04-29 02:38:54
海外TECH Ars Technica Michael Collins, who piloted the Apollo 11 command module, has died https://arstechnica.com/?p=1760891 advocate 2021-04-28 17:45:24
海外TECH Ars Technica Epic deposition shows how differently Google and Apple treat messaging https://arstechnica.com/?p=1760845 android 2021-04-28 17:14:14
海外TECH DEV Community NextProps in React Functional Components. https://dev.to/alexandprivate/nextprops-in-react-functional-components-1jc2 NextProps in React Functional Components NextProps in React Functional Components Back in the day when I was young LOL we use react it was more verbose convoluted and lacking today s marvelous upgrades but even when we have some live cycles you really know when to use each of them besides the most important one componentDidMount there was another really important cycle to track props values componentWillReceiveProps Back then you were able to compare the new props values against the current props values likecomponentWillReceiveProps nextProps if nextProps count this props count Do something here since count prop has a new value So let s say you need to do something like this in React today to skip an apollo query or to avoid any kinda side effects inside your components The first thing that may cross your mind is to set some states inside your component to track the props values using a useEffect hook function ComponentGettingProps count restProps const localCount setLocalCount React useState React useEffect gt if count localCount count prop has the same value setLocalCount count do what ever you need to do if the count prop value is the same else count has a new value update the local state setLocalCount count count return Although this works it may get pretty dirty in with the time since you may be checking several props and the logic block may get hard to read So is there any other solution for the case The answer is yes Looky for us we can create a custom hook using one of the greatest react native hooks out there useRef Let s build our custom hook usePrevPropValue function usePrevPropValue value const ref React useRef React useEffect gt ref current value return ref current Magically these hooks will return the previous count value in every re render the reason why this happens is that the stored value of current in ref get saved but not re computed in every render therefore the value you are returning is the previously stored one instead of the current prop value pretty super amazing this is a vivid example that the lack of reactivity is also great Now let s use our hookfunction ComponentGettingProps count restProps const prevCount usePrevPropValue count return lt div gt New count Prev prevCount lt div gt Please notice that in practice we just get rid of defining a new state here but in real life we also get rid of re render this component when updating the state we are not using any more This is the live example in case you need the whole pictureI hope this article helps you in your next project and thanks for reading See ya in the next one 2021-04-28 17:33:20
海外TECH DEV Community Machine learning in Scratch?? 🐱💡 https://dev.to/thormeier/let-s-do-machine-learning-in-scratch-h1c Machine learning in Scratch Wait really Yes absolutely Scratch has all the necessary tools for a working linear regression with gradient descent With a few nifty tricks we can even visualize how the algorithm works What is Scratch though Scratch is a project of the Scratch Foundation in collaboration with the Lifelong Kindergarten Group at the MIT Media Lab It is available for free at Scratch is a tool to teach programming by offering a GUI where instructions are combined via drag amp drop Sprites and backgrounds allow for a user interface with animations and user input One create all kinds of programs like simple interactive movies entire games or well machine learning algorithms Machine learning in Scratch Why would you even do this Because it s possible I wanted to explore the boundaries of Scratch and figure out new ways to solve certain problems It made me understand the algorithm better and think outside the box Besides I ve got a little history in implementing those things in languages or tools you wouldn t expect Algorithm explained Linear regression using gradient descent with PHP Pascal Thormeier・Dec ・ min read machinelearning php computerscience tutorial This post also explains how linear regression works and how to implement it Ok let s implement linear regression in Scratch then Awesome First I need some data For linear regression that s a bunch of XY coordinates Since Scratch doesn t have nested lists I keep them in separate lists A third list keeps track of the error values so we can inspect or display it later I m generating the data now because why not I could simply generate random data but some kind of correlation would be nice UVM has a good formula for that First xxx and yyy are set randomly Then a new yyy is calculated with this formula with rrr as the rate of correlation y x∗r y∗ ry x r y sqrt smash b r y x∗r y∗ r​I create a new sprite with a single red dot in the center and tell it to calculate it s own coordinates as soon as it s created I can then clone this point sprite to create new as many data points as I want The nice thing about this The data is already visualized This comes more or less out of the box I now introduce the variable m and set it to to know how many data points I need Next I create a main sprite that s empty basically the main entry point of my program Think of it like Java s public static void main String args There I reset all the variables set the parameters I need for the linear regression gradient descent and clone the data point m times And that s the result so far Next I create a sprite called error point to plot the error rate The error point is similar to the data point sprite Also since the errors list is already public I introduce two more variables maxIter for the total number of iterations of gradient descent and currentIter to know which iteration I m currently at For each iteration I create a clone of the error point and tell it to adjust itself to get a nice plot of the error rate Next I introduce a sprite called line This is where the main logic will happen The line can basically adjust itself rotate and move whatever its internals tell it to do Linear regression basically tells me the coefficients cc c​ and cc c​ of a linear function I can use those to calculate a single point i e x c c∗x x c c x x c​ c​∗x To calculate the angle α alphaα of the hypotenuse I can use this formula tan⁡α sideadjacentside tan alpha frac side adjacent side tanα adjacentsideside​Therefore α arctan⁡sideadjacentside alpha arctan frac side adjacent side α arctanadjacentsideside​When I assume xxx as and neglect cc c​ this is only moving the line not rotating it I can calculate the angle of the line as this α arctan⁡c alpha arctan c α arctanc​This is then part of the iteration of gradient descent in the line sprite So far so good I ve got data points I ve got an error plot I ve got a line that I can move around Now for the fun part The linear regression with gradient descent itself I ve worked with two lists for x s and y s since Scratch doesn t allow for nested lists Minor inconvenience but nothing that ll stop me So first I ll give the variables used in the loop some default values Next up Looping through the data points to calculate the different between predicted Y and actual Y Next I use the sums descentSumC and descentSumC to calculate new versions of c and c and set them simultaneously After this block ran through the line is adjusted and a new calculation is done Until the maximum number of iterations is reached And this works Yup For the full code and to try it yourself here s the Scratch project scratch mit edu projects I hope you enjoyed reading this article as much as I enjoyed writing it If so leave a ️or a I write tech articles in my free time and like to drink coffee every once in a while If you want to support my efforts buy me a coffee or follow me on Twitter You can also support me directly via Paypal 2021-04-28 17:28:20
海外TECH DEV Community Improving Developer Productivity with DevSpace https://dev.to/loft/improving-developer-productivity-with-devspace-3019 Improving Developer Productivity with DevSpaceWhat makes developers happy and productive If you talk to people who work in the tech industry they will likely all have opinions on it but there s no clear shared definition of developer productivity So how can we measure developer productivity And how can we improve it As someone working for a company that makes tools for developer workflows these questions are very interesting for me I recently read a paper that appeared in ACM Queue magazine which has a fascinating take on those questions The article was written by Nicole Forsgren Margaret Anne Storey Chandra Maddila Thomas Zimmermann Brian Houck and Jenna Butler I m going to refer to them as the authors or Forsgren et al in this post There s a lot of compelling information in the post but the biggest part of it is made up by explaining SPACE a framework that the authors created for understanding developer productivity I will give you a condensed explanation of the framework below but I encourage you to read their post if this topic interests you DevSpaceThe team at Loft has built several tools to help with developer productivity but the best known tool we ve made is DevSpace DevSpace is a free and open source tool that allows developers who are building apps that run in Kubernetes clusters to be more efficient I thought it would be interesting to look at the different ways DevSpace can help with productivity in light of the SPACE framework If you re not familiar with DevSpace we have a great introduction in the docs including a quickstart But I ll give you some of the TL DR here too With DevSpace you can develop against a local Kubernetes cluster or one running in your cloud provider Instead of rebuilding your container after every change made DevSpace hot reloads your code in the container that s already running In the case of an app written in Go for example DevSpace can compile the binary and ship it to the already running container instead of going through a new container build process every time you want to see how your updated code works There are other advantages to developing with DevSpace too like defining your development workflow in code Let s take a look at how the features of DevSpace fit into the SPACE framework The SPACE Framework and DevSpaceSPACE is made up of five categories Satisfaction and well being S Performance P Activity A Communication and collaboration C and Efficiency and flow E Satisfaction and well beingThe paper states that Satisfaction is how fulfilled developers feel with their work team tools or culture well being is how healthy and happy they are and how their work impacts it As the authors point out there is a proven correlation between productivity and satisfaction This category is dear to my heart Anyone who has written code for a living knows how frustrating it can be to wait for things Having to rebuild and deploy containers after every small change is painful enough let alone having to wait until the code goes through regression tests to see your changes Being able to hit Save in your IDE and see the results of your changes quickly not only helps with cycle times but with both satisfaction and well being As the authors point out problems with satisfaction and well being can lead to burnout and other adverse outcomes In the paper Forsgren et al cite a book called Happiness and the Productivity of Software Engineers which covers a study of why developers become unhappy The book states that most of the things that impacted developer happiness negatively came from technical factors related to the artifact software product tests requirements and design document architecture etc and the process That surprised me a bit to read but it also makes a lot of sense Many things go along with writing code but in the end if the technical tools you rely on daily aren t efficient it s going to lead to frustration That frustration can lead to other things like burnout and difficulty retaining talented developers I ve seen shops reduced to a cycle of pain where morale is terrible and people leave because of it which hurts morale even more It can be tough to repair a situation like that PerformancePerformance refers to the outcomes of the software development process including software quality and the impact of what the team is building DevSpace is designed for developing microservices When you set up a project in DevSpace you can define other services that yours depends on in your devspace yaml file This allows you to spin up those dependencies easily and test against them instead of relying on mocks while you test locally No local dev environment will ever be exactly like production but the closer we can get the better What if the API in one of your dependencies changes but the mocks in your tests aren t updated Having a more functionally accurate local development environment can definitely impact service quality ActivityActivity metrics are things like the volume of work being done by developers the number of deployments incidents etc These metrics are ones that people often point to when they look at developer productivity But as Forsgren et al point out These metrics can be used as waypoints to measure some tractable developer activities but they should never be used in isolation to make decisions about individual or team productivity because of their known limitations With DevSpace you can spin up your development environment with a git clone and then a single command Between that and DevSpace s hot reloading you can work faster and commit more DevSpace lets you focus more on what fulfills you building apps and features Communication and collaborationThis category covers things like transparency how expertise is shared the quality of code reviews and onboarding new team members We talked about the ability to define a project and its dependencies in the devspace yaml file Another benefit of that is improved communication By defining developer workflows as code we can cut down some of the confusion that comes up when a team works on a project together Have you ever checked a page in Confluence to see when it was last updated and then done the mental math to try to guess if the documentation was still accurate With DevSpace you can look at devspace yaml to see what the workflow is It s being used all of the time so you know it s current This is also a benefit to onboarding New engineers on your team can learn how devspace yaml and answer more of their own questions Efficiency and flowYou ve probably heard about the idea of flow states and even experienced them yourself This category covers both the individual version of being in a flow state but also how changes flow through the system Things like interruptions can impact flow and factors like the number of handoffs that the code goes through The authors point out that this category can affect the previous ones both positively and negatively Optimizing for individual flow can hurt collaboration for example This is another area where I think DevSpace s hot reloading can have a compelling impact at least on an individual level DevSpace can automatically deploy your changes to your development cluster and do it quickly Instead of having to drop out of your flow state to manage builds you can see results automatically after hitting Save If you do need to rebuild a container instead DevSpace can do that too As the paper mentioned optimizing for individual flow states can have a negative impact on other things like communication and collaboration Cutting down on meetings can help flow and hurt collaboration for example But there s no such negative impact using DevSpace s hot reloading It cuts down on the annoying time required to set up and continuously update your local environment which leaves more time for deep flow work and communication about important things such as features ConclusionThe paper from Forsgren et al is a fascinating look at the topic of developer productivity and I encourage you to read it in detail As we ve seen using DevSpace in your developer workflow can help address the categories in the SPACE framework with different levels of impact At the end of the day developers want to be productive They want to be shipping their work and doing it with tools that enable them to move faster DevSpace is free and open source If you re interested in DevSpace you can watch this short video for a demo on how it works or dive right in and try the quickstart yourself If you have questions you can find us in the Loft Slack or the devspace channel in the Kubernetes Slack 2021-04-28 17:26:50
海外TECH DEV Community Skeleton screens, but fast https://dev.to/tigt/skeleton-screens-but-fast-48f1 Skeleton screens but fastHere s a fun HTTP HTML CSS technique for skeleton screens that works in almost any stack and some small but important details we need to do right by it Most importantly it involves no client side JavaScript because adding JS to make a website feel faster usually is counter productive In fact Zach Leatherman inspired this post by saying Zach Leatherman zachleat For meーI don t think this is worth it Not if it has a JS cost Maybe only for huge images not on by default and definitely not animating it Either way cramforce has a nice No JS blur up demo in his blog post industrialempathy com posts image op… PM Jan Zach Leatherman zachleat anyway ask me what I think about skeleton screens which are basically the same thing PM Jan The newer isomorphic ones like React struggle mightily to stream over HTTP with one exception ーI ll get to it later Skeleton screens Or indicators placeholders whatever The “new design hotness for when computers aren t ready to show you something skeleton screens No not nearly that entertaining Instead of a spinner or progress bar show something shaped like the eventual content ーit orients the user faster hints at what to expect and avoids the page jumping around as it loads The loading process of Polar one of the first apps to popularize the concept of skeleton screens DemoWe can t avoid the time it takes to call a search results API ーwe can cache its responses but how can you cache all possible search queries ahead of time Here s what these search skeletons look like with an artificial search API response delay of seconds And here s some code for how they work lt SiteHead gt lt h gt Search for “ searchQuery lt h gt lt div SearchSkeletons gt lt await searchResultsFetch gt lt stalls the HTML stream until the API returns search results gt lt then result gt lt for product of result products gt lt ProductCard product product gt lt for gt lt then gt lt await gt lt div gt This is that “one exception I mentioned earlier Marko is a JS component framework similar to React but is actually good at server side rendering ーin particular built in support for HTTP streaming And last I checked it s nearly the only thing in Node that does RIP Dust If you re more familiar with other languages frameworks here s how they accomplish something similar to Marko s lt await gt PHPflush and ob flush Ruby on RailsActionController StreamingSpringStreamingResponseBodyASP netI recommend searching for ASP s BufferOutput and Flush yourself because it ll also turn up results warning about possible footguns DjangoThere s a StreamingResponseBody but Django really doesn t care for it You may need to get creative Others not listed hereTry searching for them plus “http stream or “chunked transfer encoding By not waiting on search results before sending HTML browsers get a head start downloading assets booting JS calculating styles and showing the lt SiteHeader gt and lt h gt SearchSkeletons empty height vh Skeletons take up at least the full viewport background image … Assume this is an image of the skeletons for now … SearchSkeletons before This is the faded white bar that scrubs across the skeletons content position absolute height width rem background linear gradient rgba white rgba white … animation shimmer s linear infinite keyframes shimmer transform translateX transform translateX The empty pseudo class is the key While waiting for the search API the opening lt div class SearchSkeletons gt is streamed to browsers without children or a closing tag empty only selects elements without children such as the aforementioned lt div gt As soon as the HTML resumes streaming and fills SearchSkeletons with results empty no longer applies The skeleton styles disappear at the same time the lt ProductCard gt components display reanimating the product skeletons into real products A nice thing about this approach is that if the search endpoint responds quickly empty never matches and browsers waste no resources styling or displaying the product skeletons Avoiding style recalculationDo we need empty Couldn t this also work lt SiteHead gt lt h gt Search for “ searchQuery lt h gt lt style gt SearchSkeletons … lt style gt lt div SearchSkeletons gt lt div gt lt await searchResultsFetch gt lt then result gt lt style gt SearchSkeletons display none lt style gt lt for product of result products gt lt ProductCard product product gt lt for gt lt then gt lt await gt Yes that does work But it s slower appending new CSS to a document triggers “style recalc where browsers update their selector buckets invalidate and re match elements etc We can t avoid browsers performing reflow as that always happens when new HTML streams in But by avoiding additional style recalc Browsers show the new HTML soonerUser interaction doesn t hitch as muchThere s more CPU time left over to run JavaScriptUsing empty vs additional lt style gt elements is a subtle decision but it impacts user experience just the same Hopefully this illustrates why a strong understanding of HTML and CSS is important for making a site fast Hardware accelerated animation or bustAnd if that didn t illustrate why a strong understanding of HTML and CSS is important for making a site fast this sure as hell will A predefined keyframes that only changes the transform property is one way to ensure that an animation is hardware accelerated on the GPU That means it frees up the CPU for all the other responsibilities of the main thread parsing JavaScript user interaction reflow…Skeleton animations that run on the main thread have a raft of complications The shimmer animation will hiccup and stall whenever JavaScript executes the document reflows style recalculates or JSON is parsed The time the CPU spends running the animation makes the above tasks take longer The loading indicator delays the content it s a placeholder for At my job I changed a similar loading animation from using background position to transform The page FPS went from to on a powerful developer MacBook ーimagine how much more on mobile But wait there s more Remember this from the earlier code sample background image … Assume this is an image of the skeletons for now … The TL DR is the background image is made of CSS gradients and so that the skeleton is shown ASAP It makes no sense to have your loading indicator wait on an HTTP request does it I implemented the background images with Sass variables to prevent the skeletons from drifting out of sync with the product cards if any changes were made For example if I tweaked the padding of the actual product cards the following code would also update the spacing of the skeletons skeleton color dfee card padding rem card height rem img height img width img position right card padding top img skeleton linear gradient transparent skeleton color skeleton color img height transparent img height name line size rem name line width ch name line offset card padding name line position card padding name line skeleton linear gradient transparent name line offset skeleton color name line offset skeleton color name line offset name line size transparent name line offset name line size name line width ch name line offset card padding name line size rem name line position card padding name line skeleton linear gradient transparent name line offset skeleton color name line offset skeleton color name line offset name line size transparent name line offset name line size price height rem price width ch price offset name line offset rem price position card padding price skeleton linear gradient transparent price offset skeleton color price offset skeleton color price offset price height transparent price offset price height SearchSkeletons empty background repeat repeat y background image img skeleton name line skeleton name line skeleton price skeleton background size img width card height name line width card height name line width card height price width card height background position img position name line position name line position price position media min width rem SearchSkeletons display grid grid template columns repeat auto fill minmax rem fr grid gap rem rem justify content center amp empty TODO show how to use background repeat x round to make skeletons responsive height auto background none Here s what that Sass compiles to SearchSkeletons empty background repeat repeat y background image linear gradient transparent dfee dfee transparent linear gradient transparent rem dfee dfee rem transparent linear gradient transparent rem dfee dfee rem transparent linear gradient transparent rem dfee dfee rem transparent background size rem ch rem ch rem ch rem background position right rem top rem rem rem I was going to finish this post with how to make these mobile first styles responsive using background repeat but it was making me put off publishing this altogether and that s terrible If you re interested let me know and I ll write a followup 2021-04-28 17:18:05
海外TECH DEV Community TypeScript's Unknown data type https://dev.to/basilebong/typescript-s-unknown-data-type-4p9b TypeScript x s Unknown data typeThere are data types in TypeScript that are better known than others Today I would like to introduce a less known data type unknown The unknown data typeThe unknown type exists since TypeScript the current version is and is a top type Similar to the any type a variable of type unknown accepts values of any type The difference is that a value of type any can be assigned to variables of all types and a value of type unknown can only be assigned to variables of the type any or unknown New variable of type unknown let test unknown Assigning a value to an unknown variable test hello world Works test Works test false Works test gt false Works test new Audio Works Using an unknown variable let myString string test Error Type unknown is not assignable to type string let myBool boolean test Error Type unknown is not assignable to type booelan const test unknown test Works const test any test Works test foo Error Object is of type unknown new test Error Object is of type unknown When to use unknown unknown forces type checking and is safer than any That s why its use should always be favored over any Here is an example with JSON parse which always returns a value of type any In the following situation the code will compile without noticing that there is a huge error The JSON string is not of type IPerson and should not be assignable to the variable phoebe interface IPerson name string age number const jsonString alias rose color red const person JSON parse jsonString This returns anyconst phoebe IPerson person This should throw a type error but doesn t To make our code safer and catch the type error we can use unknown in combination with a custom Type Guard interface IPerson name string age number const jsonString name rose age const person unknown JSON parse jsonString This returns any const notPerson IPerson person Error Type unknown is not assignable to type IPerson Create a custom Type Guard to make sure that the parsed data is of type Person const isPerson data any data is IPerson gt return typeof data name string amp amp typeof data age number Use Type Guard if isPerson person console log This is a person With the Type Guard the assignement of the variable as type Person works const phoebe IPerson person else throw Error Parsed string is not a Person Custom Type Guards in TypeScript Basile Bong・Sep ・ min read webdev javascript typescript Follow me on dev to and twitter ltag user id follow action button background color ffffff important color aafb important border color aafb important Basile Bong Software Developer userlike TypeScript UX Design Machine Learning biking and music French German English and a little Dutch ️He Him CreditsThe unknown Type in TypeScript by Marius SchulzWhen to use TypeScript unknown vs any by Ben Ilegbodu 2021-04-28 17:10:50
海外TECH DEV Community Create CSS Gradient Animations Effortlessly 🌌 https://dev.to/jordienr/create-css-gradient-animations-effortlessly-4je9 Create CSS Gradient Animations Effortlessly Here s a preview of what we ll make Create a gradientI ll save mine in a variable for easy reuse root main gradient linear gradient deg a a ac e Create a container div and add the backgroundWe use background size to zoom into the gradient container background var main gradient background size Create the animationThis is a basic animation that changes the background position Since we zoomed into the gradient it will look like it s moving keyframes gradient background position background position background position Add the animation to our container container background var main gradient background size animation gradient s ease infinite You can check the codepen hereAnd that s it If you enjoy this content consider following me on twitter 2021-04-28 17:02:59
Apple AppleInsider - Frontpage News Apple TV+ content picks up three BAFTA nominations https://appleinsider.com/articles/21/04/28/apple-tv-content-picks-up-three-bafta-nominations?utm_medium=rss Apple TV content picks up three BAFTA nominationsApple TV shows Little America Tiny World and Earth at Night in Color have been nominated for BAFTA TV Awards Apple picks up three BAFTA nominationsApple may have been snubbed at the Oscars but the award season isn t over yet Three Apple TV shows have been nominated for BAFTA TV Awards Read more 2021-04-28 17:42:45
Apple AppleInsider - Frontpage News Alibaba executives fretting about Apple's App Tracking Transparency feature https://appleinsider.com/articles/21/04/28/alibaba-executives-fretting-about-apples-app-tracking-transparency-feature?utm_medium=rss Alibaba executives fretting about Apple x s App Tracking Transparency featureChinese e commerce giant Alibaba recently held a meeting of executives to discuss concerns about Apple s new App Tracking Transparency privacy feature Credit AppleAlibaba executives reportedly explored solutions to the ATT feature in iOS which could threaten the company s advertising business by cutting out the flow of user data However sources familiar with the matter said that there was no clear consensus after the meeting according to The Information Read more 2021-04-28 17:02:11
海外TECH Engadget Watch Samsung's Galaxy Book Pro event in 10 minutes https://www.engadget.com/samsung-galaxy-book-pro-event-supercut-171333466.html laptop 2021-04-28 17:13:33
海外科学 NYT > Science Biden Plans to Propose Banning Menthol Cigarettes https://www.nytimes.com/2021/04/28/health/menthol-ban-cigarettes.html black 2021-04-28 17:22:24
海外科学 NYT > Science John C. Martin, 69, Dies; Led Drugmaker in Breakthroughs https://www.nytimes.com/2021/04/27/business/john-c-martin-69-dies-led-drugmaker-in-breakthroughs.html John C Martin Dies Led Drugmaker in BreakthroughsA chemist by training he turned Gilead Sciences into a leading and lucrative innovator with single pill treatments for H I V and hepatitis C 2021-04-28 17:43:01
海外科学 BBC News - Science & Environment Apollo 11 astronaut Michael Collins dies at 90 https://www.bbc.co.uk/news/world-us-canada-56921562 aldrin 2021-04-28 17:45:19
金融 金融庁ホームページ スチュワードシップ・コード及びコーポレートガバナンス・コードのフォローアップ会議(第26回)議事録について公表しました。 https://www.fsa.go.jp/singi/follow-up/gijiroku/20210331.html 回議 2021-04-28 17:27:00
金融 生命保険おすすめ比較ニュースアンテナ waiwainews ある銀行の担当者 http://seiho.waiwainews.net/view/12337 newsallrightsreserved 2021-04-29 02:16:29
海外ニュース Japan Times latest articles Osaka reports record 1,260 new COVID-19 cases as Tokyo approaches 1,000 https://www.japantimes.co.jp/news/2021/04/28/national/japan-coronavirus-april-28/ previous 2021-04-29 02:33:07
海外ニュース Japan Times latest articles African samurai earns hero status in new anime ‘Yasuke’ https://www.japantimes.co.jp/culture/2021/04/28/tv/african-samurai-netflix-anime-yasuke/ action 2021-04-29 03:15:16
海外ニュース Japan Times latest articles Marine Le Pen doubles Macron’s pandemic pressure https://www.japantimes.co.jp/opinion/2021/04/28/commentary/world-commentary/emmanuel-macron-covid-19-france-marine-le-pen/ Marine Le Pen doubles Macron s pandemic pressureEmmanuel Macron s voter base of affluent urban white collar workers still supports him but his push for economic reform and European integration no longer resonates 2021-04-29 02:24:15
ニュース BBC News - Home Arlene Foster announces resignation as DUP leader and NI first minister https://www.bbc.co.uk/news/uk-northern-ireland-56910045 announces 2021-04-28 17:27:33
ニュース BBC News - Home Electoral Commission to investigate Boris Johnson's Downing Street flat renovations https://www.bbc.co.uk/news/uk-politics-56915307 grounds 2021-04-28 17:10:42
ニュース BBC News - Home Covid: UK orders 60m extra Pfizer doses for booster jabs https://www.bbc.co.uk/news/uk-56921018 groups 2021-04-28 17:50:13
ニュース BBC News - Home India Covid: Hospitals overwhelmed as deaths pass 200,000 https://www.bbc.co.uk/news/world-asia-56919924 number 2021-04-28 17:12:52
ニュース BBC News - Home Apollo 11 astronaut Michael Collins dies at 90 https://www.bbc.co.uk/news/world-us-canada-56921562 aldrin 2021-04-28 17:45:19
ニュース BBC News - Home Julia James: PCSO found dead in remote Snowdown woods https://www.bbc.co.uk/news/uk-england-kent-56916344 james 2021-04-28 17:32:17
ニュース BBC News - Home Fishmongers' Hall: Killer's family 'truly sorry' about attack https://www.bbc.co.uk/news/uk-england-london-56890755 jones 2021-04-28 17:27:02
ニュース BBC News - Home Bingham joins Selby and Wilson in World Championship semi-finals https://www.bbc.co.uk/sport/snooker/56917371 Bingham joins Selby and Wilson in World Championship semi finalsMark Selby and Kyren Wilson move into the semi finals of the World Championship with commanding victories over Mark Williams and Neil Robertson 2021-04-28 17:38:12
ニュース BBC News - Home Covid-19 in India: Cases, deaths and oxygen supply https://www.bbc.co.uk/news/world-asia-india-56891016 charts 2021-04-28 17:17:11
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 Apr Apr 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 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 ArticleThis week on the Google Cloud blog April Here s a round up of the key stories we published this week Read ArticleWeek of Apr Apr 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 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 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 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 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 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 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 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 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 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 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 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 Cloud Run is now available in all Google Cloud regions  Learn more Introducing Apache Spark Structured Streaming connector for Pub Sub LiteーWe re announcing the release of an open source connector to read streams of messages from Pub Sub Lite into Apache Spark The connector works in all Apache Spark X distributions including Dataproc Databricks or manual Spark installations Learn more Google Cloud Next is October ーJoin us and learn how the most successful companies have transformed their businesses with Google Cloud Sign up at g co cloudnext for updates Learn more Hierarchical firewall policies now GAーHierarchical firewalls provide a means to enforce firewall rules at the organization and folder levels in the GCP Resource Hierarchy This allows security administrators at different levels in the hierarchy to define and deploy consistent firewall rules across a number of projects so they re applied to all VMs in currently existing and yet to be created projects Learn more Announcing the Google Cloud Born Digital SummitーOver this half day event we ll highlight proven best practice approaches to data architecture diversity amp inclusion and growth with Google Cloud solutions Learn more and register for free Google Cloud products in words or less edition ーOur popular “ words or less Google Cloud developer s cheat sheet is back and updated for Learn more Gartner names Google a leader in its Magic Quadrant for Cloud AI Developer Services reportーWe believe this recognition is based on Gartner s evaluation of Google Cloud s language vision conversational and structured data services and solutions for developers Learn more Announcing the Risk Protection ProgramーThe Risk Protection Program offers customers peace of mind through the technology to secure their data the tools to monitor the security of that data and an industry first cyber policy offered by leading insurers Learn more Building the future of workーWe re introducing new innovations in Google Workspace to help people collaborate and find more time and focus wherever and however they work Learn more Assured Controls and expanded Data RegionsーWe ve added new information governance features in Google Workspace to help customers control their data based on their business goals Learn more Week of Feb Feb Google Cloud tools explained in minutesーNeed a quick overview of Google Cloud core technologies Quickly learn these Google Cloud productsーeach explained in under two minutes Learn more BigQuery materialized views now GAーMaterialized views MV s are precomputed views that periodically cache results of a query to provide customers increased performance and efficiency Learn more New in BigQuery BI EngineーWe re extending BigQuery BI Engine to work with any BI or custom dashboarding applications that require sub second query response times In this preview BI Engine will work seamlessly with Looker and other popular BI tools such as Tableau and Power BI without requiring any change to the BI tools Learn more Dataproc now supports Shielded VMsーAll Dataproc clusters created using Debian or Ubuntu operating systems now use Shielded VMs by default and customers can provide their own configurations for secure boot vTPM and Integrity Monitoring This feature is just one of the many ways customers that have migrated their Hadoop and Spark clusters to GCP experience continued improvements to their security postures without any additional cost New Cloud Security Podcast by GoogleーOur new podcast brings you stories and insights on security in the cloud delivering security from the cloud and of course on what we re doing at Google Cloud to help keep customer data safe and workloads secure Learn more New in Conversational AI and Apigee technologyーAustralian retailer Woolworths provides seamless customer experiences with their virtual agent Olive Apigee API Management and Dialogflow technology allows customers to talk to Olive through voice and chat Learn more Introducing GKE AutopilotーGKE already offers an industry leading level of automation that makes setting up and operating a Kubernetes cluster easier and more cost effective than do it yourself and other managed offerings Autopilot represents a significant leap forward In addition to the fully managed control plane that GKE has always provided using the Autopilot mode of operation automatically applies industry best practices and can eliminate all node management operations maximizing your cluster efficiency and helping to provide a stronger security posture Learn more Partnering with Intel to accelerate cloud native GーAs we continue to grow cloud native services for the telecommunications industry we re excited to announce a collaboration with Intel to develop reference architectures and integrated solutions for communications service providers to accelerate their deployment of G and edge network solutions Learn more Veeam Backup for Google Cloud now availableーVeeam Backup for Google Cloud automates Google native snapshots to securely protect VMs across projects and regions with ultra low RPOs and RTOs and store backups in Google Object Storage to enhance data protection while ensuring lower costs for long term retention Migrate for Anthos GAーWithMigrate for Anthos customers and partners can automatically migrate and modernize traditional application workloads running in VMs into containers running on Anthos or GKE Included in this new release  In place modernization for Anthos on AWS Public Preview to help customers accelerate on boarding to Anthos AWS while leveraging their existing investment in AWS data sources projects VPCs and IAM controls Additional Docker registries and artifacts repositories support GA including AWS ECR basic auth docker registries and AWS S storage to provide further flexibility for customers using Anthos Anywhere on prem AWS etc  HTTPS Proxy support GA to enable MA functionality access to external image repos and other services where a proxy is used to control external access Week of Feb Feb Introducing Cloud Domains in previewーCloud Domains simplify domain registration and management within Google Cloud improve the custom domain experience for developers increase security and support stronger integrations around DNS and SSL Learn more Announcing Databricks on Google CloudーOur partnership with Databricks enables customers to accelerate Databricks implementations by simplifying their data access by jointly giving them powerful ways to analyze their data and by leveraging our combined AI and ML capabilities to impact business outcomes Learn more Service Directory is GAーAs the number and diversity of services grows it becomes increasingly challenging to maintain an inventory of all of the services across an organization Last year we launched Service Directory to help simplify the problem of service management Today it s generally available Learn more Week of Feb Feb Introducing Bare Metal Solution for SAP workloadsーWe ve expanded our Bare Metal Solutionーdedicated single tenant systems designed specifically to run workloads that are too large or otherwise unsuitable for standard virtualized environmentsーto include SAP certified hardware options giving SAP customers great options for modernizing their biggest and most challenging workloads Learn more TB SSDs bring ultimate IOPS to Compute Engine VMsーYou can now attach TB and TB Local SSD to second generation general purpose N Compute Engine VMs for great IOPS per dollar Learn more Supporting the Python ecosystemーAs part of our longstanding support for the Python ecosystem we are happy to increase our support for the Python Software Foundation the non profit behind the Python programming language ecosystem and community Learn more  Migrate to regional backend services for Network Load BalancingーWe now support backend services with Network Load Balancingーa significant enhancement over the prior approach target pools providing a common unified data model for all our load balancing family members and accelerating the delivery of exciting features on Network Load Balancing Learn more Week of Feb Feb Apigee launches Apigee XーApigee celebrates its year anniversary with Apigee X a new release of the Apigee API management platform Apigee X harnesses the best of Google technologies to accelerate and globalize your API powered digital initiatives Learn more about Apigee X and digital excellence here Celebrating the success of Black founders with Google Cloud during Black History MonthーFebruary is Black History Month a time for us to come together to celebrate and remember the important people and history of the African heritage Over the next four weeks we will highlight four Black led startups and how they use Google Cloud to grow their businesses Our first featurehighlights TQIntelligence and its founder Yared Week of Jan Jan BeyondCorp Enterprise now generally availableーBeyondCorp Enterprise is a zero trust solution built on Google s global network which provides customers with simple and secure access to applications and cloud resources and offers integrated threat and data protection To learn more read the blog post visit our product homepage and register for our upcoming webinar Week of Jan Jan Cloud Operations Sandbox now availableーCloud Operations Sandbox is an open source tool that helps you learn SRE practices from Google and apply them on cloud services using Google Cloud s operations suite formerly Stackdriver with everything you need to get started in one click You can read our blog post or get started by visiting cloud ops sandbox dev exploring the project repo and following along in the user guide  New data security strategy whitepaperーOur new whitepaper shares our best practices for how to deploy a modern and effective data security program in the cloud Read the blog post or download the paper    WebSockets HTTP and gRPC bidirectional streams come to Cloud RunーWith these capabilities you can deploy new kinds of applications to Cloud Run that were not previously supported while taking advantage of serverless infrastructure These features are now available in public preview for all Cloud Run locations Read the blog post or check out the WebSockets demo app or the sample hc server app New tutorial Build a no code workout app in stepsーLooking to crush your new year s resolutions Using AppSheet Google Cloud s no code app development platform you can build a custom fitness app that can do things like record your sets reps and weights log your workouts and show you how you re progressing Learn how Week of Jan Jan State of API Economy Report now availableーGoogle Cloud details the changing role of APIs in amidst the COVID pandemic informed by a comprehensive study of Apigee API usage behavior across industry geography enterprise size and more Discover these trends along with a projection of what to expect from APIs in Read our blog post here or download and read the report here New in the state of no codeーGoogle Cloud s AppSheet looks back at the key no code application development themes of AppSheet contends the rising number of citizen developer app creators will ultimately change the state of no code in Read more here Week of Jan Jan Last year s most popular API postsーIn an arduous year thoughtful API design and strategy is critical to empowering developers and companies to use technology for global good Google Cloud looks back at the must read API posts in Read it here Week of Dec Dec A look back at the year across Google CloudーLooking for some holiday reading We ve published recaps of our year across databases serverless data analytics and no code development Or take a look at our most popular posts of Week of Dec Dec Memorystore for Redis enables TLS encryption support Preview ーWith this release you can now use Memorystore for applications requiring sensitive data to be encrypted between the client and the Memorystore instance Read more here Monitoring Query Language MQL for Cloud Monitoring is now generally availableーMonitoring Query language provides developers and operators on IT and development teams powerful metric querying analysis charting and alerting capabilities This functionality is needed for Monitoring use cases that include troubleshooting outages root cause analysis custom SLI SLO creation reporting and analytics complex alert logic and more Learn more Week of Dec Dec Memorystore for Redis now supports Redis AUTHーWith this release you can now use OSS Redis AUTH feature with Memorystore for Redis instances Read more here New in serverless computingーGoogle Cloud API Gateway and its service first approach to developing serverless APIs helps organizations accelerate innovation by eliminating scalability and security bottlenecks for their APIs Discover more benefits here Environmental Dynamics Inc makes a big move to no codeーThe environmental consulting company EDI built and deployed business apps with no coding skills necessary with Google Cloud s AppSheet This no code effort not only empowered field workers but also saved employees over hours a year Get the full story here Introducing Google Workspace for GovernmentーGoogle Workspace for Government is an offering that brings the best of Google Cloud s collaboration and communication tools to the government with pricing that meets the needs of the public sector Whether it s powering social care visits employment support or virtual courts Google Workspace helps governments meet the unique challenges they face as they work to provide better services in an increasingly virtual world Learn more Week of Nov Dec Google enters agreement to acquire ActifioーActifio a leader in backup and disaster recovery DR offers customers the opportunity to protect virtual copies of data in their native format manage these copies throughout their entire lifecycle and use these copies for scenarios like development and test This planned acquisition further demonstrates Google Cloud s commitment to helping enterprises protect workloads on premises and in the cloud Learn more Traffic Director can now send traffic to services and gateways hosted outside of Google CloudーTraffic Director support for Hybrid Connectivity Network Endpoint Groups NEGs now generally available enables services in your VPC network to interoperate more seamlessly with services in other environments It also enables you to build advanced solutions based on Google Cloud s portfolio of networking products such as Cloud Armor protection for your private on prem services Learn more Google Cloud launches the Healthcare Interoperability Readiness ProgramーThis program powered by APIs and Google Cloud s Apigee helps patients doctors researchers and healthcare technologists alike by making patient data and healthcare data more accessible and secure Learn more here Container Threat Detection in Security Command CenterーWe announced the general availability of Container Threat Detection a built in service in Security Command Center This release includes multiple detection capabilities to help you monitor and secure your container deployments in Google Cloud Read more here Anthos on bare metal now GAーAnthos on bare metal opens up new possibilities for how you run your workloads and where You can run Anthos on your existing virtualized infrastructure or eliminate the dependency on a hypervisor layer to modernize applications while reducing costs Learn more Week of Nov Tuning control support in Cloud SQL for MySQLーWe ve made all flags that were previously in preview now generally available GA empowering you with the controls you need to optimize your databases See the full list here New in BigQuery MLーWe announced the general availability of boosted trees using XGBoost deep neural networks DNNs using TensorFlow and model export for online prediction Learn more New AI ML in retail reportーWe recently commissioned a survey of global retail executives to better understand which AI ML use cases across the retail value chain drive the highest value and returns in retail and what retailers need to keep in mind when going after these opportunities Learn more  or read the report Week of Nov New whitepaper on how AI helps the patent industryーOur new paper outlines a methodology to train a BERT bidirectional encoder representation from transformers model on over million patent publications from the U S and other countries using open source tooling Learn more or read the whitepaper Google Cloud support for NET ーLearn more about our support of NET as well as how to deploy it to Cloud Run NET Core now on Cloud FunctionsーWith this integration you can write cloud functions using your favorite NET Core runtime with our Functions Framework for NET for an idiomatic developer experience Learn more Filestore Backups in previewーWe announced the availability of the Filestore Backups preview in all regions making it easier to migrate your business continuity disaster recovery and backup strategy for your file systems in Google Cloud Learn more Introducing Voucher a service to help secure the container supply chainーDeveloped by the Software Supply Chain Security team at Shopify to work with Google Cloud tools Voucher evaluates container images created by CI CD pipelines and signs those images if they meet certain predefined security criteria Binary Authorization then validates these signatures at deploy time ensuring that only explicitly authorized code that meets your organizational policy and compliance requirements can be deployed to production Learn more most watched from Google Cloud Next OnAirーTake a stroll through the sessions that were most popular from Next OnAir covering everything from data analytics to cloud migration to no code development  Read the blog Artifact Registry is now GAーWith support for container images Maven npm packages and additional formats coming soon Artifact Registry helps your organization benefit from scale security and standardization across your software supply chain  Read the blog Week of Nov Introducing the Anthos Developer SandboxーThe Anthos Developer Sandbox gives you an easy way to learn to develop on Anthos at no cost available to anyone with a Google account Read the blog Database Migration Service now available in previewーDatabase Migration Service DMS makes migrations to Cloud SQL simple and reliable DMS supports migrations of self hosted MySQL databasesーeither on premises or in the cloud as well as managed databases from other cloudsーto Cloud SQL for MySQL Support for PostgreSQL is currently available for limited customers in preview with SQL Server coming soon Learn more Troubleshoot deployments or production issues more quickly with new logs tailingーWe ve added support for a new API to tail logs with low latency Using gcloud it allows you the convenience of tail f with the powerful query language and centralized logging solution of Cloud Logging Learn more about this preview feature Regionalized log storage now available in new regions in previewーYou can now select where your logs are stored from one of five regions in addition to globalーasia east europe west us central us east and us west When you create a logs bucket you can set the region in which you want to store your logs data Get started with this guide Week of Nov Cloud SQL adds support for PostgreSQL ーShortly after its community GA Cloud SQL has added support for PostgreSQL You get access to the latest features of PostgreSQL while Cloud SQL handles the heavy operational lifting so your team can focus on accelerating application delivery Read more here Apigee creates value for businesses running on SAPーGoogle Cloud s API Management platform Apigee is optimized for data insights and data monetization helping businesses running on SAP innovate faster without fear of SAP specific challenges to modernization Read more here Document AI platform is liveーThe new Document AI DocAI platform a unified console for document processing is now available in preview You can quickly access all parsers tools and solutions e g Lending DocAI Procurement DocAI with a unified API enabling an end to end document solution from evaluation to deployment Read the full story here or check it out in your Google Cloudconsole Accelerating data migration with Transfer Appliances TA and TAーWe re announcing the general availability of new Transfer Appliances Customers are looking for fast secure and easy to use options to migrate their workloads to Google Cloud and we are addressing their needs with next generation Transfer Appliances Learn more about Transfer Appliances TA and TA Week of Oct B H Inc accelerates digital transformationーThe Utah based contracting and construction company BHI eliminated IT backlog when non technical employees were empowered to build equipment inspection productivity and other custom apps by choosing Google Workspace and the no code app development platform AppSheet Read the full story here Globe Telecom embraces no code developmentーGoogle Cloud s AppSheet empowers Globe Telecom employees to do more innovating with less code The global communications company kickstarted their no code journey by combining the power of AppSheet with a unique adoption strategy As a result AppSheet helped Globe Telecom employees build business apps in just weeks Get the full story Cloud Logging now allows you to control access to logs via Log ViewsーBuilding on the control offered via Log Buckets  blog post you can now configure who has access to logs based on the source project resource type or log name all using standard IAM controls Logs views currently in Preview can help you build a system using the principle of least privilege limiting sensitive logs to only users who need this information  Learn more about Log Views Document AI is HIPAA compliantーDocument AI now enables HIPAA compliance Now Healthcare and Life Science customers such as health care providers health plans and life science organizations can unlock insights by quickly extracting structured data from medical documents while safeguarding individuals protected health information PHI Learn more about Google Cloud s nearly products that support HIPAA compliance Week of Oct Improved security and governance in Cloud SQL for PostgreSQLーCloud SQL for PostgreSQL now integrates with Cloud IAM preview to provide simplified and consistent authentication and authorization Cloud SQL has also enabled PostgreSQL Audit Extension preview for more granular audit logging Read the blog Announcing the AI in Financial Crime Compliance webinarーOur executive digital forum will feature industry executives academics and former regulators who will discuss how AI is transforming financial crime compliance on November Register now Transforming retail with AI MLーNew research provides insights on high value AI ML use cases for food drug mass merchant and speciality retail that can drive significant value and build resilience for your business Learn what the top use cases are for your sub segment and read real world success stories Download the ebook here and view this companion webinar which also features insights from Zulily New release of Migrate for AnthosーWe re introducing two important new capabilities in the release of Migrate for Anthos Google Cloud s solution to easily migrate and modernize applications currently running on VMs so that they instead run on containers in Google Kubernetes Engine or Anthos The first is GA support for modernizing IIS apps running on Windows Server VMs The second is a new utility that helps you identify which VMs in your existing environment are the best targets for modernization to containers Start migrating or check out the assessment tool documentation Linux Windows New Compute Engine autoscaler controlsーNew scale in controls in Compute Engine let you limit the VM deletion rate by preventing the autoscaler from reducing a MIG s size by more VM instances than your workload can tolerate to lose Read the blog Lending DocAI in previewーLending DocAI is a specialized solution in our Document AI portfolio for the mortgage industry that processes borrowers income and asset documents to speed up loan applications Read the blog or check out the product demo Week of Oct New maintenance controls for Cloud SQLーCloud SQL now offers maintenance deny period controls which allow you to prevent automatic maintenance from occurring during a day time period Read the blog Trends in volumetric DDoS attacksーThis week we published a deep dive into DDoS threats detailing the trends we re seeing and giving you a closer look at how we prepare for multi terabit attacks so your sites stay up and running Read the blog New in BigQueryーWe shared a number of updates this week including new SQL capabilities more granular control over your partitions with time unit partitioning the general availability of Table ACLs and BigQuery System Tables Reports a solution that aims to help you monitor BigQuery flat rate slot and reservation utilization by leveraging BigQuery s underlying INFORMATION SCHEMA views Read the blog Cloud Code makes YAML easy for hundreds of popular Kubernetes CRDsーWe announced authoring support for more than popular Kubernetes CRDs out of the box any existing CRDs in your Kubernetes cluster and any CRDs you add from your local machine or a URL Read the blog Google Cloud s data privacy commitments for the AI eraーWe ve outlined how our AI ML Privacy Commitment reflects our belief that customers should have both the highest level of security and the highest level of control over data stored in the cloud Read the blog New lower pricing for Cloud CDNーWe ve reduced the price of cache fill content fetched from your origin charges across the board by up to along with our recent introduction of a new set of flexible caching capabilities to make it even easier to use Cloud CDN to optimize the performance of your applications Read the blog Expanding the BeyondCorp AllianceーLast year we announced our BeyondCorp Alliance with partners that share our Zero Trust vision Today we re announcing new partners to this alliance Read the blog New data analytics training opportunitiesーThroughout October and November we re offering a number of no cost ways to learn data analytics with trainings for beginners to advanced users Learn more New BigQuery blog seriesーBigQuery Explained provides overviews on storage data ingestion queries joins and more Read the series Week of Oct Introducing the Google Cloud Healthcare Consent Management APIーThis API gives healthcare application developers and clinical researchers a simple way to manage individuals consent of their health data particularly important given the new and emerging virtual care and research scenarios related to COVID Read the blog Announcing Google Cloud buildpacksーBased on the CNCF buildpacks v specification these buildpacks produce container images that follow best practices and are suitable for running on all of our container platforms Cloud Run fully managed Anthos and Google Kubernetes Engine GKE Read the blog Providing open access to the Genome Aggregation Database gnomAD ーOur collaboration with Broad Institute of MIT and Harvard provides free access to one of the world s most comprehensive public genomic datasets Read the blog Introducing HTTP gRPC server streaming for Cloud RunーServer side HTTP streaming for your serverless applications running on Cloud Run fully managed is now available This means your Cloud Run services can serve larger responses or stream partial responses to clients during the span of a single request enabling quicker server response times for your applications Read the blog New security and privacy features in Google WorkspaceーAlongside the announcement of Google Workspace we also shared more information on new security features that help facilitate safe communication and give admins increased visibility and control for their organizations Read the blog Introducing Google WorkspaceーGoogle Workspace includes all of the productivity apps you know and use at home at work or in the classroomーGmail Calendar Drive Docs Sheets Slides Meet Chat and moreーnow more thoughtfully connected Read the blog New in Cloud Functions languages availability portability and moreーWe extended Cloud Functionsーour scalable pay as you go Functions as a Service FaaS platform that runs your code with zero server managementーso you can now use it to build end to end solutions for several key use cases Read the blog Announcing the Google Cloud Public Sector Summit Dec ーOur upcoming two day virtual event will offer thought provoking panels keynotes customer stories and more on the future of digital service in the public sector Register at no cost 2021-04-28 18:00:00
GCP Cloud Blog Google’s research & data insights solution makes next-generation research accessible https://cloud.google.com/blog/topics/public-sector/googles-research-data-insights-solution-makes-next-generation-research-accessible/ Google s research amp data insights solution makes next generation research accessibleIn order to be successful research needs to be replicable so scientists can build on past work and insights However an article in Nature warned that as much as of published drug development research could not be reproduced in subsequent trials As a result promising drug candidates sometimes led to disappointment as well as wasted time and money when key findings could not be replicated  The shift to cloud computing helps solve this problem because it allows researchers to use open source tools that work across platforms As demand for cloud computing rises our customers have asked us for more ready made solutions to assure reproducibility of results by their collaborators regardless of the platform they are using They asked for secure and effective collaboration tools as well as faster time to insight from any type of data We listened Google s new research and data insights solution includes three sets of functionalities to address these key challenges Each can be activated on demand and may be eligible for subscription pricing “HPC in a box offers abstract complexity to run high performance computing HPC workloads by automatically managing your cluster in the most effective manner It integrates seamlessly with some of the industry s most used schedulers like Slurm and PBS It makes it easier than ever to answer bigger questions faster by accessing Google s fast powerful hardware like TPUs and GPUs all for one predictable flat fee for eligible workloads Healthcare Innovation Hub provides healthcare specific functionality to help ingest aggregate and de identify any type of healthcare data in its original format It unlocks cross modality analysis and collaboration and empowers researchers with harmonization tools to overcome healthcare interoperability issues Google Cloud Real World Insights formerly FDA MyStudies accelerates and streamlines drug development and clinical trials to address urgent medical challenges with reproducible results The solution enables researchers to ask new questions get answers more quickly and work more collaboratively with no wait times or down times Institutions can scale to more ambitious projects and generate actionable real time insights from any data source all while staying within budget Many top research centers have already found it faster and more cost effective to shift from downloading and storing data on their own servers to storing and analyzing data on Google Cloud Here are some of the real world projects already yielding breakthroughs Clemson analyzed hours of traffic camera feeds with M vCPUs in three hours to improve evacuation routes for disaster planning The Colorado Center for Personalized Medicine saved M by building their Compass data warehouse on Google Cloud rather than on on prem The Broad Institute slashed costs of genomic sequencing by with Google Cloud Our partners such as Atos Burwood Omnibond Mavenwave Quantiphi and Deloitte can help you first design and develop then install and implement your own solution including training To assess your institution s needs and develop a customized plan for your next generation research solution with research and insights contact our sales team 2021-04-28 17:57: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件)