投稿時間:2021-09-17 20:36:08 RSSフィード2021-09-17 20:00 分まとめ(42件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… 楽天モバイル、「iPhone 13」シリーズの販売価格を発表 https://taisy0.com/2021/09/17/145821.html iphone 2021-09-17 10:55:14
TECH Engadget Japanese キャンプで極上日本酒を味わう。日本初の焚火専用日本酒「SAKE TENT HOUSE」 https://japanese.engadget.com/sake-tent-house-105540355.html 2021-09-17 10:55:40
IT ITmedia 総合記事一覧 [ITmedia News] 自分で育てたAIとLINEで話せる「エアフレンド」が緊急メンテ ユーザー急増でAPIのリクエスト上限に到達か https://www.itmedia.co.jp/news/articles/2109/17/news155.html itmedia 2021-09-17 19:42:00
IT ITmedia 総合記事一覧 [ITmedia News] 沖縄のスーパーで個人情報など計6000件以上が流出した可能性 商品の予約情報も https://www.itmedia.co.jp/news/articles/2109/17/news153.html itmedia 2021-09-17 19:19:00
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) リストのソート後の上位5つのみリストに格納する方法がわかりません https://teratail.com/questions/360038?rss=all 2021-09-17 20:00:09
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) 【React】Todoリストのタスク追加後の表示を https://teratail.com/questions/360037?rss=all 【React】Todoリストのタスク追加後の表示をReactで、Todoリストを作成しています。 2021-09-17 19:56:59
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) Pandasの1次元データ、Seriesのデータにアクセスする方法がわからない https://teratail.com/questions/360036?rss=all ライブラリはnltkとPandasを使用しております。 2021-09-17 19:52:13
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) anacondaで作製した環境でのライブラリのインストールについて https://teratail.com/questions/360035?rss=all anacondaで作製した環境でのライブラリのインストールについて前提・実現したいこと仮想環境を作り、そこにライブラリをインストールすることに関しての質問です。 2021-09-17 19:26:26
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) DockerでReact Nativeの開発環境を作って、iOS Simulatorを起動したいです。 https://teratail.com/questions/360034?rss=all DockerでReactNativeの開発環境を作って、iOSSimulatorを起動したいです。 2021-09-17 19:20:15
技術ブログ Mercari Engineering Blog 機械学習TeamとBackend Teamを1つにしてFeature Teamを作った話 https://engineering.mercari.com/blog/entry/20210917-c65f33502c/ hellip 2021-09-17 11:14:42
技術ブログ Developers.IO Amazon EventBridge のイベント記録/再生機能を使ってアカウント発行イベントを使いまわしてみた https://dev.classmethod.jp/articles/eventbridge-record-createaccount-event/ amazoneventbridge 2021-09-17 10:53:17
海外TECH DEV Community Serverless App API with Firebase Functions https://dev.to/miketalbot/serverless-app-api-with-firebase-functions-52b2 Serverless App API with Firebase Functions TLDR I m building a widget to provide fun quizzes polls and much more within Blog posts on the major platforms In previous parts we ve covered building out a router for the client side and a data model for the content and reporting In this part we will look at the API that the widget supports and how that s put together with Firebase Functions To avoid this getting over long we will first look at view tracking and recommendation and then in the next part we will cover responses MotivationI m building the interactive widget below to act as a way of making posts more interesting for all of us Vote Below RequirementsI wanted to build a straightforward API for the widget that would do a number of useful things for content creators like recommending articles that fit with the one they are writing so theirs will also receive recommendations providing a mechanism to robustly respond to quizzes and polls and a way of creating some basic gamification with points and achievements Thanks to comments on previous posts I will probably do another version of this in the future using Cloud Run so we can all see the pros and cons Here s what the API is aiming to support Register a view of an articleGet a list of recommended articles that match the current one and promote recent content that is popularFlag that a recommended article was clickedRegister a response for a quiz poll or something a plugin developer decides they wantAdd points and achievementsThe way we implement these functions will have a significant impact on the cost of running the system as the database charges for every read including the reads of items in lists so it can get expensive quickly The APIFirstly we need to create a file to contain our functions as this file is going to use Firestore database collections then we also get and initialize that and make a global reference to the db we can use in our functions const functions require firebase functions const admin require firebase admin admin initializeApp const db admin firestore viewLet s start off with the principle of view We want to be able to record that an article has been seen we want to ensure that we know the number of unique user views and the total number of views and for the sake of making recommendations later we also want to record some other factors the first time the article had a unique viewer and the last time so we can use these to sort Let s look at that a moment my current choice of algorithm is to use recency of publishing recency of a new unique visitor popularity overall and then a match of the tags in the recommendation versus the tags in the current article We ll see the algorithm in detail next but in view we need to create data that helps with this I decided that the first and last dates should be rounded into UTC days to provide a level of stability and fairness so that calculation is a key part of working out view Ok so here it is exports view functions https onCall async articleId context gt We declare an API function in Firebase Functions like this exporting it with a name and saying that it is an https onCall We then get our parameters we pass to the call in an object and a context that contains information about the caller and other things we might have set I use App Check to ensure that the calls are only coming from valid locations the website to avoid someone hacking and sending random data This also runs a Recaptcha v the one you can t see and scores each call if the call passes then the context has an app property I check that and refuse calls it has rejected if context app undefined console error Not validated throw new functions https HttpsError failed precondition The function must be called from an App Check verified app I also ensure that we have a user if context auth uid console error No user return null Last time I mentioned that Firestore has some serious limits on record updates per second and that this means you need to shard counters in case you have a bunch happening at once I create shards and update counts in these choosing the shard at random const shard all Math floor Math random The next job is to get the article see the previous part for more information on the data model and the counts record for the article const article await db collection articles doc articleId get data const countRef db collection counts doc articleId const doc await countRef get const data doc exists doc data Now we have the existing counts or an empty object we are going to want to track unique users so the counts record has a map of user uid to the date that they were new we initialise that const users data users data users We also work out a value for the current UTC day that we will use for tracking first and last unique user day const day Math floor Date now With this in hand we check if we ve ever seen this user before and if we haven t we start to award points first if the visitor is not the author we give the auth some points and a New Unique Reader achievement if users context auth uid if article author context auth uid await awardPoints article author New Unique Reader Next we give the reader a bonus set of points if this is a new article for them and an extra points if this is there first article await awardPoints context auth uid Read New Article achievements gt if achievements Read New Article return Read First Article Having awarded points we update the unique user map so we don t do it again for this article and then update the unique counts for both the article and the articles tags Note how we use the shard we created earlier here it s updating one of possible counters we will add together when we want to report on the total number of unique visits to the widget users context auth uid Date now data uniqueVisits data uniqueVisits data lastUniqueVisit Date now data lastUniqueDay day data firstUniqueDay data firstUniqueDay day for let tag of article processedTags await incrementTag tag uniqueVisits await incrementTag shard uniqueVisits Now we ve exited the code specific to unique visits we busy ourselves updating the other counters and award point for viewing an article Note the use of shard again data visits data visits data responses data responses await countRef set data Save the counts for let tag of article processedTags await incrementTag tag visits await incrementTag shard visits await awardPoints context auth uid Viewed an article return null incrementTagI m going to leave awardPoints until next time as it has to deal with cheating but let s look at the incrementTag that was used frequently in the view code The idea of this is to make a simple to increment counter with a name async function incrementTag tag value amount options const tagRef db collection tags doc tag const tagDoc await tagRef get const tagData tagDoc exists tagDoc data options tag special tag startsWith event tag startsWith event tagData value tagData value amount await tagRef set tagData It uses the tags collection and sets up a couple of useful booleans for special and event which helps with finding the right records for reporting Otherwise it s pretty simple we get a record with the tag name and increment a named value by a specified amount recommendThe recommend function produces a list of articles that should be shown in the widget As previously mentioned the algorithm favours newly published content that is recently popular and matches the tags of the current article in that order To do this we want to perform as few queries as possible to save cost For this reason and as mentioned in the previous article we copy data from the article to the counts collection records so we don t have to read both the counts and the articles for each recommendation to do this step exports recommend functions https onCall async articleId number context gt First we have our parameters an articleId for the current article and a number of recommendations to make Next we check that we should be allowing this call if context app undefined throw new functions https HttpsError failed precondition The function must be called from an App Check verified app Next we lookup the current article so we can get its current tags The user enters tags as a comma separated string but there is a trigger which converts them into a unique array of strings in lowercase for this function We turn the tags into a Set const articleSnap await db collection articles doc articleId get const tags articleSnap exists new Set articleSnap data processedTags new Set Next comes the expensive bit We run a compound query on the counts collection for enabled articles that are not comment type and then sort it by the unique days and the number of visits selecting double the number we will return so we can post process with tags const rows const rowSnap await db collection counts where enabled true where comment true orderBy comment desc orderBy firstUniqueDay desc orderBy lastUniqueDay desc orderBy visits desc limit number get Firestore has all kinds of rules firstly we are going to need an index for a query with a compound sort next and important is that if we use a we must include that field in the index and the sort The easiest way to deploy Firebase stuff is with the CLI that has a firebase json file that tells it where to find things mine has a reference to a file containing my Firestore indexes Here is the contents of that file which enables the above query indexes collectionGroup counts queryScope COLLECTION fields fieldPath enabled order DESCENDING fieldPath comment order DESCENDING fieldPath firstUniqueDay order DESCENDING fieldPath lastUniqueDay order DESCENDING fieldPath visits order DESCENDING fieldOverrides This says make an index on the specified fields for the counts collection With that index and the query above we now have rowSnap as a collection of records that matched We use that to add a score for each matching tag in the new article versus the one that is being viewed We sort by this score and then return the requested number of article ids that will be rendered as recommendations in the widget rowSnap forEach row gt let record row data if row id articleId return let score record processedTags reduce a c gt tags has c a a rows push id row id score rows sort a b gt b score a score return rows slice number map r gt r id wasClickedIf an article is clicked in the widget we just record that fact in the counts collection for the article exports wasClicked functions https onCall async articleId context gt if context app undefined throw new functions https HttpsError failed precondition The function must be called from an App Check verified app const countRef db collection counts doc articleId const doc await countRef get const data doc exists doc data data clicks data clicks await countRef set data DeployingOnce we ve built this file using the Firebase CLI you just type firebase deploy and it sends the whole lot to the cloud You can make adjustments for where functions will live by default it is us central and I ve left mine there ConclusionIn this part we ve seen how to make sharded counters and API calls using Firebase functions we ve also covered the principles of article recommendations and the need for indexes in Firestore if you use more complicated queries Next time we ll cover scoring and achievements 2021-09-17 10:35:05
海外TECH DEV Community You MUST stop doing this now, really! https://dev.to/nombrekeff/you-must-stop-doing-this-now-really-5820 You MUST stop doing this now really What Using titles like the one above It might only be me but I hate these types of titles I think it would be much better if you focused the title on why you should do a thing rather than just telling me I should You should not just assume I don t know the thing give me some value Just because you a random person on the internet say so I won t be doing it not even reading the post you see The content of the post may be good and maybe you MUST do the thing but there are better ways of presenting it and probably perform better note that this is just my opinion For example instead of You MUST do this lt thing gt You could rephrase it as If you do lt thing gt you will increase performance by Or instead of If you are a manager you MUST do this You could rephrase it as As a manager I implemented lt thing gt and made our team x fasterSee the difference The first ones are just plain clickbait making me feel like I m missing out on something and making me feel somewhat attacked by not doing the thing The second ones offer more value I know why I should do the thing and invites me to learn a bit moreRant over quite a quick one But one that bothers me quite a bit do you feel the same way 2021-09-17 10:19:30
海外TECH DEV Community PyTest With GitHub Actions https://dev.to/okeeffed/pytest-with-github-actions-74o PyTest With GitHub ActionsI write content for AWS Kubernetes Python JavaScript and more To view all the latest content be sure to visit my blog and subscribe to my newsletter Follow me on Twitter This is Day of the DaysOfPython challenge This post will build off previous work done in the Python Unit Testing With PyTest post to add a GitHub Action for running test runner jobs on a push event to the repo The final project code can be found on my GitHub repo PrerequisitesFamiliarity with Pipenv See here for my post on Pipenv Read Python Unit Testing With PyTest if you are unfamiliar with Python Getting startedLet s clone the original PyTest repo in hello pytest github actions git clone https github com okeeffed hello pytest git hello pytest github actions cd hello pytest github actions Install the deps pipenv install Prepare the file for the GitHub action mkdir p github workflows touch github workflows pytest ymlAt this stage we can test that our repo is working correctly with PyTest locally pipenv run pytest test session starts platform darwin Python pytest py pluggy rootdir path to code blog projects hello pytestcollected itemstests test math py passed in s At this stage we are ready to set things up for our GitHub action Adding the test scriptIn of the Pipfile we want to add a scripts section to add a test script source url verify ssl truename pypi packages dev packages pytest requires python version scripts test pytest That test script will simply call pytest We will use this script within our GitHub action In order to also prepare our GitHub action to give us more vebose information we will also be passing a v flag to our call to pytest We can test things are working as expected by running pipenv run test v from our terminal pipenv run test v test session starts platform darwin Python pytest py pluggy Users dennisokeeffe code blog projects hello pytest venv bin pythoncachedir pytest cacherootdir Users dennisokeeffe code blog projects hello pytest github actionscollected itemstests test math py test add PASSED tests test math py test subtract PASSED tests test math py test multiply PASSED passed in s The verbose flag gives us more information about which test ran and passed This can be helpful for debugging in CI Adding the GitHub actionWe are now ready to add the GitHub action Within the github workflows pytest yml file that we created earlier add the following github workflows app yamlname PyTeston pushjobs test runs on ubuntu latest timeout minutes steps name Check out repository code uses actions checkout v Setup Python faster than using Python container name Setup Python uses actions setup python v with python version x name Install pipenv run python m pip install upgrade pipenv wheel id cache pipenv uses actions cache v with path local share virtualenvs key runner os pipenv hashFiles Pipfile lock name Install dependencies if steps cache pipenv outputs cache hit true run pipenv install deploy dev name Run test suite run pipenv run test vHere we are doing a couple of things Creating a job call PyTest Running this job on a push event to the repository Running the job on ubuntu latest Setting a custom timeout of minutes albeit this is overkill feel free to omit Setting up the Python environment for the latest in version x Install pipenv and wheel Install dependencies with a cache set to be the hash of the lockfile Running the test suite that we setup the command and tested before That is all that we need for this repo to be working Be sure at this stage that you have set up your own origin remote for the repo At this stage all we need to do is commit the code and push the repo and the job will be available under the actions tab in the GitHub UI SummaryToday s post demonstrated how to use GitHub actions to test Python code on a push to the remote repository We used the pytest testing framework to test our code Resources and further readingThe ABCs of PipenvPipenvGitHub ActionsCreating a Python GitHub ActionFinal projectPython Unit Testing With PyTestPhoto credit amseamanOriginally posted on my blog To see new posts without delay read the posts there and subscribe to my newsletter 2021-09-17 10:15:11
海外TECH DEV Community SQL Select with IN clause from list with JPA https://dev.to/codever/sql-select-with-in-clause-from-list-with-jpa-1g41 SQL Select with IN clause from list with JPAThe native SQL query we want to map in JPA is similar to the following SELECT FROM PARTNER where PARTNER NUMBER IN id idn With JPA you can use a TypedQuery for example and set the expected list of the IN clause directly as query parameter Statelesspublic class PartnerDataRepository Inject private EntityManager em public List lt PartnerData gt findPartnerDataFromList List lt String gt partnerNumbers TypedQuery lt PartnerData gt query em createNamedQuery PartnerData FIND PARTNER DATA IN LIST PartnerData class query setParameter PartnerData PARTNER NUMBERS partnerNumbers return query getResultList In the named query itself you can pass the parameter with as you would when setting a normal parameter Entity Access AccessType FIELD Inheritance strategy InheritanceType SINGLE TABLE Table name PartnerData TABLE NAME NamedQueries NamedQuery name PartnerData FIND PARTNER DATA IN LIST query select m from PartnerData m where partnerNumber in partnerNumbers public class PartnerData public static final String TABLE NAME PARTNER public static final String PARTNER NUMBERS partnerNumbers public static final String FIND PARTNER DATA IN LIST findPartnerDataWithPartnerNumbers rest ignored for brevity Shared ️from Codever use the copy to mine functionality to add it to your personal snippets collection 2021-09-17 10:03:47
Apple AppleInsider - Frontpage News Apple faces labor relations charge, OSHA investigation over fired employee https://appleinsider.com/articles/21/09/17/apple-faces-labor-relations-charge-osha-investigation-over-fired-employee?utm_medium=rss Apple faces labor relations charge OSHA investigation over fired employeeEx Apple senior manager Ashley Gjovik s firing is being investigated by the National Labor Relations Board The National Labor Relations Board NLRB automatically investigates all complaints it receives and Gjovik has reportedly filed a case over Apple s firing of her Should the NLRB investigation support Gjovik s accusation it will then issue a formal complaint against Apple According to Business Insider Gjovik s filing centers on a charge that Apple used termination as retaliation Read more 2021-09-17 10:58:18
Apple AppleInsider - Frontpage News Apple's online store goes down ahead of iPhone 13 preorders https://appleinsider.com/articles/21/09/17/apples-online-store-goes-down-ahead-of-iphone-13-preorders?utm_medium=rss Apple x s online store goes down ahead of iPhone preordersAs is tradition Apple late Thursday took its online storefront down in preparation of what is expected to be a rush of preorders for its latest iPhone series though the launch will likely be a little less hectic than usual without Apple Watch Series The online Apple Store and connected Apple Store app went down at around p m Pacific more than eight hours prior to a scheduled start to iPhone preorders Apple will begin accepting orders on Friday at a m Pacific a m Eastern with purchases set to arrive on Sept Unveiled on Tuesday iPhone and iPhone Pro are the latest flagship handsets to come out of Cupertino Read more 2021-09-17 10:08:12
海外TECH Engadget Wikipedia banned seven users after reported 'infiltration' by a Chinese group https://www.engadget.com/wikipedia-banned-seven-users-after-reported-infiltration-by-a-chinese-group-104143971.html?src=rss Wikipedia banned seven users after reported x infiltration x by a Chinese groupWikipedia suffered an quot infiltration quot by a Chinese group that quot threatened the very foundations quot of the site the BBC reported As a result the Wikimedia Foundation has banned seven editors from mainland China and removed administrator privileges from another Wikimedia VP of Community Maggie Dennis wrote in a blog post nbsp The foundation said it was fighting a situation called quot capture quot in which a group gains control of Wikipedia edits to favor a viewpoint It has been investigating the infiltration for nearly a year and acted following quot credible threats quot to volunteer safety that quot led us to prioritize rapid response quot Dennis wrote nbsp Wikimedia was reportedly concerned that elections for powerful administrator roles were being manipulated The infiltrators were reportedly editing articles to promote the quot aims of China quot Dennis told the BBC She added that quot I am not in position to point fingers at the Chinese state nor in possession of information that would lead me to do so quot While some time ago we limited the exposure of personal information to users in mainland China we know that there has been the kind of infiltration and we know that some users have been physically harmed as a result Earlier in July the Hong Kong Free Press reported on the situation with an article titled quot Wikipedia wars How Hongkongers and mainland Chinese are battling to set the narrative quot It cites several disputed Wikipedia articles both revolving around protests in Hong Kong saying that mainland editors were quot pushing for the use of Chinese state media as reliable news sources quot The group in question Wikimedians of Mainland China reportedly has over members In a separate article they said the foundation had not listened to the quot feelings and opinions of the community quot nbsp However Dennis said that the personal safety of members in Mainland China was at risk quot While some time ago we limited the exposure of personal information to users in mainland China we know that there has been the kind of infiltration we describe above in the project quot she wrote quot And we know that some users have been physically harmed as a result With this confirmed we have no choice but to act swiftly and appropriately in response quot quot To the active Chinese language Wikimedians distributed across the world we are committed to supporting you in doing this work into the future with the tools you need to succeed in a safe secure and productive environment quot nbsp 2021-09-17 10:41:43
海外科学 BBC News - Science & Environment California fires: General Sherman and other sequoias given blankets https://www.bbc.co.uk/news/world-us-canada-58592376?at_medium=RSS&at_campaign=KARANGA blaze 2021-09-17 10:00:57
医療系 医療介護 CBnews 精神病床の入院後退院率などの目標値集計を報告-厚労省が都道府県の計画まとめる https://www.cbnews.jp/news/entry/20210917192124 厚生労働省 2021-09-17 19:35:00
金融 金融庁ホームページ 入札公告等を更新しました。 https://www.fsa.go.jp/choutatu/choutatu_j/nyusatu_menu.html 公告 2021-09-17 11:00:00
海外ニュース Japan Times latest articles Tropical Storm Chanthu makes landfall in southwestern Japan https://www.japantimes.co.jp/news/2021/09/17/national/tropical-storm-chanthu-approach/ Tropical Storm Chanthu makes landfall in southwestern JapanThe storm is forecast to move east and bring torrential rain and strong winds to western and eastern Japan through the weekend the Meteorological Agency 2021-09-17 19:49:47
海外ニュース Japan Times latest articles Unbeaten Terunofuji alone atop standings after Day 6 at Autumn Basho https://www.japantimes.co.jp/sports/2021/09/17/sumo/basho-reports/terunofuji-atop-standings/ terunofuji 2021-09-17 19:26:26
ニュース BBC News - Home Prince Andrew may challenge High Court ruling on US case https://www.bbc.co.uk/news/uk-58593836?at_medium=RSS&at_campaign=KARANGA assault 2021-09-17 10:23:44
ニュース BBC News - Home California fires: General Sherman and other sequoias given blankets https://www.bbc.co.uk/news/world-us-canada-58592376?at_medium=RSS&at_campaign=KARANGA blaze 2021-09-17 10:00:57
ニュース BBC News - Home House-building reforms paused amid Conservative MP anger https://www.bbc.co.uk/news/uk-politics-58594953?at_medium=RSS&at_campaign=KARANGA building 2021-09-17 10:38:54
ニュース BBC News - Home The Wanted's Tom Parker: 'I'm not paying attention to cancer' https://www.bbc.co.uk/news/entertainment-arts-58583324?at_medium=RSS&at_campaign=KARANGA wanted 2021-09-17 10:21:34
ニュース BBC News - Home Lil Nas X: Is the rapper the defining star of his generation? https://www.bbc.co.uk/news/entertainment-arts-58583320?at_medium=RSS&at_campaign=KARANGA media 2021-09-17 10:38:49
ニュース BBC News - Home Michael Gove: What will he do with beefed-up planning and levelling up job? https://www.bbc.co.uk/news/uk-politics-58583104?at_medium=RSS&at_campaign=KARANGA michael 2021-09-17 10:08:03
ニュース BBC News - Home New Zealand men abandon Pakistan tour after 'government security alert' https://www.bbc.co.uk/sport/cricket/58596722?at_medium=RSS&at_campaign=KARANGA New Zealand men abandon Pakistan tour after x government security alert x New Zealand men s team abandon their limited overs tour of Pakistan following a New Zealand government security alert 2021-09-17 10:52:34
ニュース BBC News - Home Washington Football Team beat the New York Giants after Darius Slayton drop https://www.bbc.co.uk/sport/av/american-football/58595844?at_medium=RSS&at_campaign=KARANGA Washington Football Team beat the New York Giants after Darius Slayton dropThe Washington Football Team beat the New York Giants with help from a terrible drop from Darius Slayton in the opening game of week two in the NFL 2021-09-17 10:22:07
ニュース BBC News - Home Brighton & Hove Albion's Yves Bissouma: I'm best midfielder in Premier League https://www.bbc.co.uk/sport/av/football/58596462?at_medium=RSS&at_campaign=KARANGA Brighton amp Hove Albion x s Yves Bissouma I x m best midfielder in Premier LeagueBrighton s Yves Bissouma says he believes he is the best midfielder in the Premier League before the Seagulls game against Leicester on Sunday 2021-09-17 10:17:14
GCP Google Cloud Platform Japan 公式ブログ 夏の締めくくり: データ分析カテゴリでの新しい導入事例や発表のまとめ https://cloud.google.com/blog/ja/products/data-analytics/new-stories-and-announcements-from-data-analytics/ 複数のデータサイロをBigQueryに整理統合することで、同社のITインフラストラクチャチームは、処理するデータの量がレガシーシステムを使用していたときより数倍多くなっていたにもかかわらず、ストレージ費用を削減できました。 2021-09-17 12:00:00
北海道 北海道新聞 照ノ富士、6連勝で単独首位 正代、貴景勝はともに黒星 https://www.hokkaido-np.co.jp/article/590452/ 両国国技館 2021-09-17 19:14:00
北海道 北海道新聞 大里が6アンダーで単独首位発進 女子ゴルフ第1日 https://www.hokkaido-np.co.jp/article/590445/ 住友生命 2021-09-17 19:05:00
北海道 北海道新聞 「ほっくる」利用増へ再編 新函館北斗駅 アンテナ店移転、ワークスペース整備計画 https://www.hokkaido-np.co.jp/article/590444/ 新函館北斗駅 2021-09-17 19:05:00
IT 週刊アスキー セガ、新作RPGを公開!10月1日22時50分より「TGS2021」の番組内にて正式発表 https://weekly.ascii.jp/elem/000/004/069/4069651/ 公式twitter 2021-09-17 19:40:00
IT 週刊アスキー 『三國志 覇道』がサービス開始1周年を記念したプロモーションビデオを公開! https://weekly.ascii.jp/elem/000/004/069/4069652/ 戦略シミュレーションゲーム 2021-09-17 19:40:00
IT 週刊アスキー ウーマンラッシュアワー・村本大輔がテレビより舞台を選んだワケ https://weekly.ascii.jp/elem/000/004/069/4069644/ 最優秀賞 2021-09-17 19:30:00
IT 週刊アスキー 「SEMICON Japan 2021 Hybrid」の登録受付が開始 https://weekly.ascii.jp/elem/000/004/069/4069647/ semiconjapanhybrid 2021-09-17 19:30:00
IT 週刊アスキー 未来に残す緑区の写真を応募しよう! 横浜市緑区「緑区フォトコンテスト2021」(12月募集開始予定) https://weekly.ascii.jp/elem/000/004/069/4069650/ 募集開始 2021-09-17 19:30:00
GCP Cloud Blog JA 夏の締めくくり: データ分析カテゴリでの新しい導入事例や発表のまとめ https://cloud.google.com/blog/ja/products/data-analytics/new-stories-and-announcements-from-data-analytics/ 複数のデータサイロをBigQueryに整理統合することで、同社のITインフラストラクチャチームは、処理するデータの量がレガシーシステムを使用していたときより数倍多くなっていたにもかかわらず、ストレージ費用を削減できました。 2021-09-17 12:00: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件)