投稿時間:2022-09-05 16:37:22 RSSフィード2022-09-05 16:00 分まとめ(43件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… 「iPhone 14 Pro」用ケースは「iPhone 13 Pro」では利用不可 https://taisy0.com/2022/09/05/160997.html apple 2022-09-05 06:30:09
IT 気になる、記になる… 「Apple Watch Pro」用とみられるケースの画像が登場 − 何らかのデザイン変更が予想出来る形状に https://taisy0.com/2022/09/05/160990.html applewatchpro 2022-09-05 06:17:54
IT ITmedia 総合記事一覧 [ITmedia ビジネスオンライン] ヤマト運輸、独自スマホ決済「にゃんPay」 みずほ銀行ハウスコインを利用 https://www.itmedia.co.jp/business/articles/2209/05/news120.html itmedia 2022-09-05 15:52:00
IT ITmedia 総合記事一覧 [ITmedia PC USER] Wi-Fi 6E対応無線LANルーター製品が解禁 バッファロー/NECから発表 https://www.itmedia.co.jp/pcuser/articles/2209/05/news121.html itmediapcuserwifie 2022-09-05 15:39:00
IT ITmedia 総合記事一覧 [ITmedia ビジネスオンライン] 老後の備えとして十分だと思う金融資産額は? 1万4900人に聞いた https://www.itmedia.co.jp/business/articles/2209/05/news118.html itmedia 2022-09-05 15:35:00
IT ITmedia 総合記事一覧 [ITmedia News] 「AIひろゆきに適当なことを喋らせよう!」 無料のジェネレーター公開 本人公認 https://www.itmedia.co.jp/news/articles/2209/05/news117.html coefont 2022-09-05 15:29:00
IT ITmedia 総合記事一覧 [ITmedia ビジネスオンライン] ドコモ、スマホ以外の破損も補償する「smartあんしん補償」 330円から https://www.itmedia.co.jp/business/articles/2209/05/news116.html itmedia 2022-09-05 15:22:00
IT ITmedia 総合記事一覧 [ITmedia ビジネスオンライン] バルミューダーの「ザ・トースター」に新機能 火力を上火に一極集中! https://www.itmedia.co.jp/business/articles/2209/05/news112.html balmudathetoasterpro 2022-09-05 15:20:00
IT ITmedia 総合記事一覧 [ITmedia ビジネスオンライン] ウイスキーの樽材を使った多機能ペンに新色 ドライフラワーをイメージ https://www.itmedia.co.jp/business/articles/2209/05/news107.html itmedia 2022-09-05 15:05:00
python Pythonタグが付けられた新着投稿 - Qiita maya python world transform https://qiita.com/aizwellenstan/items/ea8803fd88ccefa8a3ea trans 2022-09-05 15:17:21
js JavaScriptタグが付けられた新着投稿 - Qiita 80.new演算子を生成する時 https://qiita.com/gucho-n/items/4e59a781a4900c444d6a proto 2022-09-05 15:23:28
AWS AWSタグが付けられた新着投稿 - Qiita 【個人開発】3選を投稿するサービスを作りました https://qiita.com/CoCoSh/items/16807d0ea21e215f6923 qiita 2022-09-05 15:13:24
Azure Azureタグが付けられた新着投稿 - Qiita ADLS Gen2の1コンテナだけに閲覧権限を付与する https://qiita.com/kyohets/items/5c111925f135d0813bfa adlsgen 2022-09-05 15:22:34
技術ブログ Developers.IO 富士山旅行最後の日 忍野八海 https://dev.classmethod.jp/articles/oshino-hakkai/ alliancedepartment 2022-09-05 06:00:21
海外TECH DEV Community REST with Rust https://dev.to/celeron/rest-with-rust-4j5d REST with RustThis was originally published here Calling REST APIs with rust may seem like a daunting task at first because of the steep and long learning curve of rust as a programming language We know that contacting with REST APIs is something that we come across creating almost any other app that comes to mind We ll make use of the reqwest library to make our request that is essentially a higher level implementation of the default http client Cargo tomlreqwest version features json tokio version features full dotenv optionalserde version features derive We import the following libraries to make this workLibraryPurposereqwestto make our requeststokioto make async requests and other async stuff serdeto deserialize the json response into a rust struct Making Basic GET Requests tokio main async fn main gt Result lt Box lt dyn std error Error gt gt let resp reqwest get lt url gt await let resp json resp json lt HashMap lt String String gt gt await println resp json Ok Here we do the following key things We add the tokio main attribute to our main function to use await within our function We change the return type of the main function from unit type to a Result lt Box lt dyn std error Error gt gt to catch errors from the request if any Then we make the request using the get function and await on that and also we use the turbofish operator to only get the return type of the futureMore info on why we are using this operator here Then we deserialize the JSON response to a HashMap lt String String gt for convenience and await on that Adding headers to our requestTo add headers to our request we first make a request client and use that to add headers to our application use reqwest header HeaderMap tokio main async fn main let client reqwest Client new let mut headers HeaderMap new headers insert content type application json parse unwrap use reqwest header HeaderMap tokio main async fn main let client reqwest Client new let mut headers HeaderMap new headers insert content type application json parse unwrap headers insert Authorization format Bearer API TOKEN parse unwrap let resp client get lt url gt headers headers send await Here s what we did above We create a request client to send our request We create a mutable instance of the HeaderMap Instance that is similar to HashMapWe insert our headers as key value pairs to the header We use parse unwrap on the amp str to convert the string type to the header value type We then add our headers to the client request by using the headers method Also one thing different from directly using the get method is that we have to call the send method on our request before awaiting on it Sending post request with JSON bodyWe send the post request by using the post method on the request client or directly from the library and use the json method to add body to the post request The body here is just a HashMap in rust let mut body HashMap new body insert username myusername let resp client post lt url gt json amp body send await Deserializing the JSON responseWe can deserialize the JSON response from the API by using the json method on the sent request and get that into our preferred shape or type by calling it generically with that type One thing to note is that the type must implement the Deserialize trait First thing first we create the type we want our JSON response in and implement the deserialize trait on it implementing the trait ourselves is tedious and unreliable so we use the serde library that we imported before do that for us use serde Deserialize deriving the Debug trait also to be able to print it derive Debug Deserialize struct APIResponse message String error String We can then use the above struct to deserialize our response as let resp json resp json lt APIResponse gt await Referencesreqwest library documentation Rust ASYNC documentation YouTube Tutorial by Tom 2022-09-05 06:54:47
海外TECH DEV Community We measured the SSR performance of 6 JS frameworks - here's what we found https://dev.to/kaspera/we-measured-the-ssr-performance-of-6-js-frameworks-heres-what-we-found-1ck0 We measured the SSR performance of JS frameworks here x s what we foundTo say that there are quite a few JS frameworks to choose from would properly be the understatement of the year It seems like every few months a new revolutionary framework enters the ecosystem with promises of unseen performance and or ease of use It s gotten to the point where we almost need a framework to choose our next framework Yo Dawg Although as nice as it would be for a developer to be able to take a vacation and come back without having to learn yet another framework we also kind of dig it New frameworks often bring innovation to the JS ecosystem This can be in how we build apps and or how performant they are These performance improvements help push the boundaries on what is possible and as a result also help inspire other frameworks to implement similar solutions But now for the fun question is there really that big of a performance difference across the different frameworks This is the question we wanted to answer However as the quite gruesome saying goes there s more than one way to skin a cat As the title of this post might already have spoiled we chose to test which framework was the fastest when it came to SSR Server Side Rendering The results were interesting but just like Formula it was often milliseconds that separated the good from the great But before we get into the nitty gritty first a very big disclaimer DISCLAIMER YOUR MILEAGE MAY VARY As anyone who has ever run any kind of performance test can tell you results can vary You can try your best to make the conditions as uniformly as possible and still get different results We have tried to set up each demo similarly to the others However there may have been a better way of doing this in one particular framework that we were not familiar with at the time If you feel something could have been different and or better please drop a comment or send us an email at info enterspeed com The source code for each demo can be found in our demo repo Meet the contestantsThe contestants we chose are a mix of some of the most popular frameworks and some of the newer more hyped ones The frameworks we tested were Astro k stars on Github created March Gatsby k stars on Github created May Next js k stars on Github created October Nuxt k stars on Github created March Remix k stars on Github created October SvelteKit k stars on Github created October All frameworks were set up using SSR What is SSR SSR stands for Server Side Rendering and is a rendering strategy that converts your application into HTML on the server Some other rendering strategies are CSR Client Side Rendering which renders in the browser SSG Static Site Generation which generates the HTML on build and therefore only fetches data once ISR Incremental Static Regeneration which is a combination of SSG and SSR that allows you to create or update static pages after you ve built your site Unlike traditional SPA s Single Page Application which use CSR to render their content SSR gives a faster time to content and is better for SEO since crawlers will see the fully rendered page What we build img alt Screenshot of one of the demos lt br gt height src dev to uploads s amazonaws com uploads articles xshszgesdven jpg width Our demo site which we replicated for each framework is a beautiful blog containing blog posts It uses Tailwind for styling and fetches its content from Enterspeed a high performant data store Bonus info all thumbnails were generated using Dall E with these phrases A cat driving a formula car digital art A Llama flying a fighter jet pixel art A cool fearless bee riding a motorcycle A falcon flying through outer space in a photorealistic style A person outrunning a cheetah digital art A photo of a teddy bear riding a rocket All demos are public and hosted on Netlify Astro Gatsby Next js Nuxt Remix SvelteKit The GitHub repo for all the demos can be found here What we measured and howTo measure the SSR performance of our JS frameworks we used Google Lighthouse here Web dev measure We ran each audit times and calculated the average for each metric An explanation of each metric and acronym will come further below Google Lighthouse measures Core Web Vitals LCP FID CLS which has become a ranking factor in the Google Search Algorithm as well as other web vitals FCP Speed index TTI TBT and CLS We didn t measure FID First Input Delay since this cannot be measured in the lab However TBT Total Blocking Time correlates well with FID in the field CLS Cumulative Layout Shift isn t included in the results either since all the demos scored in this category Lastly we wanted to measure TTFB Time To First Byte since it can help measure the web server responsiveness which is highly relevant when it comes to SSR To measure TTFB we used hey where we send requests to each demo and measured the average TTFB We noticed that the results fluctuated quite a bit when sending requests to our hosted sites on Netlify so we chose to run each application locally and measure it that way We also chose to reduce the number of concurrent workers from to just since our Nuxt application kept crashing when sending multiple requests What does each metric mean All metrics except TTFB are based on Google s initiative Web vitals Google made these metrics to provide unified guidance for quality signals ️Explanations borrowed from Web dev Google Lighthouse Performance scoreThe Performance score in Google Lighthouse is a score from It is a weighted average of the Web Vitals score Each Web Vital is weighted as follows First Contentful Paint Speed Index Largest Contentful Paint Time to Interactive Total Blocking Time Cumulative Layout Shift The performance score is grouped into three categories Poor Needs Improvement and Good Needs Improvement to red Poor to orange Needs Improvement to green GoodNote A perfect score of is extremely challenging to achieve and not expected First Contentful Paint FCP The First Contentful Paint FCP metric measures the time from when the page starts loading to when any part of the page s content is rendered on the screen Speed IndexSpeed Index measures how quickly content is visually displayed during page load Largest Contentful Paint LCP The Largest Contentful Paint LCP metric reports the render time of the largest image or text block visible within the viewport relative to when the page first started loading Time to Interactive TTI The TTI metric measures the time from when the page starts loading to when its main sub resources have loaded and it is capable of reliably responding to user input quickly Total Blocking Time TBT The Total Blocking Time TBT metric measures the total amount of time between First Contentful Paint FCP and Time to Interactive TTI where the main thread was blocked for long enough to prevent input responsiveness Time To First Byte TTFB TTFB is a metric that measures the time between the request for a resource and when the first byte of a response begins to arrive The resultsDrumroll please The results are as follows Google Lighthouse Performance score Astro SvelteKit Nuxt amp Remix Next js Gatsby First Contentful Paint FCP Astro Gatsby and Remix sNext js amp SvelteKit Nuxt Speed Index SvelteKit sAstro amp Remix sNuxt sNext js sGatsby s Largest Contentful Paint LCP Astro sSvelteKit sNext js Nuxt Remix sGatsby s Time To Interactive TTI Astro sSvelteKit sNuxt sRemix amp Gatsby sNext js s Total Blocking Time TBT Astro msNuxt msGatsby msRemix msSvelteKit msNext js ms Time To First Byte TTFB SvelteKit msNext js msGatsby msRemix msAstro msNuxt ms The conclusionNow now before you start burning down the place remember what we said in the beginning your mileage may vary Based on our results it seems Astro really is the new fast kid in the class although not as much in TTFB However the TTFB results can also be the development server not showing itself from its best side SvelteKit also had some impressive results and is also one of the new frameworks getting a lot of praise when it comes to speed Does this mean you should skip the other frameworks and choose one of these two Absolutely not Each framework has its use case and its benefits We are personally big fans of all the fantastic features Next js provide Moreover many people use a combination of rendering strategies e g SSG for their homepage SSR ISR for their blog pages and so on Therefore choose the framework that best fits your needs Is your blood still boiling and do you need to calm down Don t worry we got you What is Enterspeed Enterspeed is a high performant data store that makes it possible to gain speed amp flexibility by combining your services Connect and combine all your services into a single API endpoint Easily transform your data with our low code editor to get exactly what you need all stored in our blazing fast edge network Enterspeed is used in this article to give the data layer the blog posts high and consistence performance across all the tests 2022-09-05 06:35:44
海外TECH DEV Community What actually is JavaScript? https://dev.to/iarchitsharma/what-actually-is-javascript-2ckn What actually is JavaScript To build great software we should have deep enough understanding of the internals There are so many developers who don t have any idea of what is going on “under the covers So in this article ill try my best to explain the internal working of JavaScript in simplest way Before we begin here is a fact for you Did you know JavaScript supports a modern touchscreen based UI for the SpaceX Dragon spacecraft Yes JavaScript was actually used to build UI inside SpaceX spacecraft JavaScript works on a environment called JavaScript Runtime Environment To use JavaScript you basically install this environment and than you can simply use JavaScript So in order to use JavaScript you install a Browser or NodeJS both of which are JavaScript Runtime Environment Depending on the context the runtime environment can take on different forms for example the runtime environment in a browser is very different from that of Node js Because these differences are primarily at the implementation level the majority of the following concepts remain applicable JavaScript Engine is a part of JavaScript Runtime Environment and each web browser has its own version of the JS engine One thing to note here is that JavaScript can be used to write only logic like for ex for loops while loops if else etc Example Chrome uses the V JS engine which has been developed by the Chromium Project Firefox uses SpiderMonkey which was first written by Brendan Eich at Netscape and is now maintained by the folks at Mozilla Apple s Safari uses Webkit The purpose of the JavaScript engine is to translate source code that developers write into machine code that allows a computer to perform specific tasks JS Engine is made up of the heap and the call stackThe heap also called the memory heap is a section of unstructured memory that is used for the allocation of objects and variables The call stack is a data structure that tracks where we are in the programme and operates on a last in first out basis Each entry in the stack is referred to as a stack frame This means that the engine is focused on the frame at the top of the stack and it will not move on to the next function unless the function above it is removed from the stack As the JS engine steps into a function it is pushed onto the stack When a function returns a value or gets sent to the Web APIs it is popped off the stack If a function doesn t explicitly return a value then the engine will return undefined and also pop the function off the stack This is what is meant by the term “JavaScript runs synchronously it is single threaded so can only do one thing at a time JavaScript Runtime Environment also provide APIs which are not a part of JS Engine We have different APIs for different runtime environment So features like console log and DOM are not provided by JavaScript but by the APIs of browsers runtime environment and same for setTimeout this method is not provide by JS but NodeJS runtime environmet So JavaScript can be used to write only logic with JS Engine but with help of APIs we have a lot more features Electron is also a runtime environment used for creating Desktop ApplicationsThis is the reason you never install JavaScript remotely like Java or Python in your Desktop because it comes pre installed with Browser or NodeJS or other JS Runtime Environment Thanks for reading this article follow for more 2022-09-05 06:20:05
金融 JPX マーケットニュース [東証]新規上場の承認(グロース市場):(株)キューブ https://www.jpx.co.jp/listing/stocks/new/index.html 新規上場 2022-09-05 15:30:00
金融 JPX マーケットニュース [東証]TOKYO PRO Marketへの上場申請:(株)ヒロホールディングス https://www.jpx.co.jp/equities/products/tpm/issues/index.html tokyopromarket 2022-09-05 15:30:00
金融 ニッセイ基礎研究所 成約事例で見る東京都心部のオフィス市場動向(2022年上期)-「オフィス拡張移転DI」の動向 https://www.nli-research.co.jp/topics_detail1/id=72236?site=nli そのなかで、オフィス拡張移転DIは、年第四半期から上昇に転じ、年第四半期と第四半期も上昇し、企業のオフィス拡張意欲が緩やかに改善していること多くの業種・エリアにおいてオフィス拡張移転DIが上昇し、オフィス拡張の動きが「点」から「面」へ広がりを見せていること縮小移転の動きは落ち着きつつあるものの、コロナ禍を起点とした企業のオフィス再構築の動きは依然として継続していることAクラスビルではオフィス拡張移転DIの上昇が頭打ちとなる一方で、BクラスビルとCクラスビルは底打ちして上昇に転じたことエリア別では「丸の内・大手町」で企業の拡張意欲が高く、コロナ禍以降低迷していた「五反田・大崎・東品川」や「新橋・虎ノ門」で回復の動きがみられたことを確認した。 2022-09-05 15:12:20
金融 日本銀行:RSS (日銀レビュー)不動産ファンド市場における海外ファンドの資金フロー http://www.boj.or.jp/research/wps_rev/rev_2022/rev22j14.htm 資金 2022-09-05 16:00:00
金融 日本銀行:RSS (論文)ノンバンク金融仲介機関の拡大と市場性ショックの波及のグローバルな構造変化について http://www.boj.or.jp/research/wps_rev/wps_2022/wp22e14.htm 構造変化 2022-09-05 16:00:00
海外ニュース Japan Times latest articles Japanese government denies preferential treatment in bid for Abe state funeral https://www.japantimes.co.jp/news/2022/09/05/national/shinzo-abe-state-funeral-tender/ Japanese government denies preferential treatment in bid for Abe state funeralMurayama Inc ーwhich organized cherry blossom viewing parties for five straight years from under Abe ーwas the only firm to participate in 2022-09-05 15:34:12
海外ニュース Japan Times latest articles Nick Kyrgios upsets No. 1 Daniil Medvedev to advance at U.S. Open https://www.japantimes.co.jp/sports/2022/09/05/tennis/kyrgios-beats-medvedev-usopen/ Nick Kyrgios upsets No Daniil Medvedev to advance at U S OpenIn a meeting worthy of a Broadway show between two of the game s biggest servers and most combustible personalities it was the Australian who was 2022-09-05 15:39:50
ニュース BBC News - Home New PM's energy bill options to include freeze plan https://www.bbc.co.uk/news/business-62791113?at_medium=RSS&at_campaign=KARANGA energy 2022-09-05 06:32:53
ニュース BBC News - Home Canada stabbings: Police hunt suspects after killing spree in Saskatchewan https://www.bbc.co.uk/news/world-us-canada-62790900?at_medium=RSS&at_campaign=KARANGA canada 2022-09-05 06:41:02
ニュース BBC News - Home Energy bills: Fears power cuts will switch off nebuliser https://www.bbc.co.uk/news/uk-wales-62728628?at_medium=RSS&at_campaign=KARANGA husband 2022-09-05 06:10:01
ニュース BBC News - Home US Open: Coco Gauff beats Zhang Shuai to reach last eight in New York https://www.bbc.co.uk/sport/tennis/62790320?at_medium=RSS&at_campaign=KARANGA shuai 2022-09-05 06:26:55
北海道 北海道新聞 釧路の夕焼け+たき火楽しむ 市内団体など初イベント https://www.hokkaido-np.co.jp/article/726233/ 釧路 2022-09-05 15:20:21
北海道 北海道新聞 後志管内46人感染 新型コロナ https://www.hokkaido-np.co.jp/article/726448/ 新型コロナウイルス 2022-09-05 15:16:00
北海道 北海道新聞 日本ハム宮西左肘手術へ 全治3カ月 https://www.hokkaido-np.co.jp/article/726434/ 北海道日本ハム 2022-09-05 15:16:26
北海道 北海道新聞 公園トイレに新生児置き去り 命に別条なし、30代女性聴取 東京 https://www.hokkaido-np.co.jp/article/726403/ 東京都江戸川区春江町 2022-09-05 15:08:25
北海道 北海道新聞 諫早湾干拓地で営農 2法人に明け渡し命令 長崎地裁 https://www.hokkaido-np.co.jp/article/726416/ 国営諫早湾干拓事業 2022-09-05 15:05:56
北海道 北海道新聞 国葬予算差し止め認めず さいたま地裁が仮処分申請却下 https://www.hokkaido-np.co.jp/article/726427/ 取り消し 2022-09-05 15:04:58
北海道 北海道新聞 古川貞二郎氏が死去 87歳 元官房副長官、在任歴代2位の8年7カ月 https://www.hokkaido-np.co.jp/article/726432/ 古川貞二郎 2022-09-05 15:03:39
ニュース Newsweek ロシア兵とウクライナ兵の「和解」壁画が大炎上! https://www.newsweekjapan.jp/stories/world/2022/09/post-99549.php 2022-09-05 15:16:30
マーケティング MarkeZine プレイドの事業開発組織STUDIO ZERO、新規事業開発を支援する 「PLAID Accel」提供 http://markezine.jp/article/detail/39949 plaidaccel 2022-09-05 15:30:00
IT 週刊アスキー 【本日スタート】天丼てんや「国産秋天丼」「ごちそう天丼(秋)」 https://weekly.ascii.jp/elem/000/004/104/4104270/ 天丼てんや 2022-09-05 15:45:00
IT 週刊アスキー 『ユージェネライブ』で9月17日より「アニャ」の誕生日#ライブの開催が決定! https://weekly.ascii.jp/elem/000/004/104/4104262/ 開催 2022-09-05 15:15:00
IT 週刊アスキー DMM GAMES10周年記念第2弾! 「ウインドボーイズ!」とコラボした堂島ロールが発売 https://weekly.ascii.jp/elem/000/004/104/4104257/ 販売開始 2022-09-05 15:10:00
IT 週刊アスキー 『今週のASCII.jp注目ニュース』生放送(2022年9/3~9/9ぶん) https://weekly.ascii.jp/elem/000/004/104/4104002/ asciijp 2022-09-05 15:05:00
マーケティング AdverTimes これまでの歴史を振り返り、新章へとつなげる、『ONE PIECE』連載25周年のイベント https://www.advertimes.com/20220905/article394810/ onepiece 2022-09-05 06:25:38
海外TECH reddit “Fear” of foreigners? https://www.reddit.com/r/japanlife/comments/x68qee/fear_of_foreigners/ “Fear of foreigners I ve had a couple of occasions where I have felt genuine fear from people The “no foreigners allowed landlords or restaurants are one thing it s racist but I guess indirect But sometimes I feel genuine fear from people For context I m white m average american height with large hair and can speak conversationally… For example a real estate agent once helped me out but he was really freaked out the whole time like I was holding him against his will His voice was shaky and tried to use baby words He even used text to speech one time to communicate with me when we were communicating fine I just saw fear in his eyes the whole time Needless to say I didn t find a place with him and had a great experience with another agent from another company who didn t have an issue speaking normal Japanese to me Another instance I was trying to buy from a ticket booth and the lady just furiously shook her hand back and forth no gesture with a very menacing look on her face…I just backed away and left Today I asked some people if the road to the station is all downhill or not wondering if I should take the bus or not I guess it s a weird question The First Lady helped me out but when she asked her friend if she knew she was visibly horrified and trying to nope the fuck out of there and urging her friend to too I just said sorry and thank you and was on my way It was really awkward… Usually people are nice but these exceptions are just really strange to me and discourage me a bit Has anyone experienced this I m trying to figure out why…I guess it s just racism because they don t even have to use English I guess they think I ll try to recruit them into a cult or something or I m carrying a gun At least that s what I read online Please let me know ur experiences or how to deal with this or thoughts on why it even happens submitted by u Gaitarou to r japanlife link comments 2022-09-05 06:11:23

コメント

このブログの人気の投稿

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