投稿時間:2022-04-11 05:21:17 RSSフィード2022-04-11 05:00 分まとめ(29件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
海外TECH DEV Community ShowDEV: We built a side project that allows you to share and review resume🧾 https://dev.to/namanvyas/showdev-we-built-a-side-project-that-allows-you-to-share-and-review-resume-bl0 ShowDEV We built a side project that allows you to share and review resumeHello DEVS I and one of my friends were bored and wanted to do something so we came up with the concept of creating a platform where you can submit your resumes and others would do the same and then you can rate and give feedback on the resumes Demo go check it outStackAs we wanted to finish this project quickly we used ReactJs and Firebase Plans for futureMaybe a interactive profileNested commentsReport buttonkind of contest like monthly or weeklyAgain give this a try Thank you 2022-04-10 19:35:52
海外TECH DEV Community New Web3 Opportunity https://dev.to/timothy102/new-web3-opportunity-jfn New Web OpportunityHey guys My name is Tim and we are building a new web music ecosystem that puts the artist back in the driver seat when it comes to managing their music sharing developing and promoting I encourage all people interested in the idea crypto or the web to leave me a message Tim 2022-04-10 19:28:20
海外TECH DEV Community Sliding Window Explained https://dev.to/vladisov/sliding-window-explained-4pf2 Sliding Window Explained PrefaceAfter a couple of years of my crusades on various FAANG and near FAANG companies though this terminology makes less and less sense endless interview loops sometimes at night I ve gathered a fine database of knowledge that I d like to give back to the dev community Though an interview process is something I m tired of reading about it s still part of the game so sorting things through for future reference is another justification to write all of this for me So not going into details about interview process about it and offers received later I ll try to publish various kinds of coding problems I encountered during my interview ride Sliding window IntroductionHere we go probably the most popular and boring one but still quite tricky The sliding window algorithm is generally used on problems that look for max min or any other target value in a contiguous sequence within an array It is often some kind of optimal like the longest sequence or shortest sequence of something that satisfies a given condition exactly How to identify The problem will involve a data structure that is ordered and iterable like an array or a string You are looking for some subrange in that array string like a longest shortest or target value There is an apparent naive or brute force solution that runs in O N² O N or some other large time complexity But the biggest matter you are looking for is often some kind of optimal like the longest sequence or shortest sequence of something that satisfies a given condition exactly Characteristics of the problems that can be solved by two pointers The summary is simple If a wider scope of the sliding window is valid the narrower scope of that wider scope is valid mush hold If a narrower scope of the sliding window is invalid the wider scope of that narrower scope is invalid mush hold ApproachesThe window represents the current section of the string array that you are “looking at and usually there is some information stored along with it in the form of constants At the very least it will have pointers one indicating the index corresponding beginning of the window and one indicating the end of the window Basic pattern The basic pattern which is used for questions with single array string input where dynamic frequency map can be calculated on the fly Example problem Fruits into basketsCreate frequency map of fruit types Increment character number frequency with end pointer In this case we increase number of fruits of particular type Check a condition Here if no more than two baskets has been filled Remove element with start pointer if it s frequency is Yep we can remove empty basket out of the map Calculate length or target value Obviously number of trees here public static int findLength char arr if arr length return Map lt Character Integer gt map new HashMap lt gt int start end len while end lt arr length adding fruit in here map put arr end map getOrDefault arr end end while map size gt removing fruit from basket map put arr start map getOrDefault arr start if map get arr start map remove arr start start max number of trees consumed len Math max len end start return len The frequency map pattern is used mostly when you have inputs for instance string and array of patterns Example Permutation in a StringIn this case frequency map need to be build upfront Here steps written in a more general way so you d be able to apply them to any problem Create frequency map Calculate conditional input frequency Initialise target count Decrement character number frequency with end pointer Check the count of remaining distinct values in frequency map Check your condition Increment character number frequency with start pointer If value at start pointer is equal to in frequency map →increment counter With frequency map boolean findPermutation String str String pattern if str null pattern null return false Map lt Character Integer gt map new HashMap lt gt for char c pattern toCharArray map put c map getOrDefault c int start end count map size while end lt str length char endChar str charAt end if map containsKey endChar amp amp count gt map put endChar map get endChar if map get endChar count while count if end start pattern length return true char startChar str charAt start if map containsKey startChar map put startChar map get startChar if map get startChar count return false Number of subarrays with K Distinct Characters Haven t found same problem on leetcode But it s easy to realise from the title you re given an array and the goal is to find number of subarrays with K given number of distinct characters Input s k Output Explanation This one is much tricked and requires you to apply few small tricks The trick is atMostK A K atMostK A K So we can say that number of subarrays with K distinct is number of subarrays with AT MOST K distinct number of subarrays with AT MOST K distinct Because in sliding window we explore all windows up to k count end start gives us all subarrays in the window Because every time when we add a number we add window size subarrays → window size subarrays every time public int subarraysWithKDistinct int A int K return atMostK A K atMostK A K int atMostK int arr int k if k return Map lt Integer Integer gt map new HashMap lt gt int start end count while end lt arr length map put arr end map getOrDefault arr end end while map size gt k map put arr start map getOrDefault arr start if map get arr start map remove arr start start count end start trick here we can add all subarrays between end and start return count ComplexitiesIn most of the time they sliding window problems can be solved in O N time and O space complexity For basic approach without additional input O N time and O space For frequency map approach O N or O N M time and O M space where M is amount of additional input data 2022-04-10 19:26:37
海外TECH DEV Community AWS for Games: Worth it? https://dev.to/solardeath/aws-for-games-worth-it-3gm1 AWS for Games Worth it Why AWS is so Popular If you re in the cloud industry you already know AWS is the most broadly adopted cloud platform with a plethora of services more than being offered to us from their global data centers From infrastructure technologies like compute storage databases to more platform based technologies like Analytics Internet of Things Data Lakes Blockchain Machine Learning and AI Heck they have services for fields which I thought it was impossible to have the cloud provide functionality for Quantum Technology and Robotics Plus they have like Availability Zones within geographical regions and many more to come soon all over the world With the boom of the gaming industry and the emergence of Web in accordance with the metaverse cloud providers are competing to change the techniques of traditional game developers and their way of creating games Both Amazon and Microsoft have recently unveiled their game development centric solutions for game developers and it is pretty evident that both seek to capitalize on game studios to move to the cloud AWS has recently launched services on top of their existing stack of Game services AWS GameSparks and AWS GameKit more in detail later So why you would ask would you want for game developers and game studios to shift from traditional ways and transition to the cloud With the cloud there s no managing infrastructure now Developers can focus on what they do best that is building fun and innovative games No need of spending your time and resources on thinking if your servers are going to scale in the way you would want to or managing terabytes and petabytes of data with the ever changing data Cloud takes care of these and more With AWS Game Tech AWS provides you virtual servers to carry out game development ON THE CLOUD That means the unmatched high performance scalability high availability durability that you ve come to expect from AWS Due to its integration with partners like AMD Nvidia Epic Rovio etc you get preconfigured machines offering tons of functionality to your game You can get an Unreal Engine AMI from the AWS Marketplace which comes loaded with the latest version of UE and all its prerequisites for instantaneous creation in the cloud One of the more interesting things that you can do with AWS for games is if you re an iOS game developer you can provision their EC Mac Instances virtual machines running macOS to develop test games rather than buying a fully functional dollar iMac These solutions also enable studios to build distributed development pipelines reducing the security risk of distributed hardware and intellectual property across remote employee environments while using Amazon Elastic Compute Cloud Amazon EC Mac instances to build and test iOS and macOS games You can create full studios workstations create build pipelines do version control create D worlds using their Open D Engine The limits are endless AWS solution areas for game developersLet s break down the six solution areas AWS promises to provide services for Cloud Game Development Touched a bit upon earlier developers can now create GPU powered workstations or flexible remote studios to build your games Game Servers Rather than focusing heavily on game operations design develop operate dedicated server solutions to support highly variable global traffic for session based games game servers allow teams to run games on the cloud at scale with secure resizable compute compacity which provide uninterrupted game experiences through their fully managed services Live Operations This houses of the newest products by AWS AWS GameSparks and AWS GameKit GameSparks With GameSparks you can now add prebuilt backend game backend features such as authentication player messaging managed player data or create custom game features by writing server code A fully managed backend as a service GameKit GameKit allows game developers to add cloud based game features with AWS Well Architected backend solutions and retain the full ability to customize them directly from their game engine AWS GameKit is launching with four features ーIdentity and Authentication User Gameplay Data Achievements Game State Cloud Saving Game Analytics Using the AWS Game Analytics Pipeline you can now configure and deploy scalable serverless data pipelines to ingest store and analyze your game data which can help to give you quick insights on your games and applications Game AI and ML From detecting fraud and predicting player behavior to generating lifelike speech from text and automating playtesting ML and AI can give a massive edge to your games and make game development easier Game Security DDoS attacks data breaches on your games can hamper player experience causing decrease in your player base You can now make use of services like AWS Shield AWS GuardDuty and AWS WAFs to protect your games against DDoS attacks monitor game health and in game errors anomalies There s a ton more functionality that AWS provides this was just a high level overview of the services AWS provides and what you can incorporate in your games Eh Who would use it anyway Fortnite one of the most played games in the world with more than million players around the world runs entirely on AWS I was awestruck when I found out that one of the games I used to play so much was hosted fully on the cloud Even games like PUBG Clash of Clans Call Of Duty make use of AWS services to improve the gaming experience Riot Rovio Epic Activision Supercell WB Games Ubisoft and many more game development studios are partnered with AWS and make use of AWS s resources one way or the other Final ThoughtsIf you are a standalone game developer or a full grown company deploying your game on the cloud is a must for you You won t believe the resources money time and workforce you will be saving which you can provision onto other things This was my first attempt at writing a blog so if you enjoyed reading like and follow for more quality content Links to go through AWS For Games BlogAWS GamekitAWS GameSparks 2022-04-10 19:21:14
海外TECH DEV Community Dockerizando sua Aplicação https://dev.to/jhonywalkeer/dockerizando-sua-aplicacao-2d24 Dockerizando sua AplicaçãoDocker éuma ferramenta sensacional e a cada dia que me aprofundo um pouco mais venho me supreendendo e baseado nisso gostaria de compartilhar o conhecimento que venho adquirindo Com esse artigo espero ajudar vocêcolocar sua aplicações em contêineres e a gerenciar vários deles utilizando o Docker Compose Por que utilizar Docker Sempre me perguntava isso Achava tão fácil instalar todas as dependências do projeto em minha máquina que nunca havia pensado nas vantagens de utiliza lô porém um script Docker resolve isso de forma muito mais rápida Imagina vocêconstruindo uma aplicação utilizando vários bancos de dados diferentes Vocêteria que instalar cada um deles em sua máquina para poder desenvolver o projeto atéai parece tudo bem mas se este projeto fosse desenvolvido por um time Cada nova dependência farácom que todos os membros do time tenham que instalá las se o time possuir SOs Sistemas Operacionais diferentes ébem provável que a forma de instalação seja diferente isso vai dar trabalho não E ai vem o Docker ele cria contêineres para vocêde forma que sua aplicação seráexecutada em um ambiente isolado como se estivesses em “outra máquina ou em um servidor Outra vantagem éque vocênão vai precisar instalar nada em sua máquina apenas o Docker isso evita poluir o seu ambiente com as instalações de diversas aplicações e caso instale alguma imagem que não queira vocêpode exclui la via interface Tanto o NodeJS quanto o MongoDB possuem imagens no Docker assim como diversas outras tecnologias vocêpode encontrar imagens no Docker Hub láexistem centenas de milhares delas mas vamos ao que interessa como utilizar tudo isso Exemplo práticoPara entendermos como utilizá lo criei vamos usar como exemplo uma pequena API em NodeJS A Aplicação consiste em um CRUD e nossa plicação faráuso do MongoDB para armazenar nossos dados Para esse tutorial vocêvai precisar ter apenas o Docker e o Docker Compose instalados Sugiro que confira o modo de instalação do Docker para Ubuntu Windows ou Mac e para instalar o Docker Compose em qualquer versão Vamos utilizar o Docker Compose para gerenciar nossos Contêineres DockerizandoVamos começar configurando o contêiner de nossa aplicação Node js para isso vamos criar um arquivo com o nome Dockerfile na raiz da aplicação com o seguinte conteúdo FROM node latestRUN mkdir p usr src appWORKDIR usr src appCOPY package json usr src app RUN npm installCOPY usr src appVamos entender o que esta acontecendo FROM serve para dizermos qual imagem vamos utilizar no nosso contêiner nessa caso vamos utilizar do próprio NodeJS contendo a sua ultima versão RUN éutilizado sempre que queremos executar um comando dentro do contêiner criar uma pasta baixar as dependências do NPM etc…WORKDIR define o diretório de trabalho onde vamos manter nossa aplicação a partir da declaração dele os comandos RUN e CMD serão executados no caminho definido através deste comando COPY serve para copiarmos nossas arquivos dessa forma copiamos o nosso código para o nosso WORKDIR Temos o nosso script para montar um contêiner Docker mas nossa aplicação ainda não funciona falta nosso banco de dados Para ele vamos criar um novo contêiner criaremos um arquivo chamado docker compose yml com o seguinte conteúdo version services app container name app restart always build environment MONGO URI mongodb mongo catstore PORT NODE ENV production ports links mongo depends on mongo command npm start mongo container name mongo image mongo ports command mongod smallfiles logpath dev null quietFunciona da seguinte forma version serve apenas para dizermos qual a versão do Docker Compose estamos utilizando services são os nossos contêineres  app énossa aplicação em NodeJS e temos mais um chamado mongo que éo nosso banco de dados container name serve para darmos um nome ao nosso contêiner um alias restart dizemos quando queremos reiniciar nossa aplicação com o always dizemos que sempre o padrão é no que faz com que o contêiner não reinicie em nenhuma circunstância build definimos onde se encontra o Dockerfile do contêiner enviroment éonde listamos as variáveis de ambiente do contêiner por exemplo a URI de acesso ao nosso banco aqui temos um detalhe importante a URI deve conter o nome do contêiner onde esta o banco para o nosso script é mongo fica assim  mongodb mongo catstore ports colocamos as portas que queremos expor do nosso contêiner primeiro vem a porta do nosso contêiner e depois a do host nesse caso nossa própria máquina dessa forma a nossa app sera acessível na porta  de nossa máquina links definimos a quais serviços nosso contêiner estaráligado depends on dizemos que o nosso contêiner depende de outro assim quando subirmos ele suas dependências serão levantadas primeiro image podemos definir qual imagem vamos utilizar no serviço para o nosso serviço mongo vamos utilizar a imagem também chama mongo command dizemos qual comando vamos executar ao subir aquele serviço Agora que entendemos cada linha vamos botar tudo isso para funcionar com o comando docker compose build app vamos construir nosso serviço app  e como ele depende do serviço mongo  esse sera priorizado e executando primeiro énessa hora que sera feito o download das imagens e a execução nosso script Quando os serviços estiverem prontos utilizamos o comando docker compose up app para inicializar nossa aplicação énesse momento que a instrução CMD contendo o npm start éexecutada Assim que terminar de utilizar os contêineres o comando docker compose down vai parar e remover todos caso deseja apenas parar los use o docker compose stop Ambiente de desenvolvimentoDa forma que criamos nosso contêiner sempre que alterarmos algum código vamos executar o build O nodemon pode nos ajudar ele éuma ferramente que sobe o nossa aplicação em Node e a qualquer alteração em algum arquivo reinicia o servidor para nós Isso pode dar um pouco de dor de cabeça não basta apenas executar a aplicação com nodemon existem alguns detalhes que vamos ver abaixo vamos adicionar então o nosso novo serviço app dev app dev container name app dev restart always build environment MONGO URI mongodb mongo catstore PORT NODE ENV developer ports links mongo depends on mongo command node modules bin nodemon L inspect index js volumes usr src appNessa configuração adicionamos o campo volumes ele énecessário para dizermos onde o nosso source se encontra no HOST funciona assim primeiro o caminho do HOST no caso   e depois o caminho no contêiner que é  usr src app separados por   outro detalhe éo uso da flag  L para habilitar o modo legacy do nodemon dessa forma a pesquisa por mudanças de arquivos sera feita outra forma Agora basta executar docker compose build e depois docker compose up app dev para levantarmos nossa aplicação para desenvolvimento tente mudar algo no código e veja sua aplicação reiniciar ConsideraçõesAssim temos nossa aplicação em NodeJS dockerizada criamos um contêiner para o nosso ambiente de desenvolvimento  isolamos o que écomum nos contêineres em nosso Dockerfile e o que édiferente deixamos em nosso docker compose yml Aqui utilizamos uma stack NodeJS MongoDB mais isso não impede vocêde utilizar outras tecnologias fato éque o Docker éuma ferramenta incrível onde facilita bastante o desenvolvimento e cria uma certa camada de segurança por exemplo pense que estáaprendendo sobre Postgres vocêvai precisar somente baixar a imagem oficial e inicia láque vai estar disponivel no seu localhost para configurar no seu SGBD favorito preparado em minutos ou atésegundos e caso não queria utilizar a imagem mais vocêpode para láou simplesmente excluir Sugiro muito que o Docker esteja nos seus planos de estudos e para isso a documentação dele te direciona de uma forma incrível Fontes onde pesquisei esse conteúdo install compose 2022-04-10 19:20:27
海外TECH DEV Community Webdev Browser Extensions https://dev.to/jicking/webdev-browser-extensions-28a5 Webdev Browser ExtensionsHere s a list of chromium browser extensions I use to be more productive as a web dev Posting it here in case you find these useful too Web Developer LinkA handy extension for web dev utilities if you are like me who prefers to show block element borders in a click CSSViewer LinkQuickly view element s css Colorzilla LinkMy color picker of choice PixelPerfect LinkEasily compare your working web page to your design for pixel perfection is that really a thing JSON Viewer LinkPretty prints json and set theme if you get eyesore viewing default light theme Accessibility Insights LinkDo quick Ay tests Vue Devtools LinkA must have for a vue js dev Marinara Pomodoro LinkA simple pomodori app that does it s best at it no clumsy popping features There are lots of extensions out there in the wild for web devs feel free to post recommendations in the comment section Better DX Happy Devs 2022-04-10 19:18:39
海外TECH DEV Community # CSS Tip: #1 - has() https://dev.to/devjosemanuel/-css-tip-1-has-4a5j CSS Tip has The CSS has function can be used to apply a style to an element depending on whether a condition is met or not In this small article we are going to see how we can use it in a specific case Suppose we are defining the styles for the label tags of our forms and what we want is to define a certain style only for all those label that are associated to an element of type checkbox That is we want the styles to apply to the input element of a markup like the following lt label for my checkbox gt lt input id my checkbox type checkbox value my value gt lt label gt It is clear that the first thing we have to define is that our css rule has to apply to all the label tags of the form but we are going to make use of the has function to be able to launch a kind of query or condition that has to be given in order to apply the CSS rules we want to apply to this type of label That is to say we would start from something like the following label has CSS rules to be applied We see that what we want is to invoke the has function on the label tags and only in the case that the condition received as a parameter is met then the set of CSS rules we are going to define will be applied But how do we establish that the condition has to be met Well this is where we have to make use of the CSS selectors we know We have to think that what we want is that the rules apply only to elements of type checkbox and how is this expressed in CSS Well with something like the following input type checkbox Now how should we determine that a style should be applied to the direct descendants of label tags that are of the checkbox type Well we would make use of the gt operator direct descendant of CSS as follows label gt input type checkbox CSS rules to be applied With this we are very close to achieving the goal we are pursuing as we know that now the set of CSS rules we put between braces would apply to the checkbox element but we have to remember that the problem we are trying to solve is that we want these rules to apply to the label element So what if we use this selector as a parameter to the has function That is we write something like the following label has gt input type checkbox CSS rules to be applied Well the answer is that this is the correct solution because CSS will to simplify the explanation look at each of the label tags and invoke the has function on them asking something like do you have a direct descendant that is a checkbox If the answer is yes then it applies the rules I m going to give you in braces otherwise you ignore them We should use the CSS has function when we want a set of styles to be applied to a given element when it is satisfied that it contains elements of certain types Nota para obtener más información acerca de cómo funciona la función has se recomienda leer esta entrada de la MDN 2022-04-10 19:15:48
海外TECH DEV Community # CSS Tip: #1 - has() https://dev.to/devjosemanuel/-css-tip-1-has-5b5d CSS Tip has La función has de CSS nos puede servir para poder aplicar un estilo sobre un elemento en función de si se cumple una condición o no En este pequeño artículo lo que vamos a ver es cómo la podemos utilizarla en un caso concreto Supongamos que estamos defiendo los estilos para las etiquetas label de nuestros formularios y lo que queremos es definir un determinado estilo únicamente para todas aquellas label que están asociadas a un elemento del tipo checkbox Es decir que nuestro objetivo seráque los estilos se apliquen a al elemento input de un marcado como el siguiente lt label for my checkbox gt lt input id my checkbox type checkbox value my value gt lt label gt Estáclaro que lo primero que tenemos que definir es que nuestra reglar css ha de aplicar a todas las etiquetas label del formulario pero vamos a hacer uso de la función has para poder lanzar una especie de consulta o condición que se tiene que dar para que se apliquen las reglas CSS que queremos aplicar a este tipo label Es decir que partiríamos de algo como lo siguiente label has Reglas CSS a aplicar Vemos que lo que queremos es invocar a la función has sobre las etiquetas label y solamente el en el caso de que se cumpla la condición que se recibe como parámetro entonces se aplicarán el conjunto de reglas CSS que vamos a definir Pero ¿cómo establecemos que se ha de cumplir la condición Pues aquíes donde tenemos que hacer uso de los selectores de CSS que conocemos Tenemos que pensar que lo que queremos es que las regla se apliquen únicamente a los elementos de tipo checkbox y ¿cómo se expresa esto en CSS Pues con algo como lo siguiente input type checkbox Ahora bien ¿cómo deberíamos determinar que un estilo se ha de aplicar a los descendientes directos de las etiquetas label que son del tipo checkbox Pues haríamos uso del operador gt descendiente directo de CSS como sigue label gt input type checkbox Reglas CSS a aplicar Con esto estamos ya muy cerca de lograr el objetivo que estamos persiguiendo ya que sabemos que ahora el conjunto de reglas CSS que pusiésemos entre llaves se aplicarían al elemento checkbox pero tenemos que recordar que el problema que tratamos de resolver es que el queremos que dichas reglas se apliquen al elemento label Entonces ¿y si utilizamos este selector como parámetro de la función has Es decir escribimos algo como lo siguiente label has gt input type checkbox Reglas CSS a aplicar Pues la respuesta es que esta es la solución correcta ya que CSS lo que haráserá simplificando la explicación ver cada una de las etiquetas label e invocaráa la función has sobre las mismas preguntando algo asícomo ¿tienes un descediente directo que sea un checkbox Si la respuesta es que sí entonces aplica las reglas que te voy a recoger entre llaves en caso contrario las ignoras Deberemos utilizar la función has de CSS cuando queremos que un conjunto de estilos se apliquen a un determinado elemento cuando se cumple que contiene elementos de determinados tipos Nota para obtener más información acerca de cómo funciona la función has se recomienda leer esta entrada de la MDN 2022-04-10 19:14:07
海外TECH DEV Community ALL YOU NEED TO KNOW ABOUT THE AMAZON CLOUDWATCH https://dev.to/joshbek/all-you-need-to-know-about-the-amazon-cloudwatch-4085 ALL YOU NEED TO KNOW ABOUT THE AMAZON CLOUDWATCHAmazon cloudWatch is a service that lets you have insight into the health and operational performance of your instances or applications This helps in monitoring your instances and making sure they are ready for business CloudWatch gives you the opportunity to set up automated responses which are triggered when a condition is met The function of this service presents an opportunity for users to minimize incidents errors or outages of the infrastructure or instances This service is mostly used by personnel in charge of operations and site engineers Amazon cloudWatch can be used for the following Collect and store logs Amazon cloudWatch allows you to store logs from vended logs logs published from AWS resources and Amazon CloudTrail Collect and aggregate container metrics Aws CloudWatch collects and aggregates metrics from compute performance such as CPU memory network and disk information Monitor operational view with dashboards The dashboard feature of Amazon CloudWatch allows you to visualize your cloud resources and create a reusable graph to understand their performance Providing Application Insights This feature provides you with the possibility of setting up automated observation of applications to have an idea of their performance To learn more about the features of the Amazon cloudWatch visit Amazon CloudWatch Product Features Amazon Web Services AWS Below are some of the graphics highlighting how the features involved in creating CloudWatch img alt This graphics indicate creating a dashboard in cloudWatch lt br gt height src dev to uploads s amazonaws com uploads articles rmjhaaldnanogrlg png width This graphics indicate creating a dashboard in cloudWatch This graphic shows the addition of widget to the dashboard This graphic shows the final dashboard after adding the widgets and source points for the data In the next write up I will be demonstrating how to create a dashboard and alarm in cloudWatch 2022-04-10 19:10:04
海外TECH DEV Community ReLIFE: I Hit The Restart Button On My Developer Life https://dev.to/jannatinnaim/relife-i-hit-the-restart-button-on-my-developer-life-4k2a ReLIFE I Hit The Restart Button On My Developer LifeI ve always had this feeling of incompleteness about myself as a Web Developer I ve been building sites for quite a while now and there have been some cool projects according to my standards that I ve worked on With all these I still felt that I had gaps and I could do better I could ve done better if I had a proper start Heyo How s it going I m Jannatin Naim and I m a high schooler and a passionate Web Developer I m going to share a bit about my life and my future plans in this post I know some of you might ve had similar experiences or so I m told by my seniors so I hope you find this relatable and support me along the way You see I got into web development when I was initially trying to learn Python after a senior of mine showed me what some basic programming is capable of I did that and got my programming basics from there like variables data types functions loops conditionals etc Then when I was looking into the marketplace I found out that Web Development is a very demanding skill I set my mind on giving it a shot as this seemed pretty fun as the web is pretty much embedded into our daily lives Thus my journey as a Web Developer began and just like anyone else I was lost I did what any normal human being would do and went over to YouTube and searched for web development courses I got suggested FreeCodeCamp s videos and other creators videos I took the FreeCodeCamp route I got my hands dirty with some HTML CSS and a tad bit of JavaScript On their website they provide certificates to those who complete their curriculum I took the Responsive Web Design course and completed it for the first time Some time went by and I still don t feel satisfied with what I can do though what I ve learned is pretty basic you can do pretty cool stuff with just HTML and CSS I thought Yeah I should do the course again I did that I re did the course for the second time now and a year had already passed as I didn t fully commit to web development yet I was hooked on the Linux hype and started exploring the rabbit hole Linux is After spending way too much time on distro ricing I finally picked up my pace in web development and I was back in business That didn t last very long either I was quickly demotivated as there were just too many things to learn at first sight and that overwhelmed me I still kept practicing my JavaScript with Node and fiddling around with Discord bots so I hadn t left the coding train but just been sitting there without much activity And you know what the fun part is I did the FreeCodeCamp s Responsive Web Design course once again That makes it my third time doing that same exact course doing the same exact tasks and assignments with no visible outcome I started learning things from here and there bits and pieces scraped from videos blog posts and god knows how many courses that I started but didn t finish Now I ve come to a position where I m not really sure where to go and what to do So instead of giving up hope I am going to hit the restart button on my web development journey For this time I m going to make sure that I don t end up like I always do lost So I ve put together a plan work in progress that I m going to strictly follow and this time for sure I m going to make it work Here s a Notion Document which is going to be my journal in this journey The DEV Logs section will carry my daily reports on the things I ve done and posts similar to this will keep anyone that s interested in knowing how this journey progresses can stay updated I really hope that I can finally get that inner peace that I ve always been searching for HIT DAT RESTART BUTTON JannatinNaim 2022-04-10 19:09:22
海外TECH Engadget An autonomous Cruise vehicle left police confused when they tried to pull it over https://www.engadget.com/cruise-vehicle-drives-away-from-police-194657296.html?src=rss An autonomous Cruise vehicle left police confused when they tried to pull it overSince February GM s Cruise self driving unit has offered public taxi rides in San Francisco And for the most part it seems the service hasn t run into any notable problems That is until a strange situation played out last weekend when one of the company s vehicles left police seemingly confused by its response to a routine traffic stop Welcome to the future Cop pulls over driverless car because no lights Then Cruise goes on the lamb via pic twitter com ecQxXuSnSーSeth Weintraub llsethj April The video you see above was first posted on April nd but only began to circulate widely after to publisher Seth Weintraub shared it on his personal Twitter account on Saturday It shows San Francisco police attempting to pull over a driverless Cruise vehicle in the city s Richmond District only for the car to temporarily take off as a group of onlookers watch the scene in disbelief One day after Weintraub shared the video Cruise commented on the clip stating its vehicle yielded to police and moved to the nearest safe location for that traffic stop “An officer contacted Cruise personnel and no citation was issued the company said “We work closely with the SFPD on how to interact with our vehicles including a dedicated phone number for them to call in situations like this It s unclear why police stopped the vehicle but it would appear the car didn t have its front lights on It s safe to say we may see more episodes like the one that played out on April nd occur as autonomous vehicles become a more common sight on US roads It should come as no surprise then Cruise produced a video designed to teach first responders how to approach its vehicles Check it out above 2022-04-10 19:46:57
医療系 医療介護 CBnews 総合入院体制加算 終わりの始まり-先が見えない時代の戦略的病院経営(168) https://www.cbnews.jp/news/entry/20220408175336 千葉大学医学部附属病院 2022-04-11 05:00:00
ニュース BBC News - Home A result we have to live with - Klopp https://www.bbc.co.uk/sport/football/61061162?at_medium=RSS&at_campaign=KARANGA great 2022-04-10 19:40:14
ニュース BBC News - Home Masters 2022: Smiling Tiger Woods gets terrific reception after remarkable return at Augusta https://www.bbc.co.uk/sport/av/golf/61062133?at_medium=RSS&at_campaign=KARANGA Masters Smiling Tiger Woods gets terrific reception after remarkable return at AugustaA smiling Tiger Woods gets an incredible reception from the patrons at Augusta at the th after finishing over for the tournament 2022-04-10 19:44:49
ニュース BBC News - Home Manchester City 2-2 Liverpool: Rivalry is fierce on the pitch but friendly off it https://www.bbc.co.uk/sport/football/61060907?at_medium=RSS&at_campaign=KARANGA Manchester City Liverpool Rivalry is fierce on the pitch but friendly off itPremier League title rivalries have often been hostile affairs but Manchester City and Liverpool s battle is underpinned with respect 2022-04-10 19:39:28
ビジネス ダイヤモンド・オンライン - 新着記事 35歳で転職は可能?採用担当がチェックする「年齢以外」のポイントとは - 転職で幸せになる人、不幸になる人 丸山貴宏 https://diamond.jp/articles/-/301320 分かれ目 2022-04-11 04:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 漫画『キングダム』に学ぶ最強ビジネスチーム結成の秘策、秦の六大将軍を見よ【入山章栄・動画】 - 入山章栄の世界標準の経営理論 https://diamond.jp/articles/-/296363 世界標準 2022-04-11 04:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 リストラの標的に気づけばあなたも…巧妙化する「ステルスリストラ」の恐怖 - ステルスリストラ 気付けばあなたも https://diamond.jp/articles/-/301273 希望退職 2022-04-11 04:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 名門ゴルフ倶楽部でエリートが築く「最強人脈」、ビジネスとカネが動く大人の社交場の全貌 - 最強のゴルフ ビジネス・人脈に効く! https://diamond.jp/articles/-/301258 名門ゴルフ倶楽部でエリートが築く「最強人脈」、ビジネスとカネが動く大人の社交場の全貌最強のゴルフビジネス・人脈に効く新型コロナウイルスの感染拡大を奇貨として、低迷していたゴルフ業界が復活を遂げた。 2022-04-11 04:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 漫画『キングダム』がビジネス書としてバカ売れ!なぜ?作者も仰天した意外な真相 - 漫画「キングダム」にビジネスパーソンが夢中になる理由 https://diamond.jp/articles/-/301075 入山章栄 2022-04-11 04:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 「135円」も視野に入ってきたドル円相場、日本政府は円安を止められるか - 政策・マーケットラボ https://diamond.jp/articles/-/301286 日本政府 2022-04-11 04:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 年収が高い会社ランキング【平均年齢30代後半・トップ5】5位は「スマイルゼミ」、1位は? - ニッポンなんでもランキング! https://diamond.jp/articles/-/301330 上場企業 2022-04-11 04:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 年収が高い会社ランキング【平均年齢30代後半・500社完全版】 - ニッポンなんでもランキング! https://diamond.jp/articles/-/301317 上場企業 2022-04-11 04:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 ロックダウンで大混乱の上海で見えた、住民たちの古き良き「共助精神」 - DOL特別レポート https://diamond.jp/articles/-/301321 2022-04-11 04:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 CA人気が高いパイロットの共通点、乗客には見えない「デキる上司」の働きとは - ファーストクラスに乗る人の共通点 https://diamond.jp/articles/-/301186 運命共同体 2022-04-11 04:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 ホンダの「脱自前主義」が鮮明化、GM・ソニーと提携ラッシュで生き残りへ - モビリティ羅針盤~クルマ業界を俯瞰せよ 佃義夫 https://diamond.jp/articles/-/301322 生き残り 2022-04-11 04:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 今年度は鉄道業界が大変化、注目の「3つのトピック」とは - News&Analysis https://diamond.jp/articles/-/301323 newsampampanalysis 2022-04-11 04:05:00
北海道 北海道新聞 カブス鈴木、メジャー初本塁打 本拠地シカゴでのブルワーズ戦 https://www.hokkaido-np.co.jp/article/667952/ 大リーグ 2022-04-11 04:31:44
ビジネス 東洋経済オンライン 新ななつ星&ふたつ星、JR九州「新社長」の鉄道戦略 過去の成功体験積み重ね、新幹線と一部リンク | 特急・観光列車 | 東洋経済オンライン https://toyokeizai.net/articles/-/580482?utm_source=rss&utm_medium=http&utm_campaign=link_back 九州新幹線 2022-04-11 04: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件)