投稿時間:2021-01-13 03:45:17 RSSフィード2021-01-13 03:00 分まとめ(56件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT ITmedia 総合記事一覧 [ITmedia PC USER] AMDがモバイル向け「Ryzen 5000シリーズ」を発表 アンロック対応の「HXプロセッサ」も投入 https://www.itmedia.co.jp/pcuser/articles/2101/13/news055.html itmediapcuseramd 2021-01-13 02:40:00
python Pythonタグが付けられた新着投稿 - Qiita VBAユーザがPython・Rを使ってみた:論理演算と比較演算 https://qiita.com/swathci/items/dfd5e80060ff23416ce5 目次論理演算と比較演算論理値論理値論理値型比較演算比較演算子つの不等式のまとめ書き論理演算論理演算子論理演算の確認条件式の中での使用例論理値ベクトルまとめ一覧プログラム全体論理演算と比較演算論理値まず、論理値についてです。 2021-01-13 02:07:43
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) [Django] idを指定したobjectsをrenderに渡したい https://teratail.com/questions/315587?rss=all Djangoidを指定したobjectsをrenderに渡したいidを指定したImageobjectsをrender関数に渡したいのですが、以下のようにやってもエラーになってしまいます。 2021-01-13 02:52:45
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) serializer.dataに値をつけたい https://teratail.com/questions/315586?rss=all serializerdataに値をつけたいphotoviewsのserializerdataに値を付与したいです。 2021-01-13 02:51:21
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) py2exe python3.7 win10で使用する方法 https://teratail.com/questions/315585?rss=all pyexepythonwinで使用する方法最近は、pythonでwinで実装する人も増えていると思います。 2021-01-13 02:49:37
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) Git push heroku masterが通らない!!!! https://teratail.com/questions/315584?rss=all Gitpushherokumasterが通らないRailsのWEBアプリで、更新の際にエラーが出てわからなくなってしまい、一度アプリを削除しました。 2021-01-13 02:38:01
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) rust ndarrayでf32およびf64に対して乱数の行列を生成する https://teratail.com/questions/315583?rss=all rustndarrayでfおよびfに対して乱数の行列を生成する前提・実現したいことndarrayrandを用いて、中身が乱数の行列をfnbspfに対して同じトレイと境界を用いて生成したいと考えています。 2021-01-13 02:31:49
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) テンプレートマッチング ZNCC https://teratail.com/questions/315582?rss=all テンプレートマッチングZNCC前提・実現したいことZNCCを使ってテンプレートマッチングを行おうとしています。 2021-01-13 02:07:11
海外TECH DEV Community Create a chat in the command line with Ruby https://dev.to/aurelieverrot/create-a-chat-in-the-command-line-with-ruby-2po9 Create a chat in the command line with RubyLast weekend I learned how to create a chat application in the command line The idea was to open at least tabs in the terminal one for the server that will handle the connexion between the users and X number of tabs for the users to communicate at least This project made me discover two built in classes in Ruby that we don t really use when we do a full stack application with Rails SocketThreadARGVI will talk about them later Let s talk about the serverSo what do we need exactly to create this chat We talked about a server so we will need a file for this that will be called server rbWhat do we need to do here We need to establish the connexion through the port of our choice For this we will need the class Socket and we have to require it at the beginning of the file To understand what this method offers make sure to understand what a socket is Here is a definition provided by Oracle docs A socket is one endpoint of a two way communication link between two programs running on the network A socket is bound to a port number so that the TCP layer can identify the application that data is destined to be sent to Requiring Socket will give us access to other classes and methods to create our server see the Ruby documentation for Socket Our first line of command will be to create a TCP server on the port we want and to make sure it s launched I will print a confirmation text require socket server TCPServer new Server bound to port puts I m ready to accept new clients on port Enter fullscreen mode Exit fullscreen mode Our server is working now we need it to listen to whatever connexion is coming up from a client and we need to do it constantly So we need to create a loop We also want the server to handle multiple clients and give information to users So we will create an array to store them and append every new client to the array clients loop do we wait for a client to connect and assign it to client client server accept clients lt lt clientend Enter fullscreen mode Exit fullscreen mode It is now time to introduce Thread We use a thread to split a program and have a tasks that will run simultaneously or pseudo simultaneously Creating a thread will allow our program to run two processes in the same time see documentation for Thread We need it because while the server is waiting for a client to connect in the loop we also need to constantly handle the messaging between the clients already connected We do that by writing Thread new The block will be used to tell the program what to do with this thread So what do we need from it We need to know who connects to it to receive and display text to others We also need to detect when a client disconnect and remove it from the clients array It s a lot so let s create a method for this def handle client clients client for this method I need the new client and the list of existing clients client name will take whatever name the client put when it will connect to the server We will see later how it s sent from the client perspective client name client gets chomp here we will display a welcome message and show how many clients are already connected client puts Hello client name Clients connected clients count this method is described below It announces to all clients who is the new client announce to everyone clients client name joined this is another loop gets will take any text coming from the client while line client gets incoming data from client line chomp and this text will be shared to all the clients A little bit of formatting to indicate who said what announce to everyone clients client name incoming data from client end it will close the client connexion and remove it from the clients array And other clients will receive a notification client close clients delete client announce to everyone clients client name left end this method takes the text sent by a client and the clients connected For each client from clients the text will be displayeddef announce to everyone clients text clients each client client puts text end Enter fullscreen mode Exit fullscreen mode We are done with server rb The server is running and waiting to get clients connexions It will receive messages and display them to all connected clients and give them cool info for a better user experience well from the terminal for what it s worth Let s talk about the clientThe idea here is to open let say terminal tabs to simulate clients users we will launch the client s program from each tab For that we need to create a file that we will call client rb First we need to make sure our client will create a connexion on the server Previously on server side we used TCPServer new This time we will create an instance of TCPSocket require socket socket TCPSocket new localhost bound to port like the server Enter fullscreen mode Exit fullscreen mode When we connect to the chat we want a way to enter the user name There is a simple way to do that From the terminal we can write ruby client rb Aurelie where Aurelie is an argument passed to the script In our file first thing to do is to grab this argument and assign it to a variable For that we need to use the ARGV built in class name ARGV shift Enter fullscreen mode Exit fullscreen mode ARGV takes all the arguments you pass to a script and put them into an array in order of apparition And shift will use the first one of the array Do you remember how we assigned the client s name in server rb above Here we will use name and do a puts applied to the socket The first connexion to the server through the socket will be to send the name to the server and that s how the server will pick up name with its gets and assign it to client namesocket puts name Enter fullscreen mode Exit fullscreen mode Now we need a way to take what the user types in the client and send it to the server but we also need to keep receiving whatever messages other clients send to us Two processes at a time it s time to use Thread again We will create one thread for the local typing and one for what the client receives from the server local typing thread Thread new local typing socket receive from server thread Thread new receive from server socket Enter fullscreen mode Exit fullscreen mode Two things here we assign each thread to a variable for a later use and we pass in each thread a method to handle our processes Let s talk about the local typing method This method needs to know which socket to use to give information to the server It also needs to constantly check for what to send so we need a loop def local typing socket loop do when a user sends a message this message will appear in the user client preceded by a little string that shows it s the user s message For example me gt Hey it s me print me gt text to send gets chomp socket puts text to send endend Enter fullscreen mode Exit fullscreen mode Then we need to tackle the receive from server method Again it needs to know about the socket And again we want it to constantly capture all the messages sent to it def receive from server socket read the lines coming from the socket and write them in the terminal while line socket gets puts line endend Enter fullscreen mode Exit fullscreen mode Finally since we created two separate threads we need to make them join and we need to close the socket when we are donelocal typing thread joinreceive from server thread joinsocket close Enter fullscreen mode Exit fullscreen mode Tadaa We created a little chat in the terminal on localhost See what it looks like You can find the files in my repo here 2021-01-12 17:08:47
Apple AppleInsider - Frontpage News Eggtronic Apple Power Bar can charge multiple Apple devices simultaneously https://appleinsider.com/articles/21/01/12/eggtronic-apple-power-bar-allows-users-to-charge-multiple-apple-devices-at-the-same-time Eggtronic Apple Power Bar can charge multiple Apple devices simultaneouslyEggtronic s sleek new Apple Power Bar charges your iPhone Apple Watch AirPods and a MacBook Air or iPad all at once If you re the kind of person who has multiple iPhones and other gear the Apple Power Bar may be the device for you It features three fast wireless charging coils allowing you to charge your iPhone Apple Watch and AirPods all at once Alternatively you can charge two iPhones at the same time The Apple Watch charger pops up to hold your Apple Watch when needed and folds flat when it isn t On the side of the Power Bar is a USB C port which allows it to be used as a wired fast power bank to charge an iPad iPhone or a MacBook The power bank detects and scales its power output depending on the device up to watts Read more 2021-01-12 17:20:12
Apple AppleInsider - Frontpage News Scosche launches new USB-C Power Delivery wall and car chargers https://appleinsider.com/articles/21/01/12/scosche-launches-new-usb-c-power-delivery-wall-and-car-chargers Scosche launches new USB C Power Delivery wall and car chargersAt the CES Scosche debuted a new lineup of PowerVolt car and wall chargers equipped with USB C Power Delivery for fast charging a variety of iPhone devices Credit ScoschePower Delivery PD is a specification for faster charging speeds over USB C and is compatible with most new smartphone models According to Scosche its PD equipped chargers can power an iPhone up to times faster than a standard W charging brick Read more 2021-01-12 17:00:59
Apple AppleInsider - Frontpage News Tim Cook teases Wednesday announcement, calls for capitol siege accountability https://appleinsider.com/articles/21/01/12/tim-cook-teases-wednesday-announcement-calls-for-capitol-siege-accountability Tim Cook teases Wednesday announcement calls for capitol siege accountabilityApple CEO Tim Cook has teased an announcement coming on Wednesday and said that everyone involved in the Jan siege of the U S Capitol should be held accountable Credit AppleThe Apple chief executive sat down with CBS This Morning host Gayle King to speak about an unspecified company announcement slated for Jan During the scheduled interview however King asked Cook about the storming of the Capitol Read more 2021-01-12 17:04:51
海外TECH Engadget Watch GM’s CES 2021 keynote in 10 minutes https://www.engadget.com/gm-ces-2021-keynote-supercut-174714179.html Watch GM s CES keynote in minutesAfter its EV centric rebrand it wasn t surprising that GM focused on electric vehicles in its CES presentation It unveiled some concepts during its showcase including a single seater VTOL drone as well an EV ecosystem for delivery companies The 2021-01-12 17:47:14
海外TECH Engadget Acer adds Ryzen 5000 CPUs to its Nitro 5 gaming notebook https://www.engadget.com/acer-nitro-5-amd-ryzen-5000-ryzen-9-5900h-aspire-7-aspire-5-174539833.html Acer adds Ryzen CPUs to its Nitro gaming notebookToday Acer is launching a new pair of Nitro laptops that can be specced to include AMD s new Ryzen series mobile chips Users have the choice of either a inch or inch model both of which can be specced with the Ryzen H pair 2021-01-12 17:45:39
海外TECH Engadget Alienware's M15 and M17 will get NVIDIA's RTX 30 GPUs https://www.engadget.com/alienware-m15-m17-rtx-30-gpus-174537703.html Alienware x s M and M will get NVIDIA x s RTX GPUsAlienware isn t wasting any time after NVIDIA unveiled its new RTX GPUs for notebooks The company has announced that the Alienware M and M R gaming laptops will be getting those new video cards along with all of the improved ray tracing p 2021-01-12 17:45:37
海外TECH Engadget Razer's Blade 15 and Pro 17 get RTX 30-series GPUs, fast QHD displays https://www.engadget.com/razer-blade-15-17-rtx-30-gpu-quad-hd-174536217.html Razer x s Blade and Pro get RTX series GPUs fast QHD displaysMoving in lockstep with NVIDIA s new RTX laptop GPUs Razer has announced that its Blade and Pro notebooks will support those new video cards But there s also another intriguing upgrade this year high refresh rate Quad HD p QHD scr 2021-01-12 17:45:36
海外TECH Engadget Acer's laptop lineup gets RTX 30 graphics https://www.engadget.com/acer-intel-tiger-lake-h35-nvidia-rtx-3080-predator-triton-300-se-174534137.html Acer x s laptop lineup gets RTX graphicsIntel s brand new Tiger Lake H chips and NVIDIA s new RTX series graphics are coming to a whole rft of Acer laptops The company is updating a number of its chassis to include the new silicon with the usual promise of ever faster processing and 2021-01-12 17:45:34
海外TECH Engadget NVIDIA's GeForce RTX 3060 offers ray tracing for $329 https://www.engadget.com/nvidia-geforce-rtx-3060-174229001.html NVIDIA x s GeForce RTX offers ray tracing for NVIDIA clearly doesn t think its Ampere based GPUs are accessible enough The company has unveiled the RTX a more affordable alternative to the Ti that even leapfrogs higher end counterparts in a few areas It doesn t offer as much raw com 2021-01-12 17:42:29
海外TECH Engadget NVIDIA’s RTX 30 series GPUs are heading to laptops on January 26th https://www.engadget.com/nvidia-rtx-30-series-laptop-annoucement-ces-2021-172820967.html NVIDIA s RTX series GPUs are heading to laptops on January thAfter a not so subtle tease NVIDIA confirmed on Tuesday that it s RTX series GPUs are making their way to laptops As of today the company s Ampere laptop lineup is made of three GPUs the RTX RTX and RTX  According to NVIDIA th 2021-01-12 17:28:20
海外TECH Engadget WhatsApp reassures users it can't read their messages https://www.engadget.com/whatsapp-privacy-policy-changes-statement-encryption-surveillance-172224753.html WhatsApp reassures users it can x t read their messagesWhatsApp has been forced to further clarify changes to its privacy policy saying that it will not have access to its users private communications In a tweet the Facebook owned platform says that it will “continue to protect your private messages w 2021-01-12 17:22:24
海外TECH Engadget Netflix hypes its 2021 film slate, promising a new movie every week https://www.engadget.com/netflix-original-movies-2021-trailer-sizzle-reel-170145846.html Netflix hypes its film slate promising a new movie every weekNetflix has a ton of high profile movies in the pipeline and it will release at least one original film every week this year It currently has flicks on its slate according to Variety and it gave a peek at some of them in a sizzle reel The 2021-01-12 17:01:45
海外TECH Engadget Lenovo's updated ThinkBook Plus packs a more practical E Ink screen https://www.engadget.com/lenovo-thinkbook-plus-gen-2-i-e-ink-screen-laptop-170048754.html Lenovo x s updated ThinkBook Plus packs a more practical E Ink screenPop quiz hotshot when s the last time you seriously thought about buying a laptop with a standard screen on one side and an E Ink display on the other If you answered quot never quot well fine that s probably true of most people But that didn t stop 2021-01-12 17:00:48
海外TECH CodeProject Latest Articles Web Presentation, the Other Way Around https://www.codeproject.com/Articles/5290221/Web-Presentation-the-Other-Way-Around javascript 2021-01-12 17:47:00
海外TECH CodeProject Latest Articles Web Presentation, an Application in a Single File, now with Video https://www.codeproject.com/Articles/5286790/Web-Presentation-an-Application-in-a-Single-File-n applications 2021-01-12 17:47:00
海外科学 NYT > Science Revealed: The Shipworm Sex Tapes https://www.nytimes.com/2021/01/11/science/shipworm-sex-pseudocopulation.html footage 2021-01-12 17:03:28
海外科学 NYT > Science One Mask Is Good. Would Two Would Be Better? https://www.nytimes.com/2021/01/12/health/coronavirus-masks-transmission.html double 2021-01-12 17:51:38
金融 金融庁ホームページ 関東財務局、北陸財務局が令和3年1月7日からの大雪による災害に対する金融上の措置について要請しました。 https://www.fsa.go.jp/news/r2/ginkou/20210108.html 北陸財務局 2021-01-12 17:01:00
海外ニュース Japan Times latest articles Japan says it’s working to isolate and analyze new virus variant https://www.japantimes.co.jp/news/2021/01/12/national/coronavirus-new-variant-brazil/ strain 2021-01-13 03:23:17
海外ニュース Japan Times latest articles Can Japan raise its teleworking game under the second COVID-19 emergency? https://www.japantimes.co.jp/news/2021/01/12/business/japan-telework-coronavirus-emergency/ Can Japan raise its teleworking game under the second COVID emergency A slew of smaller firms are still somewhat hesitant to promoting such working styles saying they don t have enough funds to buy new equipment or 2021-01-13 02:17:03
海外ニュース Japan Times latest articles Takakeisho’s struggles continue as all three ozeki fall on Day 3 https://www.japantimes.co.jp/sports/2021/01/12/sumo/basho-reports/takakeisho-ozeki-new-year-grand-sumo-tournament/ Takakeisho s struggles continue as all three ozeki fall on Day Having come into the tournament looking to earn promotion to sumo s top rank of yokozuna the year old Takakeisho will now almost certainly face a longer 2021-01-13 03:56:06
海外ニュース Japan Times latest articles Japan to compete in 2021 SheBelieves Cup https://www.japantimes.co.jp/sports/2021/01/12/soccer/japan-2021-shebelieves-cup/ Japan to compete in SheBelieves CupJapan is among the four teams that will participate in next month s SheBelieves Cup a women s invitational soccer tournament hosted by the United States the 2021-01-13 03:36:14
海外ニュース Japan Times latest articles Heisman winner DeVonta Smith leads Alabama to national title https://www.japantimes.co.jp/sports/2021/01/12/more-sports/football/heisman-devonta-smith-alabama-national-title/ Heisman winner DeVonta Smith leads Alabama to national titleHeisman trophy winner DeVonta Smith scored three touchdowns as Alabama capped an undefeated season with a victory over Ohio State in the national championship 2021-01-13 03:28:29
海外ニュース Japan Times latest articles J. League, NPB meet with task force medical panel to discuss plans for spring camps https://www.japantimes.co.jp/sports/2021/01/12/more-sports/j-league-npb-spring-camps/ J League NPB meet with task force medical panel to discuss plans for spring campsSome J League teams are set to begin their training camps later this month while NPB camps are scheduled to start Feb 2021-01-13 03:15:17
海外ニュース Japan Times latest articles There are only bad options for dealing with North Korea https://www.japantimes.co.jp/opinion/2021/01/12/commentary/world-commentary/north-korea-nuclear-weapons/ There are only bad options for dealing with North KoreaKim didn t wait for the inauguration announcing last week that the United States remained his country s “biggest enemy and that his government would not give 2021-01-13 02:39:44
ニュース BBC News - Home Covid: Play your part in fight against virus, says Patel https://www.bbc.co.uk/news/uk-55639810 covid 2021-01-12 17:42:39
ニュース BBC News - Home Irish government to apologise over mother-and-baby homes https://www.bbc.co.uk/news/world-europe-55622548 martin 2021-01-12 17:36:23
ニュース BBC News - Home Edinburgh Woollen Mill rescue deal to save 2,500 jobs https://www.bbc.co.uk/news/business-55632501 edinburgh 2021-01-12 17:35:03
ニュース BBC News - Home Covid-19: London's Nightingale hospital taking patients https://www.bbc.co.uk/news/uk-england-london-55619580 vaccination 2021-01-12 17:49:59
ニュース BBC News - Home Covid: Are we following the government's stay-at-home message? https://www.bbc.co.uk/news/55626008 government 2021-01-12 17:04:24
ニュース BBC News - Home Grimsby Town: League Two club fined after Covid-19 fixture postponements https://www.bbc.co.uk/sport/football/55605876 Grimsby Town League Two club fined after Covid fixture postponementsGrimsby accept a suspended fine for breaching English Football League rules after three games were postponed because of Covid 2021-01-12 17:38:57
ニュース BBC News - Home Smith 'shocked and disappointed' at claims of wrongdoing https://www.bbc.co.uk/sport/cricket/55629954 Smith x shocked and disappointed x at claims of wrongdoingAustralia s Steve Smith says he is shocked at suggestions that he deliberately scuffed up the crease in the third Test against India 2021-01-12 17:27:12
ニュース BBC News - Home Aston Villa's Louie Barry wins goal of FA Cup third round for strike against Liverpool https://www.bbc.co.uk/sport/football/55622537 aston 2021-01-12 17:09:42
ビジネス ダイヤモンド・オンライン - 新着記事 「こうじレシピ」をコロナ巣ごもりの今こそ食べるべき理由 - ニュース3面鏡 https://diamond.jp/articles/-/257673 「こうじレシピ」をコロナ巣ごもりの今こそ食べるべき理由ニュース面鏡秋冬は何を食べてもおいしい季節。 2021-01-13 02:57:00
ビジネス ダイヤモンド・オンライン - 新着記事 在宅ワーク化で64%の人に健康問題、カリフォルニア大の調査より - カラダご医見番 https://diamond.jp/articles/-/259200 在宅ワーカー 2021-01-13 02:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 服を33着まで減らしたら起こった 予想外のことベスト4 - もう、服は買わない https://diamond.jp/articles/-/258393 服を着まで減らしたら起こった予想外のことベストもう、服は買わない「たくさん服はあるのに、今日着る服がない」のは、あなたが服を持ちすぎているからではそんな方は、NYで話題の新しい服の仕分け法“projectで、ワードローブを減らしましょう。 2021-01-13 02:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 独学の達人が教える「経済的成功」と「人格」を両立させた成功者ベスト2 - 独学大全 https://diamond.jp/articles/-/254986 達人 2021-01-13 02:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 就職したことがないのに 4億円貯めた投資家は 「高校から証券会社に注文を出していた」 - 貯金40万円が株式投資で4億円 元手を1000倍に増やしたボクの投資術 https://diamond.jp/articles/-/257572 就職したことがないのに億円貯めた投資家は「高校から証券会社に注文を出していた」貯金万円が株式投資で億円元手を倍に増やしたボクの投資術「就職したことがないのに億円貯めちゃった」ーかぶ中学年から株ひと筋株式投資歴年以上のベテラン投資家、かぶ。 2021-01-13 02:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 だれも教えてくれなかった! Google の社内調査コードネーム 「Project Oxygen(酸素)」とは? - Google 式10Xリモート仕事術 https://diamond.jp/articles/-/258591 だれも教えてくれなかったGoogleの社内調査コードネーム「ProjectOxygen酸素」とはGoogle式Xリモート仕事術Google最高位パートナー、初の単著。 2021-01-13 02:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 エクセル経営による WORKMAN Plus Cafe、 #ワークマン女子カフェ の可能性はあるか? - ワークマン式「しない経営」 https://diamond.jp/articles/-/258433 エクセル経営によるWORKMANPlusCafe、ワークマン女子カフェの可能性はあるかワークマン式「しない経営」「高機能・低価格」という億円の空白市場を開拓し、期連続最高益。 2021-01-13 02:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 日本の多くの会社で起こっている 不可解な現象は、 なぜ起きるのか? - 経営トップの仕事 https://diamond.jp/articles/-/259328 責任 2021-01-13 02:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 「鶴の恩返し」(1) 鶴が織った反物、儲かったぶんから所得税を払え!? - 桃太郎のきびだんごは経費で落ちるのか? https://diamond.jp/articles/-/259527 「鶴の恩返し」鶴が織った反物、儲かったぶんから所得税を払え桃太郎のきびだんごは経費で落ちるのか鬼ヶ島から財宝を持ち帰った桃太郎を待っていたのは、毎年の確定申告でした。 2021-01-13 02:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 お正月太りかな? と思ったら 簡単なヨガのポーズを試してみましょう - 整えるヨガ https://diamond.jp/articles/-/259052 youtube 2021-01-13 02:15:00
北海道 北海道新聞 J1札幌、初戦は横浜FC 今季の開幕カードを発表 https://www.hokkaido-np.co.jp/article/500372/ 横浜fc 2021-01-13 02:27:10
北海道 北海道新聞 中国、邦人2人の実刑確定 スパイ罪、上訴棄却も詳細不明 https://www.hokkaido-np.co.jp/article/500461/ 実刑確定 2021-01-13 02:23:00
IT 週刊アスキー Acerが新CPU「Core H35」と「Ryzen 5000」、新GPU 「RTX 30」搭載ノートPCを発表 https://weekly.ascii.jp/elem/000/004/039/4039941/ coreh 2021-01-13 02:45:00
IT 週刊アスキー Razerが超スリム型ゲーミングノート「Razer Blade 15」と「Blade Pro 17」を米国発表 = RTX30搭載 https://weekly.ascii.jp/elem/000/004/039/4039965/ bladepro 2021-01-13 02:45: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件)