投稿時間:2021-04-20 05:34:18 RSSフィード2021-04-20 05:00 分まとめ(38件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
python Pythonタグが付けられた新着投稿 - Qiita Python 時系列 list の圧縮 https://qiita.com/EcoTetsu/items/12c9dc8ed0a444d8ddf4 2021-04-20 04:59:42
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) 別シートの条件に合った値を反映させる https://teratail.com/questions/334136?rss=all nbspnbspnbspnbsp 2021-04-20 04:57:47
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) form_withでmodelの複数でのエラー https://teratail.com/questions/334135?rss=all formwithでmodelの複数でのエラー前提・実現したい事。 2021-04-20 04:48:08
海外TECH Ars Technica Sony reverses course, keeps legacy PlayStation online stores open https://arstechnica.com/?p=1758095 course 2021-04-19 19:29:55
海外TECH Ars Technica Missing Arctic ice fueled the “Beast of the East” winter storm https://arstechnica.com/?p=1758076 stormless 2021-04-19 19:11:28
海外TECH DEV Community How to build a crypto bot with Python 3 and the Binance API (part 3) https://dev.to/nicolasbonnici/how-to-build-a-crypto-bot-with-python-3-and-the-binance-api-part-3-1c53 How to build a crypto bot with Python and the Binance API part Welcome to the third and last part of this post The first part is here and the second part is here Dataset creation Dataset business objectFirst let s introduce a new dataset business object to group prices models dataset pyfrom datetime import datetimefrom api import utilsfrom models model import AbstractModelfrom models exchange import Exchangefrom models currency import Currencyclass Dataset AbstractModel resource name datasets pair str exchange str period start str period end str currency str asset str relations exchange Exchange currency Currency asset Currency def init self kwargs super init kwargs self pair self get pair def get pair self return utils format pair self currency self asset Import servicethen we need to build a service to parse and load historical data from the Binance exchange or any other exchange with an API and such historical ticker endpoint services importer pyimport sysfrom datetime import datetimefrom models dataset import Datasetclass Importer def init self exchange period start datetime period end None interval args kwargs self exchange exchange self interval interval self period start period start self period end period end self start datetime now self dataset Dataset create data exchange api exchanges self exchange name lower periodStart self period start periodEnd self period end candleSize currency api currencies self exchange currency lower asset api currencies self exchange asset lower def process self for price in self exchange historical symbol ticker candle self period start self period end self interval print price create dataset api datasets self dataset uuid execution time datetime now self start print Execution time str execution time total seconds seconds sys exit This service responsibility is really simple and clear his name say it all we import and store historical ticker data from exchanges Here you can directly store your objects on a relational database like PostgreSQL for instance you can also build and use an internal REST API as proxy to your database for high performance purposes BacktestingBacktesting is the most important tool to write your future bulletproof bot and test it against all market situations from historical ticker data For that purpose we ll create a backtest service his responsibilities will be to load a dataset from your current local data and if not found then it load it directly from an exchange Binance by default Then run a given strategy against each price data candle from the historical dataset services backtest pyimport sysfrom datetime import datetimefrom exchanges exchange import Exchangefrom models dataset import Datasetfrom models price import Priceclass Backtest def init self exchange Exchange period start datetime period end None interval self launchedAt datetime now Try to find dataset dataset Dataset query get exchange api exchanges exchange name lower currency api currencies exchange currency lower asset api currencies exchange asset lower period start period start period end period end candleSize interval if dataset and len dataset gt print dataset price Price for price in price query get dataset dataset uuid newPrice Price newPrice populate price exchange strategy set price newPrice exchange strategy run else print Dataset not found external API call to exchange name for price in exchange historical symbol ticker candle period start period end interval exchange strategy set price price exchange strategy run execution time datetime now self launchedAt print Execution time str execution time total seconds seconds sys exit Project s configurationWe ll using dotenv library and conventions to manage environment variables Here s the project s default values env localAVAILABLE EXCHANGES coinbase binance EXCHANGE binance BINANCE API KEY Your Binance API KEY BINANCE API SECRET Your Binance API SECRET COINBASE API KEY Your Coinbase API KEY COINBASE API SECRET Your Coinbase API SECRET Available modes trade to trade on candlesticks live to live trade throught WebSocket backtest to test a strategy for a given symbol pair and a period import to import dataset from exchanges for a given symbol pair and a periodMODE trade STRATEGY logger Allow trading test mode or real tradingTRADING MODE test Default candle size in secondsCANDLE INTERVAL CURRENCY BTC ASSET EUR Default period for backtesting string in UTC formatPERIOD START T PERIOD END T DATABASE URL postgresql postgres password cryptobot Main threadThen put all those parts together on a main thread mostly a CLI command using args and also environment variables By doing so we can override any default environment settings and tweak all input parameters directly with the command line based client Really useful too when using containerization tool like Docker for instance just launch this main thread and it will run with the specific container s environment variables We ll dynamically load and import each components we created according to the settings main py usr bin pythonimport importlibimport signalimport sysimport threadingfrom decouple import configfrom services backtest import Backtestfrom services importer import Importerexchange name config EXCHANGE available exchanges config AVAILABLE EXCHANGES split mode str config MODE strategy str config STRATEGY trading mode str config TRADING MODE interval int int config CANDLE INTERVAL currency str config CURRENCY asset str config ASSET if trading mode real print Caution Real trading mode activated else print Test mode Parse symbol pair from first command argumentif len sys argv gt currencies sys argv split if len currencies gt currency currencies asset currencies Load exchangeprint Connecting to exchange format exchange name upper exchange name exchangeModule importlib import module exchanges exchange name package None exchangeClass getattr exchangeModule exchange name upper exchange name exchange exchangeClass config exchange name upper API KEY config exchange name upper API SECRET Load currenciesexchange set currency currency exchange set asset asset Load strategystrategyModule importlib import module strategies strategy package None strategyClass getattr strategyModule strategy upper strategy exchange set strategy strategyClass exchange interval modeprint mode on symbol format mode exchange get symbol if mode trade exchange strategy start elif mode live exchange start symbol ticker socket exchange get symbol elif mode backtest period start config PERIOD START period end config PERIOD END print Backtest period from to with seconds candlesticks format period start period end interval Backtest exchange period start period end interval elif mode import period start config PERIOD START period end config PERIOD END print Import mode on symbol for period from to with seconds candlesticks format exchange get symbol period start period end interval importer Importer exchange period start period end interval importer process else print Not supported mode def signal handler signal frame if exchange socket print Closing WebSocket connection exchange close socket sys exit else print stopping strategy exchange strategy stop sys exit Listen for keyboard interrupt eventsignal signal signal SIGINT signal handler forever threading Event forever wait exchange strategy stop sys exit Usage Real time trading mode via WebSocketMODE live main py BTC EUR Trading mode with default minute candleMODE trade main py BTC EUR Import data from ExchangeMODE import main py BTC EUR Backtest with an imported dataset or Binance Exchange APIMODE backtest main py BTC EURYou can easily override any settings at call like so PERIOD START PERIOD END STRATEGY myCustomStrategy MODE backtest main py BTC EURTo exit test mode and trade for real just switch trading mode from test to real Use with caution at your own risks TRADING MODE real main py BTC EUR Containerize projectWe can containerize this program using Docker Here s a dead simple self explaining Docker build file FROM python WORKDIR usr src appCOPY requirements txt RUN pip install no cache dir r requirements txtCOPY CMD python main py BenchmarkUsing an old AMD Phenom II quad core CPU with go of DDR ram with other process running Import Import and persist prices to an internal API day ticker spitted onto minutes candles Execution time seconds week ticker spitted onto minutes candles Execution time minutes month ticker spitted onto minutes candles Execution time minutes months ticker spitted onto minutes candles Execution time hours Backtest From imported dataset day ticker spitted onto minutes candles Execution time seconds week ticker spitted onto minutes candles Execution time seconds month ticker spitted onto minutes candles Execution time seconds months ticker spitted onto minutes candles Execution time minutes ConclusionsWe built a kickass performances real time crypto trading bot He is able to backtest your strategies over big market dataset REALLY QUICLY using a small amount of CPU and RAM Import datasets from exchanges perform live trading with customizable candle sizes or even real time using WebSocket To go furtherCode a tests suite that cover all program s behaviors to ensure no future regression Build and use an internal Rest API to persist all crypto exchange markets data in real time Build a end user client such like mobile app or web app Using WebSocket or Server Sent Events to display real time metrics Source codeWant to start your own strategy with your custom indicators or just contribute and improve this project you can find the full project source code on github Use with the stable branch and contribute using the main branch develop As finishing this last post I released the stable versionAll contributions are welcome Thank s for reading this three parts post on how to build a crypto bot with python and the Binance API 2021-04-19 19:43:32
海外TECH DEV Community Обучение https://dev.to/evgen1312/-12e8 Detail Nothing 2021-04-19 19:37:13
海外TECH DEV Community The best GNOME shell extensions https://dev.to/topik0/the-best-gnome-shell-extensions-36h8 The best GNOME shell extensionsLast updated April th Extensions help fill in the hole of customization and functionality left by GNOME More is being added with every update but there is still a lot that isn t there Below are my favorite GNOME shell extensions that I use with daily with my system I will provide links and note what versions it is compatible with The list is not in any particular order A word on compatibility Some extensions don t work on the latest versions simply because of the required version in the metadata json file Adding any version to this file will make Gnome try to make it work and sometimes it does However since the extension doesn t officially work on said version things will probably break Bluetooth Quick ConnectBluetooth Quick Connect adds a toggle for bluetooth devices in the GNOME bluetooth menu It works as expected and it s insane to me that this functionality isn t built into Gnome Works on and Gnome Extensions GitHub img alt Screenshot of the Bluetooth Quick Connect Gnome extension lt br gt src i imgur com ACEBIxd png Clipboard IndicatorClipboard Indicator is a clipboard manager that allows you to go back in your clipboard history It sits on the top panel and does its job well Works perfectly on but the official version seems to be broken on The fork works fine Gnome Extensions GitHubThere is a fork of Clipboard Indicator that aims to add image support and works well on Gnome Check it out here img alt Screenshot of the Clipboard Indicator Gnome extension lt br gt src i imgur com yTEhIvj png Disable Workspace Switcher popupThis is an extension that gets rid of the little overlay that is displayed when you switch workspaces The version on extensions gnome org works fine on but the latest version from the Git repo must be used on It s just one command it s simple Gnome Extensions GitHub Fullscreen NotificationsThe Fullscreen Notifications extension allows notifications to be displayed when a user is in a fullscreen app It s useful if you still want to get notifications while gaming or something Works on and Gnome Extensions GitHub ImpatienceImpatience is an extension that allows you to set the global animation speed for the Gnome shell Works on and Gnome Extensions GitHub Pixel SaverPixel Saver is an extension that removes the title bar and puts the window controls in the top bar when in fullscreen Works on and Gnome Extensions GitHub img alt Screenshot of the Pixel Saver extension lt br gt src i imgur com ObdSSY png Remove Dropdown ArrowsFor GNOME x users only This extension removes the dropdown arrows found in many of the menus in the Gnome top bar Works on not needed in Gnome Extensions GitHub Remove Rounded CornersFor GNOME x users only Removes the rounded corners on the top bar Works on not needed in Gnome Extensions Top Panel Workspace ScrollEnables switching of the workspace by scrolling on the top bar Works on and Gnome Extensions GitHub Transparent Top BarMakes the top bar transparent under certain conditions Works on and Gnome Extensions GitHub Middle Click CloseAllows you to close windows in the overview by pressing the middle scroll button The button can be changed Works on and Gnome Extensions GitHub App IndicatorsThis extension adds application icons to the top panel with menus that can serve many different uses This extension is originally from Ubuntu Works on and Gnome Extensions GitHub img alt Screenshot of the App Indicators extension lt br gt src i imgur com PLOydP png User ThemesThis is a simple extension that allows the shell theme to be changed from the default theme Works on and Gnome Extensions Gitlab Notification Banner ExtensionThis extension moves notifications to the upper right of the screen Works on and Gnome Extensions Github Hide Top BarThis extension auto hides the top bar When the mouse is brought near the top it reappears If you re like me and like to have a few things on your screen as possible this is a must use Works on no support yetGnome Extensions Github DuckDuckGo Search ProviderThese extensions allow you to make DuckDuckGo searches from typing in the overview panel Works on and Gnome Extensions Github img alt Screenshot of the DuckDuckGo Search Provider extension lt br gt src dev to uploads s amazonaws com uploads articles owdrpztmqevbpudq png Disconnect WifiThis extension adds a disconnect option to the Wifi menu and a reconnect option when a network has been disconnected Works on and Gnome Extensions Github img alt Screenshot of the disconnect option lt br gt src dev to uploads s amazonaws com uploads articles aeojhfurlkcbezgs png Draw on Your ScreenThis extension allows you to draw on your screen using various tools similar to Windows Markup Works on no supportGnome Extensions Gitlab System Action HibernateThis extension adds a hibernate option among the power options in the menu Works on Despite what it claims it does not work on Gnome Extensions Codeberg X GesturesThis extension adds Gnome s one to one gesture functionality to X Touchégg must be installed for this to work Note that it is not as smooth as the default Wayland gestures Gnome Extensions Github 2021-04-19 19:36:07
海外TECH DEV Community Insertion sort https://dev.to/buurzx/insertion-sort-45i2 Insertion sortThe best analogy for insertion sort is a deck of cards And you need to put them in the right order from smallest to greatest You hold at least one card constant while you move the other cards around it to sort everything into order The element that you considering could be moved one spot or over multiple spots def insertion sort array return array if array size lt array length times do i while i gt if array i gt array i array i array i array i array i else break end i end end arrayendreturn array if it s empty or include one elementiterate through array with array length times i represents the index of the arrayin the loops when element s index gt we set if else condition and if previous value larger than current we swap them else we terminate loopsif loops does not terminate we decrease index of array and continueTime Complexity О n Space Complexity О n 2021-04-19 19:01:15
海外TECH DEV Community Never use a number or currency formatting library again! https://dev.to/jordanfinners/never-use-a-number-or-currency-formatting-library-again-mhb Never use a number or currency formatting library again Contents Intro Number Format Currency Format Units Format Summary Intro Reducing dependencies that you ship with your frontend is always a good thing If you are using a number or currency formatting library check it out on Bundlephobia and see how much time and bytes it adds to your application All this can be done with a new cross browser API Intl NumberFormat Number Format Formatting numbers is hard Adding thousand separators decimal places and so on Never mind internationalization too Some languages use comma separators some dot separators and thats only the start Enter Intl NumberFormat The Intl API has some really helpful methods but we are going to focus on number formatting in this blog Let s jump straight in with an example const numberFormat new Intl NumberFormat ru RU console log numberFormat format → Here we have specified the locale to be russian however if you use the constructor without passing a locale it will auto detect based on the users browser Meaning it will change depending on the users preference localising to your users const numberFormat new Intl NumberFormat console log numberFormat format This is supported across all browsers now including Safari But we can take it even further Currency Format Not only can we format numbers this way but we can also support currencies too This is relatively new support across browsers so what out of Safari versions your users are using This works great for formatting numbers const number console log new Intl NumberFormat de DE style currency currency EUR format number expected output € There is support for every currency I could think of Remember this won t do any currency conversions between them only format how they are displayed Units Format I didn t know this until researching this blog But you can even format units This isn t yet supported on Safari so again check the browser compatibility new Intl NumberFormat en US style unit unit liter unitDisplay long format amount → liters There are an enormous list of supported units including speeds and loads more It even allows you to format percentages which I ve always found a pain new Intl NumberFormat en US style percent signDisplay exceptZero format → Summary The Intl NumberFormat is a really powerful tool in the arsenal of web developers No need to add an additional dependencies to your application Increase speed and international support with the Intl API Happy Building 2021-04-19 19:00:47
Apple AppleInsider - Frontpage News Browsers push back against Google's proposed FLoC system https://appleinsider.com/articles/21/04/19/browsers-push-back-against-googles-proposed-floc-system?utm_medium=rss Browsers push back against Google x s proposed FLoC systemMajor browsers have rejected Google s new proposal for creating targeted ads saying that they fear the system could put users privacy at risk In early April Google announced it would move forward with a plan to abandon third party cookies to utilize a new method called FLoC to collect user data in aggregate to assist in targeting ads Google also began secretly opting in an unknown amount of users to the beta test without ever asking for their consent Other browsers have begun speaking out against Google s FLoC Many have now gone on record stating that they would not implement the feature Read more 2021-04-19 19:57:46
Apple AppleInsider - Frontpage News Facebook announces in-app podcast platform, Clubhouse competitor https://appleinsider.com/articles/21/04/19/facebook-announces-in-app-podcast-platform-clubhouse-competitor?utm_medium=rss Facebook announces in app podcast platform Clubhouse competitorFacebook has announced a series of new features like audio editing podcasts and a Clubhouse competitor releasing later this summer Facebook wants to be the home of all of your audio needsThe social media giant hopes to expand its empire with new audio focused features across its apps Users will be able to record edit and publish audio from within the Facebook app in multiple new social formats Read more 2021-04-19 19:47:31
海外TECH Engadget Facebook and Spotify will team up on 'Project Boombox' https://www.engadget.com/facebook-and-spotify-will-team-up-on-new-music-features-191235561.html facebook 2021-04-19 19:12:35
海外TECH Engadget Facebook will remove calls for violence in preparation for Derek Chauvin verdict https://www.engadget.com/facebook-george-floyd-derek-chauvin-trial-policy-190931411.html Facebook will remove calls for violence in preparation for Derek Chauvin verdictAs cities and communities across the US anxiously wait for a verdict in the trial of Derek Chauvin the former police officer accused of killing George Floyd Facebook says it s doing what we can to prepare 2021-04-19 19:09:31
Docker Docker Blog The Stars Are Aligning: Announcing our first round of speakers at DockerCon LIVE 2021 https://www.docker.com/blog/the-stars-are-aligning-announcing-our-first-round-of-speakers-at-dockercon-live-2021/ The Stars Are Aligning Announcing our first round of speakers at DockerCon LIVE With just over a month to go before DockerCon LIVE we re thrilled to announce our first round of speakers We have returning favorites and compelling new first time speakers to round out your DockerCon experience  We received hundreds of amazing speaker proposals which made it difficult to select just a few We set up The post The Stars Are Aligning Announcing our first round of speakers at DockerCon LIVE appeared first on Docker Blog 2021-04-19 19:11:11
海外科学 NYT > Science NASA Mars Helicopter Achieves First Flight on Red Planet https://www.nytimes.com/2021/04/19/science/nasa-mars-helicopter.html planet 2021-04-19 19:27:21
海外科学 NYT > Science The Science of Climate Change Explained https://www.nytimes.com/article/climate-change-global-warming-faq.html questions 2021-04-19 19:22:15
海外ニュース Japan Times latest articles Japanese journalist held in Myanmar moved to prison, embassy says https://www.japantimes.co.jp/news/2021/04/19/national/journalist-detained-myanmar/ Japanese journalist held in Myanmar moved to prison embassy saysYuki Kitazumi a former reporter for the Tokyo based Nikkei business daily who now lives in Yangon was detained by security forces in Yangon on Sunday 2021-04-20 05:15:19
海外ニュース Japan Times latest articles Carter Stewart Jr. takes important first step in NPB https://www.japantimes.co.jp/sports/2021/04/19/baseball/japanese-baseball/stewart-first-step-in-npb/ career 2021-04-20 04:02:24
ニュース BBC News - Home Covid-19: India added to coronavirus ‘red list’ for travel https://www.bbc.co.uk/news/uk-56806103 covid 2021-04-19 19:26:42
ニュース BBC News - Home European Super League: Ministers will do 'whatever it takes' to block breakaway https://www.bbc.co.uk/news/uk-politics-56807515 pm 2021-04-19 19:50:46
ニュース BBC News - Home European Super League: Liverpool boss Jurgen Klopp against idea https://www.bbc.co.uk/sport/football/56809771 jurgen 2021-04-19 19:37:09
ニュース BBC News - Home James Nash killing: Gunman 'accused author of Russia Covid-19 plot' https://www.bbc.co.uk/news/uk-england-hampshire-56800574 hears 2021-04-19 19:20:01
ビジネス ダイヤモンド・オンライン - 新着記事 マッキンゼー流!日本企業のR&Dが「失敗」に終わる、5つの本質的理由【動画】 - マッキンゼー流!R&Dの極意 https://diamond.jp/articles/-/268299 rampampd 2021-04-20 04:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 ヤフー、楽天、サイバーエージェント、DeNA「採用大学」ランキング2020!早慶東大が上位独占 - 就活最前線 https://diamond.jp/articles/-/268556 ヤフー、楽天、サイバーエージェント、DeNA「採用大学」ランキング早慶東大が上位独占就活最前線コロナ禍の前に行われた年卒の採用。 2021-04-20 04:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 ヤフー、楽天、サイバーエージェント、DeNA「採用大学」ランキング2020!【全10位・完全版】 - 就活最前線 https://diamond.jp/articles/-/268552 ヤフー、楽天、サイバーエージェント、DeNA「採用大学」ランキング【全位・完全版】就活最前線コロナ禍の前に行われた年卒の採用。 2021-04-20 04:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 メガバンクが本気で始めたポイントサービス、最もお得な銀行はどれだ! - News&Analysis https://diamond.jp/articles/-/268917 メガバンクが本気で始めたポイントサービス、最もお得な銀行はどれだNewsampampAnalysis昨今、みずほ銀行のATMシステム障害や、三菱UFJ銀行・三井住友銀行のコンビニATM手数料の一部値上げなど、「けしからん」と感じてしまうようなメガバンク関連のニュースが多い。 2021-04-20 04:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 半導体を巡る台湾の「地政学リスク」、日本企業はビジネスチャンス到来 - 今週のキーワード 真壁昭夫 https://diamond.jp/articles/-/268916 2021-04-20 04:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 大阪府の医療崩壊危機は、菅政権「やったふり」対策のしわ寄せだ - 上久保誠人のクリティカル・アナリティクス https://diamond.jp/articles/-/268915 上久保誠人 2021-04-20 04:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 「標的型メール攻撃」による情報漏洩を防ぐ方法、クリック率を下げるだけではダメ! - セキュリティ心理学入門 内田勝也 https://diamond.jp/articles/-/268104 情報漏洩 2021-04-20 04:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 プロバスケットボールが発展するために欠かせない「ビジネス視点の変革」とは - 池田純のプロスポーツチーム変革日記 https://diamond.jp/articles/-/268614 プロバスケットボールが発展するために欠かせない「ビジネス視点の変革」とは池田純のプロスポーツチーム変革日記環境の変化に柔軟に対応することは、時代や業界を問わず、ビジネスには確実に求められることである。 2021-04-20 04:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 「多忙でも太らない人」だけが知っている24時間の過ごし方 - 仕事脳で考える食生活改善 https://diamond.jp/articles/-/268914 食生活 2021-04-20 04:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 花粉症はかつて「憧れの病」だった!?『花粉症と人類』著者が解説 - News&Analysis https://diamond.jp/articles/-/267869 花粉症はかつて「憧れの病」だった『花粉症と人類』著者が解説NewsampampAnalysis多くの日本人が花粉症に苦しみ始めた今年月末、『花粉症と人類』岩波新書という書籍が発売された。 2021-04-20 04:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 「ドージデイ」の熱狂、狙うは1ドルの大台突破 - WSJ発 https://diamond.jp/articles/-/269024 突破 2021-04-20 04:08:00
ビジネス ダイヤモンド・オンライン - 新着記事 介護業界で「離職が多発」する根本的な理由 - 消費インサイド https://diamond.jp/articles/-/268933 人手不足 2021-04-20 04:07:00
ビジネス ダイヤモンド・オンライン - 新着記事 伝統校を左右する手腕、新校長人事で見る首都圏「中高一貫校」の将来 - 中学受験への道 https://diamond.jp/articles/-/268671 伝統校を左右する手腕、新校長人事で見る首都圏「中高一貫校」の将来中学受験への道校長交代の影響は傍で見るよりも大きい。 2021-04-20 04:05:00
ビジネス 東洋経済オンライン ドイツ最古の銀行幹部が語る国際M&Aのゆくえ 日本の中小企業は「グローバル化」に商機あり | 金融業界 | 東洋経済オンライン https://toyokeizai.net/articles/-/423429?utm_source=rss&utm_medium=http&utm_campaign=link_back mampa 2021-04-20 04:30:00
Azure Azure の更新情報 Azure Virtual Machines DCsv2-series now available in public preview in Azure Government https://azure.microsoft.com/ja-jp/updates/confidential-computing-in-azure-government/ Azure Virtual Machines DCsv series now available in public preview in Azure GovernmentAzure Government customers can build secure enclave based applications to protect code and data while it s in use in a dedicated cloud that meets stringent government security and compliance requirements 2021-04-19 19:46:47

コメント

このブログの人気の投稿

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