投稿時間:2023-04-25 04:31:25 RSSフィード2023-04-25 04:00 分まとめ(32件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Big Data Blog Build a transactional data lake using Apache Iceberg, AWS Glue, and cross-account data shares using AWS Lake Formation and Amazon Athena https://aws.amazon.com/blogs/big-data/build-a-transactional-data-lake-using-apache-iceberg-aws-glue-and-cross-account-data-shares-using-aws-lake-formation-and-amazon-athena/ Build a transactional data lake using Apache Iceberg AWS Glue and cross account data shares using AWS Lake Formation and Amazon AthenaBuilding a data lake on Amazon Simple Storage Service Amazon S provides numerous benefits for an organization It allows you to access diverse data sources build business intelligence dashboards build AI and machine learning ML models to provide customized customer experiences and accelerate the curation of new datasets for consumption by adopting a modern data … 2023-04-24 18:25:01
AWS AWS Machine Learning Blog Amazon SageMaker Data Wrangler for dimensionality reduction https://aws.amazon.com/blogs/machine-learning/amazon-sagemaker-data-wrangler-for-dimensionality-reduction/ Amazon SageMaker Data Wrangler for dimensionality reductionIn the world of machine learning ML the quality of the dataset is of significant importance to model predictability Although more data is usually better large datasets with a high number of features can sometimes lead to non optimal model performance due to the curse of dimensionality Analysts can spend a significant amount of time transforming … 2023-04-24 18:22:20
AWS AWS Machine Learning Blog Identify objections in customer conversations using Amazon Comprehend to enhance customer experience without ML expertise https://aws.amazon.com/blogs/machine-learning/identify-objections-in-customer-conversations-using-amazon-comprehend-to-enhance-customer-experience-without-ml-expertise/ Identify objections in customer conversations using Amazon Comprehend to enhance customer experience without ML expertiseAccording to a PWC report of retail customers churn after one negative experience and of customers say that customer experience influences their purchase decisions In the global retail industry pre and post sales support are both important aspects of customer care Numerous methods including email live chat bots and phone calls are used to … 2023-04-24 18:07:18
AWS AWS Reinventing the mobile core as a service in the cloud | Amazon Web Services https://www.youtube.com/watch?v=kaDl9L-_2oE Reinventing the mobile core as a service in the cloud Amazon Web ServicesWG is reimagining the mobile core as a service built natively on AWS Cloud In this session Erlend explores how this approach can lead to operators fall in love with their core again turning it into an innovation platform reducing complexity and changing the way they operate on any scale for private hybrid and public mobile networks for MNOs MVNOs MVNEs and more Diving into the journey of WG as a start up embracing cloud Erlend provides insight into how service and design decisions building on cloud inspire the future of open development on mobile core platforms through APIs and a vibrant developer community telcos can leverage to innovate more quickly for their end customers Learn more at Subscribe More AWS videos More AWS events videos Do you have technical AWS questions Ask the community of experts on AWS re Post ABOUT AWSAmazon Web Services AWS is the world s most comprehensive and broadly adopted cloud platform offering over fully featured services from data centers globally Millions of customers ーincluding the fastest growing startups largest enterprises and leading government agencies ーare using AWS to lower costs become more agile and innovate faster Cloud AWSCloud WG Telecom core AWS AmazonWebServices CloudComputing 2023-04-24 18:58:56
海外TECH MakeUseOf How to Use ChatGPT on Android and iOS https://www.makeuseof.com/how-to-use-chatgpt-on-android-and-ios/ chatgpt 2023-04-24 18:46:16
海外TECH MakeUseOf How to Get a Tech Job Without a Degree https://www.makeuseof.com/get-tech-job-without-degree/ industry 2023-04-24 18:46:16
海外TECH MakeUseOf How to Use an Over the Shoulder Shot in Film and Video https://www.makeuseof.com/how-to-use-over-the-shoulder-shot-film/ application 2023-04-24 18:30:16
海外TECH MakeUseOf How to Reset the Windows Search Settings in Windows 11 https://www.makeuseof.com/reset-windows-search-settings/ search 2023-04-24 18:15:16
海外TECH DEV Community Prisma + ZenStack: An Alternative to PostgREST https://dev.to/zenstack/prisma-zenstack-an-alternative-to-postgrest-kak Prisma ZenStack An Alternative to PostgRESTMost web apps only consist of two things a frontend UI and a backend transaction system And most of the time the backend is just a glorified intermediary that reads from and writes to a database So a naive question is raised why do I need that intermediary Why can t I just expose the database directly to the frontend Yes you can PostgREST is built exactly for that purpose It turns a PostgreSQL database into a secure RESTful API offering APIs like fetching a single userGET user id search with filtersGET user age gte amp paid is true fetch with relationGET user select last name post title createPOST user name J Doe age Of course directly exposing database operations will be insecure and insane PostgREST resolves that by delegating access control to Postgres s Row Level Security feature which essentially allows defining rules with SQL like more on this later users have full access to their own postsCREATE POLICY post owner policy ON post USING owner current user public posts are readable to allCREATE POLICY post read policy ON post FOR SELECT USING published true PostgREST is a great tool in many ways but it may not fit everyone s preference for two reasons It s a separate service that you need to host and manage in addition to your database and backend It s very SQL heavy and you ll write a lot of SQL to define access policies in a complex system This article introduces an alternative approach that uses Prisma ORM and ZenStack to achieve the same goal without running one more service or writing a single line of SQL About PrismaPrisma is a modern Typescript ORM that takes a schema first approach and generates a fully type safe client for your database operations A simple blogging app s schema looks like the following model User id String id email String password String posts Post model Post id String id title String published Boolean default false author User relation fields authorId references id authorId String And the generated Typescript client is very pleasant to use the result is typed as User amp posts Post const userWithPosts await prisma user findUnique where id userId include posts true About ZenStackZenStack supercharges Prisma and turns it into a powerful full stack development toolkit By extending its schema language to allow defining access policies ZenStack can automatically generate a secure web service based on your data schema solving the same problem that PostgREST does without the hassle of writing complex SQL Still using our blogging app as an example the access policies can be added as the following which is equivalent to the PostgREST example above model User id String id email String password String posts Post policy everybody can signup allow create true policy allow full CRUD by self allow all auth this model Post id String id title String published Boolean default false author User relation fields authorId references id authorId String policy allow logged in users to read published posts allow read auth null amp amp published policy allow full CRUD by author auth is a built in function that returns current user allow all author auth More pleasant isn t it You can find a more comprehensive introduction to ZenStack s access policies here Read on for more side by side comparisons More Examples Of Access PolicyHere are a few more security requirement examples with progressively increasing complexity Make Post readable to allPostgREST CREATE POLICY public readable to all ON post FOR SELECT USING true ZenStack model Post allow read true Allow users with ADMIN role to update any postPostgREST CREATE POLICY post admin update policy ON post FOR UPDATE USING EXISTS SELECT FROM user WHERE user id post authorId AND user role ADMIN ZenStack model Post allow update auth role ADMIN A post can be updated by a user if the user is in the same group as the author and has ADMIN role in that groupPostgREST CREATE POLICY post group admin update policy ON post FOR UPDATE USING EXISTS SELECT FROM usergroup AS ug JOIN usergroup AS ug ON ug groupId ug groupId WHERE ug userId current user AND ug userId post authorId AND ug role ADMIN ZenStack model Post allow update author groups group users userId auth id amp amp role ADMIN How Does It Work At runtime ZenStack creates a transparent proxy around a regular Prisma client and injects proper filtering and checks to enforce access policies For example when you run the following code const posts await withPolicy prisma user session user post findMany only posts readable to the current user are returned Furthermore it provides server adapters to install an automatic CRUD service to the Node js server of your choice Express Fastify Next js etc Here s an example with Express js app use api data ZenStackMiddleware getPrisma request gt withPolicy prisma user getSessionUser request A full list of currently supported adapters and their documentations can be found here The api data endpoint will then provide a full set of Prisma operations for each model in your schema like api data post findMany Since the Prisma client used is protected by the access policies the generated web API is also secure Wrap UpI hope you find the Prisma ZenStack combination a useful alternative to PostgREST Check out the Get Started and Guides pages for more details and join our Discord for questions and updates 2023-04-24 18:27:14
Apple AppleInsider - Frontpage News Apple triumphant in Epic Games 'Fortnite' antitrust appeal https://appleinsider.com/articles/23/04/24/apple-triumphant-in-epic-games-fortnite-antitrust-appeal?utm_medium=rss Apple triumphant in Epic Games x Fortnite x antitrust appealApple has won its appeal in Epic Games appeal over the App Store policies but further appeals are expected App StoreThe US Ninth Circuit Court of Appeals affirmed a lower court s decision from that rejected claims from Epic that the App Store policies violated federal laws Specifically it pertained to Apple s decision to forbid third party app stores on its platforms Read more 2023-04-24 18:59:53
海外TECH Engadget Google Authenticator finally syncs one-time codes in the cloud https://www.engadget.com/google-authenticator-finally-syncs-one-time-codes-in-the-cloud-185207290.html?src=rss Google Authenticator finally syncs one time codes in the cloudYour Google Authenticator one time codes are no longer trapped if you lose the device that stores them An update to Authenticator for Android and iOS now stores backups of codes in your Google account You won t have to reauthorize all your linked apps or scan a QR code just because you got a new phone Once you have the latest version of the app you only have to follow prompts to sign into Google and enable syncing Of course you ll also want to be sure your Google account is secure to prevent intruders from misusing Authenticator Google is still pushing for password free logins that use technology like passkeys However it also acknowledges that people still rely on one time codes The Authenticator update promises to reduce some of the headaches of using those codes until you re ready and able to move to another system This might also encourage the use of two factor authentication if you were previously afraid of what would happen if your phone was lost or stolen This isn t a novel concept Apps like Microsoft Authenticator also have cloud backups However it s no secret that Google s tool is popular Cloud syncing should make a tangible difference particularly when many apps can use Authenticator as an alternative to the conventional password This article originally appeared on Engadget at 2023-04-24 18:52:07
海外TECH Engadget Sega of America workers are forming a union https://www.engadget.com/sega-of-america-workers-are-forming-a-union-184043887.html?src=rss Sega of America workers are forming a unionWorkers at Sega of America have announced plans to form a union A supermajority of workers based out of the company s headquarters in Irvine CA say they are forming a union with the Communication Workers of America ーcalling themselves the Allied Employees Guild Improving Sega or AEGIS CWA nbsp “Working for Sega is a passion for many of us and it s been so exciting to see that through organizing we can make this work a sustainable long term career quot Sega QA lead and AEGIS member Mohammad Saman said in a statement quot By creating our union AEGIS CWA we ll have a say in the decisions that shape our working conditions and ensure the job security and working conditions we deserve We re excited to protect what already makes Sega great and help build an even stronger company together quot nbsp The fledgling union hopes that Sega will recognize the AEGIS CWA voluntarily but have also filed for a union representation election with the National Labor Relations Board If the unionization goes forward the group hopes to push for a higher base pay improved benefits and measures that will help prevent quot patterns of overwork quot through better staffing nbsp Although the proposed union isn t the largest in the industry by numbers it s among the most board covering workers across Sega of America s localization marketing product development games as a service and quality assurance teams Although it s the latest group of game workers to announce the formation of a union it s also far from the first In Vodeo Games became the first studio in North America to form a union before unfortunately shutting down the following year Since then multiple groups with Activision Blizzard voted to unionize Microsoft is the home to the largest union in the video game industry today with ZeniMax Workers United CWA representing about employees nbsp This article originally appeared on Engadget at 2023-04-24 18:40:43
海外TECH Engadget Microsoft will reportedly unbundle Teams from Office to avoid antitrust concerns https://www.engadget.com/microsoft-will-reportedly-unbundle-teams-from-office-to-avoid-antitrust-concerns-183139403.html?src=rss Microsoft will reportedly unbundle Teams from Office to avoid antitrust concernsMicrosoft has agreed to stop bundling its Teams remote collaboration software with its Office productivity suite according toFinancial Times The company s move attempts to head off an official EU antitrust investigation as it deals with its most significant regulatory concerns in over a decade FT s sources say companies will eventually be able to buy Office with or without Teams installed “but the mechanism on how to do this remains unclear Talks with EU regulators are reportedly ongoing and “a deal is not certain Microsoft told FT “We are mindful of our responsibilities in the EU as a major technology company We continue to engage cooperatively with the commission in its investigation and are open to pragmatic solutions that address its concerns and serve customers well Competing remote work platform Slack now owned by Salesforce complained to EU regulators in asking officials to make Microsoft sell Teams separately from its ubiquitous Office suite Slack s general counsel said at the time “We re asking the EU to be a neutral referee examine the facts and enforce the law Microsoft is facing its first regulatory issues in a decade The company agreed to a settlement with the European Commission in agreeing to offer European customers a choice of web browsers it was then fined € million in for failing to adhere to that consistently Of course its most famous antitrust shakeup came around the turn of the millennium when it was initially forced to break up into two companies a ruling later overturned by an appeals court Microsoft and the DOJ settled in agreeing to restrictions like sharing APIs with third party developers and letting PC manufacturers install non Microsoft software on their products In recent months the company has been scrambling to receive regulatory approval for its planned billion purchase of game publisher Activision Blizzard The company is reportedly expected to receive a green light from the EU and UK and it has until July to appease the US Federal Trade Commission Microsoft offered year legal agreements to provide Call of Duty on Nintendo consoles and cloud streaming platform Boosteroid to help ease those concerns Sony reportedly declined a similar offer This article originally appeared on Engadget at 2023-04-24 18:31:39
ニュース BBC News - Home Sudan crisis: UK citizens 'abandoned' as evacuations fail to materialise https://www.bbc.co.uk/news/world-africa-65374265?at_medium=RSS&at_campaign=KARANGA nations 2023-04-24 18:22:50
ニュース BBC News - Home Tucker Carlson leaves Fox News https://www.bbc.co.uk/news/world-us-canada-65379340?at_medium=RSS&at_campaign=KARANGA legal 2023-04-24 18:09:25
ニュース BBC News - Home CBI hired 'toxic' staff and failed to sack offenders https://www.bbc.co.uk/news/business-65375311?at_medium=RSS&at_campaign=KARANGA consequences 2023-04-24 18:31:46
ニュース BBC News - Home Ukraine war: Kyiv secures bridgehead across key Dnipro River - reports https://www.bbc.co.uk/news/world-europe-65379229?at_medium=RSS&at_campaign=KARANGA dnipro 2023-04-24 18:33:56
ニュース BBC News - Home Challenge Cup sixth round: Wigan to face Leeds, Catalans draw Warrington https://www.bbc.co.uk/sport/rugby-league/65379431?at_medium=RSS&at_campaign=KARANGA challenge 2023-04-24 18:02:05
ニュース BBC News - Home Hear sound of gunfire closing in on Brit’s house in Sudan https://www.bbc.co.uk/news/world-africa-65374977?at_medium=RSS&at_campaign=KARANGA edinburgh 2023-04-24 18:26:58
ニュース BBC News - Home Watch: Europeans cram onto evacuation planes https://www.bbc.co.uk/news/world-africa-65380753?at_medium=RSS&at_campaign=KARANGA khartoum 2023-04-24 18:13:04
ビジネス ダイヤモンド・オンライン - 新着記事 【世界史で学ぶ英単語】「ルビコン川を渡る」「お前もか、ブルータス」Julius Caesarはあの有名な言葉を残した - TOEFLテスト、IELTSの頻出単語を世界史で学ぶ https://diamond.jp/articles/-/321566 ielts 2023-04-25 03:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 クラウド「ビッグ3」に暗雲、AIで晴らせるか - WSJ PickUp https://diamond.jp/articles/-/321945 wsjpickup 2023-04-25 03:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 【慶応義塾女子高校】華麗なる卒業生人脈!女優の芦田愛菜、宇宙飛行士の向井千秋、コムデギャルソンの川久保玲… - 日本を動かす名門高校人脈 https://diamond.jp/articles/-/321613 一貫教育校 2023-04-25 03:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 スーパーマリオのテーマ曲、頭から離れない訳 - WSJ PickUp https://diamond.jp/articles/-/321944 wsjpickup 2023-04-25 03:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 中国EVメーカー、海外勢より優位でも前途多難 - WSJ PickUp https://diamond.jp/articles/-/321943 wsjpickup 2023-04-25 03:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 職場の空気を良くする人と悪くする人のたった1つの違いとは - 1秒で答えをつくる力 お笑い芸人が学ぶ「切り返し」のプロになる48の技術 https://diamond.jp/articles/-/321926 2023-04-25 03:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 慶應義塾大生の就活はどうなっている? 名門大学の就活事情【慶應義塾大編】 - 大学図鑑!2024 有名大学82校のすべてがわかる! https://diamond.jp/articles/-/321925 2023-04-25 03:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 鈍感な人でも「ちょうどいい気づかい」ができるようになる、たった1つの方法 - 気づかいの壁 https://diamond.jp/articles/-/321344 鈍感な人でも「ちょうどいい気づかい」ができるようになる、たったつの方法気づかいの壁鈍感な人でも「ちょうどいい気づかい」ができるようになる、たったつの方法とは、いったい何なのか。 2023-04-25 03:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 【精神科医が教える】 「利他」とはなにか…自分の利益を優先する人が結局、損しているワケ - 精神科医Tomyが教える 40代を後悔せず生きる言葉 https://diamond.jp/articles/-/319959 【精神科医が教える】「利他」とはなにか…自分の利益を優先する人が結局、損しているワケ精神科医Tomyが教える代を後悔せず生きる言葉【大好評シリーズ万部突破】誰しも悩みや不安は尽きない。 2023-04-25 03:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 【小児科医が教える】流行の「小麦抜きの食事」は、大人も子どもも取り入れるべきか? - 医師が教える 子どもの食事 50の基本 https://diamond.jp/articles/-/321420 食事 2023-04-25 03:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 【コンサルが明かす】頭のいい人が「話す前に」考えているたった1つのこと - 頭のいい人が話す前に考えていること https://diamond.jp/articles/-/321774 本記事では、「話のわかりにくい人」と「話のわかりやすい人」を分ける根本的な考え方の差をお伝えする。 2023-04-25 03:05: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 April General Availability Custom Modules for Security Health Analytics is now generally available Author custom detective controls in Security Command Center using the new custom module capability Next generation Confidential VM is now available in Private Preview with a Confidential Computing technology called AMD Secure Encrypted Virtualization Secure Nested Paging AMD SEV SNP on general purpose ND machines Confidential VMs with AMD SEV SNP enabled builds upon memory encryption and adds new hardware based security protections such as strong memory integrity encrypted register state thanks to AMD SEV Encrypted State SEV ES and hardware rooted remote attestation Sign up here Selecting Tier networking for your Compute Engine VM can give you the bandwidth you need for demanding workloads Check out this blog on Increasing bandwidth to Compute Engine VMs with TIER networking Week of April Use Terraform to manage Log Analytics in Cloud Logging  You can now configure Log Analytics on Cloud Logging buckets and BigQuery linked datasets by using the following Terraform modules Google logging project bucket configgoogle logging linked datasetWeek of April Assured Open Source Software is generally available for Java and Python ecosystems Assured OSS is offered at no charge and provides an opportunity for any organization that utilizes open source software to take advantage of Google s expertise in securing open source dependencies BigQuery change data capture CDC is now in public preview BigQuery CDC provides a fully managed method of processing and applying streamed UPSERT and DELETE operations directly into BigQuery tables in real time through the BigQuery Storage Write API This further enables the real time replication of more classically transactional systems into BigQuery which empowers cross functional analytics between OLTP and OLAP systems Learn more here Week of April Now Available Google Cloud Deploy now supports canary release as a deployment strategy This feature is supported in Preview Learn moreGeneral Availability Cloud Run services as backends to Internal HTTP S Load Balancers and Regional External HTTP S Load Balancers Internal load balancers allow you to establish private connectivity between Cloud Run services and other services and clients on Google Cloud on premises or on other clouds In addition you get custom domains tools to migrate traffic from legacy services Identity aware proxy support and more Regional external load balancer as the name suggests is designed to reside in a single region and connect with workloads only in the same region thus helps you meet your regionalization requirements Learn more New Visualization tools for Compute Engine Fleets TheObservability tab in the Compute Engine console VM List page has reached General Availability The new Observability tab is an easy way to monitor and troubleshoot the health of your fleet of VMs Datastream for BigQuery is Generally Available  Datastream for BigQuery is generally available offering a unique truly seamless and easy to use experience that enables near real time insights in BigQuery with just a few steps Using BigQuery s newly developed change data capture CDC and Storage Write API s UPSERT functionality Datastream efficiently replicates updates directly from source systems into BigQuery tables in real time You no longer have to waste valuable resources building and managing complex data pipelines self managed staging tables tricky DML merge logic or manual conversion from database specific data types into BigQuery data types Just configure your source database connection type and destination in BigQuery and you re all set Datastream for BigQuery will backfill historical data and continuously replicate new changes as they happen Now available  Build an analytics lakehouse on Google Cloud whitepaper The analytics lakehouse combines the benefits of data lakes and data warehouses without the overhead of each In this paper we discuss the end to end architecture which enable organizations to extract data in real time regardless of which cloud or datastore the data reside in use the data in aggregate for greater insight and artificial intelligence AI all with governance and unified access across teams  Download now Week of March Faced with strong data growth Squarespace made the decision to move away from on premises Hadoop to a cloud managed solution for its data platform Learn how they reduced the number of escalations by with the analytics lakehouse on Google Cloud  Read nowLast chance Register to attend Google Data Cloud amp AI Summit  Join us on Wednesday March at AM PDT PM EDT to discover how you can use data and AI to reveal opportunities to transform your business and make your data work smarter Find out how organizations are using Google Cloud data and AI solutions to transform customer experiences boost revenue and reduce costs  Register today for this no cost digital event New BigQuery editions flexibility and predictability for your data cloud  At the Data Cloud amp AI Summit we announced BigQuery pricing editionsーStandard Enterprise and Enterprise Plusーthat allow you to choose the right price performance for individual workloads Along with editions we also announced autoscaling capabilities that ensure you only pay for the compute capacity you use and a new compressed storage billing model that is designed to reduce your storage costs Learn more about latest BigQuery innovations and register for the upcoming BigQuery roadmap session on April Introducing Looker Modeler A single source of truth for BI metrics  At the Data Cloud amp AI Summit we introduced a standalone metrics layer we call Looker Modeler available in preview in Q With Looker Modeler organizations can benefit from consistent governed metrics that define data relationships and progress against business priorities and consume them in BI tools such as Connected Sheets Looker Studio Looker Studio Pro Microsoft Power BI Tableau and ThoughtSpot Bucket based log based metrics ーnow generally available ーallow you to track visualize and alert on important logs in your cloud environment from many different projects or across the entire organization based on what logs are stored in a log bucket Week of March Chronicle Security Operations Feature Roundup Bringing a modern and unified security operations experience to our customers is and has been a top priority with the Google Chronicle team We re happy to show continuing innovation and even more valuable functionality In our latest release roundup we ll highlight a host of new capabilities focused on delivering improved context collaboration and speed to handle alerts faster and more effectively Learn how our newest capabilities enable security teams to do more with less here Announcing Google s Data Cloud amp AI Summit March th  Can your data work smarter How can you use AI to unlock new opportunities Join us on Wednesday March to gain expert insights new solutions and strategies to reveal opportunities hiding in your company s data Find out how organizations are using Google Cloud data and AI solutions to transform customer experiences boost revenue and reduce costs  Register today for this no cost digital event Artifact Registry Feature Preview Artifact Registry now supports immutable tags for Docker repositories If you enable this setting an image tag always points to the same image digest including the default latest tag This feature is in Preview Learn moreWeek of March A new era for AI and Google Workspace  Google Workspace is using AI to become even more helpful starting with new capabilities in Docs and Gmail to write and refine content Learn more Building the most open and innovative AI ecosystem  In addition to the news this week on AI products Google Cloud has also announced new partnerships programs and resources This includes bringing bringing the best of Google s infrastructure AI products and foundation models to partners at every layer of the AI stack chipmakers companies building foundation models and AI platforms technology partners enabling companies to develop and deploy machine learning ML models app builders solving customer use cases with generative AI and global services and consulting firms that help enterprise customers implement all of this technology at scale Learn more From Microbrows to Microservices  Ulta Beauty is building their digital store of the future but to maintain control over their new modernized application they turned to Anthos and GKE Google Cloud s managed container services to provide an eCommerce experience as beautiful as their guests Read our blog to see how a newly minted Cloud Architect learnt Kubernetes and Google Cloud to provide the best possible architecture for his developers Learn more Now generally available understand and trust your data with Dataplex data lineage a fully managed Dataplex capability that helps you understand how data is sourced and transformed within the organization Dataplex data lineage automatically tracks data movement across BigQuery BigLake Cloud Data Fusion Preview and Cloud Composer Preview eliminating operational hassles around manual curation of lineage metadata Learn more here Rapidly expand the reach of Spanner databases with read only replicas and zero downtime moves Configurable read only replicas let you add read only replicas to any Spanner instance to deliver low latency reads to clients in any geography Alongside Spanner s zero downtime instance move service you have the freedom to move your production Spanner instances from any configuration to another on the fly with zero downtime whether it s regional multi regional or a custom configuration with configurable read only replicas Learn more here Week of March Automatically blocking project SSH keys in Dataflow is now GA This service option allows Dataflow users to prevent their Dataflow worker VMs from accepting SSH keys that are stored in project metadata and results in improved security Getting started is easy enable the block project ssh keys service option while submitting your Dataflow job Celebrate International Women s Day Learn about the leaders driving impact at Google Cloud and creating pathways for other women in their industries Read more Google Cloud Deploy now supports Parallel Deployment to GKE and Cloud Run workloads This feature is in Preview  Read more Sumitovant doubles medical research output in one year using LookerSumitovant is a leading biopharma research company that has doubled their research output in one year alone By leveraging modern cloud data technologies Sumitovant supports their globally distributed workforce of scientists to develop next generation therapies using Google Cloud s Looker for trusted self service data research To learn more about Looker check out Week of Feb Mar Add geospatial intelligence to your Retail use cases by leveraging the CARTO platform on top of your data in BigQueryLocation data will add a new dimension to your Retail use cases like site selection geomarketing and logistics and supply chain optimization Read more about the solution and various customer implementations in the CARTO for Retail Reference Guide and see a demonstration in this blog Google Cloud Deploy support for deployment verification is now GA  Read more or Try the DemoWeek of Feb Feb Logs for Network Load Balancing and logs for Internal TCP UDP Load Balancingare now GA Logs are aggregated per connection and exported in near real time providing useful information such as tuples of the connection received bytes and sent bytes for troubleshooting and monitoring the pass through Google Cloud Load Balancers Further customers can include additional optional fields such as annotations for client side and server side GCE and GKE resources to obtain richer telemetry The newly published Anthos hybrid cloud architecture reference design guideprovides opinionated guidance to deploy Anthos in a hybrid environment to address some common challenges that you might encounter Check out the architecture reference design guidehere to accelerate your journey to hybrid cloud and containerization Week of Feb Feb Deploy PyTorch models on Vertex AI in a few clicks with prebuilt PyTorch serving containers which means less code no need to write Dockerfiles and faster time to production Confidential GKE Nodes on Compute Optimized CD VMs are now GA Confidential GKE Nodes help to increase the security of your GKE clusters by leveraging hardware to ensure your data is encrypted in memory helping to defend against accidental data leakage malicious administrators and “curious neighbors Getting started is easy as your existing GKE workloads can run confidentially with no code changes required Announcing Google s Data Cloud amp AI Summit March th Can your data work smarter How can you use AI to unlock new opportunities Register for Google Data Cloud amp AI Summit a digital event for data and IT leaders data professionals developers and more to explore the latest breakthroughs Join us on Wednesday March to gain expert insights new solutions and strategies to reveal opportunities hiding in your company s data Find out how organizations are using Google Cloud data and AI solutions to transform customer experiences boost revenue and reduce costs  Register today for this no cost digital event Running SAP workloads on Google Cloud Upgrade to our newly released Agent for SAP to gain increased visibility into your infrastructure and application performance The new agent consolidates several of our existing agents for SAP workloads which means less time spent on installation and updates and more time for making data driven decisions In addition there is new optional functionality that powers exciting products like Workload Manager a way to automatically scan your SAP workloads against best practices Learn how to install or upgrade the agent here Leverege uses BigQuery as a key component of its data and analytics pipeline to deliver innovative IoT solutions at scale As part of the Built with BigQuery program this blog post goes into detail about Leverege IoT Stack that runs on Google Cloud to power business critical enterprise IoT solutions at scale  Download white paper Three Actions Enterprise IT Leaders Can Take to Improve Software Supply Chain Security to learn how and why high profile software supply chain attacks like SolarWinds and Logj happened the key lessons learned from these attacks as well as actions you can take today to prevent similar attacks from happening to your organization Week of Feb Feb Immersive Stream for XRleverages Google Cloud GPUs to host render and stream high quality photorealistic experiences to millions of mobile devices around the world and is now generally available Read more here Reliable and consistent data presents an invaluable opportunity for organizations to innovate make critical business decisions and create differentiated customer experiences But poor data quality can lead to inefficient processes and possible financial losses Today we announce new Dataplex features automatic data quality AutoDQ and data profiling available in public preview AutoDQ offers automated rule recommendations built in reporting and serveless execution to construct high quality data  Data profiling delivers richer insight into the data by identifying its common statistical characteristics Learn more Cloud Workstations now supports Customer Managed Encryption Keys CMEK which provides user encryption control over Cloud Workstation Persistent Disks Read more Google Cloud Deploy now supports Cloud Run targets in General Availability Read more Learn how to use NetApp Cloud Volumes Service as datastores for Google Cloud VMware Engine for expanding storage capacity Read moreWeek of Jan Feb Oden Technologies uses BigQuery to provide real time visibility efficiency recommendations and resiliency in the face of network disruptions in manufacturing systems As part of the Built with BigQuery program this blog post describes the use cases challenges solution and solution architecture in great detail Manage table and column level access permissions using attribute based policies in Dataplex Dataplex attribute store provides a unified place where you can create and organize a Data Class hierarchy to classify your distributed data and assign behaviors such as Table ACLs and Column ACLs to the classified data classes Dataplex will propagate IAM Roles to tables across multiple Google Cloud projects according to the attribute s assigned to them and a single merged policy tag to columns according to the attribute s attached to them  Read more Lytics is a next generation composableCDP that enables companies to deploy a scalable CDP around their existing data warehouse lakes As part of the Built with BigQuery program for ISVs Lytics leverages Analytics Hub to launch secure data sharing and enrichment solution for media and advertisers This blog post goes over Lytics Conductor on Google Cloud and its architecture in great detail Now available in public preview Dataplex business glossary offers users a cloud native way to maintain and manage business terms and definitions for data governance establishing consistent business language improving trust in data and enabling self serve use of data Learn more here Security Command Center SCC Google Cloud s native security and risk management solution is now available via self service to protect individual projects from cyber attacks It s never been easier to secure your Google Cloud resources with SCC Read our blog to learn more To get started today go to Security Command Center in the Google Cloud console for your projects Global External HTTP S Load Balancer and Cloud CDN now support advanced traffic management using flexible pattern matching in public preview This allows you to use wildcards anywhere in your path matcher You can use this to customize origin routing for different types of traffic request and response behaviors and caching policies In addition you can now use results from your pattern matching to rewrite the path that is sent to the origin Run large pods on GKE Autopilot with the Balanced compute class When you need computing resources on the larger end of the spectrum we re excited that the Balanced compute class which supports Pod resource sizes up to vCPU and GiB is now GA Week of Jan Jan Starting with Anthos version Google supports each Anthos minor version for months after the initial release of the minor version or until the release of the third subsequent minor version whichever is longer We plan to have Anthos minor release three times a year around the months of April August and December in with a monthly patch release for example z in version x y z for supported minor versions For more information read here Anthos Policy Controller enables the enforcement of fully programmable policies for your clusters across the environments We are thrilled to announce the launch of our new built in Policy Controller Dashboard a powerful tool that makes it easy to manage and monitor the policy guardrails applied to your Fleet of clusters New policy bundles are available to help audit your cluster resources against kubernetes standards industry standards or Google recommended best practices The easiest way to get started with Anthos Policy Controller is to just install Policy controller and try applying a policy bundle to audit your fleet of clusters against a standard such as CIS benchmark Dataproc is an important service in any data lake modernization effort Many customers begin their journey to the cloud by migrating their Hadoop workloads to Dataproc and continue to modernize their solutions by incorporating the full suite of Google Cloud s data offerings Check out this guide that demonstrates how you can optimize Dataproc job stability performance and cost effectiveness Eventarc adds support for new direct events from the following Google services in Preview API Gateway Apigee Registry BeyondCorp Certificate Manager Cloud Data Fusion Cloud Functions Cloud Memorystore for Memcached Database Migration Datastream Eventarc Workflows This brings the total pre integrated events offered in Eventarc to over events from Google services and third party SaaS vendors  mFit release adds support for JBoss and Apache workloads by including fit analysis and framework analytics for these workload types in the assessment report See the release notes for important bug fixes and enhancements Google Cloud Deploy Google Cloud Deploy now supports Skaffold version  Release notesCloud Workstations Labels can now be applied to Cloud Workstations resources  Release notes Cloud Build Cloud Build repositories nd gen lets you easily create and manage repository connections not only through Cloud Console but also through gcloud and the Cloud Build API Release notesWeek of Jan Jan Cloud CDN now supports private origin authentication for Amazon Simple Storage Service Amazon S buckets and compatible object stores in Preview This capability improves security by allowing only trusted connections to access the content on your private origins and preventing users from directly accessing it Week of Jan Jan Revionics partnered with Google Cloud to build a data driven pricing platform for speed scale and automation with BigQuery Looker and more As part of the Built with BigQuery program this blog post describes the use cases problems solved solution architecture and key outcomes of hosting Revionics product Platform Built for Change on Google Cloud Comprehensive guide for designing reliable infrastructure for your workloads in Google Cloud The guide combines industry leading reliability best practices with the knowledge and deep expertise of reliability engineers across Google Understand the platform level reliability capabilities of Google Cloud the building blocks of reliability in Google Cloud and how these building blocks affect the availability of your cloud resources Review guidelines for assessing the reliability requirements of your cloud workloads Compare architectural options for deploying distributed and redundant resources across Google Cloud locations and learn how to manage traffic and load for distributed deployments Read the full blog here GPU Pods on GKE Autopilot are now generally available Customers can now run ML training inference video encoding and all other workloads that need a GPU with the convenience of GKE Autopilot s fully managed Kubernetes environment Kubernetes v is now generally available on GKE GKE customers can now take advantage of the many new features in this exciting release This release continues Google Cloud s goal of making Kubernetes releases available to Google customers within days of the Kubernetes OSS release Event driven transfer for Cloud Storage Customers have told us they need asynchronous scalable service to replicate data between Cloud Storage buckets for a variety of use cases including aggregating data in a single bucket for data processing and analysis keeping buckets across projects regions continents in sync etc Google Cloud now offers Preview support for event driven transfer serverless real time replication capability to move data from AWS S to Cloud Storage and copy data between multiple Cloud Storage buckets Read the full blog here Pub Sub Lite now offers export subscriptions to Pub Sub This new subscription type writes Lite messages directly to Pub Sub no code development or Dataflow jobs needed Great for connecting disparate data pipelines and migration from Lite to Pub Sub See here for documentation 2023-04-24 19:00:00

コメント

このブログの人気の投稿

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

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

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