投稿時間:2023-02-15 05:23:09 RSSフィード2023-02-15 05:00 分まとめ(25件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
海外TECH MakeUseOf How to Fix the Camera App’s Error 0xA00F425D in Windows 10 & 11 https://www.makeuseof.com/camera-app-error-0xa00f425d-windows-10-11/ error 2023-02-14 19:16:15
海外TECH DEV Community #refineweek: Pilot & refine architecture https://dev.to/refine/refineweek-pilot-refine-architecture-dg3 refineweek Pilot amp refine architectureThis post provides an introduction to refine a React framework used to rapidly build data heavy CRUD apps like dashboards admin panels and e commerce storefronts It also presents the AWeekOfRefine series which is a seven part quickfire guide that aims to help developers learn the ins and outs of refine and Supabase powerful capabilities and get going with refine within a week At the end of this series you ll be able to build a fully functional CRUD app named Pixels with refine and Supabase The live version of the app is be available here The final apps source codes are available on GitHub Pixels ClientSource Code on GitHub To get completed client source code simply run npm create refine app latest example pixelsPixels AdminSource Code on GitHub To get completed admin source code simply run npm create refine app latest example pixels admin What is refine refine is a highly customizable React based framework for building CRUD apps that comes with a headless core package and supplementary pick and plug modules for the UI backend API clients and Internationalization support refine s intentionally decapitalized core is strongly opinionated about RESTful conventions HTTPS networking state management authentication and authorization It is however unopinionated about the UI and render logic This makes it customizable according to one s choice of UI library and frameworks In a nutshell you can build rock solid CRUD apps easily using refine refine ArchitectureEverything in refine is centered around the lt Refine gt component which is configured via a set of provider props that each requires a provider object to be passed in A typical application of providers on the lt Refine gt component looks like this App tsximport Refine from pankod refine core import dataProvider from pankod refine simple rest import routerProvider from pankod refine react router v import liveProvider from pankod refine supabase import authProvider from authProvider lt Refine dataProvider dataProvider routerProvider routerProvider liveProvider liveProvider supabaseClient authProvider authProvider resources gt The above snippet lists a few of the props and their objects However rather than precisely being a component lt Refine gt is largely a monolith of provider configurations backed by a context for each Hence inside dataProvider we have a standard set of methods for making API requests inside authProvider we have methods for dealing with authentication and authorization inside routerProvider we have exact definitions of routes and the components to render for that route etc And each provider comes with its own set of conventions and type definitions For example a dataProvider object has the following signature to which any definition of a data provider conform dataProvider tsconst dataProvider create resource variables metaData gt Promise createMany resource variables metaData gt Promise deleteOne resource id variables metaData gt Promise deleteMany resource ids variables metaData gt Promise highlight start getList resource pagination hasPagination sort filters metaData gt Promise highlight end getMany resource ids metaData gt Promise getOne resource id metaData gt Promise update resource id variables metaData gt Promise updateMany resource ids variables metaData gt Promise custom url method sort filters payload query headers metaData gt Promise getApiUrl gt The underlying architecture involves any presentational component passed to lt Refine gt to be able to consume these configured methods via corresponding hooks Each method in a provider has a corresponding hook via which a consumer component is able to fetch data from the backend i e the useList hook is the corresponding function accessing the dataProvider getList provider method An example hook usage looks like this Inside a UI componentconst data useList lt Canvas gt resource canvases config hasPagination false sort field created at order desc The hooks in turn leverage React Query hooks in order to make API calls asked by the provider methods Here s an early sneak peek into the action under the hood const queryResponse useQuery lt GetListResponse lt TData gt TError gt queryKey list config queryKey pageParam signal gt const hasPagination restConfig config return getList lt TData gt resource restConfig hasPagination metaData metaData queryContext queryKey pageParam signal queryOptions onSuccess data gt queryOptions onSuccess data const notificationConfig typeof successNotification function successNotification data metaData config resource successNotification handleNotification notificationConfig onError err TError gt checkError err queryOptions onError err const notificationConfig typeof errorNotification function errorNotification err metaData config resource errorNotification handleNotification notificationConfig key resource useList notification message translate common notifications error statusCode err statusCode Error status code err statusCode description err message type error We ll be visiting code like this often but if you examine closely you can see that refine uses React Query to handle caching state management as well as errors out of the box The following diagram illustrates the interactions Providers and Hooksrefine s power lies in the abstraction of various app component logic such as authentication authorization routing and data fetching inside individual providers and their corresponding hooks Common providers include authProvider for authentication and authorization dataProvider for CRUD operations routerProvider for defining routes RESTful and non RESTful liveProvider for implementing real time features accessControlProvider for access control management auditLogProvider for logging appwide activities For an exhaustive list of providers please visit the refine providers documentation from here Each method in these providers comes with its corresponding hook to be used from inside UI components and pages For more details please refer to the refine hooks documentation starting here Support Packagesrefine is inherently headless in its core API and deliberately agnostic about the UI and backend layers Being so it is able to provide fantastic support for major UI libraries and frameworks as well as popular backend frameworks and services To name a few refine s UI support packages include Ant Design Material UI Chakra UI and Mantine Backend supplementary modules include Supabase GraphQL and NestJSFor a complete list of all these modules check out this page What is Supabase Supabase is an open source alternative to Firebase It is a hosted backend that provides a realtime database authentication storage and API services refine has a built in data provider support for Supabase You can find the advanced tutorial here We ll be using Supabase to build our backend for Pixels app A week of refine ft SupabaseIn this tutorial series we will be going through most of the core features of refine by building two apps related to drawing pixels on a canvas This section is intended to provide an overview The first one the client app Pixels allows a logged in user to create a canvas and draw on it together with other users It also displays a public gallery of all canvases and a Featured Canvases page The second app Pixels Admin is an admin dashboard that allows authorized users like editors and admins to view the list of users registered with Pixels app and manage user drawn canvases with actions like promoting unpromoting and deleting a canvas We will be building these two apps day by day over a period of days And while doing so we will dive deep into the details of related providers hooks UI components and how refine works behind the scenes As far as our features and functionalities go we will cover most of the providers and some of the related hooks For the UI side we will be using the optional Ant Design package supported by refine For the backend we will use a PostgreSQL database hosted on the Supabase cloud Here are the detailed outlines split per day Day One On AWeekOfRefineThis post Hello refine welcomes you We are here Day Two Setting Up the Client AppWe start with setting up the Pixels client app using create refine app We choose refine s optional Ant Design and Supabase modules as our support packages After initialization we explore the boilerplate code created by create refine app and look into the details of the dataProvider and authProvider objects and briefly discuss their mechanisms Day Three Adding CRUD Actions amp AuthenticationOn Day Three we start adding features to our app We activate the resources prop for lt Refine gt and using the dataProvider prop we implement how to create a canvas show a canvas and draw pixels on a canvas We add a public gallery to show all canvases in a page and featured canvases in another We also implement user authentication so that only signed in users can create and draw on a canvas and while doing so we delve into the authProvider object Here is a quick sum up of spcifications we cover on Day Three The Pixels app has a public gallery The public gallery has a home page of featured canvases The public gallery contains a section for all the canvases All users can view the public gallery All users can view a canvas Only logged in users can create a canvas Only logged in users can draw pixels on a canvas A user can sign up to the app using email Google and GitHub A user can log in to the app using email Google and GitHub Day Four Adding Realtime CollaborationOn Day Four we add real time features to our app using the liveProvider prop on lt Refine gt Real time updates on a canvas will facilitate multiple users to collaborate on it at the same time We are going to use Supabase s Realtime PostgreSQL CDC in order to perform row level updates on the PostgreSQL database in real time Day Five Initialize and Build Pixels Admin AppBasing on the learning from the client app we quickly implement an admin dashboard app and explore how refine s Ant Design support module is geared to rapidly build CRUD pages for a refine app Here are the requirements for Pixels Admin Allow a user to sign up to the app using email Google and GitHub Allow a user to log in to the app using email Google and GitHub Build a dashboard that lists users and canvases The dashboard shows a list of all users at users endpoint The dashboard shows a list of all canvases at canvases endpoint Day Six Add Role Based AuthorizationOn Day Six we implement user role based authorization to our admin app While doing so we analyze the authProvider getPermissions method from the standpoint of implementing authorization and customize according to our needs We use Casbin for implementing a Role Based Access Control model and use it to define the can method of the accessControlProvider provider Here are the features we implement on Day Six There are two authorized roles for admin dashboard editor and admin An editor is able to promote a canvas to featured status and demote it back An admin is able to promote a canvas to featured status and demote it back An admin is able to delete a canvas Day Seven Add Audit Log to Client App and Admin AppOn the last day with the auditLogProvider prop we implement a log of all pixel drawing activities Mutations for drawing pixels will be logged and saved in a logs table in our Supabase database We will display these logs inside a modal for each canvas both in the client Pixels app and in the Pixels Admin dashboard app So we will implement audit logging on both our apps SummaryIn this post we introduced the refine framework and the AWeekOfRefine series itself We talked about refine s underlying architecture which consists of providers hooks and components that help rapidly build internal tools We layed out the plans for building a Pixels client app and an admin dashboard app in considerable depth Tomorrow on Day Two we are ready to start Setting Up the Client App See you soon 2023-02-14 19:42:56
Apple AppleInsider - Frontpage News MindNode 2023.0.2 review: Modern & marvelous mind mapping https://appleinsider.com/articles/23/02/14/mindnode-202302-review-modern-marvelous-mind-mapping?utm_medium=rss MindNode review Modern amp marvelous mind mappingCross platform MindNode can help you work faster if your routine requires you to take non linear notes present a workshop or brainstorm at meetings MindNode is a powerful mind mapping appMindNode is a top rated app best for its mind mapping functions You could also use MindNode as an outlining tool but the outlining functions are best suited for quick entries and you could use Apple s Notes or Reminders app instead for rudimentary outlines Read more 2023-02-14 19:28:14
海外TECH Engadget Hyundai and Kia release software update to prevent TikTok thefts https://www.engadget.com/hyundai-and-kia-release-software-update-to-prevent-tiktok-thefts-193056722.html?src=rss Hyundai and Kia release software update to prevent TikTok theftsKia and Hyundai released a software update on Monday after a viral TikTok challenge taught users how to hack the vehicles But for now it s only available to a selected one million vehicles out of the four million cars that will eventually need the patch It started as the “Kia Challenge dating back to at least May on TikTok demonstrating how “Kia Boys use USB cords to hot wire cars Owners soon caught on to the widespread theft and began suing the car manufacturers for a lack of response The class action lawsuit said that certain models of Kia and Hyundai cars lacked engine immobilizers a common device that prevents car theft making it easy to gain access TechCrunch reported last September Car owners of affected models like the Elantra Sonata and Venue can visit a local dealership to install the anti theft update Hyundai said in a release The updates include an anti theft sticker to deter attack a longer alarm and the need for a physical key rather than just a push start to turn the vehicle on Updates for other affected vehicles will be available by June and you can find the whole list on Hyundai s website In the meantime Kia and Hyundai have provided about steering wheel locks to vehicle owners to prevent theft according to the National Highway Traffic Safety Administration NHTSA got involved in the saga after thefts sparked by the Kia Challenge resulted in at least reported crashes and eight fatalities the agency said turning it into a matter of public safety 2023-02-14 19:30:56
海外TECH Engadget Meta clarifies its use of AI in ad-matching with a redesigned transparency tool https://www.engadget.com/meta-clarifies-its-use-of-ai-in-ad-matching-with-a-redesigned-transparency-tool-191032488.html?src=rss Meta clarifies its use of AI in ad matching with a redesigned transparency toolStarting today Meta is rolling out a new version of its “Why am I seeing this ad tool The company says the redesigned interface is meant to provide users with more information about how their activities on Facebook and beyond inform the machine learning models that power its ad matching software If you re unfamiliar with the tool you can access it by clicking or tapping the three dots icon next to an ad on Facebook or Instagram Once you have access to the updated tool you ll see a summary of the actions on Meta s platforms and other websites that may have informed the company s machine learning models For instance the page may note that you re seeing an ad for a dress or suit because you interacted with style content on Facebook Users will also see new examples and illustrations that attempt to explain how Meta s machine learning algorithms work to deliver targeted ads At the same time the company says it has made it easier to access its Ads Preferences You ll see a link to those settings from more pages accessible through the “Why am I seeing this ad tool Meta“We are committed to using machine learning models responsibly Being transparent about how we use machine learning is essential because it ensures that people are aware that this technology is a part of our ads system and that they know the types of information it is using Meta said in a blog post published Tuesday “By stepping up our transparency around how our machine learning models work to deliver ads we aim to help people feel more secure and increase our accountability The company notes it worked with “external privacy experts and policy stakeholders to collect input on how it could be more transparent about its ads system Meta doesn t say as much but the changes likely represent an effort to ensure the company is compliant with the European Union s Digital Services Act when it becomes law in The legislation has several provisions that apply directly to Meta including one that mandates more transparency around how recommendation systems work The law will also ban ads that target individuals based on their religion sexual orientation ethnicity or political affiliation More broadly the changes come after Apple s ad tracking changes in iOS significantly hurt Meta s bottom line One early report after iOS went live estimated only four percent of iPhone users in the US opted into app tracking Since then Meta has seen revenue growth shrink significantly More recently in combination with its virtual and augmented reality spending Meta saw its first ever revenue decline in the second quarter of 2023-02-14 19:10:32
海外TECH CodeProject Latest Articles Async EventHandlers – A Simple Safety Net to the Rescue https://www.codeproject.com/Articles/5354588/Async-EventHandlers-A-Simple-Safety-Net-to-the-Res Async EventHandlers A Simple Safety Net to the RescueA simple solution that you can implement to help improve your experience with async void event handlers especially when it comes to exception handling 2023-02-14 19:15:00
海外科学 NYT > Science New Skyscraper, Built to Be an Environmental Marvel, Is Already Dated https://www.nytimes.com/2023/02/14/climate/green-skyscraper-one-vanderbilt.html New Skyscraper Built to Be an Environmental Marvel Is Already DatedOne Vanderbilt in the heart of New York City is built to be especially climate friendly But the design landscape and city rules have changed quickly 2023-02-14 19:55:28
医療系 医療介護 CBnews 医療介護同時改定に向けた連携データの可視化-データで読み解く病院経営(169) https://www.cbnews.jp/news/entry/20230214182317 介護施設 2023-02-15 05:00:00
ニュース BBC News - Home Wayne Couzens: Police misconduct cases over indecent exposure reports https://www.bbc.co.uk/news/uk-england-64637692?at_medium=RSS&at_campaign=KARANGA everard 2023-02-14 19:13:58
ニュース BBC News - Home King Charles hears emotional pleas for Turkey-Syria earthquake aid https://www.bbc.co.uk/news/uk-64638157?at_medium=RSS&at_campaign=KARANGA syria 2023-02-14 19:27:53
ニュース BBC News - Home British man dies in Ukraine, says Foreign Office https://www.bbc.co.uk/news/uk-64641235?at_medium=RSS&at_campaign=KARANGA invasion 2023-02-14 19:18:39
ニュース BBC News - Home Man who stole 200,000 Cadbury Creme Eggs convicted https://www.bbc.co.uk/news/uk-england-shropshire-64640596?at_medium=RSS&at_campaign=KARANGA court 2023-02-14 19:27:33
ビジネス ダイヤモンド・オンライン - 新着記事 アクセンチュアの牙城「金融コンサル」にデロイト侵攻、地銀巡る巨大ファームの攻防最前線 - 銀行・信金・信組 最後の審判 https://diamond.jp/articles/-/317498 アクセンチュアの牙城「金融コンサル」にデロイト侵攻、地銀巡る巨大ファームの攻防最前線銀行・信金・信組最後の審判課題あるところにコンサルティングのビジネスチャンスあり、だ。 2023-02-15 04:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 児童手当の「所得制限」は撤廃すべき理由、本当に効果的な少子化対策は?【山崎元×馬渕磨理子・動画】 - 【山崎元×馬渕磨理子】マルチスコープ https://diamond.jp/articles/-/317737 少子化対策 2023-02-15 04:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 プリンスホテル、京王プラザホテル…コロナショックからの「真の回復」は見えてきたか? - コロナで明暗!【月次版】業界天気図 https://diamond.jp/articles/-/317759 プリンスホテル、京王プラザホテル…コロナショックからの「真の回復」は見えてきたかコロナで明暗【月次版】業界天気図コロナ禍の収束を待たずに、今度は資源・資材の高騰や円安が企業を揺さぶっている。 2023-02-15 04:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 薬学部「国家試験の合格率が低い大学」ランキング【56私立大】ワースト1位は43.3% - Diamond Premiumセレクション https://diamond.jp/articles/-/317287 薬学部「国家試験の合格率が低い大学」ランキング【私立大】ワースト位はDiamondPremiumセレクション薬学部によって薬剤師の国家試験合格率に“格差が存在する。 2023-02-15 04:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 英会話学校「NOVA」はなぜ倒産した?資金繰り支えた前払い受講料の落とし穴 - ビジネスに効く!「会計思考力」 https://diamond.jp/articles/-/317610 落とし穴 2023-02-15 04:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 米領域侵入の中国気球撃墜は米中衝突の「前奏曲」なのか - 田中均の「世界を見る眼」 https://diamond.jp/articles/-/317736 撃墜事件 2023-02-15 04:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 奨学金給付の「勘違い」、重要なのは大学進学促進よりも進路の多様化支援 - 政策・マーケットラボ https://diamond.jp/articles/-/317735 大学進学 2023-02-15 04:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 日銀・植田新総裁起用は金利正常化の「トロイの木馬」か - 経済分析の哲人が斬る!市場トピックの深層 https://diamond.jp/articles/-/317734 植田和男 2023-02-15 04:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 みずほ銀行が明かす「地域金融機関」の担当部署を東京へ集約した真意 - きんざいOnline https://diamond.jp/articles/-/317679 online 2023-02-15 04:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 CAが感動!エグゼクティブは「呼び出しボタン」を押した後も一流だった - ファーストクラスに乗る人の共通点 https://diamond.jp/articles/-/317612 呼び出し 2023-02-15 04:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 植田日銀の船出に影を落とす「雨宮氏、総裁辞退の謎」 - 山崎元のマルチスコープ https://diamond.jp/articles/-/317733 日本銀行 2023-02-15 04:05:00
ビジネス 東洋経済オンライン 東海道新幹線の車内販売「作戦会議」の舞台裏 コーヒーの売り方からアイス新メニューまで | 新幹線 | 東洋経済オンライン https://toyokeizai.net/articles/-/651968?utm_source=rss&utm_medium=http&utm_campaign=link_back 車内販売 2023-02-15 04:30:00
GCP Cloud Blog What’s new with Google Cloud https://cloud.google.com/blog/topics/inside-google-cloud/whats-new-google-cloud/ What s new with Google CloudWant to know the latest from Google Cloud Find it here in one handy location Check back regularly for our newest updates announcements resources events learning opportunities and more  Tip  Not sure where to find what you re looking for on the Google Cloud blog Start here  Google Cloud blog Full list of topics links and resources Week of Feb Feb Leverege uses BigQuery as a key component of its data and analytics pipeline to deliver innovative IoT solutions at scale As part of the Built with BigQuery program this blog post goes into detail about Leverege IoT Stack that runs on Google Cloud to power business critical enterprise IoT solutions at scale  Download white paper Three Actions Enterprise IT Leaders Can Take to Improve Software Supply Chain Security to learn how and why high profile software supply chain attacks like SolarWinds and Logj happened the key lessons learned from these attacks as well as actions you can take today to prevent similar attacks from happening to your organization Week of Feb Feb Immersive Stream for XRleverages Google Cloud GPUs to host render and stream high quality photorealistic experiences to millions of mobile devices around the world and is now generally available Read more here Reliable and consistent data presents an invaluable opportunity for organizations to innovate make critical business decisions and create differentiated customer experiences  But poor data quality can lead to inefficient processes and possible financial losses Today we announce new Dataplex features automatic data quality AutoDQ and data profiling available in public preview AutoDQ offers automated rule recommendations built in reporting and serveless execution to construct high quality data  Data profiling delivers richer insight into the data by identifying its common statistical characteristics Learn more Cloud Workstations now supports Customer Managed Encryption Keys CMEK which provides user encryption control over Cloud Workstation Persistent Disks Read more Google Cloud Deploy now supports Cloud Run targets in General Availability Read more Learn how to use NetApp Cloud Volumes Service as datastores for Google Cloud VMware Engine for expanding storage capacity Read moreWeek of Jan Feb Oden Technologies uses BigQuery to provide real time visibility efficiency recommendations and resiliency in the face of network disruptions in manufacturing systems As part of the Built with BigQuery program this blog post describes the use cases challenges solution and solution architecture in great detail Manage table and column level access permissions using attribute based policies in Dataplex Dataplex attribute store provides a unified place where you can create and organize a Data Class hierarchy to classify your distributed data and assign behaviors such as Table ACLs and Column ACLs to the classified data classes Dataplex will propagate IAM Roles to tables across multiple Google Cloud projects  according to the attribute s assigned to them and a single merged policy tag to columns according to the attribute s attached to them  Read more Lytics is a next generation composableCDP that enables companies to deploy a scalable CDP around their existing data warehouse lakes As part of the Built with BigQuery program for ISVs Lytics leverages Analytics Hub to launch secure data sharing and enrichment solution for media and advertisers This blog post goes over Lytics Conductor on Google Cloud and its architecture in great detail Now available in public preview Dataplex business glossary offers users a cloud native way to maintain and manage business terms and definitions for data governance establishing consistent business language improving trust in data and enabling self serve use of data Learn more here Security Command Center SCC Google Cloud s native security and risk management solution is now available via self service to protect individual projects from cyber attacks It s never been easier to secure your Google Cloud resources with SCC Read our blog to learn more To get started today go to Security Command Center in the Google Cloud console for your projects Global External HTTP S Load Balancer and Cloud CDN now support advanced traffic management using flexible pattern matching in public preview This allows you to use wildcards anywhere in your path matcher You can use this to customize origin routing for different types of traffic request and response behaviors and caching policies In addition you can now use results from your pattern matching to rewrite the path that is sent to the origin Run large pods on GKE Autopilot with the Balanced compute class When you need computing resources on the larger end of the spectrum we re excited that the Balanced compute class which supports Pod resource sizes up to vCPU and GiB is now GA Week of Jan Jan Starting with Anthos version Google supports each Anthos minor version for months after the initial release of the minor version or until the release of the third subsequent minor version whichever is longer We plan to have Anthos minor release three times a year around the months of April August and December in with a monthly patch release for example z in version x y z for supported minor versions For more information read here Anthos Policy Controller enables the enforcement of fully programmable policies for your clusters across the environments We are thrilled to announce the launch of our new built in Policy Controller Dashboard a powerful tool that makes it easy to manage and monitor the policy guardrails applied to your Fleet of clusters New policy bundles are available to help audit your cluster resources against kubernetes standards industry standards or Google recommended best practices  The easiest way to get started with Anthos Policy Controller is to just install Policy controller and try applying a policy bundle to audit your fleet of clusters against a standard such as CIS benchmark Dataproc is an important service in any data lake modernization effort Many customers begin their journey to the cloud by migrating their Hadoop workloads to Dataproc and continue to modernize their solutions by incorporating the full suite of Google Cloud s data offerings Check out this guide that demonstrates how you can optimize Dataproc job stability performance and cost effectiveness Eventarc adds support for new direct events from the following Google services in Preview API Gateway Apigee Registry BeyondCorp Certificate Manager Cloud Data Fusion Cloud Functions Cloud Memorystore for Memcached Database Migration Datastream Eventarc Workflows This brings the total pre integrated events offered in Eventarc to over events from Google services and third party SaaS vendors  mFit release adds support for JBoss and Apache workloads by including fit analysis and framework analytics for these workload types in the assessment report See the release notes for important bug fixes and enhancements Google Cloud Deploy Google Cloud Deploy now supports Skaffold version  Release notesCloud Workstations Labels can now be applied to Cloud Workstations resources  Release notes Cloud Build Cloud Build repositories nd gen lets you easily create and manage repository connections not only through Cloud Console but also through gcloud and the Cloud Build API Release notesWeek of Jan Jan Cloud CDN now supports private origin authentication for Amazon Simple Storage Service Amazon S buckets and compatible object stores in Preview This capability improves security by allowing only trusted connections to access the content on your private origins and preventing users from directly accessing it Week of Jan Jan Revionics partnered with Google Cloud to build a data driven pricing platform for speed scale and automation with BigQuery Looker and more As part of the Built with BigQuery program this blog post describes the use cases problems solved solution architecture and key outcomes of hosting Revionics product Platform Built for Change on Google Cloud Comprehensive guide for designing reliable infrastructure for your workloads in Google Cloud The guide combines industry leading reliability best practices with the knowledge and deep expertise of reliability engineers across Google Understand the platform level reliability capabilities of Google Cloud the building blocks of reliability in Google Cloud and how these building blocks affect the availability of your cloud resources Review guidelines for assessing the reliability requirements of your cloud workloads Compare architectural options for deploying distributed and redundant resources across Google Cloud locations and learn how to manage traffic and load for distributed deployments Read the full blog here GPU Pods on GKE Autopilot are now generally available Customers can now run ML training inference video encoding and all other workloads that need a GPU with the convenience of GKE Autopilot s fully managed Kubernetes environment Kubernetes v is now generally available on GKE GKE customers can now take advantage of the many new features in this exciting release This release continues Google Cloud s goal of making Kubernetes releases available to Google customers within days of the Kubernetes OSS release Event driven transfer for Cloud Storage Customers have told us they need asynchronous scalable service to replicate data between Cloud Storage buckets for a variety of use cases including aggregating data in a single bucket for data processing and analysis keeping buckets across projects regions continents in sync etc Google Cloud now offers Preview support for event driven transfer serverless real time replication capability to move data from AWS S to Cloud Storage and copy data between multiple Cloud Storage buckets Read the full blog here Pub Sub Lite now offers export subscriptions to Pub Sub This new subscription type writes Lite messages directly to Pub Sub no code development or Dataflow jobs needed Great for connecting disparate data pipelines and migration from Lite to Pub Sub See here for documentation 2023-02-14 20:00:00

コメント

このブログの人気の投稿

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

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

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