投稿時間:2023-07-14 21:20:05 RSSフィード2023-07-14 21:00 分まとめ(26件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT ITmedia 総合記事一覧 [ITmedia News] “チープカシオ”忠実に再現したカプセルトイ、1回400円 https://www.itmedia.co.jp/news/articles/2307/14/news185.html casio 2023-07-14 20:23:00
IT ITmedia 総合記事一覧 [ITmedia News] G-SHOCK初号機のフォルムが立体商標に カシオ「目に見えない価値を可視化した」 https://www.itmedia.co.jp/news/articles/2307/14/news183.html gshock 2023-07-14 20:15:00
AWS AWS - Japan Amazon Personalize 基礎編【AWS Black Belt】 https://www.youtube.com/watch?v=cqZe06uuMJM AmazonPersonalize基礎編【AWSBlackBelt】本動画の資料はこちら高度なレコメンドを機械学習の専門知識無しで導入できるAmazonPersonalizeの基本的な使い方を紹介します【動画の対象者】レコメンドの導入を検討している方【スピーカー】近藤健二郎アマゾンウェブサービスジャパン合同会社ソリューションアーキテクト【目次】概要とアジェンダAmazonPersonalizeの解決する課題AmazonPersonalizeの基本的な使い方【関連リンク】AWS公式サービスページAWS個別相談会【AWSBlackBeltについて】「サービス別」「ソリューション別」「業種別」のそれぞれのテーマに分け、アマゾンウェブサービスジャパン合同会社が主催するオンラインセミナーシリーズです。 2023-07-14 11:40:46
AWS AWS - Japan AWS Systems Manager State Manager【AWS Black Belt】 https://www.youtube.com/watch?v=vSAbhWZFtKU AWSSystemsManagerStateManager【AWSBlackBelt】本動画の資料はこちらAWSSystemsManagerSSMは統合的なAWS環境の運用をするためのツールとして進化しており、多くの機能を持っています。 2023-07-14 11:30:10
python Pythonタグが付けられた新着投稿 - Qiita ChatGPT Code Interpreterでコードを一切書かずにテレビゲームの売上分析をしてみた https://qiita.com/hamham/items/3bad8b2693d8fadfd3dc chatgptcodeinterpreter 2023-07-14 20:36:50
python Pythonタグが付けられた新着投稿 - Qiita djangoで所有者でないレコードにアクセスできないようにする https://qiita.com/76r6qo698/items/9bc22fdb8453d0647451 django 2023-07-14 20:05:30
技術ブログ Developers.IO 両手でねこをこねている動画を撮影できるようにがんばってみた(ESP32-WROVER CAMボード / PlatformIO) https://dev.classmethod.jp/articles/esp32-wrover-cam-cat-camera/ espwrovercam 2023-07-14 11:00:53
海外TECH Ars Technica Why AI detectors think the US Constitution was written by AI https://arstechnica.com/?p=1932658 aican 2023-07-14 11:00:53
海外TECH DEV Community Understanding Streaming Replication in PostgreSQL https://dev.to/hassanrehan/understanding-streaming-replication-in-postgresql-7jm Understanding Streaming Replication in PostgreSQLIntroduction PostgreSQL an advanced open source database management system offers various replication features to ensure data availability and redundancy One of its key replication techniques is streaming replication which allows for synchronous data replication between a primary server and multiple standby servers In this blog post we will delve into the inner workings of streaming replication in PostgreSQL exploring topics such as its startup process data transfer mechanism management of multiple standbys and failure detection Let s dive in Streaming Replication An OverviewStreaming replication in PostgreSQL is a native replication feature introduced in version It operates on a single master multi slaves architecture where the primary server also known as the master continuously sends Write Ahead Log WAL data to the standby servers also known as the slaves The standbys then replay the received data maintaining synchronization with the primary Synchronous vs Asynchronous ReplicationPrior to version PostgreSQL supported only asynchronous replication However the introduction of streaming replication provided a more robust and reliable solution for synchronous replication ensuring that data changes are replicated to standby servers in real time Asynchronous replication is still available but has been superseded by the newer synchronous replication implementation Starting the Streaming ReplicationTo understand how streaming replication works let s explore the startup sequence and connection establishment between primary and standby servers The following steps outline the process Processes InvolvedIn streaming replication three processes collaborate to facilitate data transfer the walsender process on the primary server the walreceiver process and the startup process on the standby server These processes communicate using a single TCP connection Startup SequenceThe startup sequence of streaming replication unfolds as follows Start primary and standby servers The standby server initiates the startup process The standby server starts the walreceiver process The walreceiver sends a connection request to the primary server periodically retrying if the primary server is not running Upon receiving the connection request the primary server starts the walsender process establishing a TCP connection with the walreceiver The walreceiver sends the latest Log Sequence Number LSN of the standby s database cluster initiating a handshaking phase If the standby s LSN is behind the primary s LSN the walsender sends the corresponding WAL data from the primary s WAL segment directory pg xlog or pg wal to the standby This catch up phase ensures synchronization between the primary and the standby Streaming replication begins and the walsender process keeps a state corresponding to the working phase start up catch up or streaming Communication Between a Primary and a Synchronous StandbyIn streaming replication communication between a primary server and a synchronous standby server plays a vital role Let s examine the process of data transmission during a transaction commit The backend process on the primary server writes and flushes WAL data to a WAL segment file The walsender process sends the written WAL data to the walreceiver process The backend process waits for an ACK response from the standby server acquiring a latch using SyncRepWaitForLSN The walreceiver writes the received WAL data into the standby s WAL segment and sends an ACK response to the walsender The walreceiver flushes the WAL data to the segment and notifies the startup process of the updated WAL data The startup process replays the written WAL data The walsender releases the latch of the backend process upon receiving the ACK response completing the commit or abort action During this process the primary server receives ACK responses from the walreceiver which contain information such as the latest written flushed and replayed LSNs along with the timestamp of the response These responses help the primary server monitor the status of all connected standby servers Ensuring Standby Server RecoveryWhat happens if a standby server restarts after a prolonged period in a stopped condition The behavior depends on the PostgreSQL version Version or EarlierIn older versions if the primary s WAL segments required by the standby have already been recycled the standby cannot catch up with the primary server To mitigate this issue one could set a large value for the wal keep segments configuration parameter reducing the likelihood of occurrence However this solution is merely a stopgap measure Version or LaterStarting from version PostgreSQL introduced replication slots to address this problem Replication slots enhance the flexibility of WAL data sending particularly for logical replication They allow unsent WAL segment files to be preserved in the replication slot pausing the recycling process For more details refer to the official documentation Handling Failures and Managing Multiple Standby ServersIn this section we will explore how the primary server behaves in the event of a failure in the synchronous standby server and how multiple standby servers are managed in streaming replication Dealing with Synchronous Standby FailureWhen a synchronous standby server fails and is unable to return an ACK response the primary server continues to wait for responses indefinitely As a result running transactions cannot commit and query processing comes to a halt In other words all primary server operations practically stop Streaming replication does not provide an automatic fallback to asynchronous mode through timeout To avoid this situation there are two approaches One is to use multiple standby servers to enhance system availability The other is to manually switch from synchronous to asynchronous mode by following these steps Set an empty string for the parameter synchronous standby names synchronous standby names Execute the pg ctl command with the reload option postgres gt pg ctl D PGDATA reloadThe above procedure does not impact connected clients The primary server continues transaction processing and all sessions between clients and the respective backend processes are maintained Managing Multiple Standby ServersIn streaming replication the primary server assigns sync priority and sync state values to all managed standby servers treating each standby server based on these values sync priority It indicates the priority of the standby server in synchronous mode and is a fixed value Smaller values indicate higher priority with representing asynchronous mode The priorities of standby servers are assigned in the order listed in the primary s configuration parameter synchronous standby names For example in the configuration synchronous standby names standby standby the priorities of standby and standby are and respectively Standby servers not listed in this parameter operate in asynchronous mode with a priority of sync state It represents the state of the standby server The state varies depending on the running status of all standby servers and their individual priority The possible states are as follows Sync The state of the synchronous standby server with the highest priority among all working standbys excluding asynchronous servers Potential The state of a spare synchronous standby server with the second or lower priority among all working standbys excluding asynchronous servers If the synchronous standby fails it will be replaced with the highest priority standby among the potential ones Async The state of an asynchronous standby server which remains fixed The primary server treats asynchronous standbys similarly to potential standbys except that their sync state is never Sync or Potential To view the priority and state of the standby servers you can execute the following query testdb SELECT application name AS host sync priority sync state FROM pg stat replication host sync priority sync state standby Sync standby Potential rows In the above example standby has a sync priority of and is in the Sync state while standby has a sync priority of and is in the Potential state Primary Server s Management of Multiple StandbysThe primary server only waits for ACK responses from the synchronous standby server It confirms the writing and flushing of WAL data by the synchronous standby alone Thus streaming replication ensures that only the synchronous standby remains in a consistent and synchronous state with the primary Figure illustrates a scenario where the ACK response from the potential standby is received earlier than that from the primary standby In this case the primary s backend process continues to wait for an ACK response from the synchronous standby Once the primary s response is received the backend process releases the latch and completes the current transaction processing In the opposite scenario where the primary s ACK response is received earlier than the potential standby s response the primary server immediately completes the commit action of the current transaction without ensuring whether the potential standby writes and flushes WAL data Handling Standby Server Failures and Failure DetectionIn this section we will examine the behavior of the primary server when a standby server fails and explore the methods used to detect failures in streaming replication Behavior When a Standby Server FailsThe primary server s behavior differs based on the type of standby server failure Potential or Asynchronous Standby Failure If a potential or asynchronous standby server fails the primary server terminates the walsender process connected to the failed standby and continues all processing In other words the transaction processing of the primary server remains unaffected by the failure of these standby servers Synchronous Standby Failure When a synchronous standby server fails the primary server terminates the walsender process connected to the failed standby and replaces it with the highest priority potential standby Refer to Figure for visualization Unlike the previous scenario query processing on the primary server will be paused from the point of failure until the replacement of the synchronous standby Failure detection of standby servers plays a crucial role in increasing the availability of the replication system In any case if one or more standby servers are configured to run in synchronous mode the primary server always maintains only one synchronous standby server This synchronous standby server remains in a consistent and synchronous state with the primary at all times Detecting Standby Server FailuresStreaming replication employs two common procedures for detecting failures without requiring specialized hardware Failure Detection of Standby Server Process The primary server immediately identifies a faulty standby server or walreceiver process when a connection drop between the walsender and walreceiver is detected If a low level network function returns an error due to a failure in writing or reading the socket interface of the walreceiver the primary server promptly determines the failure Failure Detection of Hardware and Networks If a walreceiver does not return any response within the duration set by the wal sender timeout parameter default seconds the primary server considers the standby server as faulty However in contrast to the previous failure scenario it may take some time up to wal sender timeout seconds for the primary server to confirm the standby s failure This delay occurs when a standby server is unable to send any response due to various failures such as hardware issues or network problems Depending on the nature of the failures some may be immediately detected while others may experience a time lag between the occurrence of the failure and its detection It s important to note that if a synchronous standby server encounters the latter type of failure all transaction processing on the primary server will be halted until the failure is detected even if multiple potential standby servers are operational ConclusionIn this blog post we explored how the primary server behaves during different types of standby server failures in streaming replication Additionally we learned about the methods employed for detecting failures in the replication system By understanding these aspects you can effectively handle standby server failures and ensure the availability and reliability of your PostgreSQL replication setup In the next blog post we will delve into more advanced topics related to streaming replication Stay tuned References PostgreSQL Official Documentation ChatGPT for streamlining the text and grammar correction 2023-07-14 11:41:00
海外TECH DEV Community The Future Unleashed: Fully On-Chain Gaming and Its Implications for the Gaming Industry https://dev.to/galaxiastudios/the-future-unleashed-fully-on-chain-gaming-and-its-implications-for-the-gaming-industry-1no0 The Future Unleashed Fully On Chain Gaming and Its Implications for the Gaming IndustryThe gaming industry is on the cusp of a groundbreaking revolution with the emergence of fully on chain gaming By leveraging the power of blockchain technology this innovative concept introduces a new era of gaming experiences marked by true ownership decentralized economies and unparalleled transparency In this article we explore the transformative potential of fully on chain gaming and delve into its wide ranging implications for the gaming industry Ownership Redefined NFTs and True Digital Assets Fully on chain gaming brings forth a paradigm shift in asset ownership With the utilization of non fungible tokens NFTs players have the ability to securely own trade and monetize their in game assets These digital assets are no longer confined within the boundaries of a specific game or platform Instead players can freely transfer and utilize their assets across different games creating a fluid and dynamic virtual economy This redefinition of ownership paves the way for players to truly invest in their virtual possessions fostering a sense of value and authenticity within the gaming ecosystem Interoperability Unleashed A Unified Gaming Experience One of the key advantages of fully on chain gaming is its ability to break down the barriers between different gaming platforms and ecosystems Through standardized protocols and blockchain interoperability players can seamlessly navigate between games bringing their assets and achievements along with them Imagine embarking on a gaming journey that transcends individual titles forging a cohesive and interconnected experience The potential for cross platform play and shared virtual universes opens up new dimensions of gameplay and community interaction The Emergence of Decentralized Economies Fully on chain gaming ushers in the era of decentralized economies within virtual worlds By utilizing blockchain technology players can actively participate in player driven marketplaces where in game assets can be bought sold and traded directly between individuals This empowers players to monetize their skills creativity and investments within the gaming ecosystem Developers and publishers on the other hand can explore innovative revenue models such as royalties and secondary market fees leading to new streams of income and sustainable monetization strategies Transparency and Trust A New Era of Fairness Blockchain technology is synonymous with transparency and fully on chain gaming embraces this core principle By leveraging the decentralized and immutable nature of blockchain fully on chain games ensure provably fair gameplay Every action and outcome can be audited guaranteeing a level playing field for all participants This heightened transparency not only fosters trust between players and developers but also mitigates concerns related to cheating fraud and unfair practices It sets a new standard for integrity within the gaming industry Empowering the Gaming Community Collaboration and Governance Fully on chain gaming places the power in the hands of the gaming community Through decentralized autonomous organizations DAOs and community governance players can actively participate in shaping the future of the games they love Decisions regarding game updates feature implementations and community initiatives are made collectively fostering a sense of ownership and fostering a stronger bond between players and developers This collaborative model paves the way for greater player engagement innovation and long term sustainability Conclusion Fully on chain gaming represents an exciting frontier for the gaming industry driven by blockchain technology s transformative potential The redefined concept of ownership interoperability decentralized economies transparency and community collaboration all contribute to a new era of gaming experiences As the industry continues to evolve embracing the principles and opportunities presented by fully on chain gaming will not only benefit players but also empower developers and publishers to forge new paths create immersive experiences and shape a vibrant and inclusive future for the gaming ecosystem 2023-07-14 11:24:27
海外TECH DEV Community Miço Eklentisi - "mico" ile Başlayan Makineleri Dinamik Koleksiyona Ekleme https://dev.to/aciklab/mico-eklentisi-mico-ile-baslayan-makineleri-dinamik-koleksiyona-ekleme-3dla Miço Eklentisi quot mico quot ile Başlayan Makineleri Dinamik Koleksiyona EklemeLiman arayüzüaçılır Menüye girilir Menüde sunucunun alt başlıklarında bulunan MİÇO eklentisinin içine girilir YÖNETİM sekmesine girilir Miço client ların listelendiği görüntülenir Örnek mico client liman mico server deren domain hostnamelerine sahip tane client listelenmiştir Ekranın solunda bulunan Tümü butonunun sağındaki üçnoktaya tıklanır Koleksiyon Oluştur butonuna tıklanır Gelen ekranda Koleksiyon ismi ve filtre girilerek dinamik koleksiyon oluşturulur Örnek Koleksiyon ismi Dinamik Koleksiyon Filtre devmanager general ALAN Hostname İŞLEM Başlar ve DEĞER mico seçilir OK butonuna tıklanır ve Dinamik Koleksiyon isimli dinamik koleksiyon oluşturulmuşolur OLuşturulan koleksiyonun üzerine tıklanır Görselde de görüldüğüüzere mico ile başlayan client da koleksiyone eklenmişolur liman adlıclient ise mico ile başlamadığıiçin koleksiyonda bulunmaz 2023-07-14 11:01:35
Apple AppleInsider - Frontpage News Next VMware release for Apple Silicon will have full 3D hardware acceleration https://appleinsider.com/articles/23/07/14/next-vmware-release-for-apple-silicon-will-have-full-3d-hardware-acceleration?utm_medium=rss Next VMware release for Apple Silicon will have full D hardware accelerationVMWare has released a new tech preview for its virtualization software that runs on Apple Silicon including full D hardware accelerated graphics for Windows on Arm Announced on Friday the new VMware Fusion Tech Preview covers a lot of ground Most obvious is the inclusion of full D hardware accelerated graphics This upgrade brings a new level of graphics performance to Fusion empowering users to run full DirectX D games and apps with stunning fidelity and speed says VMware The UI is much more responsive and when combined with autofit resolution changes are nearly instant Read more 2023-07-14 11:22:49
Apple AppleInsider - Frontpage News Tesla may adopt Apple AirPlay for better audio -- and Apple Music https://appleinsider.com/articles/23/07/14/tesla-may-adopt-apple-airplay-for-better-audio----and-apple-music?utm_medium=rss Tesla may adopt Apple AirPlay for better audio and Apple MusicWhile Tesla famously won t support CarPlay code found in its iOS app update points to at least testing of AirPlay in its cars TeslaIt s never been possible to use Apple s CarPlay in Teslas ーnot without a hack and a convoluted one at that ーbut CEO Elon Musk has previously hinted at AirPlay support Read more 2023-07-14 11:15:49
海外TECH Engadget The Morning After: Virgin Galactic's first private passenger spaceflight will launch next month https://www.engadget.com/the-morning-after-virgin-galactics-first-private-passenger-spaceflight-will-launch-next-month-111540932.html?src=rss The Morning After Virgin Galactic x s first private passenger spaceflight will launch next monthVirgin Galactic having flown its first commercial spaceflight in late June is ready to take civilians to the edge of space briefly The company plans to launch its first private passenger flight Galactic as soon as August th Virgin isn t yet revealing the names of everyone involved but there will be three passengers aboard alongside crew The company says it s establishing a quot regular cadence quot of flights and it needs that Virgin Galactic has operated at a loss for years and lost million in alone The business won t recoup all those losses anytime soon even at per ticket But the focus is pretty clear make the case for space tourism…at least for the one percenters Mat SmithThe biggest stories you might have missedMicrosoft s next big Office update A new fontOne week in Threads has become Twitter s biggest threatThe best power banks for What the hell are passkeys and why are they suddenly everywhere Sony plans to boost game R amp D spending this year as competition ramps upTwitter finally begins paying some of its creatorsBlue subscribers will need a significant following to get a cut Twitter s ad revenue sharing program for creators has officially launched ーand it s reportedly already begun paying eligible Blue subscribers Elon Musk announced the initiative in February but with scant details about how it would work nobody knew quite what to expect However some high profile users report they ve received notifications about incoming deposits The bar is high to receive a transfer from the Musk owned social media company The support post says the revenue sharing system applies to Twitter Blue or Verified Organizations subscribers with at least five million post impressions in each of the past three months One user claims they re set to receive over Going to need more to get into space my friend Continue reading Sony s PS accessibility controller arrives December thThe highly customizable Access controller comes with several buttons and stick caps SonySony s Access controller will be available worldwide on December th It costs and pre orders open July st The new accessibility focused controller comes with four mm aux ports enabling players to connect external buttons switches and other accessories The box includes button caps and three stick caps to help you find a configuration that works best for you You can even pair up to two Access controllers and one DualSense together to create a quot single virtual controller quot That means two or even three people could control the same character granting friends and family members the option to lend a helping hand Continue reading Farewell FIFA EA Sports FC will hit consoles and PC September thIt ll bring women s players to Ultimate Team for the first time EA s long standing partnership with FIFA ended after FIFA marking a new era for EA s flagship soccer series EA Sports FC will hit PS PS Xbox Series X S Xbox One Nintendo Switch and PC on September th EA says more than authentic players plus leagues and over stadiums will be represented in the new game The company has also secured exclusive deals with the English Premier League and UEFA to use their branding and retain access to competitions like the Champions League Continue reading AP and OpenAI enter two year partnership to help train algorithmic modelsIt s a major news sharing agreement The Associated Press AP and ChatGPT parent company OpenAI have reached a news sharing agreement but it doesn t involve AI chatbots quickly churning out content but enabling better training of OpenAI s algorithmic models It looks like AP will receive access to OpenAI s proprietary technology as part of the exchange AP doesn t use generative AI to write articles but it already uses similar technologies to automate corporate earnings reports and cover local sporting events Continue reading This article originally appeared on Engadget at 2023-07-14 11:15:40
医療系 医療介護 CBnews コロナ新規入院患者が6週連続で増加-厚労省が第27週の取りまとめ公表 https://www.cbnews.jp/news/entry/20230714204156 取りまとめ 2023-07-14 20:50:00
医療系 医療介護 CBnews インフル患者が2週連続増、学級閉鎖なども増加-厚労省が第27週の発生状況を公表 https://www.cbnews.jp/news/entry/20230714201020 厚生労働省 2023-07-14 20:20:00
医療系 医療介護 CBnews 宿日直許可の未取得、自治体病院の約4分の1-23年2月末、全自病調べ https://www.cbnews.jp/news/entry/20230714193515 全国自治体病院協議会 2023-07-14 20:10:00
海外ニュース Japan Times latest articles Japan calls on China to approach Fukushima water release in ‘scientific manner’ https://www.japantimes.co.jp/news/2023/07/14/national/politics-diplomacy/hayashi-china-meeting-fukushima/ Japan calls on China to approach Fukushima water release in scientific manner The issue of the water release took up a substantive amount of the hourlong talks between the nations top diplomats but the two did not 2023-07-14 20:25:48
ニュース BBC News - Home Gatwick Airport to be hit by strikes over summer holidays https://www.bbc.co.uk/news/business-66199180?at_medium=RSS&at_campaign=KARANGA august 2023-07-14 11:19:57
ニュース BBC News - Home One in 20 adults run out of food as prices soar https://www.bbc.co.uk/news/business-66199622?at_medium=RSS&at_campaign=KARANGA parents 2023-07-14 11:26:25
ニュース BBC News - Home Airbase asylum plans: High Court gives permission to councils' challenge https://www.bbc.co.uk/news/uk-england-essex-66200404?at_medium=RSS&at_campaign=KARANGA house 2023-07-14 11:36:58
ニュース BBC News - Home Wagner head Prigozhin rejected offer to join Russia's army - Putin https://www.bbc.co.uk/news/world-europe-66194549?at_medium=RSS&at_campaign=KARANGA putin 2023-07-14 11:09:34
ニュース BBC News - Home Hollywood grinds to a halt - so what happens now? https://www.bbc.co.uk/news/entertainment-arts-66196019?at_medium=RSS&at_campaign=KARANGA productions 2023-07-14 11:20:53
ニュース BBC News - Home Dele Alli: Sleeping pill addiction 'widespread' in football, says psychotherapist https://www.bbc.co.uk/sport/football/66199285?at_medium=RSS&at_campaign=KARANGA Dele Alli Sleeping pill addiction x widespread x in football says psychotherapistSleeping pill addiction is widespread among football players former Oxford United club psychotherapist Gary Bloom tells BBC World Service 2023-07-14 11:34:00
IT 週刊アスキー ガスト「うな丼」「うな丼ダブル」を販売 テイクアウトや宅配も対応 https://weekly.ascii.jp/elem/000/004/145/4145439/ 飲食 2023-07-14 20:35:00
IT 週刊アスキー 『白猫プロジェクト NEW WORLD'S』が9周年!さまざまなイベント&キャンペーンを開催中 https://weekly.ascii.jp/elem/000/004/145/4145433/ linknewworlds 2023-07-14 20:25: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件)