投稿時間:2023-08-29 18:21:34 RSSフィード2023-08-29 18:00 分まとめ(26件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… mineo、公式アプリのサポートOSバージョンを19月頃に変更へ ー iOS 14.0以降とAndroid 7.0以降に https://taisy0.com/2023/08/29/175993.html android 2023-08-29 08:58:33
IT ITmedia 総合記事一覧 [ITmedia ビジネスオンライン] 「バスケW杯」支える日の丸企業製ボール FIBAと40年の関係 https://www.itmedia.co.jp/business/articles/2308/29/news158.html itmedia 2023-08-29 17:51:00
IT ITmedia 総合記事一覧 [ITmedia ビジネスオンライン] そごう・西武、ストでも止められない百貨店売却 「伝家の宝刀」威力に限界 https://www.itmedia.co.jp/business/articles/2308/29/news170.html itmedia 2023-08-29 17:43:00
IT ITmedia 総合記事一覧 [ITmedia News] 「永久不滅ウォレット」終了へ セゾン「永久不滅のウォレットという主張ではない」 https://www.itmedia.co.jp/news/articles/2308/29/news167.html itmedia 2023-08-29 17:30:00
IT 情報システムリーダーのためのIT情報専門サイト IT Leaders 請求書受領サービス「Bill One」、受領した請求書が適格請求書の要件を満たしているかを自動で判定 | IT Leaders https://it.impress.co.jp/articles/-/25282 請求書受領サービス「BillOne」、受領した請求書が適格請求書の要件を満たしているかを自動で判定ITLeadersSansanは年月日、請求書受領サービス「BillOne」に、「適格請求書判定機能」を追加したと発表した。 2023-08-29 17:47:00
python Pythonタグが付けられた新着投稿 - Qiita a-b+c=3,a2+b2+c2=15,ab+bc-ca「2023 福島大学前期 食農学類【5】(1)」をChatGPTとMathematicaとWolframAlphaとsympyでやってみたい。 https://qiita.com/mrrclb48z/items/49c162697455020bc05d abcabcabbcca 2023-08-29 17:03:04
python Pythonタグが付けられた新着投稿 - Qiita 5分でできるHydraによるパラメーター管理 https://qiita.com/Isaka-code/items/3a0671306629756895a6 hydra 2023-08-29 17:01:53
js JavaScriptタグが付けられた新着投稿 - Qiita はじめてのブロックチェーン実践講座その2 https://qiita.com/nembear/items/c7f39f5060d2209f1bfb takanobun 2023-08-29 17:29:09
AWS AWSタグが付けられた新着投稿 - Qiita Aurora MySQL version2からversion3にしたときに詰まったこと https://qiita.com/SAMUKEI/items/8602db5054d2047aecb6 bluegreendeploym 2023-08-29 17:52:44
Git Gitタグが付けられた新着投稿 - Qiita 【メモ】gitを使う前によくやる設定 https://qiita.com/wakuto_m-n/items/270b0cf79e4d1ed19a71 設定 2023-08-29 17:59:52
技術ブログ Developers.IO EC2 Instance Connect Endpoint を試してみた。 https://dev.classmethod.jp/articles/try-ec2-instance-connect-endpoint/ ecinst 2023-08-29 08:46:50
技術ブログ Developers.IO Mountpoint for Amazon S3 他リージョンからアクセスしたときのリード性能を確認してみた https://dev.classmethod.jp/articles/moutpoint-for-amazon-s3-performance-from-other-region/ mountpointforamazons 2023-08-29 08:28:23
海外TECH DEV Community ZenStack: The Complete Authorization Solution for Prisma Projects https://dev.to/zenstack/zenstack-the-complete-authorization-solution-for-prisma-projects-25fo ZenStack The Complete Authorization Solution for Prisma ProjectsYes authorization It s like the salad part of your diet you know it s vital and indispensable but struggle to enjoy Implementing authorization doesn t need to be a fancy job Just roll up your sleeves and turn business rules into code We ve all been there at some point and all been hurt by the consequences What will be broken if I move this check to a different place Where s the best place to stuff in this new piece of rule We need to add a new resource type How can it inherit the existing rules As time goes by and complexity increases you find it harder and harder to have a clear picture of the authorization model from your code and of course external documentation cannot be trusted What a bummer You give a long sigh and mutter to yourself Where s The ProblemAuthorization is one of those cross cutting concerns like logging error handling caching etc The reason why it s often so messy is that business rules are commonly expressed at the “workflow level which is usually supported by one or a few APIs It feels natural to implement access control at the API level Suppose you have a blogging app where users can create posts that are only visible to other users after an editor marks them published Your list posts API should apply the published filtering when fetching posts However there can be many other places where posts are fetched and should be filtered too User s profile page showing their post countThe app may send emails to users recommending recent popular postsThere can be a page where users can see the latest posts from authors they subscribed to…The surface of authorization grows with your app s feature set and quite often even faster due to feature interactions An application usually consists of many features cutting through a relatively small number of business models The features achieve their functionalities by interacting with business models resulting in many intersections Each such intersection needs to be considered for authorization You see where I m heading Instead of designing and implementing authorization from the feature axis we can change our perspective and tackle the problem from the business model angle Our previous rule about reading posts can be simplified to one statement Posts are not readable if not published unless by editors or their authors If we enforce it at the database level we don t need to ever worry about it again when adding any new feature If you re familiar with PostgreSQL you probably immediately think of row level security However it s Postgres only and requires in depth knowledge of SQL If you use Prisma ORM you can achieve a better result with ZenStack in a database independent and easy to adopt way I assume you ve used Prisma before or already have a basic understanding of it If not here is a greatly simplified crash course to get you started Quick OverviewZenStack is built above Prisma and it made two extensions to achieve simple authorization First it introduced a schema language called ZModel extended from the Prisma Schema Language ZModel added additional attributes and expressions for modeling access policies The following is a quick example and you ll see a more elaborated introduction in the following parts of this article model User id Int id email String model Post id Int id title String content String published Boolean default false author User relation fields authorId references id authorId Int String published posts are readable to all login users allow read auth null amp amp published author has full access allow all auth author The second extension is a runtime API for creating an enhanced PrismaClient that automatically enforces the access policies while fully preserving Prisma s query API import PrismaClient from prisma client import enhance from zenstackhq runtime import getCurrentUser from lib auth const prisma new PrismaClient create an enhanced PrismaClient with a user context that provides value for the auth function in policy rulesconst db enhance prisma user getCurrentUser will only return posts readable to the current userconst posts await db post findMany will be rejected if the current user is not the authorawait db post update where id postId data Now let s focus on the modeling part and see how painless implementing different authorization patterns with ZenStack is Authorization Models Role Based Access ControlRBAC is one of the most common authorization models users are assigned different roles and resource access privileges are controlled at the role level Despite its limitations RBAC is a popular choice for simple applications and some frameworks like RedwoodJS have built in support for it In the following example the app has user and admin roles All users are granted read access to Post and admin users are given full access enum Role USER ADMIN model User id Int id email String role Role default USER model Post id Int id title String content String author User relation fields authorId references id authorId Int String everyone can read posts allow read true admins have full access allow all auth role ADMIN Attribute Based Access ControlABAC provides much greater flexibility by using attributes as building blocks for access control and the attributes can come from users or resources ZenStack doesn t really distinguish RBAC and ABAC In fact if we consider role as an attribute of User RBAC is a special case of ABAC The following example shows how RBAC and ABAC can be mixed enum Role USER EDITOR model User id Int id email String role Role default USER model Post id Int id title String content String published field can only be updated by editors published Boolean default false author User relation fields authorId references id authorId Int String ABAC everyone can read published posts allow read published author has full access except for updating published field see below allow all auth author RBAC amp ABAC non editor users are not allowed to modify published field future represents the entity s post update state deny update user role EDITOR amp amp future published published Use Cases Multi Tenant ApplicationsIf you re building a SaaS you re dealing with multi tenancy Multiple clients share the same database however their data must be strictly segregated The challenge with multi tenancy is that the tenancy boundary needs to be consistently applied among all resource types and accidentally leaking data between tenancies can bring devastating results Let s see how to model it with ZenStack model User id Int id email String unique orgs Org posts Post tasks Task everyone can sign up allow create true can be read by users sharing an organization allow read orgs members auth this full access by oneself allow all auth this model Org id Int id name String members User login users can create an org allow create auth null members can read the org allow read members auth this abstract model Asset id Int id isPublic Boolean default false owner User relation fields ownerId references id ownerId String org Organization relation fields orgId references id orgId String create owner must be set to the current user and the user must be in the org allow create owner auth amp amp org members this auth update only the owner can update and is not allowed to change the owner allow update owner auth amp amp org members this auth amp amp future owner owner allow owner to read and delete allow read delete owner auth allow org members to read if public allow read isPublic amp amp org members this auth inherit fields and policies from Assetmodel Post extends Asset title String content String inherit fields and policies from Assetmodel Task extends Asset name String completed Boolean default false A few quick notes about the model Org represents a tenant and User and Org have a many to many relationship Policy rules can reference relation fields and check conditions against a to many relationship E g collection condition checks if any item in the collection matches the condition Abstract models help reuse common fields and policies so your model can stay DRY Implementing authorization for muti tenant apps especially those with resource sharing features has always been a very challenging task and it s also where the flexibility expressiveness and declarativeness of ZenStack shine If you re interested in digging deeper check out this post for a comprehensive introduction to SaaS authorization modeling How To Build a Scalable SaaS Backend in Minutes With Lines of Code JS for ZenStack・Jun webdev javascript typescript architecture Soft DeletionSoft delete is a widely used practice Instead of physically deleting entities a special deleted field is set to true to mark it as logically deleted It helps in two ways It s easier to recover data in case of accidental deletion The deleted entities may still be useful for purposes like analytics The challenge with soft delete is that you must consistently filter out the deleted rows in most cases which is repetitive and error prone Although this is not an authorization problem ZenStack s access policies can also be of great help here model Post deleted Boolean default false omit omit marks a field to be discarded when read deny read deleted Check out the following post for more details Soft delete Implementation issues in Prisma and solution in ZenStack JS for ZenStack・Feb webdev prisma database productivity Advanced Topics Field Level Access ControlBesides controlling row level access you can also attach policies to fields aka column level security For example you can implement the requirement non editor users are not allowed to modify the published field in a different way like model Post id Int id title String content String published field can only be updated by editors published Boolean default false allow update auth role EDITOR You can also use it to control field level readability For example the publishedBy field is only visible to EDITOR users and will be set undefined when read by other users model Post publishedBy User relation allow read auth role EDITOR Combined with role level model level rules you can implement a complex authorization model with fine granularity Real Time NotificationPrisma released an exciting preview cloud based feature called Pulse a few weeks ago It uses CDC techniques to subscribe to data changes and sends real time notifications to the client Very handy for building highly interactive applications For example we can subscribe to create update and delete events to our Post model like const subscription db post subscribe for await const event of subscription switch event action case create case update case delete ZenStack s policy engine continues to work in this case without any extra effort from you The events will be automatically filtered down to those readable by the current user ConclusionAs mentioned previously authorization is a cross cutting concern and cross cutting concerns are best implemented with the following principles ConsistencyThe implementation should follow a clear and uniform pattern In our examples above the authorization rules are uniformly implemented inside our data schema DeclarativenessCross cutting concerns often appear many times Expressing them declaratively helps save the brain powers of people who read code DRYRepetition is the most common form of technical debt and should be avoided with best effort Keeping access policies at a lower level and close to the database makes them automatically reused by all APIs sitting above ZenStack is built with these principles in mind striving to offer an elegant yet powerful way of implementing authorization This post covered the toolkit s essential features and use cases and there are many more to explore If you re interested check out the documentation and GitHub repo for more details If you like the idea behind the project don t forget to give it a star to help more people find it 2023-08-29 08:23:36
海外TECH DEV Community AWS open source newsletter, #171 https://dev.to/aws/aws-open-source-newsletter-171-4o49 AWS open source newsletter August th Instalment Welcome to of the AWS open source newsletter the newsletter created for developers passionate about open source Thanks to the wonderful August bank holiday here in the UK we are publishing a day later than usual If you have not read this newsletter before we feature new projects content from across the open source and AWS community and share events and videos that you should check out This weeks new projects include ways to automate deployments within your AWS environments at scale a tool to help you run scripts within AWS Lambda a tool that helps you simplify setting up a CI CD pipeline full of open source security scanning tools a Python library for Cedar as well as a demo app that uses this library and more We have content on open source projects this week that include Cedar Kubernetes aws iam authenticator LocalStack AWS SAM Open Data Maps AWS CDK PostgreSQL OpenSearch Memcached MySQL MariaDB OpenShift Grafana Prometheus and Ratify As always make sure you do not skip the video section or the events section And as always if you have an open source event you would like me to share with the readers just drop me a line FeedbackBefore you dive in however I need your help Please please please take minute to complete this short survey and you will forever have my gratitude Celebrating open source contributorsThe articles and projects shared in this newsletter are only possible thanks to the many contributors in open source I would like to shout out and thank those folks who really do power open source and enable us all to learn and build on top of what they have created So thank you to the following open source heroes Sai Kiran Kshatriya Cal Heldenbrand Stephen Kuenzli Jeremy Cowan Frank Osasere Idugboe Lionel Tcham Allen Helton Stephanie May Katie Kowals Emina Torlak Jehu Gray Abiola Olanrewaju Serge Poueme Anand Komandooru Li Liu Neil Potter Vivek Shrivastava Sai Vennam Imaya Kumar Jagnnathan Elamaran Shanmugam and Mikhail Shapirov Latest open source projectsThe great thing about open source projects is that you can review the source code If you like the look of these projects make sure you that take a look at the code and if it is useful to you get in touch with the maintainer to provide feedback suggestions or even submit a contribution The projects mentioned here do not represent any formal recommendation or endorsement I am just sharing for greater awareness as I think they look useful and interesting Toolsaws orga deployeraws orga deployer makes it easier to deploy and manage infrastructure as code at the scale of an AWS Organizations It enables to deploy Terraform or CloudFormation templates and to execute Python scripts in multiple AWS accounts and multiple regions making it particularly suitable for building AWS foundations or Landing Zones To get started you develop modules Terraform or CloudFormation templates or Python scripts create a package definition file to specify which modules to deploy in which accounts and regions and using which parameters and let AWS Orga Deployer deploy modules and manage dependencies between deployments Check out the nice documentation which provides an overview of the key concepts and shows you how you can get started lambda shelllambda shell is a tool from Cal Heldenbrand that provides a Lambda Runtime Interface Client written in pure Bash and Curl It allows you to quickly create a simple bash script to run in Lambda for use cases like cron jobs or tasks that you want to quickly set up and deploy This also implements the Lambda Function URL API to to write HTTP endpoints in bash A very detailed README provides lots of examples that should help you explore and experiment with this project Be sure to let Cal know what you think and check out Cal s post on Reddit for more details simple code scanning pipelinesimple code scanning pipeline The Simple Code Scanning Pipeline project creates a pipeline that AWS users can use to automatically scan a wide variety of code for security and syntax issues This repo sets up a ready to use development environment integrated with a CI pipeline with security and DevOps best practices Upon successful deployment it will configure an AWS CodeCommit Git repository you can specify an existing one if you want and a multi stage pipeline that integrates a number of open source tools such as Bandit for finding common security issues in Python code Flake for ensuring well formatted Python code cfn nag for CloudFormation template linting and security checks Checkov for Terraform linting Gitleaks for secret detection Shellcheck for Shell script linting SqlFluff for SQL linting Unit testing of RDK Custom Config rules and more Check out the repo for the full list of tools used cedar pycedar py is a Python wrapper that helps you use the Rust Cedar Policy library from Python You can use cedarpy to check whether a request is authorised by the Cedar Policy engine and validate the format of your policies I cannot recommend this library enough and is perfect if you are a Python developer looking to lean into the excitement around Cedar In fact check out the demo section below where I put this library to use in a very simple Flask demo app Thank you Stephen great stuff Demos Samples Solutions and Workshopsamazon eks scaling with keda and karpenteramazon eks scaling with keda and karpenter this repository contains the necessary files and instructions to deploy and configure KEDA Kubernetes based Event Driven Autoscaling and Karpenter Kubernetes Node Autoscaler on an Amazon Elastic Kubernetes Service EKS cluster KEDA enables autoscaling of Kubernetes pods based on the number of events in event sources such as Azure Service Bus RabbitMQ Kafka and more Karpenter is a Kubernetes node autoscaler that scales the number of nodes in your cluster based on resource usage README contains plenty of good documentation as well as a video to help you get started cedar flask democedar flask demo I have been playing around with cedar py from Stephen Kuenzli see above and put together a very simple Flask based demo showing how you can use it to simplify authorisations within your Flask applications I hope you will be able to see how easy it is to use and spark some ideas and perhaps more comprehensive demos from Python developers out there AWS and Community blog postsCommunity round upAs usual we begin the round up of written content by exploring the community posts We start with Programmatically accessing the EKS cluster API endpoint without a kubeconfig file where Jeremy Cowan shares a quick recipe on how you can use the aws iam authenticator Go module to programmatically call the Kubernetes API without loading the Kubernetes client SDK Sticking with Kubernetes we have AWS Community Builder Frank Osasere Idugboe who has put together a nice introduction Understanding the ABCs of Kubernetes for those who are looking for a nice Kubernetes primer Next we have another AWS Community Builder Lionel Tchami who looks at how you can get started with LocalStack an open source project that helps you mock AWS services locally in their post LocalStack Emulate AWS Services for Local Development amp Testing AWS Hero Allen Helton s post A Beginner s Guide to the Serverless Application Model SAM is the perfect guide for those of you wanting to dip your toes into the world of Serverless Application Model To close this weeks roundup I have Open Data Maps for AWS where Stephanie May and Katie Kowals provide a super interesting read on the thinking and processes behind creating web maps exclusively from open data and how to express different purposes as part of its design CedarEmina Torlak has put together essential reading for those of you who want to know more about Cedar the open source project that provides a domain specific language to help you build next generation authorisation within your applications In the post How we designed Cedar to be intuitive to use fast and safe Emina shows how Cedar s authorisation semantics data model and policy syntax work together to make the Cedar language intuitive to use fast and safe This weeks must read post AWS CDKIf you use the AWS Cloud Development Kit CDK then make sure you do not miss this post from Jehu Gray Abiola Olanrewaju and Serge Poueme In How to add notifications and manual approval to an AWS CDK Pipeline they provided a guided walkthrough on how to set up notifications and add a manual approval stage to your AWS CDK Pipeline hands on PostgreSQLpg partman is an extension to create and manage both time based and serial based table partition sets in your PostgreSQL databases In the post Automate the archive and purge data process for Amazon RDS for PostgreSQL using pg partman Amazon S and AWS Glue Anand Komandooru Li Liu Neil Potter and Vivek Shrivastava showcase how to use AWS Glue workflows to automate the archive and restore process in RDS for PostgreSQL database table partitions using this tool and Amazon S as archive storage hands on Other posts and quick readsMeasure cluster performance impact of Amazon GuardDuty EKS Agent looks at how Amazon EKS Runtime Monitoring captures runtime activity from your Kubernetes workloads through an agent built using eBPFServe distinct domains with TLS powered by ACM on Amazon EKS looks at how you can serve multiple domains by using a single instance of an AWS Application Load Balancer using host based routing with Server Name Indication SNI hands on Try semantic search with the Amazon OpenSearch Service vector engine provides details of a couple of demos give you an idea of the capabilities of vector based semantic vs word based lexical search and what can be accomplished by utilising the vector engine for OpenSearch Serverless to build your search experiencesAmazon OpenSearch Serverless expands support for larger workloads and collections dives deeper into the recent announcement that you can now scan and search source data sizes of up to TB in your Amazon OpenSearch Serverless environments hands on Amazon OpenSearch Service H in review is a handy review of all the exciting features releases in OpenSearch Service in the first half of Quick updatesMemcachedAmazon ElastiCache for Memcached now makes it simpler and faster for you to get started with setting up an ElastiCache for Memcached cluster The new console experience offers streamlined navigation and minimal settings required to configure a cluster in just a few clicks You can now create an ElastiCache for Memcached cluster by selecting from one of the three pre defined configurations Production Dev Test and Demo Each configuration includes default cluster settings based on best practices that are tailored to your use case MySQLAmazon Aurora MySQL Compatible Edition with MySQL compatibility now supports Percona Xtrabackup for completing physical migrations of your existing MySQL x databases running on Amazon EC or outside of AWS This capability makes it easier and faster to migrate large MySQL databases with complex schemas into Amazon Aurora MySQL Percona XtraBackup allows you to perform consistent non blocking online backups of your source MySQL database which can then be migrated to Aurora MySQL with minimal downtime To complete a physical migration customers need to create a physical backup using the Percona XtraBackup tool You can then upload the backup files to Amazon S and restore them to the target Aurora MySQL x cluster PostgreSQLAmazon Relational Database Service RDS for PostgreSQL now supports the latest minor versions PostgreSQL and We recommend that you upgrade to the latest minor versions to fix known security vulnerabilities in prior versions of PostgreSQL and to benefit from the bug fixes performance improvements and new functionality added by the PostgreSQL community Please refer to the PostgreSQL community announcement for more details about the release With this release RDS for PostgreSQL adds support for a new extension h pg ーan extension providing hexagonal hierarchical geospatial indexing system which allows you to perform spatial analysis to gain insights from large geospatial datasets Support for PL Rust and pg tle now includes PostgreSQL R and higher and higher and and higher This release also includes updates for existing extensions pg tle is updated to with support for custom data types plrust is updated to with crate support for aes ctr and rand and HypoPG is updated to MariaDBAmazon RDS for MariaDB now supports MariaDB major version the latest long term maintenance release from the MariaDB community Amazon RDS for MariaDB includes performance improvements that enable up to higher transaction throughput than prior versions You can deploy RDS for MariaDB on RDS Optimized Read and Optimized Write enabled instance classes for additional performance gains MariaDB major version also includes improvements to authentication information schema system versioning and the InnoDB storage engine made by the MariaDB community You can leverage Amazon RDS Managed Blue Green deployments to upgrade your databases to RDS for MariaDB Find out more by reading Introducing Amazon RDS for MariaDB for up to higher transaction throughput where Sai Kiran Kshatriya benchmarks Amazon RDS for MariaDB version and compares it to version and additionally looks at the latest features introduced by the community in MariaDB OpenShiftIn May Red Hat announced the preview of Red Hat OpenShift Service on AWS ROSA with hosted control planes HCP a new deployment model for ROSA clusters Today we are introducing an AWS account configuration workflow for ROSA with HCP on the AWS Management Console Under the original ROSA deployment model now called ROSA classic all AWS infrastructure required to run the ROSA control plane is hosted on your AWS account Now you can create ROSA clusters with the control plane hosted and managed on a service account During the preview ROSA with HCP clusters will not incur ROSA service fees and should not be used for production workloads ROSA with HCP helps reduce the AWS infrastructure cost of running ROSA clusters as the ROSA control planes are hosted and managed by Red Hat on AWS The new deployment model reduces the ROSA cluster create time and you can separately schedule OpenShift version upgrades for the control plane and the worker node machine pools By moving control plane infrastructure out of your AWS account ROSA with hosted control planes mitigates the risk that actions taken on your account lead to a degraded ROSA control plane Videos of the weekKubernetes Observability Accelerated ft Grafana Prometheus CloudWatch CDK and TerraformDirect from the Containers from the Couch Sai Vennam Imaya Kumar Jagnnathan Elamaran Shanmugam and Mikhail Shapirov show you how to navigate the complex ecosystem of observability solutions that can be used with Kubernetes They also provide a hands on demo of a new open source project to implement observability on Amazon EKS with CDK aptly named AWS Observability Accelerator for CDK Container Image Signing with AWS Signer and Amazon EKSWith container image signing you can deploy containers securely ensuring only trusted images are running in your Kubernetes cluster Ratify is an open source project that enables Kubernetes clusters to verify artefact security metadata prior to deployment ensuring that only those that comply with a defined policy are deployed Find out more about how these two things come together in another session from the folks from the Couch Open Source BriefNow featured every week in the AWS Community Radio show grab a quick five minute recap of the weekly open source newsletter from yours truly Check out the playlist here Build on Open SourceFor those unfamiliar with this show Build on Open Source is where we go over this newsletter and then invite special guests to dive deep into their open source project Expect plenty of code demos and hopefully laughs We have put together a playlist so that you can easily access all sixteen of the episodes of the Build on Open Source show Build on Open Source playlist We are currently planning the third series if you have an open source project you want to talk about get in touch and we might be able to feature your project in future episodes of Build on Open Source Events for your diaryIf you are planning any events in either virtual in person or hybrid get in touch as I would love to share details of your event with readers Developer eXperience and serverlessSigma Technology Cloud Malmö Sweden August th pmThe AWS Skåne Meetup features a great line up as always but of interest to open source developers will be the session on Powertools for AWS Lambda that none other than Heitor Lessa will be delivering and our good friend and AWS Community Builder Lars Jacobsson who will be demonstrating his tool samp cli If you are in the area make sure you reserve your spot You can find more on the meetup page for Developer eXperience and serverlessRADIUSS AWS Tutorials Learn how to use a modern HPC software stackOnline throughout August Check out this series of online tutorials happening throughout August demonstrating how to use several GPU ready projects in the cloud and on premises Follow along on your own EC instance provided No previous experience necessary Lots of open source technologies are covered in this series so if you are looking to get started in this space check out the details on the information page Learn how to use a modern HPC software stack Brenden Bouffler has also put together a great blog post Call for participation RADIUSS Tutorial Series that dives deeper into some of these topics and provides further information Developer Webinar Series Open Source At AWSOnline th September am pm AESTAs part of the Developer Webinar series we are delighted to showcase three sessions that look at open source on AWS We have Aish Gunasekar who will be talking about Leveraging OpenSearch for Security Analytics I will be doing a talk on Cedar in my session Next generation Authz with Cedar and to wrap things up we have Keita Watanabe who will be looking at Scaling LLM GenAI deployment with NVIDIA Triton on Amazon EKS The sessions are technical deep dives and there will be Q amp A as well Jump over to the registration page and sign up and hope to see many of you there Building ML capabilities with PostgreSQL and pgvector extensionYouTube th September pm UK timeGenerative AI and Large Language Models LLMs are powerful technologies for building applications with richer and more personalized user experiences Application developers who use Amazon Aurora for PostgreSQL or Amazon RDS for PostgreSQL can use pgvector an open source extension for PostgreSQL to harness the power of generative AI and LLMs for driving richer user experiences Register now to learn more about this powerful technology Watch it live on YouTube Build ML into your apps with PostgreSQL and the pgvector extensionYouTube st September pm UK timeThis office hours session is a follow up for those who attended the fireside chat titled Building ML capabilities into your apps with PostgreSQL and the open source pgvector extension Others are also welcome Office hours attendees can ask questions related to this topic Application developers who use Amazon Aurora for PostgreSQL or Amazon RDS for PostgreSQL can use pgvector an open source extension for PostgreSQL to harness the power of generative AI and LLMs for driving richer user experiences Join us to ask your questions and hear the answers to the most frequently asked questions about the pgvector extension for PostgreSQL Watch it live on YouTube Open Source Summit EuropeSeptember th st Bilboa Spain Open Source Summit is the premier event for open source developers technologists and community leaders to collaborate share information solve problems and gain knowledge furthering open source innovation and ensuring a sustainable open source ecosystem It is the gathering place for open source code and community contributors You will find AWS as well as myself at Open Source Summit this year so come by the AWS booth and say hello from the glimpses I have seen so far it is going to be awesome Find out more at the official site Open Source Summit Europe OpenSearchConSeattle September Registration is now open source OpenSearchCon Check out this post from Daryll Swager Registration for OpenSearchCon is now open that provides you with what you can expect and resources you need to help plan your trip CDK Day Online th September Back for the fourth instalment this Community led event is a must attend for anyone working with infrastructure as code using the AWS Cloud Development Kit CDK It is intended to provide learning opportunities for all users of the CDK and related libraries The event will be live streamed on YouTube and you check more at the website CDK Day All Things OpenOctober th th Raleigh Convention Center Raleigh North CarolinaI will be attending and speaking at All Things Open looking at Apache Airflow as an container orchestrator I will be there with a bunch of fellow AWS colleagues and I hope to meet some of you there Check us out at the AWS booth where you will find me and the other AWS folk throughout the event Check out the event and sessions speakers at the official webpage for the event AllThingsOpen Open Source IndiaOctober st NIMHANS Convention Center BengaluruNote Date ChangeOne of the most important open source events in the region Open Source India will be welcoming thousands of attendees all to discuss and learn about open source technologies Check out more details on their web page here CortexEvery other Thursday next one th FebruaryThe Cortex community call happens every two weeks on Thursday alternating at UTC and UTC You can check out the GitHub project for more details go to the Community Meetings section The community calls keep a rolling doc of previous meetings so you can catch up on the previous discussions Check the Cortex Community Meetings Notes for more info OpenSearchEvery other Tuesday pm GMTThis regular meet up is for anyone interested in OpenSearch amp Open Distro All skill levels are welcome and they cover and welcome talks on topics including search logging log analytics and data visualisation Sign up to the next session OpenSearch Community Meeting Stay in touch with open source at AWSRemember to check out the Open Source homepage to keep up to date with all our activity in open source by following us on AWSOpen 2023-08-29 08:19:00
金融 金融庁ホームページ 『業種別支援の着眼点』ウェブサイトの開設(委託事業)について掲載しました。 https://www.fsa.go.jp/news/r5/ginkou/20230829.html 開設 2023-08-29 10:00:00
ニュース BBC News - Home Sara Sharif: Pakistan police widen search for family https://www.bbc.co.uk/news/uk-england-surrey-66644523?at_medium=RSS&at_campaign=KARANGA pakistan 2023-08-29 08:04:39
ニュース BBC News - Home Pollution rules changes could ease housebuilding https://www.bbc.co.uk/news/uk-politics-66642878?at_medium=RSS&at_campaign=KARANGA developers 2023-08-29 08:10:22
ニュース BBC News - Home Alcohol deaths rise to highest level in 14 years https://www.bbc.co.uk/news/uk-scotland-66645602?at_medium=RSS&at_campaign=KARANGA people 2023-08-29 08:55:08
ビジネス 不景気.com ダイトウボウが中国子会社「上海大東紡績貿易」を解散 - 不景気com https://www.fukeiki.com/2023/08/daitobo-shanghai-liquidation.html 貿易 2023-08-29 08:40:33
IT 週刊アスキー 熊本・南阿蘇で11月に野外フェス開催!「阿蘇ビート2023」BALLISTIK BOYZ、KEYTALKらが出演 https://weekly.ascii.jp/elem/000/004/152/4152761/ ballistikboyz 2023-08-29 17:45:00
IT 週刊アスキー 試遊タイトルの事前予約開始!「東京ゲームショウ2023」バンダイナムコブース出展の追加情報を公開 https://weekly.ascii.jp/elem/000/004/152/4152795/ 事前予約 2023-08-29 17:35:00
IT 週刊アスキー SMSを悪用する詐欺「スミッシング」は日常茶飯事に? https://weekly.ascii.jp/elem/000/004/152/4152581/ 日常茶飯事 2023-08-29 17:30:00
IT 週刊アスキー オフィス街に舞い上がるシュレッダー紙の紙吹雪! 新宿三井ビルで4年ぶりにのど自慢大会を開催 https://weekly.ascii.jp/elem/000/004/152/4152736/ 新宿三井ビル 2023-08-29 17:30:00
IT 週刊アスキー 秋に旬を迎えるメニューを満喫! パーク ハイアット 東京、各レストランでスペシャルメニューを提供 https://weekly.ascii.jp/elem/000/004/152/4152712/ 満喫 2023-08-29 17:15:00
IT 週刊アスキー ポストコロナ時代の在宅勤務は月・水・金が選ばれる傾向に。RSUPPORT利用データより https://weekly.ascii.jp/elem/000/004/152/4152770/ remoteview 2023-08-29 17:45:00
IT 週刊アスキー G-Tuneのホワイトカラーモデルにディスプレーやマウス、キーボード、ヘッドセットまでホワイト一色のセットが登場 https://weekly.ascii.jp/elem/000/004/152/4152794/ gtune 2023-08-29 17:30:00

コメント

このブログの人気の投稿

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

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

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