投稿時間:2023-04-24 19:39:05 RSSフィード2023-04-24 19:00 分まとめ(39件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT ITmedia 総合記事一覧 [ITmedia News] 「エアコン試運転」のシンプルな方法 https://www.itmedia.co.jp/news/articles/2304/24/news151.html itmedia 2023-04-24 18:42:00
IT ITmedia 総合記事一覧 [ITmedia News] ネットバンキングの不正送金、急増 被害額は3月だけで5億円超え https://www.itmedia.co.jp/news/articles/2304/24/news152.html 増加傾向 2023-04-24 18:40:00
IT ITmedia 総合記事一覧 [ITmedia News] 技術者がガチになる「魔改造の夜」レギュラー番組に 月イチ放送、4月27日から https://www.itmedia.co.jp/news/articles/2304/24/news149.html itmedia 2023-04-24 18:35:00
IT ITmedia 総合記事一覧 [ITmedia News] プリペイドカード「MIXI M」にリアルカード復活 デザインも一新 https://www.itmedia.co.jp/news/articles/2304/24/news147.html 公式twitter 2023-04-24 18:21:00
TECH Techable(テッカブル) AIが対話からエンジニアの職歴を生成する「ChatGPTからインタビュー受けてみた」 https://techable.jp/archives/203821 chatgpt 2023-04-24 09:00:54
python Pythonタグが付けられた新着投稿 - Qiita Import "requests" could not be resolved from sourcePylancereportMissingModuleSource で困った件の解決法の備忘録 https://qiita.com/Toshio0628/items/cea8344b5d9e9c932aff importrequests 2023-04-24 18:04:18
Ruby Rubyタグが付けられた新着投稿 - Qiita 【Ruby】簡単な書籍管理システムを実装しながらオブジェクト指向のイメージを掴もう! https://qiita.com/gon0821/items/b662dabac81acd67e173 苦労 2023-04-24 18:06:05
golang Goタグが付けられた新着投稿 - Qiita go getでinvalid pseudo-version: preceding tag not foundのエラーが出た時の対処法 https://qiita.com/asosori2/items/8953d4dc70ccdd4769f0 dover 2023-04-24 18:08:05
技術ブログ Developers.IO 【小ネタ】ChatGPTと共に「21世紀型スキル」の必要性を考えてみた https://dev.classmethod.jp/articles/chatgpt-21st_century_skills/ chatgpt 2023-04-24 09:40:55
技術ブログ Developers.IO Zendesk Guideで階層化されたヘルプセンターを作成してみた https://dev.classmethod.jp/articles/subaru-zendesk28/ zendeskguide 2023-04-24 09:35:57
技術ブログ Developers.IO A Beginner’s Guide to Synk https://dev.classmethod.jp/articles/a-beginners-guide-to-synk/ A Beginner s Guide to SynkIntroduction This is Pooja from Alliance department This blog summaries learning Snyk through a beginner s le 2023-04-24 09:02:42
海外TECH DEV Community Mastering the Art of Debugging JavaScript Functions: Tips and Tricks for Smooth Functionality https://dev.to/haszankauna/mastering-the-art-of-debugging-javascript-functions-tips-and-tricks-for-smooth-functionality-4a74 Mastering the Art of Debugging JavaScript Functions Tips and Tricks for Smooth Functionality Introduction to JavaScript functionsAs a programming language JavaScript has become one of the most widely used languages on the web powering the interactivity and functionality of many websites and web applications One of the key features of JavaScript is the ability to create and use functions Functions are reusable blocks of code that perform a specific task They can take in input called parameters or arguments and return output Understanding how to create and debug functions is an essential skill for any JavaScript developer In this article we will explore the basics of JavaScript functions including how to define them pass in arguments and return values We will also cover the most common errors that can occur when working with functions and how to debug them effectively Finally we will dive into more advanced tips and tricks for working with functions including using them to map and filter arrays Understanding the basics of JavaScript functionsA function in JavaScript is defined using the function keyword followed by the name of the function and a set of parentheses Any parameters or arguments that the function will use are listed inside the parentheses The body of the function is enclosed in curly braces Here s an example of a simple JavaScript function that takes in two numbers and returns their sum function addNumbers num num return num num To call this function you simply pass in the required arguments const sum addNumbers console log sum Output In this example we pass in the arguments and to the addNumbers function which returns their sum The result is stored in the sum variable and then printed to the console using console log Defining functions in JavaScriptFunctions in JavaScript can also be defined using a function expression This involves assigning a function to a variable like so const addNumbers function num num return num num This function can be called in the same way as before const sum addNumbers console log sum Output Function expressions can be useful in certain situations such as when you need to define a function within another function Understanding parameters and arguments in JavaScript functionsParameters and arguments are a fundamental aspect of JavaScript functions Parameters are the variables listed in the function definition while arguments are the values passed into the function when it is called Here s an example of a function that takes in a single parameter function greet name console log Hello name To call this function we pass in an argument greet John Output Hello John In this example the greet function takes in a single parameter named name When we call the function with the argument John it prints out the string Hello John Debugging JavaScript functions common errors and how to fix themDebugging functions is a crucial part of any JavaScript developer s job Here are some common errors that can occur when working with functions along with tips on how to fix them Syntax errorsSyntax errors occur when the code is not written correctly such as missing a closing parenthesis or semicolon To fix this carefully review your code and look for any syntax errors Undefined variablesIf you re getting an error that says a variable is undefined it could be because you re trying to use a variable that hasn t been declared yet Make sure all the variables you re using have been declared and initialised Incorrect function callsIf you re getting unexpected results from a function it could be because you re not calling it correctly Double check the function call and make sure you re passing in the correct arguments Using console log to debug JavaScript functionsOne of the most effective ways to debug JavaScript functions is by using console log This method allows you to print out the values of variables and see how the code is executing Here s an example of using console log to debug a function function multiplyNumbers num num console log num num num num return num num In this example we use console log to print out the values of num and num before returning their product This can help us identify any issues with the function s input or output Using breakpoints to debug JavaScript functionsAnother powerful debugging tool in JavaScript is breakpoints Breakpoints allow you to pause the execution of your code at a specific point and inspect the state of your variables To set a breakpoint in your code simply click on the line number in your code editor When you run your code it will pause at that point allowing you to step through and inspect the code Understanding the this keyword in JavaScript functionsThe this keyword is a special keyword in JavaScript that refers to the object that the function is a method of Here s an example of using this in a function const person name John greet function console log Hello my name is this name person greet Output Hello my name is JohnIn this example we define an object called person with a name property and a greet method The greet method uses the this keyword to refer to the person object and print out its name Advanced tips and tricks for debugging JavaScript functionsHere are some advanced tips and tricks for debugging JavaScript functions Using console time and console timeEnd These methods allow you to measure the execution time of a function Here s an example console time myFunction myFunction console timeEnd myFunction This will print out the time it took to execute myFunction Using the debugger keywordThe debugger keyword is a powerful debugging tool that allows you to pause the execution of your code and inspect the state of your variables To use it simply add the debugger keyword to your code where you want to pause execution Using try catch blocksTry catch blocks allow you to handle errors gracefully and prevent your code from crashing Here s an example try some code that might throw an error catch e handle the error This will catch any errors that occur within the try block and allow you to handle them in the catch block Using JavaScript functions for mapping and filtering arraysJavaScript functions can also be used for mapping and filtering arrays The map method allows you to apply a function to each element of an array and return a new array with the results Here s an example const numbers const doubled numbers map function num return num console log doubled Output In this example we use the map method to double each element in the numbers array The resulting array is stored in the doubled variable and printed to the console The filter method allows you to create a new array with all the elements that pass a certain test Here s an example const numbers const evenNumbers numbers filter function num return num console log evenNumbers Output In this example we use the filter method to create a new array with only the even numbers from the numbers array The resulting array is stored in the evenNumbers variable and printed to the console Resources for learning JavaScript functions tutorials courses and free resourcesThere are many resources available for learning JavaScript functions from online courses to free tutorials and resources Here are a few recommended options JavaScript Functions for Beginners a beginner friendly tutorial on JavaScript functions from WSchoolsMDN Web Docs Functions a comprehensive guide to JavaScript functions from the Mozilla Developer NetworkJavaScript Functions Understanding the Basics a Udemy course that covers the basics of JavaScript functionsFreeCodeCamp a free online platform with interactive coding challenges and tutorials on JavaScript functions Conclusion mastering the art of debugging JavaScript functionsJavaScript functions are a fundamental part of the language and mastering them is essential for any JavaScript developer By understanding the basics of functions learning how to debug common errors and using advanced tips and tricks you can become a more efficient and effective developer Remember to take advantage of the many resources available for learning JavaScript functions and always be on the lookout for new ways to improve your coding skills With practice and perseverance you can master the art of debugging JavaScript functions and create smooth functional web applications 2023-04-24 09:54:27
海外TECH DEV Community #TestCulture 🦅 Episode 33 – Adopt an economic view https://dev.to/mathilde_llg/testculture-episode-33-adopt-an-economic-view-4g36 TestCulture Episode Adopt an economic viewThe first principle that SAFe adopts is the economic vision in its organisation This principle does not only concern the estimation of budgets but also the whole chain of solution delivery and exploitation notably by deploying as early and often as possible which is the basis of a Lean Agile DevOps organisation in order to limit budgetary drift Indeed the longer a release waits the more ️The organisation delays the moment when it will postpone the time when the new features can make money for itself or its customers ️The planned budget and the actual cost drift Google introduces in its vision of DevOps the notion of error budget …It takes into consideration a certain economic vision linked to low quality release and the test helps to estimate the cost linked to non quality Indeed testing is first and foremost feedback and the earliest possible release contributes to the implementation of the ISTQB principle test early Learn more about why it is necessary to adopt an economic view Thread on Twitter 2023-04-24 09:11:06
海外TECH DEV Community AWS open source newsletter, #154 https://dev.to/aws/aws-open-source-newsletter-154-5c4a AWS open source newsletter April th Instalment WelcomeHello and welcome to the AWS open source newsletter the newsletter that just keeps on giving in this case keeps giving you brand new open source projects to practice your four freedoms on We have another great selection of projects for you as always starting off with cfn teleport an essential cli tool for Cloudformation users aither an interesting collaborative development tool using virtualised desktops on containers tabular column semantic search a tool to help you find similar types of data in your data lakes resource lister and komiser tools that help you manage your AWS resources resource utilization helps you track your AWS resource utilisation iot network traffic control and load testing simulator an interesting load and chaos testing example and more Also covered in this weeks edition are posts covering a broad range of open source technologies including Apache Oozie Apache Airflow Deep Java Library DJL mwaa local runner MWAA Trusted Language Extensions for PostgreSQL Supabase PostgreSQL Jupyter Grafana Opus Papermill Apache Spark HiveQL Amazon EKS Kubernetes Amazon EMR RStudio USBGuard Amazon Corretto AWS Amplify Apache Hive Metastore LoRaWAN gMSA Python OpenSearch AWS Copilot and Marten As always we have a selection of great videos including a link to the AWS Container Day and don t miss the events section as we regular add new events for your diary and this week we have a few new ones you should be aware of FeedbackPlease please please take minute to complete this short survey and bask in the warmth of having helped improve how we support open source 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 Daniel Schroeder Efe Karakus Maish Saidel Keesing David Tippet Varun Jain Satya Kevin Mun Yan Cui Sean McGrail Vinay Kumar Khambhampati Amol Guldagad Sandeep Singh Cristobal Espinosa Matt Cline Sai Kiran Akula and Samiullah Mohammed NET on AWSIt was great to see this tweet around our continued support for open source projects that help NET developers on AWS This month we supported the Marten project The Marten library provides NET developers with the ability to use the proven PostgreSQL database engine and its fantastic JSON support as a fully fledged document database Very cool Make sure you follow dotnetonAWS to keep up on other projects we are sponsoring Also hot off the press is news that the NET open source team announced the release of Core WCF v preview with Queue Transport support and RabbitMQ implementation RabbitMQ implementation also allows developers to use Amazon MQ for RabbitMQ for dispatching and processing messages out of the box Core WCF is an open sourced project where we collaborate with Microsoft actively as partners Specific AWS contributions of note include the end to end design of Queue Transport layer that enables multiple queue providers to be built on top of the existing transport layer and additional Core WCF packages CoreWCF RabbitMQ and CoreWCF RabbitMQ Client that enable customers to use AmazonMQ for RabbitMQ from Core WCF and opens up a pathway for customers to use different messaging technologies on AWS and not be tied to just MSMQ on premises 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 Toolsaws cloudwatch insightsaws cloudwatch insights is both a command line tool and a python API to simplify interacting with AWS Cloudwatch Insights Check out the README for how you can use this but it allows you to start building some nice automations I am going to be giving this a test drive as I am a big fan of CloudWatch Insights Make sure to check this project out cfn teleportcfn teleport is a fabulous new tool from Daniel Schroeder that provides a command line tool which can move CloudFormation resources between stacks Very cool indeed aitheraither looks like an interesting project from the folk at Enoki which is a containerised Linux desktop with multiplayer features making it easy to collaborate on technical projects simple database archival solutionsimple database archival solution is an open source solution which we featured in I know I know I can hear you saying this is cheating and this is not new that provides a nice solution you can deploy in your AWS account that will help you to archive data to AWS A new blog post has been written that dives deeper into this project and helps you get started Check out Announcing the Simple Database Archival Solutionkomiserkomiser is an open source cloud agnostic resource manager It integrates with multiple cloud providers to build a cloud asset inventory and helps you break down your cost at the resource level You can check out this blog post Deploy Komiser to AWS with Terraform where Mohamed Labouardy helps you get this project up and running and deployed resource utilizationresource utilization This project aims to provide easy to read resource utilisation metrics across several services and resource types With both cost optimisation and sustainability in mind This is just the first and most simple version of an account wide resource utilisation metric amp dashboard to get overall insights on actually how much room for optimisation is available As a baseline initial version considers only Amazon EC service CPU Utilisation iot network traffic control and load testing simulatoriot network traffic control and load testing simulator this repo shows you how to deploy IoT Simulator with two CDK stacks that deploy a load testing tool that simulates hundreds to millions of IoT devices and a control network traffic on your IoT application to simulate real world environment where network quality may vary It also uses Locust a modern open source load testing framework installed on Amazon Elastic Container Service ECS of which workers are configured to send MQTT topic to configured AWS IoT Core endpoint resource listerresource lister is an open source NO CODE interactive python based command line utility Resource Lister can generate list of AWS resources for supported services in single or multiple accounts in consumable CSV or flatten JSON format Resource Lister uses AWS SDK for Python Boto sessions and underlying Boto List APIs to connect multiple configured child accounts and generate the resource list It essentially simplifies accessing of Boto list APIs Resource Lister also provides an option to send generated list to file s or print on command line Resource Lister can be configured to run from Cloud Cloudshell EC or from your machine common io blecommon io ble provides an abstraction layer which offer a common set of APIs to control the device perform Generic Access Profile GAP and Generic Attribute GATT operations for FreeRTOS developers You can read more about this over at Bluetooth Low Energy library common io basiccommon io basic provides a basic set of I O libraries HAL Hardware Abstraction Layer for pins and serial communications on embedded devices Check out the Common I O documentation page for more info on how to use these Demos Samples Solutions and Workshopsecs trainium examplesecs trainium examples this repo demonstrates how to deploy Trainium instances on ECS Cluster with all mandatory requirements to run AWS Neuron SDK and ready for training a Machine Learning model prompt engineering playground with sagemakerprompt engineering playground with sagemaker is a utility which provides a UI to do prompt engineering within SageMaker Studio Check out the comprehensive README that dives deeper into the topic and provides a good background in prompt engineering before walking you through the deployment of this utility tabular column semantic searchtabular column semantic search Finding similar columns in a data lake has important applications in data cleaning and annotation schema matching data discovery and analytics across multiple data sources The inability to accurately find and analyse data from disparate sources represents a potential efficiency killer for everyone from data scientists medical researchers academics to financial and government analysts The code in this repo helps you to build a solution for searching for similar columns based on column name column content or both To help you bootstrap this project you can read the detailed post Build a semantic search engine for tabular columns with Transformers and Amazon OpenSearch Service AWS and Community blog postsCommunity roundupWe had a great selection of community authored content that caught my eye this week In we featured dynamodb shell a simple CLI for DynamoDB modeled on isql and the MySQL CLIs Satya has put together a short post AWS DynamoDB Shell ddbsh where he walks through some examples of using this Next up we have Kevin Mun with his post I bring up my full stack AWS application in ten minutes here are the open source tools you will be using shares his experience and delight in using one open source tool sst to help make his life easier and more productive From sst to AWS CDK this time AWS Hero Yan Cui with his take on the strengths and weaknesses of AWS CDK based on his own use cases and experience Worth reading anything from Yan as you know he has put a lot of thought into it The final post in this round up comes from the folk behind ZeusCloud an open source tool to help you discover prioritise and remediate your risks in the cloud that we featured in In AWS Account ID An Attacker s Perspective Varun Jain shares details about how exposing your AWS Account number is useful to potential attackers I certainly learned a few things from reading this post AWS Libcrypto for RustAWS Libcrypto for Rust aws lc rs is a new open source cryptographic library for Rust software developers with FIPS cryptographic requirements In the blog post Introducing AWS Libcrypto for Rust an Open Source Cryptographic Library for Rust Sean McGrail provides a hands on introduction to this library and shows you how you can get started hands on Trusted Language Extensions for PostgreSQLOne of my favorite open source related announcements at re Invent was Trusted Language Extensions for PostgreSQL an open source development kit that lets developers create extensions in their preferred language with built in safety guardrails In this post Supabase Makes Extensions Easier for Developers with Trusted Language Extensions for PostgreSQL we take a look at how Supabase are using Trusted Language Extensions for PostgreSQL to make the Supabase platform easier to deploy across multiple cloud providers and to make it easier for developers to add extensions in Supabase Essential reading this week Apache AirflowI put together a couple of blog posts last week on Apache Airflow The first was borne out of wanting to know more about the recently launched and hotly anticipated feature that allows you to now specify a startup script that will launch at the start of your worker nodes In Exploring Shell Launch Scripts on Managed Workflows for Apache Airflow MWAA and mwaa local runner I show you how you can use mwaa local runner to test this before you deploy to your Managed Workflows for Apache Airflow MWAA including how to patch a current issue I found that stopped the environment variables working within mwaa local runner As I was writing this I was speaking to some developers who were looking to experiment with mwaa local runner but wanted to do this in their AWS Cloud developer environments I put this recipe together Getting mwaa local runner up on AWS Cloud I would welcome feedback on how to improve the setup and make it even easier to deploy mwaa local runner on Cloud The final Apache Airflow update this time not written by me is an update to the MWAA migration documentation Migrating workloads from AWS Data Pipeline to Amazon MWAA where you can check this new section that has been added to help those who are using AWS Data Pipeline service migrate those pipelines to Apache Airflow Apache OozieApache Oozie is an open source workflow scheduler system to manage Apache Hadoop jobs In the post Accelerate HiveQL with Oozie to Spark SQL migration on Amazon EMR Vinay Kumar Khambhampati Amol Guldagad and Sandeep Singh walk you through a solution that automates the migration from HiveQL to Spark SQL with Oozie workloads and is battle tested in a real world use case hands on Deep Java LibraryThe Deep Java Library DJL is a deep learning framework built from the ground up to support users of Java and JVM languages like Scala Kotlin and Clojure In this case study How Sportradar used the Deep Java Library to build production scale ML platforms for increased performance and efficiency the Sportradar team discusses the challenges they encountered building production ready machine learning inference solutions and the solutions they created to build their model inference platform using the DJL Other posts and quick readsRunning Jupyter notebooks as hybrid jobs with Amazon Braket looks at how users can seamlessly scale up from exploratory notebook into repeatable and reliable experiments by running Jupyter notebooks directly as Hybrid Jobs a fully managed containerised environment to run experiments combining classical and quantum computations hands on Monitoring Amazon DevOps Guru insights using Amazon Managed Grafana walks you through integrating the insights generated from DevOps Guru with Amazon Managed Grafana hands on Neural encoding enables more efficient recovery of lost audio packets explores a new paper written by the Amazon Chime team that looks at how to tackle audio quality when you have unreliable networks and how Amazon is contributing improvements upstream to Opus an open source codec for interactive speech and audio transmission over the Internet Managing edge aware Service Mesh with Amazon EKS for AWS Local Zones looks at how Amazon EKS clusters deployed across multiple AWS Local Zones can be used with a service mesh to simplify edge aware routingConnect Amazon EMR and RStudio on Amazon SageMaker provides a hands on guide on how you can connect your RStudio on SageMaker domain with an EMR cluster hands on Protecting Linux based IoT devices against unintended USB access shows how to protect Linux based IoT devices and computers against unintended USB access with USBGuard an open source framework for implementing USB device authorisation policies what kind of USB devices are authorised as well as method of use policies how a USB device may interact with the system hands on Simplify and speed up Apache Spark applications on Amazon Redshift data with Amazon Redshift integration for Apache Spark explains how you can use the Amazon Redshift integration for Apache Spark to build and deploy applications with Amazon EMR on Amazon EC Amazon EMR Serverless and AWS Glue to automatically apply predicate and query pushdown to optimise the query performance for data in Amazon Redshift hands on TutorialI put together a deep dive tutorial Automate the Provisioning of Your Apache Airflow Environments which walks you through how to setup and automate both the provisioning of your Managed Workflows for Apache Airflow MWAA environments and how to automate the deployment of your workflows DAGs using a simple CI CD pipeline Quick updatesAmazon CorrettoOn April Amazon announced quarterly security and critical updates for Amazon Corretto Long Term Supported LTS versions of OpenJDK Corretto u are now available for download Amazon Corretto is a no cost multi platform production ready distribution of OpenJDK With this release we are declaring aarch Alpine Linux binaries of Corretto and GA AWS AmplifyAWS Amplify announced support for Push Notifications for Swift Android Flutter and React Native applications This means that developers can now use Amplify to set up push notifications when targeting iOS and Android platforms providing developers and businesses with a way to engage with users and send them timely and relevant information Developers can now set up campaigns to segment and target specific users Personalising push notifications with AWS Amplify allows mobile and cross platform developers to target specific users with important updates promotions and new features resulting in higher engagement and increased user satisfaction Read the post AWS Amplify supports Push Notifications for Android Swift React Native and Flutter apps that shows you how to add push notifications features to your Android applications with AWS Amplify and then send targeted messages to your users FlutterThe AWS Amplify Flutter team unveiled the version last week which will help app development by adding support for both web and desktop platforms You can now with a single codebase target platforms including iOS Android Web Linux MacOS and Windows Dive deeper into the post Amplify Flutter announces general availability for web and desktop support Apache Hive MetastoreAWS Lake Formation and the Glue Data Catalog now extend data cataloging data sharing and fine grained access control support for customers using a self managed Apache Hive Metastore HMS as their data catalog Previously customers had to replicate their metadata into the AWS Glue Data Catalog in order use Lake Formation permissions and data sharing capabilities Now customers can integrate their HMS metadata within AWS allowing them to discover data alongside native tables in the Glue data catalog manage permissions and sharing from Lake Formation and query data using AWS analytics services To get started customers using this feature will need to connect their HMS databases and tables as federation objects into their AWS Glue Data Catalog check out and the aws glue data catalog federation project Customers can then grant Lake Formation column tag and data filter permissions on tables as if they were native AWS Glue Data Catalog tables These permissions are then applied whenever those tables are queried by Lake Formation supported AWS services simplifying the management of unified data access controls Finally customers can audit access and permissions on their HMS resources using AWS CloudTrail logs generated on all data and metadata access events PythonAWS Lambda now supports Python as both a managed runtime and a container base image To deploy Lambda functions using Python upload the code through the Lambda console and select the Python runtime You can also use the AWS CLI AWS Serverless Application Model AWS SAM and AWS CloudFormation to deploy and manage serverless applications written in Python Additionally you can also use the AWS provided Python base image to build and deploy Python functions using a container image AWS will automatically apply updates to the Python managed runtime and to the AWS provided Python base image as they become available Amazon EMRAmazon EMR on EC now provides contextual error details that makes it easier to troubleshoot cluster provisioning failures EMR lets you provision your EMR on EC cluster without worrying about managing compute infrastructure or open source application setup However there can be circumstances when your cluster provisioning fails such as an insufficient EC instance capacity error bootstrap action failure or a VPC subnet misconfiguration error With today s launch you will now find additional error details in the new EMR console AWS Command Line Interface AWS CLI and the AWS SDK These additional error details are automatically enabled for all EMR versions and no further action is needed Previously when users encountered a provisioning error such as a bootstrap failure they would receive an error message that the cluster failed but with no further context Identifying whether the root cause was an invalid or conflicting bootstrap action or a misconfigured bootstrap source file location took multiple steps With today s launch you will get specific error details for cluster provisioning failures along with detailed root cause and recommendations to resolve the failure You can find these details in the Cluster list view in the new console and via APIs LoRaWANAWS IoT Core for LoRaWAN announces public network support preview for LoRaWAN based Internet of Things IoT systems With this update customers can now easily connect their IoT devices to the cloud using publicly available LoRaWAN networks provided by Everynet a global LoRaWAN network operator offering carrier grade networks Using AWS IoT Core for LoRaWAN customers can simply register their devices to the cloud and opt for public network support in the AWS IoT console Within minutes they will be able to receive data from registered LoRaWAN devices in their AWS account AWS IoT Core for LoRaWAN is a fully managed LoRaWAN Network Server LNS that enables customers to connect their LoRaWAN enabled wireless devices typically used for low power long range wide area network connectivity to AWS IoT system operators now do not need to deploy and maintain their own private LoRaWAN network resulting in development management and operational cost savings It also streamlines billing processes as system operators do not need to interface with individual network provider for managing network subscription costs gMSAAmazon Elastic Container Service ECS is announcing availability of ECS optimised Amazon Linux AL AMIs and group managed service accounts gMSA on ECS Linux containers through credentials fetcher integration gMSA is a managed account that provides automatic password management service principal name SPN management and the ability to delegate management to administrators over multiple servers or instances This integration allows applications hosted on Amazon ECS Linux containers to easily authenticate with Microsoft Active Directory AD to access network shared resources This integration enables customers to continue using AD as well as get the cost reliability and scalability benefits of Amazon Linux on ECS As you deploy your NET applications the applications hosted on Linux containers need to connect to network resources such as SQL Server hosts or storage blocks that are authenticated over Microsoft AD The gMSA credentials fetcher is now directly integrated into Amazon ECS You can use credentials fetcher to access AD from services hosted on Linux containers using the service account authentication model Developers and system administrators can use the ECS agent for a managed configuration experience on the ECS platform To dive deeper into this check out the excellent post Using Windows Authentication with gMSA on Linux Containers on Amazon ECS where Cristobal Espinosa Matt Cline Sai Kiran Akula and Samiullah Mohammed provide a nice detailed walk through on how to integrate Credentials Fetcher with Amazon ECS Videos of the weekAWS Container DayAs KubeCon has just finished what better way to celebrate than to share the recording of the AWS Container Day sessions This is an epic seven hour video packed with lots of different sessions and speakers covering all things Kubernetes on AWS You can check out the full agenda at Save the date Container Day KubeCon OpenSearchIf you missed the last OpenSearch community meeting then you can watch the recording here where David Tippet takes the chair and goes over some updates you need to know about and then looks at a demo of the recently launched Security Analytics functionality and look at out of the box dashboards AWS CopilotCheck out this session from Efe Karakus and Maish Saidel Keesing of the Containers from the Couch crew as they deep dive on the new features available in the version of the AWS Copilot CLIBuild 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 eight of the episodes of the Build on Open Source show Build on Open Source playlist 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 FIPS Enabled Ubuntu Pro on AWSWebinar th April pm GMTDeveloping and running Linux workloads in regulated and high security environments require a long and expensive validation process As a result U S government agencies and companies that are required to meet government standards and or deploy to meet their RMF ATO or FedRAMP or GOVCloud demands will typically need to make large investments ensuring that they run on robust and secure infrastructure platforms Thanks to Ubuntu Pro and AWS you can have highly secure and FIPS enabled Open Source Linux instances running in no time In this webinar we will look at Ubuntu Pro with FIPS and additional security controls we provide at a higher level for agencies or missions to help you meet your security and compliance requirements The session will also include a demo that shows how easy it is to start securing the Ubuntu Operating System within the AWS cloud Register to save your spot at Webinar FIPS Enabled Ubuntu Pro on AWSReducing the costs of your openCypher applicationsOnline May th pm UKopenCypher is an open source project for creating graph applications Neptune supports openCypher graph query language and in this webinar you will learn more about the cost benefits for moving openCypher workloads to Neptune serverless With Neptune serverless customers can see up to cost savings compared to provisioning for peak capacity A demo of Neptune in action will be included in this session Head over to the You Tube holding page Reducing the costs of your openCypher applications Intelligent Document Processing with AWS and Open Source with Hugging FaceAWS Office Zurich May rd am pm CETFor readers who are based in Zurich make sure you check out this event The goal of this in person event is to learn and share experience on how to get insights from documents and simplify workflows using document processing and the power of open source There is a great line up of speakers and an excellent agenda Find out more and reserve your space by heading over to Intelligent Document Processing with AWS and Open Source with Hugging FaceOpen source Table Formats with AWS Glue and Amazon EMROnline th June PM UK timeCurious about Transactional Data Lakes Come join our AWS experts as we take you through the most popular open source table formats how these table formats can help you enable a modern data strategy and how to build on these formats with Amazon EMR and AWS Glue In this session we ll cover some of the key differences between these different table formats help you decide which table format may be the best fit for your workloads and show you how to start building today You can join via YouTube live hereCortexEvery 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-04-24 09:09:03
海外TECH DEV Community Weekly Roundup (Apr 17) - 🔥Hot Topics🔥 in workplace, sharepoint, and powerplatform https://dev.to/jaloplo/weekly-roundup-apr-17-hot-topics-in-workplace-sharepoint-and-powerplatform-4859 Weekly Roundup Apr Hot Topicsin workplace sharepoint and powerplatformHey fellow developers It s jaloplo here to give you the latest scoop on what s been happening in the workplace sharepoint and powerplatform communities workplace No Remote Work is not Done Yet by Wynand Pieters The article argues that remote work is here to stay and that companies should be investing in the tools and infrastructure needed to support remote workers Pieters points out that remote work can actually increase productivity and employee satisfaction if done correctly Engineering onboarding is not black and white by S M Sufyan This article explores the complexities of onboarding new engineers and argues that a one size fits all approach is not effective Sufyan suggests that companies should take a more personalized approach to onboarding taking into account the individual needs and goals of each new hire powerplatform and sharepoint Power Automate Copy list attachment to document library by Bernard Lim The article explains how to use Power Automate to automatically copy attachments from a SharePoint list item to a document library Power Automate How to get previous value of updated SharePoint List Item by Bernard Lim The article shows how to use Power Automate to capture the previous value of a SharePoint list item before it was updated allowing for better tracking of changes Power Apps How to do Loops in Power FX by Wyatt Dave This article explains how to use loops in Power FX to iterate through data and perform operations on each item improving the efficiency of data processing in Power Apps Power Apps Client or Server Side by Wyatt Dave The article discusses the differences between client side and server side processing in Power Apps helping developers choose the most appropriate approach for their specific needs Automating the process of adding a Site Collection Administrator SCA in SharePoint Online with Power Automate by CloudStakes This article describes how to use Power Automate to automate the process of adding a site collection administrator in SharePoint Online saving time and reducing the risk of errors That s all for this week s roundup Thanks for tuning in and remember to keep the discussions lively and informative in our tags If you have any suggestions for future topics feel free to drop them in the comments below See you next week 2023-04-24 09:08:00
海外科学 NYT > Science Northern Lights Are Seen in Places Where They Normally Aren’t https://www.nytimes.com/2023/04/24/science/northern-lights-aurora-borealis.html Northern Lights Are Seen in Places Where They Normally Aren tThe lights driven by a large burst of energy from the sun illuminated an unusually wide area across North America and Europe and may be visible again on Monday night 2023-04-24 09:41:05
金融 金融庁ホームページ 「インパクト投資等に関する検討会」(第7回)議事次第を公表しました。 https://www.fsa.go.jp/singi/impact/siryou/20230424.html 次第 2023-04-24 10:30:00
ニュース BBC News - Home Third of post-lockdown tutoring cash unspent https://www.bbc.co.uk/news/uk-england-65346438?at_medium=RSS&at_campaign=KARANGA experts 2023-04-24 09:21:36
ニュース BBC News - Home M1 and A14 closures after crash that left lorry hanging off bridge https://www.bbc.co.uk/news/uk-england-leicestershire-65371074?at_medium=RSS&at_campaign=KARANGA carriageway 2023-04-24 09:40:55
ニュース BBC News - Home Barry: 'A stranger I met at the beach gave me her kidney' https://www.bbc.co.uk/news/uk-wales-65110146?at_medium=RSS&at_campaign=KARANGA indie 2023-04-24 09:23:12
ニュース BBC News - Home What photo ID do you need to vote in UK elections? https://www.bbc.co.uk/news/explainers-64877005?at_medium=RSS&at_campaign=KARANGA elections 2023-04-24 09:03:03
ニュース BBC News - Home Listen: Trapped Brit calls government evacuation nonsense https://www.bbc.co.uk/news/uk-65373857?at_medium=RSS&at_campaign=KARANGA government 2023-04-24 09:28:37
ニュース BBC News - Home Diplomats and foreign nationals evacuated https://www.bbc.co.uk/news/world-africa-65363586?at_medium=RSS&at_campaign=KARANGA khartoum 2023-04-24 09:15:13
サブカルネタ ラーブロ ZATSUのオスス麺in武蔵野多摩117回 http://ra-blog.net/modules/rssc/single_feed.php?fid=209760 walker 2023-04-24 10:25:20
GCP Google Cloud Platform Japan 公式ブログ TorchX を使用して、PyTorch アプリケーションを Batch で迅速にデプロイする https://cloud.google.com/blog/ja/products/compute/rapidly-deploy-pytorch-applications-on-batch-using-torchx/ MLパイプラインのトレーニングと本番環境移行を高速な反復処理で加速できる、分散PyTorchワークロードを実行するように設計されたTorchXと組み合わせることで、MLアプリケーションの開発のデベロッパーエクスペリエンスをさらに簡素化できます。 2023-04-24 09:50:00
GCP Google Cloud Platform Japan 公式ブログ 新しいログベースの指標機能により、重要なログの追跡がかつてないほど簡単に https://cloud.google.com/blog/ja/products/management-tools/bucket-scoped-log-based-metrics-now-ga/ マルチテナンシーアプローチを使用した開発者向けオブザーバビリティの向上バケットスコープのログベースの指標を使用することで、GoogleKubernetesEngineGKEでのマルチテナント環境の管理もさらに簡単になります。 2023-04-24 09:40:00
GCP Google Cloud Platform Japan 公式ブログ 実践から学ぶ: Google Cloud ジャンプ スタート ソリューションのご紹介 https://cloud.google.com/blog/ja/products/application-modernization/introducing-google-cloud-jump-start-solutions/ デプロイされたソリューションをさまざまな方法で探索可能ジャンプスタートソリューションでは、実践による学習が重視されています。 2023-04-24 09:30:00
GCP Google Cloud Platform Japan 公式ブログ Cloud Monitoring で Google Cloud のオブザーバビリティ コストを特定して削減する方法 https://cloud.google.com/blog/ja/products/management-tools/learn-to-understand-and-reduce-cloud-monitoring-costs/ 不要な指標を削除する過去にオブザーバビリティに必要だった指標が不要になったことや、特定のOpsエージェント指標は必要であるものの、他の指標は有用でないことに気づいた場合は、当然ながら、使用していない指標を消費して料金を支払わないようにすることをおすすめします。 2023-04-24 09:20:00
GCP Google Cloud Platform Japan 公式ブログ 場所を問わない働き方: 開発者の生産性向上を支援する Cloud Workstations https://cloud.google.com/blog/ja/products/devops-sre/ide-and-development-environments-in-the-cloud-save-time-and-money/ さまざまな場所に分散して働くチームのオンボーディングや安全なワークステーションの維持が必要であり、一部の大企業はこれに対処するためにクラウドベースの開発環境を採用しています。 2023-04-24 09:10:00
IT 週刊アスキー 全世界で1000億円突破の大ヒット!「ザ・スーパーマリオブラザーズ・ムービー」日本での上映は4月28日から https://weekly.ascii.jp/elem/000/004/134/4134318/ 東宝東和 2023-04-24 18:35:00
IT 週刊アスキー 魔王と勇者姫が登場!『ドラクエタクト』で『DQX』コラボが4月27日より開催決定 https://weekly.ascii.jp/elem/000/004/134/4134282/ 情報番組 2023-04-24 18:10:00
IT 週刊アスキー セガの番組「セガにゅー」第22回が4月28日20時より配信決定! https://weekly.ascii.jp/elem/000/004/134/4134302/ youtubelive 2023-04-24 18:05:00
IT 週刊アスキー G-Tuneより、手頃な価格でゲームを楽しめる16型ノートパソコン「P6シリーズ」3モデル発売 https://weekly.ascii.jp/elem/000/004/134/4134304/ gtune 2023-04-24 18:30:00
マーケティング AdverTimes NEC、自販機向けに顔認証機能 伊藤園が5月中旬から導入 https://www.advertimes.com/20230424/article417314/ 認証 2023-04-24 09:48:22
GCP Cloud Blog JA TorchX を使用して、PyTorch アプリケーションを Batch で迅速にデプロイする https://cloud.google.com/blog/ja/products/compute/rapidly-deploy-pytorch-applications-on-batch-using-torchx/ MLパイプラインのトレーニングと本番環境移行を高速な反復処理で加速できる、分散PyTorchワークロードを実行するように設計されたTorchXと組み合わせることで、MLアプリケーションの開発のデベロッパーエクスペリエンスをさらに簡素化できます。 2023-04-24 09:50:00
GCP Cloud Blog JA 新しいログベースの指標機能により、重要なログの追跡がかつてないほど簡単に https://cloud.google.com/blog/ja/products/management-tools/bucket-scoped-log-based-metrics-now-ga/ マルチテナンシーアプローチを使用した開発者向けオブザーバビリティの向上バケットスコープのログベースの指標を使用することで、GoogleKubernetesEngineGKEでのマルチテナント環境の管理もさらに簡単になります。 2023-04-24 09:40:00
GCP Cloud Blog JA 実践から学ぶ: Google Cloud ジャンプ スタート ソリューションのご紹介 https://cloud.google.com/blog/ja/products/application-modernization/introducing-google-cloud-jump-start-solutions/ デプロイされたソリューションをさまざまな方法で探索可能ジャンプスタートソリューションでは、実践による学習が重視されています。 2023-04-24 09:30:00
GCP Cloud Blog JA Cloud Monitoring で Google Cloud のオブザーバビリティ コストを特定して削減する方法 https://cloud.google.com/blog/ja/products/management-tools/learn-to-understand-and-reduce-cloud-monitoring-costs/ 不要な指標を削除する過去にオブザーバビリティに必要だった指標が不要になったことや、特定のOpsエージェント指標は必要であるものの、他の指標は有用でないことに気づいた場合は、当然ながら、使用していない指標を消費して料金を支払わないようにすることをおすすめします。 2023-04-24 09:20:00
GCP Cloud Blog JA 場所を問わない働き方: 開発者の生産性向上を支援する Cloud Workstations https://cloud.google.com/blog/ja/products/devops-sre/ide-and-development-environments-in-the-cloud-save-time-and-money/ さまざまな場所に分散して働くチームのオンボーディングや安全なワークステーションの維持が必要であり、一部の大企業はこれに対処するためにクラウドベースの開発環境を採用しています。 2023-04-24 09:10: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件)