投稿時間:2023-04-11 06:13:39 RSSフィード2023-04-11 06:00 分まとめ(18件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS lambdaタグが付けられた新着投稿 - Qiita AWS Lambda に Python のコードを追加して API Gateway 経由で呼び出してみる https://qiita.com/ishitan/items/48c8c828d976f0b9b590 rolenamelambdaroleroleid 2023-04-11 05:09:26
python Pythonタグが付けられた新着投稿 - Qiita AWS Lambda に Python のコードを追加して API Gateway 経由で呼び出してみる https://qiita.com/ishitan/items/48c8c828d976f0b9b590 rolenamelambdaroleroleid 2023-04-11 05:09:26
AWS AWSタグが付けられた新着投稿 - Qiita AWS Lambda に Python のコードを追加して API Gateway 経由で呼び出してみる https://qiita.com/ishitan/items/48c8c828d976f0b9b590 rolenamelambdaroleroleid 2023-04-11 05:09:26
海外TECH MakeUseOf How to Fix the Left Click Mouse Button Not Working on Windows 10 https://www.makeuseof.com/tag/fix-left-mouse-button/ mouse 2023-04-10 20:15:15
海外TECH DEV Community Best Practices for Working with Strapi Cron Jobs https://dev.to/strapi/best-practices-for-working-with-strapi-cron-jobs-4cm2 Best Practices for Working with Strapi Cron JobsStrapi Cron Jobs are automated tasks that can be scheduled to run at specific intervals Cron jobs can be used for a variety of tasks such as cleaning up old data sending emails generating reports and more This article will cover the required steps to set up a Cron Job natively in Strapi and then also how to set up a Cron that is external to Strapi using both GitHub actions and Linux Crontab While Strapi s Cron feature works well for setting up a Cron Job in a simple Strapi project it falls short when needing to scale Strapi horizontally When scaling Strapi horizontally but still using the built in Strapi Cron Strapi will fire a Cron Job on every instance simultaneously This can cause race conditions and unintended side effects Read on to learn how to set up a Cron Jon in Strapi and avoid issues with Cron Jobs when horizontally scaling PrerequisitesBefore you can jump into this content you need to have a basic understanding of the following Basic knowledge of JavaScriptA Node js ready environmentBasic understanding of Strapi get started here What is Strapi Strapi is an open source headless CMS based on Node js used to develop and manage content using a Restful API and or GraphQL With Strapi we can scaffold our API faster and consume the content via APIs using any HTTP client or GraphQL enabled frontend Scaffolding a Strapi projectScaffolding a new Strapi project is very simple and works precisely as installing a new frontend framework We are going to start by running the following commands and testing them out in our default browser npx create strapi app strapi api quickstart ORyarn create strapi app strapi api quick startThe command above will scaffold a new Strapi project in your specified directory Next run yarn build to build your app and yarn develop to run the new project if it doesn t start automatically The last command will open a new tab with a page to register your new admin of the system Fill out the form and click the submit button to create a new Admin Creating a Cron Job in StrapiTo create a Cron Job in Strapi there are two files that we need to add modify First we will create a cron task js file and then enable the cron job by editing the server js file If you need more information on using Cron jobs in Strapi you can find the Cron Job documentation here For this demonstration of Strapi Cron Jobs we will assume that we have a blog set up in Strapi the code for the demonstration is here What we want to achieve is to receive a notification daily or at a certain cadence to let us know how many articles have been published This could be useful if you have a writer that is writing articles and you want to keep track of how many they have produced and published The code below illustrates what should be in the cron task js file that you create in your config folder This file has two important properties one is the task that gets run by the Cron and the other is the timer for the Cron how often the task should be run The logic in the task gets the count of all published posts and then logs that out and sends an email The schedule property is set so that this Cron runs once every minute in this case for demo purposes but in our real world application we would want to adjust this to a daily frequency module exports postCountEmail task async strapi gt const count await strapi entityService count api article article publicationState live console log Sending email with published article count count run by Strapi cron try await strapi plugins email services email send to brayden gmail com from noreply strapi com subject Post count text You have count published articles html You have count published articles catch err Commented out for demo purposes console error err options Every minute rule Now to activate the Cron we just created we have to edit the server js file to add the cron property The code snippet for this is below const crontTasks require cron tasks module exports env gt host env HOST port env int PORT cron enabled env bool CRON ENABLED true tasks crontTasks app keys env array APP KEYS webhooks populateRelations env bool WEBHOOKS POPULATE RELATIONS false To test out this Cron we can run the following npm run strapi developOnce the Cron runs we will see the output in the console as shown below So far we have learned how to set up Cron jobs natively in Strapi The only issue with running Cron jobs in Strapi like this is if we decide to scale our Strapi instances horizontally When horizontally scaling typically several instances of Strapi will be running on different servers all behind a load balancer While the load balancer distributes the incoming requests to one instance at a time the Strapi Cron will run on all instances at once When this happens each of the running Strapi instances will race to run the same Cron at the same time This can cause all kinds of problems In our demonstration scenario this would cause our server to send out several emails for each run of the Cron job We definitely don t want to receive emails just because we have Strapi instances running So how can we ensure that this does not happen Horizontally Scaling Strapi with External Cron JobsSince we can not use built in Strapi Cron jobs while horizontally scaling Strapi we will move this Cron job outside of Strapi An external service will trigger on a Cron schedule which will then need a way to call an endpoint in Strapi We can create our custom route that when called will then trigger a custom controller to be run This custom controller will replace the logic we use in our cron task js file above First let s create the custom route in Strapi To do this we need to create a new file under the src api article routes folder We will name this file custom article js The reason we prefix the file name with a so that this route gets loaded before the built in routes The code required in this file to create a custom route in Strapi is shown below module exports routes method GET path articles cron published count handler api article article cronPublishedCount The above custom route points to the cronPublishedCount method in our custom controller Next we will create this custom controller by adding it to the existing article js controller file which is located in the src api article controller folder The logic we will add to this file basically does the exact same thing that our built in Strapi Cron task did use strict article controller const createCoreController require strapi strapi factories module exports createCoreController api article article strapi gt async cronPublishedCount ctx const count await strapi entityService count api article article publicationState live console log Sending email with published article count count run by external cron try await strapi plugins email services email send to brayden notarealemail com from noreply strapi com subject Post count text You have count published articles html You have count published articles catch err Commented out for demo purposes console error err ctx status Now that we have our custom route and controller built in Strapi we have to call this route externally from Strapi There are many ways to accomplish this but we will look at two popular options Using CrontabThe first simple way to schedule a Cron which will call an endpoint is to use Crontab If you re on a Linux machine or you have a Linux VPS Crontab is already built in All you have to do is run the command crontab e to open the Crontab file for editing In this file we want to make a curl request to that custom route in Strapi in order to trigger our custom controller See the snippet below for what this would look like curl s Don t forget to make your Strapi custom route available to the public in the Strapi Admin Showing the picture below You should now have a running Cron that is external to Strapi If you run your Strapi project in development mode and then forward a tunnel with something like Ngrok to your local development machine you should be seeing your Cron working and logging Using GitHub ActionsAnother option for setting up a Cron job external to Strapi is using GitHub actions GitHub actions can be set up to be triggered on a Cron schedule Since GitHub is a job run on a Linux machine you can have that job run Linux commands We simply need to run the curl command to call our custom Strapi route If your code is hosted on GitHub you simply need to create a file with contents similar to the snippet below that is in the following path github workflows cron ymlname post count cronon schedule cron workflow dispatch jobs cron runs on ubuntu latest steps name Get request to the custom Strapi route run curl s Since GitHub actions only allow you to run at a minimum interval of minutes we have used minutes as the example above Wrap UpThis article provided information on the best practices for working with Cron Jobs in Strapi If you need to run a single instance of Strapi you can easily set up the built in Strapi Cron Jobs When you need to scale your Strapi instances horizontally you now have a couple of available options If you prefer to follow a video tutorial for setting up Strapi Cron jobs check our YouTube channel Thanks for reading through this article and if you have any other questions please comment below 2023-04-10 20:07:43
Apple AppleInsider - Frontpage News How to order a pizza with CarPlay using the new app from Domino's https://appleinsider.com/articles/23/04/10/how-to-order-a-pizza-with-carplay-using-the-new-app-from-dominos?utm_medium=rss How to order a pizza with CarPlay using the new app from Domino x sThe Domino s Pizza app is now on Apple s CarPlay system for drivers to order food and skip long drive thru lines The Domino s app is now on CarPlayThe company announced on Monday that customers will have two ordering options inside the Domino s app on CarPlay Tap to Order and Call to Order will be quick options to order food to minimize distractions for drivers Read more 2023-04-10 20:12:48
海外TECH CodeProject Latest Articles Secure Authentication for Web Applications: Avoiding Password Storage to Mitigate Cybersecurity Risks https://www.codeproject.com/Articles/5358782/Secure-Authentication-for-Web-Applications-Avoidin identity 2023-04-10 20:41:00
海外科学 NYT > Science Pfizer CEO and Other Drug Company Leaders Condemn Texas Abortion Pill Ruling https://www.nytimes.com/2023/04/10/health/abortion-ruling-pharma-executives.html Pfizer CEO and Other Drug Company Leaders Condemn Texas Abortion Pill RulingMore than executives said that the decision ignored scientific and legal precedent On Monday afternoon the Justice Department asked a federal appeals court to stay the ruling 2023-04-10 20:42:23
海外科学 NYT > Science The World Bank Is Getting a New Chief. Will He Pivot Toward Climate Action? https://www.nytimes.com/2023/04/09/climate/world-bank-ajay-banga.html The World Bank Is Getting a New Chief Will He Pivot Toward Climate Action Under pressure from world leaders development experts and shareholders the bank opens its spring meeting on Monday poised for big changes 2023-04-10 20:53:37
ビジネス ダイヤモンド・オンライン - 新着記事 ジャック幼児教育研究所、理英会、わかぎり21…「小学校受験」でわが子を合格に導く塾活用法 - 2024年入試対応!わが子が伸びる中高一貫校&塾&小学校 https://diamond.jp/articles/-/320484 ジャック幼児教育研究所、理英会、わかぎり…「小学校受験」でわが子を合格に導く塾活用法年入試対応わが子が伸びる中高一貫校塾小学校学力一本勝負の中学受験と異なり、小学校受験はペーパー、行動観察、運動、面接、願書など総合力が問われる。 2023-04-11 05:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 電力カルテル事件、電力会社の大株主の山口県・大阪市・神戸市は「代表訴訟」に動くか - エネルギー動乱 https://diamond.jp/articles/-/321053 利害関係 2023-04-11 05:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 大和証券の次期社長は「企画畑」が最有力、大手初の女性トップ誕生はあるか - 人事コンフィデンシャル https://diamond.jp/articles/-/320804 大和証券 2023-04-11 05:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 住友不動産が「日本一の大家」戦略で財閥系下剋上へ、バブル崩壊で三井不・三菱地と明暗 - 不動産デベ新序列 バブル崩壊前夜 https://diamond.jp/articles/-/320893 三井不動産 2023-04-11 05:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 【無料公開】支配人266人が選んだ「ベスト」ゴルフ場ランキングトップ15!1位は? - Diamond Premiumセレクション https://diamond.jp/articles/-/321048 diamond 2023-04-11 05:05:00
ビジネス ダイヤモンド・オンライン - 新着記事 米機密文書流出問題、韓国が状況を調査へ - WSJ発 https://diamond.jp/articles/-/321063 機密文書 2023-04-11 05:01:00
ビジネス 電通報 | 広告業界動向とマーケティングのコラム・ニュース サイバーエージェント・藤田晋社長に聞く、広告の今。「2022年 日本の広告費」特別対談 https://dentsu-ho.com/articles/8526 日本の広告費 2023-04-11 06:00:00
ビジネス 東洋経済オンライン 本当にChatGPTはリサーチャーの仕事を奪うのか AI時代に人間が鍛えるべきリサーチのスキル | インターネット | 東洋経済オンライン https://toyokeizai.net/articles/-/663510?utm_source=rss&utm_medium=http&utm_campaign=link_back chatgpt 2023-04-11 05:50:00
ビジネス 東洋経済オンライン 「非正社員をこの5年で増やした」会社ランキング トップは約2万5000人増加したあの企業 | 企業ランキング | 東洋経済オンライン https://toyokeizai.net/articles/-/664727?utm_source=rss&utm_medium=http&utm_campaign=link_back 上場企業 2023-04-11 05: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件)