投稿時間:2022-06-09 05:24:51 RSSフィード2022-06-09 05:00 分まとめ(29件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Big Data Blog Build a multilingual dashboard with Amazon Athena and Amazon QuickSight https://aws.amazon.com/blogs/big-data/build-a-multilingual-dashboard-with-amazon-athena-and-amazon-quicksight/ Build a multilingual dashboard with Amazon Athena and Amazon QuickSightAmazon QuickSight is a serverless business intelligence BI service used by organizations of any size to make better data driven decisions QuickSight dashboards can also be embedded into SaaS apps and web portals to provide interactive dashboards natural language query or data analysis capabilities to app users seamlessly The QuickSight Demo Central nbsp contains many dashboards feature showcase … 2022-06-08 19:43:47
AWS AWS Database Blog Validate database objects after migrating from IBM Db2 LUW to Amazon RDS for MySQL, Amazon RDS for MariaDB, or Amazon Aurora MySQL https://aws.amazon.com/blogs/database/validate-database-objects-after-migrating-from-ibm-db2-luw-to-amazon-rds-for-mysql-amazon-rds-for-mariadb-or-amazon-aurora-mysql/ Validate database objects after migrating from IBM Db LUW to Amazon RDS for MySQL Amazon RDS for MariaDB or Amazon Aurora MySQLMigrating your database from IBM Db LUW to Amazon Relational Database Service Amazon RDS for MySQL Amazon RDS for MariaDB or Amazon Aurora MySQL Compatible Edition is a complex multistage process which usually includes assessment database schema conversion data migration functional testing performance tuning and many other steps spanning across the stages You can use AWS … 2022-06-08 19:13:33
AWS AWS Networking and Content Delivery Dual-stack IPv6 architectures for AWS and hybrid networks – Part 2 https://aws.amazon.com/blogs/networking-and-content-delivery/dual-stack-architectures-for-aws-and-hybrid-networks-part-2/ Dual stack IPv architectures for AWS and hybrid networks Part In part one of our series on IPv for AWS and hybrid network architectures we explored some of the most common dual stack designs dual stack Amazon Virtual Private Cloud Amazon VPC and Amazon Elastic Compute Cloud Amazon EC instances Internet connectivity Internet facing Network Load Balancer and Application Load Balancer deployments as well as VPC … 2022-06-08 19:16:34
海外TECH Ars Technica Not even the hilarious Jeff Goldblum can save Jurassic World: Dominion https://arstechnica.com/?p=1859522 issues 2022-06-08 19:00:41
海外TECH MakeUseOf 2 Windows 11 Simulators You Can Try Today https://www.makeuseof.com/windows-11-simulators/ fares 2022-06-08 19:15:14
海外TECH MakeUseOf How New York's Right to Repair Bill Could Change Consumer Electronics https://www.makeuseof.com/new-yorks-right-to-repair-bill-change-consumer-electronics/ giant 2022-06-08 19:05:13
海外TECH DEV Community esbuild - Desarrollo sin dolor. https://dev.to/ushieru/esbuild-desarrollo-sin-dolor-5hmf esbuild Desarrollo sin dolor Herramientas Node vFastify v Puedes usar el server que quieras express koa nest esbuild vnpm v yarn v Porque esbuild Nuestras actuales herramientas de compilación para la web son entre y veces más lentas de lo que podrían ser El objetivo principal del proyecto esbuild bundler es traer una nueva era de rendimiento de la herramienta de construcción y crear un bundler moderno y fácil de usar en el camino Empecemos Crear carpeta del proyecto mkdir esbuild test cd esbuild test npm npm init y yarn yarn init y Instalaciones npm npm i esbuild fastify yarn yarn add esbuild fastify Quickstart index jsimport Fastify from fastify Fastify get request reply gt reply send hello world listen port error address gt console log Listening on address Creamos los scriptsExplicación de los flags minify El código minificado generalmente es equivalente al código de desarrollo pero es más pequeño lo que significa que se descarga más rápido pero es más difícil de depurar Minifica el código en producción pero no en desarrollo bundle Agrupa cualquier dependencia importada en el archivo de entrada en este caso index js platform Por defecto el bundler de esbuild estáconfigurado para generar código destinado al navegador Si su código empaquetado estádestinado a ejecutarse en node en su lugar debe establecer la plataforma a node external Puede marcar un archivo o un paquete como externo para excluirlo de su construcción En lugar de ser empaquetado se conservarála importación usando require para los formatos iife y cjs y usando import para el formato esm y se evaluaráen tiempo de ejecución en su lugar outfile Esta opción establece el nombre del archivo de salida para la operación de construcción Sólo es aplicable si hay un único punto de entrada Si hay varios puntos de entrada debe utilizar la opción outdir para especificar un directorio de salida package json name esbuild test version license MIT scripts start node dist build esbuild index js minify bundle platform node target node external node modules outfile dist index js dependencies esbuild fastify Ejecutamos los comandos npm npm run build npm start yarn yarn build yarn start Hot ReloadYa creamos nuestro server pero para ser un buen ambiente de desarrollo esto debería de soportar hot reload sino que martirio tener que estar reiniciando el servidor manualmente Para esto esbuild ya cuenta con un watch que re construye el proyecto al guardar un archivo después de modificarlo Pero veámoslo en acción si actualizamos nuestro script dev agregando este nuevo flag package json name esbuild test version license MIT scripts start node dist dev npm run build watch lt Justo aqui build esbuild index js minify bundle platform node target node external node modules outfile dist index js dependencies esbuild fastify Ahora si lo corremos y modificamos nuestro index js esbuild se encargara de re transpilar nuestro codigo npm npm run dev yarn yarn devPero tenemos un detalle este servidor no se levanta Esto funcionara si ejecutamos start justo después de correr build con watch intentemos package json name esbuild test version license MIT scripts start node dist dev npm run build watch amp amp npm start lt Justo aqui build esbuild index js minify bundle platform node target node external node modules outfile dist index js dependencies esbuild fastify Corremos dev npm npm run dev yarn yarn devParece que nunca llegamos a start Claro por que watch deja colgado el evento y la terminal no avanza al siguiente comando Es hora de usar la API de JavaScript en vez del CLI creamos un esbuild dev js en la raíz de nuestro proyecto y activaremos las mismas flags que en el CLI Para esta parte el watch recibe un objeto con una función onRebuild la cual se ejecutara cada vez que se actualicen los archivos esbuild dev jsrequire esbuild build entryPoints index js watch onRebuild gt console log nRebuilt n bundle true minify true platform node target node external node modules outfile dist index js then gt console log nDone n catch gt process exit Lanzando procesos con nodePara este ultimo paso usaremos child process de Node js en pocas palabras esto nos permite lanzar procesos desde Node js asíque actualicemos nuestro esbuild dev js esbuild dev jsconst spawn require child process let server require esbuild build entryPoints index js watch onRebuild gt console log nRebuilt n if server server kill SIGINT Si ya hay un servidor ejecutandose lo matamos server spawn node dist stdio inherit Al terminar el re build lanza el servidor bundle true minify true platform node target node external node modules outfile dist index js then gt console log nDone n server spawn node dist stdio inherit Al terminar el build lanza el servidor catch gt process exit Probemoslo Modifica el comando dev package json name esbuild test version license MIT scripts start node dist dev node esbuild dev js lt Justo aqui build esbuild index js minify bundle platform node target node external node modules outfile dist index js dependencies esbuild fastify Listo esbuild nos ah servido para remplazar WebpackNodemontscEspera un segundo TSC Claro esbuild también soporta Typescript más info desarrollo sin dolor Typescript Solo cambiemos la extensión de index js gt index ts y el punto de entrada en nuestro esbuild dev js esbuild dev js code require esbuild build entryPoints index ts lt Justo aqui watch onRebuild gt code bundle true minify true platform node target node external node modules outfile dist index js code Y listo Ejecutamos dev Todo va sobre ruedas e igual de rápido Asídebería quedar nuestro código al final ConclusiónEsta vez explicamos todo paso a paso pero siendo sinceros te tomaría un copiar y pegar para levantar esto en tu próximo proyecto Déjame en los comentarios que piensasy Happy Hacking ‍ 2022-06-08 19:53:11
海外TECH DEV Community Ever donate to a developer who created something you like? https://dev.to/michaeltharrington/ever-donate-to-a-developer-who-created-something-you-like-2ik8 Ever donate to a developer who created something you like I think it s easy to take for granted that the web and all of its wonderful applications are built by people and a lot of is accessible for free Often the folks that develop apps and publish websites on the internet aren t asking for any money from the folks using their creations And frequently devs that create this stuff aren t obviously attached to their creation Yet they work away in the background adding new features keeping things up to date and making sure everything works smoothly for the rest of us So my question to you all is have you ever donated to a developer who created something you like Who are they What is it that you like that they created Alternatively have you ever gone with the donation model for any of your creations Did you receive any donations 2022-06-08 19:08:00
海外TECH DEV Community Set the hostname of a Docker Container same as that of your host machine https://dev.to/shandesai/set-the-hostname-of-a-docker-container-same-as-that-of-your-host-machine-26h5 Set the hostname of a Docker Container same as that of your host machine Setting Container Hostname to be same as your Host MachineSounds trivial but it turns out you need to do some tweaks in order to set the hostnameto be the same as that of Host Machine ScenarioI had a requirement at work where I needed to set the hostname of a specific containerto be that of the Machine it was supposed to run on The Linux Distribution under consideration was Ubuntu LTS Ubuntu s mysterious HOST and HOSTNAME environment variablesIf you are on an Ubuntu machine right now try echo HOS and press the TAB key to let the bash completion fill out High chances that you will see HOST and HOSTNAMEas available Environment Variables already available to your bash shell s session Fairly Simple you could simply use either one of them in your Compose file as an environment variable to the hostname key and should work out of the box Not quite Investigation via a simple ExampleTake the following docker compose yml fileservices test image alpine latest container name hostname tester hostname alpine HOST command hostnameThe following test service should be able to retrieve the HOST variable value and set it as the hostname of the alpine container The command should be able to print something like alpine my ubuntu as an example Let s see what happens when we run docker compose upWARN The HOST variable is not set Defaulting to a blank string Running ⠿Container hostname tester Recreated sAttaching to hostname testerhostname tester alpine hostname tester exited with code As you see the HOST variable although available to the shell is not available within the Compose file Most of the shell environment variables are visible via using printenv on the host machine so a quick search for HOST or HOSTNAME reveals that these specific environment variables are not in the env of the shellprintenv grep i host SolutionThe most standard way to make a variable available for a shell session is by exporting it Let s export HOST using export HOSTLet s try bringing the container back up again and see if it picks up the variable values❯export HOST❯docker compose up Running ⠿Container hostname tester Recreated sAttaching to hostname testerhostname tester alpine shan pchostname tester exited with code for my machine Manjaro Linux Rolling I could now set the hostname of the container to be the same as that of the Host Machine Sure enough searching through printenv again you will find the export HOST variable If you have on prem servers or cloud images where you might need such a configuration a solution would be to add export HOST to your user s bashrc or zshrc if using ZSH and the value will be available when bringing the corresponding Compose Stack up Hope this information helps people trying to find a similar solutions when it comes to Docker and Docker Compose based environments 2022-06-08 19:02:30
Apple AppleInsider - Frontpage News iPadOS 16 Stage Manager needs enhanced virtual memory that only M1 supports https://appleinsider.com/articles/22/06/08/ipados-16-stage-manager-needs-enhanced-virtual-memory-that-only-m1-supports?utm_medium=rss iPadOS Stage Manager needs enhanced virtual memory that only M supportsThe biggest feature of iPadOS will only run on the M iPads ーand it is using advanced memory management to do it Introduced at WWDC iPadOS brought floating windows to iPad for the first time in the form of the Stage Manager feature The supercharged multitasking interface groups multiple apps and their windows together and allows the user to seamlessly switch between them However the Stage Manager feature is exclusive to iPad models with an M chip Read more 2022-06-08 19:02:53
Apple AppleInsider - Frontpage News Deals: Apple Watch Series 7 slashed to $300 at Amazon, a record low price https://appleinsider.com/articles/22/06/08/deals-apple-watch-series-7-slashed-to-300-at-amazon-a-record-low-price?utm_medium=rss Deals Apple Watch Series slashed to at Amazon a record low priceAmazon s discount on the mm Apple Watch Series drives the price down to an all time low Apple Watch Series is priced at an all time low of at AmazonUpdate at p m ET The price has now expired and the mm GPS model is now priced at off retail Read more 2022-06-08 19:06:26
Apple AppleInsider - Frontpage News The five best features for Apple users that were announced at WWDC 2022 https://appleinsider.com/articles/22/06/07/the-five-best-features-for-apple-users-that-were-announced-at-wwdc-2022?utm_medium=rss The five best features for Apple users that were announced at WWDC Apple announced iOS iPadOS watchOS and macOS Ventura at WWDC on Monday Here are the five best features that users can look forward to The new Lock Screen in iOS These changes help customers create an individual experience as shown by the iOS tagline Personal is powerful Read more 2022-06-08 19:21:26
海外TECH Engadget Scientists 3D-print a functional piece of a heart https://www.engadget.com/3-d-printed-functional-heart-piece-191938833.html?src=rss Scientists D print a functional piece of a heartResearchers have D printed hearts using silicone and even a patient s own cells but they haven t matched the full functionality of the real thing and aren t much good for repairing hearts There s some progress on that front however as a team at Harvard s Wyss Institute has developed a technique for D printing long cardiac macrofilaments that develop into muscle like filaments which contract The new method mimics the complex alignment of a heart s contracting elements a difficult feat so far while producing tissue thick enough to use in regenerative heart treatments The system is a refinement of Wyss existing SWIFT Sacrificial Writing in Functional Tissue bioprinting technology Their approach created a platform with wells each with two microscopic pillars Scientists filled the wells with human induced pluripotent stem cells that is young cells capable of developing into multiple forms as well as a protein collagen and the cells used to form connective tissue The combination forms a dense tissue that aligns along the axis linking the micropillars The team then lifts the resulting organ building blocks off the pillars uses that to create a bioprinting ink and uses the motion of the D printer head to further help with alignment This is just a small piece of the heart While the technology produces a relatively high output there s much more work to be done before a fully functional D printed organic heart is available The research group believes their work could still be useful long before reaching the whole heart milestone The D printed filaments could be used to replace scars following heart attacks or to create improved disease models They might even patch holes in newborns with congenital heart defects and would grow with those child patients Simply put a damaged heart might not be the permanent problem it tends to be today 2022-06-08 19:19:38
ニュース @日本経済新聞 電子版 Appleが狙うクルマのユーザー接点 「WWDC」現地報告 https://t.co/YfJFxnciQT https://twitter.com/nikkei/statuses/1534615409692774400 apple 2022-06-08 19:16:40
ニュース @日本経済新聞 電子版 円安効果に「3つの制約」、20年ぶり安値に警戒感 https://t.co/rkjEwBkuvl https://twitter.com/nikkei/statuses/1534615407386324992 安値 2022-06-08 19:16:39
ビジネス ダイヤモンド・オンライン - 新着記事 ANAハワイ便「空飛ぶウミガメ」運航再開、コロナで狂った巨額投資の回収計画 - 週刊ダイヤモンド特集セレクション https://diamond.jp/articles/-/304385 活動再開 2022-06-09 05:00:00
ビジネス ダイヤモンド・オンライン - 新着記事 ウクライナ侵攻のさまざまな“読み間違い”、世界経済は「高インフレ定着」 - 政策・マーケットラボ https://diamond.jp/articles/-/304474 世界経済 2022-06-09 04:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 近畿地方の農協職員が暴露、ノルマ過重で手を染める「保険営業グレーゾーン」の狡猾手口【告発動画】 - JA自爆営業の闇 第2のかんぽ不正 https://diamond.jp/articles/-/303496 自爆営業 2022-06-09 04:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 伊藤忠商事の商売は「ファミリーマート」の店内を見ればわかるワケ - 伊藤忠 財閥系を凌駕した野武士集団 https://diamond.jp/articles/-/303794 買い占め 2022-06-09 04:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 公取委が「物流の闇」にメス、荷主641社を調査した「問題取引」とは? - 物流専門紙カーゴニュース発 https://diamond.jp/articles/-/304378 公正取引委員会 2022-06-09 04:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 【クイズ】賃貸マンションの家賃収入、「所得税」の計算では何の所得? - 「お金の達人」養成クイズ https://diamond.jp/articles/-/304396 賃貸マンション 2022-06-09 04:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 ソニーを「進化」させた出井伸之氏の語られない功績、元社員が見た素顔とは - 長内 厚のエレキの深層 https://diamond.jp/articles/-/304513 出井伸之 2022-06-09 04:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 小学生が発明「ランドセルをキャリー化」が炎上、若者の芽を摘む人たちの3つのロジック - 情報戦の裏側 https://diamond.jp/articles/-/304473 開発 2022-06-09 04:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 日本企業の営業利益4割増も給与増は2%台、「史上最高益決算」を喜べない理由 - 野口悠紀雄 新しい経済成長の経路を探る https://diamond.jp/articles/-/304427 史上最高 2022-06-09 04:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 値上げラッシュに勝つ家計防衛術「見直し・見える化・振り返り」の極意 - 老後のお金クライシス! 深田晶恵 https://diamond.jp/articles/-/304465 2022-06-09 04:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 ハーバード級の難関「ミネルバ大学」合格体験記、“対策できない入試”の攻略法 - News&Analysis https://diamond.jp/articles/-/304146 ハーバード級の難関「ミネルバ大学」合格体験記、“対策できない入試の攻略法NewsampampAnalysis前回は、“世界のエリートが今一番入りたい大学といわれるミネルバ大学の概要と、現役東大生の煙山拓さんがミネルバ大学を目指した経緯を紹介した。 2022-06-09 04:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 SNSで好かれるコメント、嫌われるコメントの分岐点とは - またすぐに!会いたくなる人の話し方 https://diamond.jp/articles/-/304248 人間関係 2022-06-09 04:05:00
ビジネス 東洋経済オンライン 就活生はなぜ「研修制度」について質問するのか 採用現場でも発揮される「いい子症候群」的行動 | リーダーシップ・教養・資格・スキル | 東洋経済オンライン https://toyokeizai.net/articles/-/588472?utm_source=rss&utm_medium=http&utm_campaign=link_back 会社説明会 2022-06-09 04:30:00
IT IT号外 FirefoxでTwitterにログインできない、ログイン画面がロード中アイコンのまま止まってしまう現象を解決 https://figreen.org/it/firefox%e3%81%a7twitter%e3%81%ab%e3%83%ad%e3%82%b0%e3%82%a4%e3%83%b3%e3%81%a7%e3%81%8d%e3%81%aa%e3%81%84%e3%80%81%e3%83%ad%e3%82%b0%e3%82%a4%e3%83%b3%e7%94%bb%e9%9d%a2%e3%81%8c%e3%83%ad%e3%83%bc/ FirefoxでTwitterにログインできない、ログイン画面がロード中アイコンのまま止まってしまう現象を解決長らくFirefoxで、Twitterにログインできない現象に悩まされていたが、ついに解決。 2022-06-08 19:55:06

コメント

このブログの人気の投稿

投稿時間: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件)