投稿時間:2022-07-16 03:33:18 RSSフィード2022-07-16 03:00 分まとめ(37件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS The Internet of Things Blog Simplify multi-account device provisioning and certificate authority registration when using AWS IoT Core https://aws.amazon.com/blogs/iot/simplify-multi-account-device-provisioning-and-certificate-authority-registration-using-aws-iot-core/ Simplify multi account device provisioning and certificate authority registration when using AWS IoT CoreCustomers often manage multiple AWS accounts to separate their development staging and production environments When deploying IoT workloads on AWS IoT Core customers usually use unique X certificates for identifying devices and certificate authorities CAs for validating the signature of device certificates during provisioning In this blog we will demonstrate how to use the newly … 2022-07-15 17:53:43
AWS AWS Media Blog Case study: Cloudinary customers see 30% performance boost using CloudFront Functions https://aws.amazon.com/blogs/media/case-study-cloudinary-customers-see-30-performance-boost-using-cloudfront-functions/ Case study Cloudinary customers see performance boost using CloudFront FunctionsCloudinary provides a complete media management solution for developers and marketers to optimize the delivery of media assets used on websites and apps An AWS user since its inception in Cloudinary is also an nbsp AWS Partner While Cloudinary s customers were already achieving optimized performance through fast content delivery network service nbsp Amazon CloudFront adding serverless edge scripting … 2022-07-15 17:12:06
AWS lambdaタグが付けられた新着投稿 - Qiita Microsoft SQL ServerにODBCで接続するためのLambda Layerを作成する方法 https://qiita.com/Todate/items/03c5d3911b52b93d39af python 2022-07-16 02:29:48
python Pythonタグが付けられた新着投稿 - Qiita Pythonの Cartopy 球面プロットでいい感じに遠近感を出す方法 https://qiita.com/Nashty/items/fbb965e9f594b64e7ead cartopy 2022-07-16 02:59:53
python Pythonタグが付けられた新着投稿 - Qiita Microsoft SQL ServerにODBCで接続するためのLambda Layerを作成する方法 https://qiita.com/Todate/items/03c5d3911b52b93d39af awslambda 2022-07-16 02:29:48
AWS AWSタグが付けられた新着投稿 - Qiita Microsoft SQL ServerにODBCで接続するためのLambda Layerを作成する方法 https://qiita.com/Todate/items/03c5d3911b52b93d39af python 2022-07-16 02:29:48
技術ブログ Developers.IO Amazon Timestreamが東京リージョンで利用可能になっていました https://dev.classmethod.jp/articles/amazon-timestream-has-been-available-in-the-tokyo-region/ amazon 2022-07-15 17:54:00
海外TECH DEV Community Surf JS - An Insanely Small JavaScript UI Library With Reactive Element Templates https://dev.to/bretgeek/surf-js-an-insanely-small-javascript-ui-library-with-reactive-element-templates-48bf Surf JS An Insanely Small JavaScript UI Library With Reactive Element Templates What is it It s an insanely small kb plugin extendable JavaScript library for building user interfaces UI Surf JS is a few different things all wrapped up in one small package But it s also a super small JQuery clone replacement library that has reactive element templates read on to learn what these are Don t let the JQuery clone part fool you Surf JS lets you build your component based UI using a familiar syntax and NO JSX Using Surf JS as you would JQuery in a non component based way is entirely optional Surf JS doesn t implement all JQuery methods but the basics are pretty similar and you can always configure Surf JS to do anything you want via plugins A good way to think about Surf JS is that it s like JQuery if JQuery had a way to use components AND if JQuery had reactive element templates with a much smaller footprint than JQuery If you would rather not think about it you could just use Surf JS as a replacement for JQuery Where To Get It Get it from Github Visit for more documentation updates and working examples FeaturesSuper Small currently at around KB minified smaller if gzipped Reactive Element Templates Reactive element templates are strings in your HTML that look like msg and once initialized can become ANYTHING you desire when you desire When your data changes you can set the template to your new data new HTML or even new components Lightweight JQuery Clone Can be used as a general purpose JQuery like library Easy Familiar Syntax familiar chainable syntax with built in DOM manipulation methods Build with Components Optional component based syntax allowing you to build your UI with re usable components without using JSX as well as solving CSS bleed issues from web components Extendable Highly configurable you can change anything you want about the base functionality with a run time config and it s extendable with plugins Versatile It s intended to give you power and not lock you down into any one way of doing things You can probably find ways to use it that the author has not even thought of yet Use it in ways that you and your team define Getting StartedBasic usage for manually adding and using Surf JS to a web page Add Surf JS to your page before your closing body tag lt script src gt lt script gt First make sure it worksSo we can do more interesting things later but first let s use Surf JS similar to how we would use JQuery to make sure our setup is working In an html file Somewhere in your HTML lt div id app gt I am an App lt div gt In a script tag after surf min js Create kickoff function that will run once the document is ready function kickoff There are many options to grab but this minimal use returns the first element of app by default app css color red Run your function when the document is ready document ready kickoff You should now see I am an App in red Reactive Element TemplatesSurf JS has a really powerful feature called Reactive Element Templates that allows you to manipulate your HTML with changing data defined by templates Since Reactive Templates resolve to functions once they are activated there is no DOM querying changes are live The main takeaway here is that when your data changes templates can be used to display your data as text HTML or even components Lets start with a basic example to see how Reactive Templates workIn your html file add Somewhere in your HTML lt div id msgapp gt This is a msg lt div gt In your script file somewhere in your kickoff function add Somewhere in your kickoff function of your JS script Use set to change msg and CSS to color msgapp green so we can see it msgapp set msg my narly note We can send in HTML text or components here msgapp css color green If you are lucky enough to catch a glimpse you should see the msg in the template change when the browser is done loading Keep in mind this is setting the templates via HTML in a textual based JQuery like way but templates give you even more power when setting them to or from components ComponentsCreating a re usable component is as easy as writing a function a named function or an arrow function and a name parameter that returns an element then registering it by calling a special function register componentName to register it Once registered it can be used over and over by it s name Let s give it a try First we will need a place to put our component in In your HTML file Somewhere in your HTML lt div id comp gt COMPONENT lt div gt Now lets make the component a button that increments a counter when clicked Somewhere in your kickoff script file or where it will be called by ready define a function for your component A button component that counts when clickedfunction buttonCounter The component with create a node each time it s used const node createNode button This node s CSS attributes reactive template and html node html Count is raw cnt endraw attr data count css cursor pointer initialize cnt template to node set cnt Add a click event to the node node on click function let cnt parseFloat this attr data count this attr data count cnt this set cnt cnt A component must return an elementreturn node Register the component register buttonCounter To make sure our component works we will use Surf JS s append method to add it to the DOM but keep in mind you can add components to other components with a special syntaxt which we will get to later create a reference to a componentconst abutton buttonCounter Create a reference to the place we want to put our componentconst comp comp first Finally append the component to the element in DOM comp append abutton OR without a reference comp append buttonCounter You should now see a clickable button with a counter that increments as you click Syntax to render components to other componentsThe most useful thing about components is their re use In this section we will go over how to add a component to another component Here we will make a containerBox component and add our buttonCounter we made earlier to it We will add buttonCounter twice to show different ways to do it Make a place to in the DOM to hold our containerbox component In your HTML file add Somewhere in your HTML lt div id comp gt some random place holder text not required lt div gt In your kickoff script file add the code below for the containerBox component A component for a container boxfunction containerBox The kind of element this component will be const node createNode div Some HTML with a reactive template for demonstration purposes node html raw button endraw Some CSS to add a border so we can see it node css border px solid blue padding px width px There are two ways to add a component use the Set method on templates or DOM insertion If using both ways in the same component the Set method on templates must come first First way Set a template to another component node set button buttonCounter Second way Use DOM manipulation methods to add a component to this component node prepend buttonCounter return node compontents must return an element Don t forget to register it somewhere in your script file register containerBox Test it to see if adding components to another works Somewhere else in your kickoff script add const abox containerBox create a new instance comp append abox add to somewhere in the DOM OR with variable instance do comp append containerBox You should now see three components containerBox component containing buttonCounter components We covered a lot of ground introducing the basics of Surf JS but the possibilities are endless I hope you have enjoyed this short tutorial on getting started with Surf JS and would love to read your comments and see what you will build If you found this interesting please favorite here and star Surf JS project on Github 2022-07-15 17:44:29
海外TECH DEV Community How to collect tips with Stripe Terminal https://dev.to/stripe/how-to-collect-tips-with-stripe-terminal-18l6 How to collect tips with Stripe TerminalRecently my colleague Charles Watkins wrote a part intro series to Stripe Terminal our in person payment solution Charles articles will teach you how to set up and register a Terminal device and build an app to accept or cancel payments Let s take it a step further and look into an additional feature collecting tips via the Terminal device so your customers can easily tip you while going through the checkout process Setting up on reader tipsDisplaying tipping options on the Terminal reader is done by creating a Configuration object with the tipping details Three types of tipping suggestions can be configured Smart tips showing three percentages or amounts based on the pre tip amount Percentages showing only the percentage based tip amounts Amounts showing only the amounts Suggest fixed amounts or percentages with smart tipsTo suggest smart tips the configuration object needs to be created with the following options const configuration await stripe terminal configurations create tipping usd smart tip threshold fixed amounts percentages With smart tip threshold set to if the total amount of the purchase is under the reader will display the fixed amounts specified so in this case and If the amount of the purchase is over the threshold the reader shows the percentage options Using the smart tips option here is an example of what the reader s screen looks like when the total amount of the purchase is and the smart tips threshold is You can see that the options displayed are the percentages If the total amount of the purchase is changed to the reader s screen shows the fixed amounts A configuration object needs to be assigned to an account or location Each Terminal device is assigned a location and you can find it using the list method const locations await stripe terminal locations list If you only have one location configured the list will contain only one object and you will be able to update it using the configuration overrides property await stripe terminal locations update locations data id configuration overrides configuration id If you have multiple locations configured you can find the one assigned to your device by comparing the id of the reader and the one shown in the id property of the locations If you re unsure how to find the ID of the reader you can refer to this blog post series that steps through how to set everything up An important thing to note is that this code needs to be run before the code creating the payment intent When you re ready you will need to restart your Terminal reader for the changes to apply Then you should be able to start your application connect to a reader request payment and the Terminal s screen should show the three tipping amounts If you haven t created an application yet check out the Get Paid IRL series for more details Suggest percentagesIf you d like to only always show percentages of the pre tip amount you can use the percentages attribute only const configuration await stripe terminal configurations create tipping usd percentages This will show three options to tip and Suggest amountsIf you only want to show specific amounts you can use the fixed amount attribute const configuration await stripe terminal configurations create tipping usd fixed amounts This will show the amounts and no matter the total amount of the purchase Custom amountsIf you d like to let your customers choose the tip amount a “Custom button is shown on the screen below the other options Clicking this button reveals a screen with a number pad so customers can enter their preferred amount Skipping tipsIf for some reason you d like to disable the tipping options for certain transactions or temporarily for all transactions you can do so by adding a config override object with a property skip tipping set to true in your frontend when calling collectPaymentMethod const result await terminal collectPaymentMethod paymentIntent secret config override skip tipping true This way you could implement some logic to avoid asking customers for tips for purchases under a certain amount for example or on a specific day where your business is doing charity donations Now you should be able to customize your tipping screen on the Terminal reader with the different options available and programmatically decide when to show or skip this step to have more control over your checkout experience Follow StripeDev and our team on TwitterSubscribe to our Youtube channelJoin the official Discord serverSign up for the Dev Digest About the authorCharlie Gerard is a Developer Advocate at Stripe a creative technologist and Google Developer Expert She loves researching and experimenting with technologies When she s not coding she enjoys spending time outdoors trying new beers and reading 2022-07-15 17:33:52
海外TECH DEV Community Key Components of Kubernetes https://dev.to/makendrang/key-components-of-kubernetes-46m0 Key Components of KubernetesA Kubernetes cluster consists of a set of work machines called nodes that run containerized applications Each cluster has at least one worker node The worker node hosts pods which are components of the application workload The control plane take care of the worker nodes and pods in the cluster In a production environment the control plane typically runs on multiple machines and clusters typically run on multiple nodes providing fault tolerance and high availability This post describes the various components required for a fully functional Kubernetes cluster Control Plane ComponentThe control plane component makes global decisions about the cluster and detects and responds to cluster events Kube API serverIt is a component of the Kubernetes control plane that exposes the Kubernetes API and it is the front end of the Kubernetes control plane The main task of the Kubernetes API server is kube apiserver kube apiserver is designed to scale horizontally That is it scales by deploying more instances You can run multiple instances of kube apiserver and balance the traffic between those instances etc A consistent and highly available key value store used as the Kubernetes backing store for all cluster data If your Kubernetes cluster is using etcd as backup storage make sure you have a backup plan for this data Kube Scheduler A control plane component that searches for newly created pods that have no nodes assigned and selects the node to run them Kube controller manager A control plane component that runs the controller process Logically each controller is a separate process but to reduce complexity everything is compiled into a single binary and run in a single process Some types of these controllers are Node Controller Responsible for detecting and responding to node failures Job ControllerFinds job objects that represent one time tasks and creates pods to complete those tasks Endpoints Controller Enter data into the Endpoints object Service account and token controllerIt will create a default account and API access token for the new namespace Cloud controller manager A component of the Kubernetes control plane that incorporates cloud specific control logic You can use Cloud Controller Manager to connect your cluster to the cloud provider s API and separate the components that interact with that cloud platform from the components that interact only with the cluster The cloud controller manager runs only the controllers that are specific to the cloud provider Like the kube controller manager the cloud controller manager combines multiple logically independent control loops into a single binary and runs it as a single process You can scale out to improve performance or tolerate bugs The following controllers can have cloud provider dependencies Node controller It is used to check the cloud provider to determine if a node in the cloud was deleted after it became unresponsive Route controllerTo route to the underlying cloud infrastructure Service ControllerCreate update and delete cloud provider load balancers Node componentThe node component runs on each node keeps the pod running and provides a Kubernetes runtime environment Kubelet It is an agent running on each node in the cluster Make sure the container is running inside the pod The kubelet uses a set of PodSpecs provided through various mechanisms to ensure that the containers described in those PodSpecs are running and error free kubelet does not manage containers that have not been created by Kubernetes Kube proxy kube proxy is a network proxy that runs on each node in the cluster and implements part of the Kubernetes service concept kube proxy manages node network rules These network rules allow network sessions inside and outside the cluster to communicate with the pod kube proxy uses the operating system s packet filtering level if it exists and is available Otherwise kube proxy routes the traffic itself Container runtime It is the software accountable for running the container Kubernetes supports container runtimes such as containerd CRI O and other task of Kubernetes CRI Add on Add ons use Kubernetes resources to implement cluster functionality Add on namespace resources belong to the kube system namespace because they provide functionality at the cluster level DNSCluster DNS is a DNS server that provides DNS records for Kubernetes services in addition to other DNS servers in your environment Containers launched from Kubernetes will automatically include this DNS server in their DNS lookups Web UIDashboards are a generic web based user interface for Kubernetes clusters This allows users to manage and troubleshoot the applications running in the cluster and the cluster itself Container Resource Monitor The Container Resource Monitor records common time series metrics for containers in a central database and provides a user interface for viewing this data Cluster level logging The cluster level logging mechanism is responsible for storing container logs in a central log store with a search browse interface Gratitude for perusing my article till end I hope you realized something unique today If you enjoyed this article then please share to your buddies and if you have suggestions or thoughts to share with me then please write in the comment box Above blog is submitted as part of Devtron Blogathon Check out Devtron s GitHub repo and give a to show your love amp support Follow Devtron on LinkedIn and Twitter to keep yourself updated on this 2022-07-15 17:29:06
海外TECH DEV Community Arquitetura Limpa: Aplicando com React https://dev.to/rubemfsv/arquitetura-limpa-aplicando-com-react-1eo0 Arquitetura Limpa Aplicando com ReactEsse texto faz parte de uma série de textos sobre análise da Arquitetura Limpa aplicada com frameworks e linguagens distintas Os propósitos deste texto seguem alinhados com os do texto anterior sendo eles I Mostrar uma divisão arquitetural de uma aplicação React usando Arquitetura Limpa II Guiar a implementação de novas features nesta arquitetura proposta Divisão ArquiteturalO passo inicial éanalisar como éfeita a divisão cypress src data protocols test usecases domain errors models test usecases infra cache http test main adapters config decorators factories cache decorators http pages usecases routes scripts index tsx presentation assets components hooks pages protocols routes styles test requirements validation errors protocols test validators Em detalhes o propósito de cada estrutura de arquivos éo seguinte cypress Contém os arquivos de teste end to end da aplicação para projetos grandes essa pasta écomendável que seja em um projeto a parte para que o time responsável pelos testes ee cuide dele uma vez que não precisa conhecer o código do projeto src Contém todos os arquivos necessários para o sistema Data A pasta data representa a camada de dados da Arquitetura Limpa sendo dependente da camada de domínio Contém as implementações das regras de negócio que são declaradas no domain Domain Representa a camada de domínio da Arquitetura Limpa a camada mais interna da aplicação não apresentando dependência com nenhuma outra camada onde contém as regras de negócio Infra Essa pasta contém as implementações referentes ao protocolo HTTP e ao cache também éúnico local onde teráacesso a dependências externas relacionadas para esses dois itens citados Main Corresponde a camada principal da aplicação ponto que ocorre a integração das interfaces desenvolvidas na camada de UI com as regras de negócio criadas nas pastas que representam as camadas mais internas da Arquitetura Limpa Tudo isso se dádevido ao uso de padrões de projetos como Factory Method Composite e Builder Presentation Nesta pasta contém a parte visual da aplicação com suas páginas componentes hooks assets e estilizações Requirements Contém os requisitos do sistema documentados essa pasta pode ou não ter todas as subpastas a seguir depende muito de como o time trabalha Validation Onde contém as implementações das validações utilizadas nos campos Diferente da abordagem com Flutter onde havia uma pasta central que se concentravam todos os testes nessa abordagem os testes se encontram nas respectivas pastas dentro da src Guia de ImplementaçãoNesta seção serádescrita uma sequência lógica recomendada para um melhor desempenho de implementação de sistemas React utilizando esta arquitetura Para finalidade de simplificar a explicação não serádescrito em detalhes os testes unitários No entanto éfortemente recomendado começar pelos testes unitários antes do desenvolvimento TDD de cada passo utilizando os requirements para embasar os cenários E após finalizar os cenários fazer o teste end to end do fluxo se for um dos principais ter em mente a pirâmide de testes A demonstração a seguir éda criação do fluxo de Login para entrar em uma aplicação Primeiro passo Criar as regras de negócio na camada de domínioDentro de src domain usecases criar o authentication ts Esse arquivo seráuma interface que vai descrever a regra de negócio da autenticação import AccountModel from domain models export interface IAuthentication auth params Authentication Params Promise lt Authentication Model gt export namespace Authentication export type Params email string password string export type Model AccountModel Como vemos essa interface tem um método auth que recebe os parâmetros Authentication Params que são declarados num namespace abaixo contendo o tipo dos parâmetros email e password e o tipo do model AccountModel e espera retornar um Authentication Model de maneira assíncrona O AccountModel éuma exportação nomeada do model criado em src domain models que representa o token que éretornado após a autenticação para persistir a sessão export type AccountModel accessToken string Segundo passo Implementar as regras na camada de dadosNessa camada criamos o caso de uso para implementar a interface criada anteriormente na camada de domínio porém dentro de src data usecases O arquivo tende a ficar como o exemplo abaixo import IHttpClient HttpStatusCode from data protocols http import UnexpectedError InvalidCredentialsError from domain errors import IAuthentication Authentication from domain usecases export class RemoteAuthentication implements IAuthentication constructor private readonly url string private readonly httpClient IHttpClient lt RemoteAuthenticationamespace Model gt async auth params Authentication Params Promise lt RemoteAuthenticationamespace Model gt const httpResponse await this httpClient request url this url method post body params switch httpResponse statusCode case HttpStatusCode ok return httpResponse body case HttpStatusCode unauthorized throw new InvalidCredentialsError default throw new UnexpectedError export namespace RemoteAuthenticationamespace export type Model Authentication Model Como podemos observar a classe RemoteAuthentication implementa a interface IAuthentication recebendo o cliente HTTP e a url para a requisição No método auth ele recebe os parâmetros e chama o httpClient passando a url o método nesse caso éo post e o body que são os parâmetros Esse retorno éuma httpResponse do tipo referente ao Authentication Model que tem um código de status de resposta e que a depender do seu resultado dáo respectivo retorno podendo retornar o valor esperado pela requisição ou um erro Os códigos de status são os HTTP export enum HttpStatusCode ok created noContent badRequest unauthorized forbidden notFound serverError Terceiro passo Implementar as páginas na camada de presentationPara simplificar o entendimento seráapresentado apenas trechos de códigos referentes a chamada do método de autenticação A página de Login contém mais ações e detalhes que vão além da autenticação Levar em consideração o protótipo da página abaixo para facilitar a visualização Em src presentation pages serácriada a página de Login que écomposta por componentes métodos e funções O componente que chama o método de autenticação éo lt Button gt que estácontido no formulário para pegar os valores dos inputs conforme o trecho de código a seguir lt form data testid loginForm className Styles form onSubmit handleSubmit gt lt Input autoComplete off title Digite seu e mail type email name email gt lt Input autoComplete off title Digite sua senha type password name password minLength gt lt Button className Styles loginBtn type submit disabled state isFormInvalid title Entrar data testid loginButton gt lt form gt Ao clicar no Button échamado o handleSubmit que estáno onSubmit do form const handleSubmit async event React FormEvent lt HTMLFormElement gt Promise lt void gt gt event preventDefault try const account await authentication auth email state email password state password setCurrentAccount account history replace catch error Error handling here Onde o authentication auth clicado chamaráuma factory veremos mais a seguir para fazer a autenticação Nesse caso estápassando os parâmetros capturados pelo input e o valor retornado da requisição ésalvo no cache através do setCurrentAccount account Quarto passo Conectar todas as camadas para que as requisições funcionemApós tudo implementado agora basta conectar todas as partes Para isso éutilizado o padrão de projeto Factory Method Dentro de src main factories usecases criamos a factory do caso de uso que estásendo implementado No caso desse exemplo éo relacionado a autenticação Écriado o makeRemoteAuthentication que retorna o RemoteAuthentication que recebe como parâmetro a factory que cria a URL e a factory do Http Client Épassado como parâmetro a URL da API que deseja requisitar junto da factory que cria a URL No exemplo éa URL que finaliza com login import RemoteAuthentication from data usecases import IAuthentication from domain usecases import makeAxiosHttpClient makeApiUrl from main factories http export const makeRemoteAuthentication IAuthentication gt const remoteAuthentication new RemoteAuthentication makeApiUrl login makeAxiosHttpClient return remoteAuthentication Após isso em src main factories pages écriada a pasta para as factories do Login Em páginas com formulário também são injetadas validações porém como o foco desse texto são as integrações deixaremos esse ponto de fora da explicação import React from react import Login from presentation pages import makeRemoteAuthentication from main factories usecases const makeLogin React FC gt const remoteAuthentication makeRemoteAuthentication return lt Login authentication remoteAuthentication gt export default makeLogin Écriada uma const makeLogin que representa a factory Ela possui o makeRemoteAuthentication que éinjetado dentro da página de Login criada na camada de presentation para que a página tenha acesso a essas requisições Quinto passo Aplicar a página criada na aplicaçãoPor fim énecessário adicionar a factory do Login nas rotas da aplicação para que ela seja acessada pelos usuários No arquivo router tsx que fica localizado em src main routes adicionar a factory da página criada dentro do Switch do BrowserRouter Épassado no path a rota no caso éa login e a página no component que no caso éo ponteiro para a factory makeLoginPage Essa lógica éutilizada com todas as outras páginas alterando apenas de Route para PrivateRoute caso a rota seja autenticada O código parecido com este abaixo const Router React FC gt return lt ApiContext Provider value setCurrentAccount setCurrentAccountAdapter getCurrentAccount getCurrentAccountAdapter gt lt BrowserRouter gt lt Switch gt lt Route exact path login component makeLogin gt lt PrivateRoute exact path component makeDashboard gt lt Switch gt lt BrowserRouter gt lt ApiContext Provider gt ConclusãoA Arquitetura Limpa apesar de ser um pouco complexa de se entender e implementar no começo e atéparecer redundante as abstrações são necessárias São aplicados diversos padrões de projetos para garantir a qualidade e independência do código facilitando a evolução e manutenção independente de framework Em casos como esse se desejar mudar o framework de React para Angular ou qualquer outro baseado em Typescript basta mudar a camada de apresentação e fazer ajustes nas dependências Seguir o processo de desenvolvimento e entender o porquêestáfazendo de tal maneira facilita a produção do código Após um tempo acaba sendo feito de maneira natural pois tem um processo linear de desenvolvimento I Caso de uso na camada de domínio II Caso de uso na camada de dados III Criação das interfaces na camada de presentation IV Criação das factories para integrar todas as camadas na camada principal V E a chamada da factory principal nas rotas da aplicação Pelo exemplo ter muitas partes abstraídas érecomendável a leitura do código das partes ocultas para uma maior compreensão Nesse repositório do curso do Rodrigo Manguinho vocêconsegue ter acesso a códigos abstraídos similares ao desse exemplo dado ReferênciasRodrigo Manguinho MARTIN Robert C Clean Architecture A Craftsman s Guide to Software Structure and Design st ed USA Prentice Hall Press ISBN 2022-07-15 17:18:25
海外TECH DEV Community How to Build Uber Clone with React (Ep. 2) [FREE & DETAIL COURSE] https://dev.to/hieptl/how-to-build-uber-clone-with-react-ep-2-free-detail-course-3aif How to Build Uber Clone with React Ep FREE amp DETAIL COURSE Course ContentNo TopicsHow to Build Uber Clone with React Ep How to Build Uber Clone with React Ep You are here How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep How to Build Uber Clone with React Ep Table of ContentsNo TopicsAbout Code CoursesLive DemoSetting Up CometChatSetting Up CSSInstalling the App DependenciesSetting Up MapboxCreating the Env FileConclusion About Code CoursesCode Courses is a website where people learn about coding and different technologies frameworks libraries To help people learn all of the courses are FREE and DETAIL Hopefully after following the content on Code Courses you will find your dream jobs and build any applications that you want Live DemoAfter we finish this course the final output will be like this If you want to find the full source code you can refer to this Github link Setting Up CometChatIn this section we will know how to set up CometChat in our application Before doing that we need to understand why we use the CometChat services to build the Uber clone application In fact CometChat provides many services and UI Kits that help us build the chat and voice video calling features with minimal effort In order to set up CometChat please follow the below steps Step Firstly we need to go to the CometChat Dashboard and create an account Step After that we need to log in to the CometChat dashboard Step Following that from the Dashboard we add a new app called uber clone Step Afterwards we select this newly added app from the list Step On the other hand from the Quick Start option we copy the APP ID REGION and AUTH KEY which will be used later Step Please go to the API amp Auth Keys section and then copy the Rest API Key that will be used later Step At this step we navigate to the Users tab and delete all the default users very important Step Last but not least we navigate to the Groups tab and delete all the default groups very important Setting Up CSSIn fact we need to make our UI attractive Therefore in this section we will set up CSS for our application Hence we do not need to care about styling because CSS was pre prepared Actually the main reason behind this is that we want to focus on React js Firebase and CometChat In the index js file we are importing the index css file This file contains all CSS for the application We have different ways to set up styling for a React application we can use the styled components library or we can use the TailwindCSS library and so on However as mentioned above we want to focus on React js Firebase and CometChat Therefore we will write all CSS in the index css file Please replace the current content of the index css file with the following content body margin font family apple system BlinkMacSystemFont Segoe UI Roboto Oxygen Ubuntu Cantarell Fira Sans Droid Sans Helvetica Neue sans serif webkit font smoothing antialiased moz osx font smoothing grayscale code font family source code pro Menlo Monaco Consolas Courier New monospace padding margin box sizing border box input outline none border none webkit scrollbar display none login container background color fff display grid grid template columns height vh width vw login logo width rem padding left rem login logo img width rem important login welcome padding left rem padding top rem login welcome img width rem mt margin top rem login welcome p font size rem padding left rem login form container padding top rem login form background color fff box shadow px px rgb px px rgb padding rem width rem login form input border px solid eeeb font size rem margin bottom rem padding rem rem width login submit btn background color border color fff font size rem font weight outline none padding rem rem width login submit btn hover cursor pointer opacity login forgot password border bottom px solid eeeb color display block font size rem padding rem text align center login forgot password hover cursor pointer login signup color display block font size rem padding rem text align center login signup hover cursor pointer opacity loading background color rgba display block Hidden by default height Full height left overflow auto position fixed Stay in place top width Full width z index Sit on top lds roller display inline block height rem left position fixed top width rem z index lds roller div animation lds roller s cubic bezier infinite transform origin px px lds roller div after content display block position absolute width px height px border radius background margin px px lds roller div nth child animation delay s lds roller div nth child after top px left px lds roller div nth child animation delay s lds roller div nth child after top px left px lds roller div nth child animation delay s lds roller div nth child after top px left px lds roller div nth child animation delay s lds roller div nth child after top px left px lds roller div nth child animation delay s lds roller div nth child after top px left px lds roller div nth child animation delay s lds roller div nth child after top px left px lds roller div nth child animation delay s lds roller div nth child after top px left px lds roller div nth child animation delay s lds roller div nth child after top px left px keyframes lds roller transform rotate deg transform rotate deg The Modal background signup background color rgba display block Hidden by default height Full height left overflow auto position fixed Stay in place top width Full width z index Sit on top Modal Content Box signup content background color fefefe box shadow px px rgb px px rgb margin auto from the top and centered margin top width rem Could be more or less depending on screen size signup container display grid grid template columns repeat fr signup title font size rem font weight padding rem rem rem signup close align items center display grid justify items right padding rem rem rem signup close img hover cursor pointer signup subtitle background eeeb height px margin bottom rem width signup form width padding rem signup user avatar padding bottom rem text align center signup about background color fff border px solid eeeb font family inherit font size rem height rem padding rem width signup user avatar img border radius rem height rem object fit cover width rem signup user avatar img hover cursor pointer signup upload container background color fff border px solid eeeb display block font size rem margin bottom rem padding rem rem width signup upload container hover cursor pointer signup upload avatar display none important signup form input background color fff border px solid eeeb display block font size rem margin bottom rem padding rem rem width signup form select background color fff border px solid eeeb display block font size rem height rem margin bottom rem outline none padding rem width signup btn background color border color fff display block font size rem font weight margin rem auto outline none padding rem rem signup btn hover cursor pointer opacity header background display grid grid template columns repeat fr height rem left position fixed right top width z index header left align items center display grid grid gap rem grid template columns max content max content padding left rem header left span color fff font weight bold header left img width rem header right align items center color white display grid grid gap rem grid template columns max content max content max content justify content right padding right rem header logout align items center color fff display grid justify content right padding right rem header right img border radius height rem object fit cover width rem header logout span hover cursor pointer opacity address background color rgb box shadow rgb px px px height rem left position fixed top width rem z index address title align items center background color eb color fff display grid font size rem height rem address title container padding left rem position relative address title container p position relative padding left rem address title container p hover cursor pointer address title from before content width px height px background white position absolute top border radius left address title to padding top rem address title to before content width px height px background white position absolute top border radius left search padding rem search input background fff border px solid eeeb font size rem margin bottom rem padding rem rem width border bottom px solid eb leaflet routing container display none pin position absolute top left margin left px border radius border px solid red width px height px transform rotate deg pin after position absolute content width px height px border radius top left margin left px margin top px background color red leaflet default icon path background image url https unpkg com leaflet dist images marker icon png search result max height px overflow y auto search result item border bottom px solid ccc display grid grid gap rem grid template columns max content auto padding rem padding left rem search result item hover cursor pointer background fff search result icon align items center background ccc border radius display grid height rem justify content center width rem search result icon svg fill fff height rem width rem The Modal background request ride background color rgba display block Hidden by default height Full height left overflow auto position fixed Stay in place top width Full width z index Sit on top Modal Content Box request ride content background color fefefe box shadow px px rgb px px rgb margin auto from the top and centered margin top width rem Could be more or less depending on screen size request ride container display grid grid template columns repeat fr request ride title font size rem font weight padding rem rem rem request ride close align items center display grid justify items right padding rem rem rem request ride close img hover cursor pointer request ride subtitle background eeeb height px margin bottom rem width request ride form width padding rem request ride btn background color border color fff font size rem font weight margin rem auto outline none padding rem rem request ride btn hover cursor pointer opacity request ride change btn background color transparent color ride list background color rgb box shadow rgb px px px height rem left position fixed top width rem z index ride list container border bottom px solid ccc display grid grid template columns repeat fr ride list title font size rem font weight padding rem rem rem search result max height px overflow y auto ride list content max height overflow y auto ride list result item border bottom px solid ccc display grid grid gap rem grid template columns max content auto padding rem padding left rem ride list result item hover cursor pointer background fff ride list result icon align items center background ccc border radius display grid height rem justify content center width rem ride list result icon svg fill fff height rem width rem ride list result label font size rem padding bottom rem ride list result label span color font weight ride list accept btn background border none color fff font size rem outline none padding rem rem ride list accept btn hover cursor pointer opacity empty message padding rem ride detail background color rgb box shadow rgb px px px height rem left position fixed top width rem z index ride detail user avatar display grid justify content center padding bottom rem padding top rem ride detail user avatar img border radius height rem object fit cover width rem ride detail user info color font weight text align center ride detail btn background border none color fff font size rem margin rem outline none padding rem rem width ride detail btn hover cursor pointer opacity ride detail result label font size rem line height rem padding bottom rem ride detail result label span color font weight ride detail actions align items center display flex gap rem justify content center padding rem rem rem ride detail action align items center border radius border px solid display flex height rem justify content center width rem ride detail action hover cursor pointer opacity ride detail action img border radius height rem width rem ride detail content padding rem shown display block important hidden display none important Installing the App DependenciesIn this section we will set up dependencies for our application Because in this app we need to interact with Firebase CometChat or we need to validate the input fields or we need to navigate between pages For this reason we will install some useful libraries that will help us achieve those things In order to install a new package library in a React application we need to follow the below steps Step Firstly we open the terminal and cd to the project directory If you ve done that you can ignore this step To install a package we need to run the following statement npm i package namepackage name is the library name that we want to install By applying the above steps we will install the dependencies for our application Here is the list of dependencies that needs to be installed firebase we need to interact with the Firebase services Therefore we need to install the firebase library cd to your project folder and run the following statement npm install firebase Note at the time of writing this tutorial we use the firebase library and its version is uuid while developing the application we will need to generate the unique id for the objects such as the users etc the uuid will help us to generate unique ids cd to your project folder and run the following statement npm install uuidvalidator in this course we will have the login and register features It means that we need to deal with the input elements Hence we need to develop the validation the validator library helps us to validate the input elements such as email phone number required fields etc cd to your project folder and run the following statement npm install validatorreact router dom we need to navigate between pages our application contains different routes For example after the users have logged in to the application they will be redirected to the home page or after the users have clicked on the logout button they will be redirected to the login page etc The react router dom library is a powerful library that will help us navigate between pages cd to your project folder and run the following statement npm install react router dom Note at the time of writing this course we use the react router dom library and its version is leaflet According to the below image we want to display a map We will use the leaftlet library to achieve that cd to your project folder and run the following statement npm install leaflet Note at the time of writing this course we use the leaflet library and its version is leaflet routing machine According to the below image we want to draw a route on our map We will use the leaflet routing machine library to achieve that cd to your project folder and run the following statement npm install leaflet routing machine Note at the time of writing this course we use the leaflet routing machine library and its version is leaflet geosearch As we can see from the below image the users can search locations We will use the leaflet geosearch library to achieve that cd to your project folder and run the following statement npm install leaflet geosearch Note at the time of writing this course we use the leaflet geosearch library and its version is Setting Up MaxboxIn this project we need to use the leaflet routing machine library to draw a route between two locations However the default OSRM server sometimes appears down For this reason we need another alternative solution In this project we will use Mapbox as an OSRM service To setup Mapbox you need to follow the below steps Step Please go to this page to create a new Mapbox account Step After creating a new Mapbox account we need to login to the Mapbox platform by going to this link Step After logging into the Mapbox platform we will be redirected to the page where you can get the Access Token Note We need to copy the Access Token It will be used in the next section Congratulation we have set up Mapbox for our Uber clone In the next section we will set up the env file Creating the Env FileIn this part we will set up the env file Instead of hard coding the credentials in our code the best practice is that we need to store those credentials in the env file Those credentials can be accessed as environment variables To create the env file please follow the below steps Step Create the env file in the project root directory Step Replace the content of the env file with the following contentREACT APP FIREBASE API KEY xxx xxx xxx xxx xxx xxx xxx xxxREACT APP FIREBASE AUTH DOMAIN xxx xxx xxx xxx xxx xxx xxx xxxREACT APP FIREBASE DATABASE URL xxx xxx xxx xxx xxx xxx xxx xxxREACT APP FIREBASE STORAGE BUCKET xxx xxx xxx xxx xxx xxx xxx xxxREACT APP COMETCHAT APP ID xxx xxx xxx xxx xxx xxx xxx xxxREACT APP COMETCHAT REGION xxx xxx xxx xxx xxx xxx xxx xxxREACT APP COMETCHAT AUTH KEY xxx xxx xxx xxx xxx xxx xxx xxxREACT APP COMETCHAT API KEY xxx xxx xxx xxx xxx xxx xxx xxxREACT APP MAP BOX API KEY xxx xxx xxx xxx xxx xxx xxx xxxStep Replace the xxx xxx xxx xxx xxx xxx xxx xxx with the corresponding credentials REACT APP FIREBASE API KEY Your Firebase API Key REACT APP FIREBASE AUTH DOMAIN Your Firebase Auth Domain REACT APP FIREBASE DATABASE URL Your Firebase Database Url REACT APP FIREBASE STORAGE BUCKET Your Firebase Storage Bucket REACT APP COMETCHAT APP ID Your CometChat App ID REACT APP COMETCHAT REGION Your CometChat Region REACT APP COMETCHAT AUTH KEY Your CometChat Auth Key REACT APP COMETCHAT API KEY Your CometChat API Key REACT APP MAP BOX API KEY Your Mapbox API Key Step We need to create a file which is called the firebase js file to interact with the Firebase services it will read the env variables from the env file Please create the firebase js file in the src folder Here is the content of the firebase js file import firebase from firebase import firebase storage const firebaseConfig apiKey process env REACT APP FIREBASE API KEY authDomain process env REACT APP FIREBASE AUTH DOMAIN databaseURL process env REACT APP FIREBASE DATABASE URL projectId process env REACT APP FIREBASE PROJECT ID storageBucket process env REACT APP FIREBASE STORAGE BUCKET messagingSenderId process env REACT APP FIREABSE MESSAGING SENDER ID appId process env REACT APP FIREBASE APP ID const app firebase apps length firebase initializeApp firebaseConfig firebase app const realTimeDb app database const auth app auth const storage firebase storage export auth storage realTimeDb In this project we need to interact with some Firebase services and they are the Firebase Realtime Database the Firebase Authentication and the Firebase Storage ConclusionCongratulation We have finished the second part of the How to Build Uber Clone with React course In conclusion we have set up CometChat CSS the App dependencies Mapbox and the env file Please continue with the next part of this series 2022-07-15 17:16:38
Apple AppleInsider - Frontpage News Apple issues second iOS 15.6 & iPadOS 15.6 Release Candidate developer beta https://appleinsider.com/articles/22/07/15/apple-issues-second-ios-156-ipados-156-release-candidate-developer-beta?utm_medium=rss Apple issues second iOS amp iPadOS Release Candidate developer betaApple has released a second version of the iOS and iPadOS Release Candidate developer beta with only a slight build number bump Second iOS and iPadOS RC betas availableThe new builds of the operating systems can be downloaded via the Apple Developer Center for those enrolled in the test program or via an over the air update on devices running the beta software Public betas typically arrive within a few days of the developer versions via the Apple Beta Software Program website Read more 2022-07-15 17:24:32
Apple AppleInsider - Frontpage News Best Prime Day deals that are still going strong https://appleinsider.com/articles/22/07/14/best-prime-day-deals-that-are-still-going-strong?utm_medium=rss Best Prime Day deals that are still going strongPrime Day may technically be over but there are plenty of Apple deals that are still going strong from to off inch and inch MacBook Pros to off AirPods Pro Post Prime Day deals offer savings of up to on Apple products TVs and more The deals below reflect instant savings of up to off a variety of gadgets and gear for Apple fans Plus check out our Apple Price Guide for hundreds of additional exclusive offers Here are the discounts still going strong after Prime Day Read more 2022-07-15 17:17:59
海外TECH Engadget ESPN+ is raising the price of a monthly plan by $3 to $10 https://www.engadget.com/espn-plus-price-increase-disney-streaming-172702290.html?src=rss ESPN is raising the price of a monthly plan by to Disney is set to increase the price of ESPN plans once again As of August rd a monthly subscription will go up by to a jump of percent while the annual option will be up from as first reported by Variety That s a significant price increase at a time when the prices of many goods and services are rising sharply It s a far bigger jump than the previous ESPN monthly plan increases of in August and again last year ESPN cost just per month when it debuted in and at least at the time it was a killer deal “While it is a significant change to the price it s reflective of the increased scope scale and value of ESPN as we continue to add significantly to both live sports and original programs and series and it is part of an established plan to ensure ESPN is a profitable and strong long term business quot an ESPN spokesperson told The Wrap quot I think you ll also find if you look across the sports streaming landscape ESPN clearly remains the best value ーin virtually all other sports streaming you pay this price or more and get less nbsp For what it s worth rival sports streaming services DAZN and Bally Sports each cost per month ESPN includes PGA Tour Live which cost per month when it was a standalone service and NHL s Center Ice which previously cost per month The platform also offers games from several major soccerleagues though it s losing MLS to Apple next year the NFL college football and other sports It s also home to ESPN original shows and docuseries as well as various specials As Bloomberg nbsp notes in the first quarter of ESPN programming and production costs increased by percent to million At least for now Disney does not plan to increase the price of the Disney Bundle Along with ESPN that provides access to Disney and the ad supported version of Hulu The bundle costs per month Subscribing to all three services individually would add up to a monthly bill of after the ESPN increase In addition there aren t plans to increase the price of UFC pay per view events on ESPN at the minute either 2022-07-15 17:27:02
海外TECH Engadget Twitter and Elon Musk have their first court hearing on July 19th https://www.engadget.com/twitter-elon-musk-hearing-date-170932618.html?src=rss Twitter and Elon Musk have their first court hearing on July thTwitter won t have to wait long to take Elon Musk to court in a limited fashion Reutersreports that Delaware Court of Chancery chancellor Kathaleen McCormick has scheduled the first hearing for Twitter s lawsuits on July th at AM Eastern The minute session will have a judge hear arguments relating to Twitter s request for a September trial The social network sued Musk earlier this week days after the Tesla chief filed to kill the billion deal The executive claimed that Twitter falsely represented the volume of bots and other fake accounts on its platform withholding details to make sure the acquisition goes through Twitter has denied the allegations It maintained that it shared the full data pipeline and that Musk broke the terms of the agreement by backing out with quot unreasonable requests quot and insults to the company There s still no word of a countersuit from Musk as of this writing Even if it doesn t materialize though the outcome of Twitter s lawsuit will have far reaching implications If the court sides with Twitter it could force Musk to either complete the purchase or pay the breakup costs associated with the agreement 2022-07-15 17:09:32
海外科学 NYT > Science How Inflation Upended Biden’s Climate Agenda https://www.nytimes.com/2022/07/15/climate/biden-inflation-climate-manchin.html energy 2022-07-15 17:38:59
海外科学 NYT > Science Cryptomining Capacity in U.S. Rivals Energy Use of Houston, Findings Show https://www.nytimes.com/2022/07/15/climate/cryptocurrency-bitcoin-mining-electricity.html Cryptomining Capacity in U S Rivals Energy Use of Houston Findings ShowThe findings by a congressional investigation highlight how the surge in activity has caused consumers electrical bills to rise and makes it harder to fight global warming 2022-07-15 17:17:23
金融 金融庁ホームページ 金融庁職員の新型コロナウイルス感染について公表しました。 https://www.fsa.go.jp/news/r4/sonota/20220715.html 新型コロナウイルス 2022-07-15 17:51:00
金融 金融庁ホームページ 鈴木財務大臣兼内閣府特命担当大臣ぶら下がり記者会見の概要(令和4年7月12日)について公表しました。 https://www.fsa.go.jp/common/conference/minister/2022b/20220715-2.html 内閣府特命担当大臣 2022-07-15 17:50:00
金融 金融庁ホームページ 鈴木財務大臣兼内閣府特命担当大臣閣議後記者会見の概要(令和4年7月12日)について公表しました。 https://www.fsa.go.jp/common/conference/minister/2022b/20220715-1.html 内閣府特命担当大臣 2022-07-15 17:49:00
金融 金融庁ホームページ 「レバレッジ比率規制に係る告示の一部改正(案)」に対するパブリック・コメントの結果等について公表しました。 https://www.fsa.go.jp/news/r3/ginkou/20220715.html 規制 2022-07-15 17:30:00
金融 金融庁ホームページ 自己資本比率規制に関するQ&Aの公表(更新)について公表しました。 https://www.fsa.go.jp/news/r4/ginkou/20220715.html 自己資本比率 2022-07-15 17:30:00
金融 金融庁ホームページ 「レバレッジ比率規制に関する府省令及び告示の一部改正(案)」等について公表しました。 https://www.fsa.go.jp/news/r4/ginkou/20220715-2.html 規制 2022-07-15 17:30:00
ニュース BBC News - Home David Venables guilty of wife's septic tank murder 40 years ago https://www.bbc.co.uk/news/uk-england-hereford-worcester-62153660?at_medium=RSS&at_campaign=KARANGA brenda 2022-07-15 17:17:26
ニュース BBC News - Home Woman who had to adopt own child made legal parent https://www.bbc.co.uk/news/uk-england-cambridgeshire-62183869?at_medium=RSS&at_campaign=KARANGA birth 2022-07-15 17:12:25
ニュース BBC News - Home Craig David: Stalker banned from contacting pop star https://www.bbc.co.uk/news/uk-england-london-62185150?at_medium=RSS&at_campaign=KARANGA media 2022-07-15 17:08:53
ニュース BBC News - Home Paul Ryder: Happy Mondays bassist and Shaun's brother dies at 58 https://www.bbc.co.uk/news/entertainment-arts-62184425?at_medium=RSS&at_campaign=KARANGA shaun 2022-07-15 17:14:46
ニュース BBC News - Home How do the rich and famous protect their homes? https://www.bbc.co.uk/news/uk-61002030?at_medium=RSS&at_campaign=KARANGA ashley 2022-07-15 17:24:02
ニュース BBC News - Home Europe heatwave: Thousands escape wildfires in France, Spain and Greece https://www.bbc.co.uk/news/world-europe-62175758?at_medium=RSS&at_campaign=KARANGA fires 2022-07-15 17:47:22
ビジネス ダイヤモンド・オンライン - 新着記事 【精神科医が教える】「もう前に進めない…」と感じたときにできる心の休め方とは? - 大丈夫じゃないのに大丈夫なふりをした https://diamond.jp/articles/-/306431 精神科医 2022-07-16 02:56:00
ビジネス ダイヤモンド・オンライン - 新着記事 スタートアップ関係者のバイブル、『起業のエクイティ・ファイナンス』は増補改訂版でどう変わったのか? - 増補改訂版 起業のエクイティ・ファイナンス https://diamond.jp/articles/-/306516 2022-07-16 02:54:00
ビジネス ダイヤモンド・オンライン - 新着記事 「メンタルが超強くなる」2つのトレーニング方法 - 大量に覚えて絶対忘れない「紙1枚」勉強法 https://diamond.jp/articles/-/306430 資格 2022-07-16 02:52:00
ビジネス ダイヤモンド・オンライン - 新着記事 【「ダウンタウンDX」で話題】 人気No.1風水師・李家幽竹が問う 風水グッズが逆効果になっていませんか? - どんな運も、思いのまま! 李家幽竹の風水大全 https://diamond.jp/articles/-/306038 【「ダウンタウンDX」で話題】人気No風水師・李家幽竹が問う風水グッズが逆効果になっていませんかどんな運も、思いのまま李家幽竹の風水大全「どんな人でも運がよくなれる」、それが風水の持つ力です。 2022-07-16 02:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 【マンガ】1万人を接客した美容部員が教える「シワが目立つメイク」と「ツヤ肌メイク」の差 - メイクがなんとなく変なので友達の美容部員にコツを全部聞いてみた https://diamond.jp/articles/-/302750 【マンガ】万人を接客した美容部員が教える「シワが目立つメイク」と「ツヤ肌メイク」の差メイクがなんとなく変なので友達の美容部員にコツを全部聞いてみたマンガ家の吉川景都さんと、小学校からの幼なじみで現役美容部員のBAパンダさんの共著『メイクがなんとなく変なので友達の美容部員にコツを全部聞いてみた』。 2022-07-16 02:48:00
ビジネス ダイヤモンド・オンライン - 新着記事 【実話】 仕事が退屈で腐っていた男が、 入社10年目に見たとんでもない奇跡の話 - 佐久間宣行のずるい仕事術 https://diamond.jp/articles/-/306353 佐久間宣行 2022-07-16 02:44:00
ビジネス ダイヤモンド・オンライン - 新着記事 中国ネット検閲「個人文書」にも、頭の中も監視か - WSJ発 https://diamond.jp/articles/-/306590 監視 2022-07-16 02:14: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件)