投稿時間:2022-10-13 03:21:31 RSSフィード2022-10-13 03:00 分まとめ(26件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT ITmedia 総合記事一覧 [ITmedia News] 「Azure OpenAI Service」でAI画家「DALL・E 2」利用が可能に https://www.itmedia.co.jp/news/articles/2210/13/news064.html azureopenaiservice 2022-10-13 02:47:00
IT ITmedia 総合記事一覧 [ITmedia News] Microsoft、「Surface Pro 9」「Surface Laptop 5」「Surface Studio 2+」発表 https://www.itmedia.co.jp/news/articles/2210/13/news063.html itmedianewsmicrosoft 2022-10-13 02:22:00
AWS AWS Compute Blog Simplifying serverless permissions with AWS SAM Connectors https://aws.amazon.com/blogs/compute/simplifying-serverless-permissions-with-aws-sam-connectors/ Simplifying serverless permissions with AWS SAM ConnectorsThis post written by Kurt Tometich Senior Solutions Architect AWS Developers have been using the AWS Serverless Application Model AWS SAM to streamline the development of serverless applications with AWS since late Besides making it easier to create build test and deploy serverless applications AWS SAM now further simplifies permission management between serverless components … 2022-10-12 17:37:14
AWS AWS Networking and Content Delivery Creating Disaster Recovery Mechanisms Using Amazon Route 53 https://aws.amazon.com/blogs/networking-and-content-delivery/creating-disaster-recovery-mechanisms-using-amazon-route-53/ Creating Disaster Recovery Mechanisms Using Amazon Route We ll start by outlining how AWS services provide reliability using control planes and data planes then share high level design principles for creating a failover mechanism Finally we ll explain the features of Route that make your DR approach more effective 2022-10-12 17:34:13
AWS AWSタグが付けられた新着投稿 - Qiita AWS初心者は必ず読むべき!必見!AWSの基本⑩CloudWatchでシステム監視 https://qiita.com/Hashimoto-Noriaki/items/563b19706d419d99ab6c cloudwatch 2022-10-13 02:24:27
海外TECH MakeUseOf 7 Reasons You Shouldn't Use Apple Pay https://www.makeuseof.com/reasons-to-avoid-apple-pay/ money 2022-10-12 17:45:14
海外TECH MakeUseOf 5 Must-Have Audacity Plugins You Can Download for Free https://www.makeuseof.com/best-free-audacity-plugins/ essential 2022-10-12 17:30:14
海外TECH MakeUseOf How to Eradicate Leftovers From Uninstalled Software in Windows 10 & 11 https://www.makeuseof.com/windows-remove-leftovers-uninstalled-software/ windows 2022-10-12 17:15:14
海外TECH DEV Community Different test scopes in Rust https://dev.to/nfrankel/different-test-scopes-in-rust-41if Different test scopes in RustI m still working on learning Rust Beyond syntax learning a language requires familiarizing oneself with its idioms and ecosystem I m at a point where I want to explore testing in Rust The initial problemWe have used Dependency Injection a lot for ages on the JVM Even if you re not using a framework Dependency Injection helps decouple components Here s a basic example class Car private val engine Engine fun start engine start interface Engine fun start class CarEngine Engine override fun start class TestEngine Engine override fun start In regular code val car Car CarEngine In test code val dummy Car TestEngine DI is about executing different code snippets depending on the context Testing in RustRust differs on two main points from the Kotlin approach Most DI frameworks happen at runtime Dagger being the only exception I know about Rust focuses on compile time Rust is not Object OrientedFor both of these reasons we cannot duplicate the above approach However Rust excels at macros For tests it offers the test macro To change a function into a test function add test on the line before fn When you run your tests with the cargo test command Rust builds a test runner binary that runs the annotated functions and reports on whether each test function passes or fails The Anatomy of a Test FunctionAt its most basic level it allows for defining test functions These functions are only valid when calling cargo test fn main println hello fn hello gt amp static str return Hello world test fn test hello assert eq hello Hello world cargo run yields the following Hello worldOn the other hand cargo run yields running testtest test hello oktest result ok passed failed ignored measured filtered out finished in srunning teststest result ok passed failed ignored measured filtered out finished in sHowever our main issue is different we want to code depending on whether it s a testing context The test macro is not the solution we are looking for Playing with the cfg macroRust differentiates between unit tests and integration tests I added double quotes because I believe the semantics can be misleading Here s what they mean Unit tests are written in the same file as the main You annotate them with the test macro and call cargo test as seen aboveIntegration tests are external to the code to test You annotate code to be part of integration tests with the cfg test macro Enter the cfg macro Evaluates boolean combinations of configuration flags at compile time In addition to the cfg attribute this macro is provided to allow boolean expression evaluation of configuration flags This frequently leads to less duplicated code Macro std cfgThe cfg macro offers lots of out of the box configuration variables Variable Description Example target arch Target s CPU architecture x arm aarch target feature Platform feature available for the current compilation target rdrand sse se target os Target s operating system windows macos linux target family More generic description of a target such as the family of the operating systems or architectures that the target generally falls into windows unix target env Further disambiguating information about the target platform with information about the ABI or libc used gnu musl target endian big or little target pointer width Target s pointer width in bits target vendor Vendor of the target apple pc test Enabled when compiling the test harness proc macro When the crate compiled is being compiled with the proc macro panic Depending on the panic strategy abort unwind You may have noticed the test flag among the many variables To write an integration test annotate the code with the cfg test macro cfg test fn test something Whatever One can also use the macro to provide alternative code in the test context fn hello gt amp static str return Hello world cfg test fn hello gt amp static str return Hello test The above snippet works during cargo run but not during cargo test In the first case the second function is ignored in the second it s not and Rust tries to compile two functions with the same signature error E the name hello is defined multiple times gt src lib rs fn hello gt amp static str previous definition of the value hello here fn hello gt amp static str hello redefined here note hello must be defined only once in the value namespace of this moduleFortunately the cfg macro offers boolean logic Hence we can negate the test config for the first function fn main println hello cfg not test fn hello gt amp static str return Hello world cfg test fn hello gt amp static str return Hello test test fn test hello assert eq hello Hello test cargo run yields Hello worldcargo test compiles then executes the test successfullyWhile it solves our problem it has obvious flaws It s binary test context or notIt doesn t scale after a specific size the sheer number of annotations will make the project unmanageable Refining the designTo refine the design let s imagine a simple scenario that I ve faced multiple times on the JVM during the regular run code connects to the production database e g Postgresfor integration testing code uses a local database e g SQLitefor unit testing the code doesn t use a database but a mockHere s the foundation for the design fn main Get a database implementation db do stuff trait Database fn doStuff self Self struct MockDatabase struct SqlitDatabase struct PostgreSqlDatabase impl Database for MockDatabase fn doStuff self Self println Do mock stuff impl Database for SqlitDatabase fn doStuff self Self println Do stuff with SQLite impl Database for PostgreSqlDatabase fn doStuff self Self println Do stuff with PostgreSQL How to get the correct implementation depending on the context We have three contexts and cfg test only offers a boolean flag It s time for a new approach Leveraging Cargo featuresAs I searched for a solution I asked on the Rust Slack channel William Dillon was kind enough to answer and proposed that I look at Cargo s features Cargo features provide a mechanism to express conditional compilation and optional dependencies A package defines a set of named features in the features table of Cargo toml and each feature can either be enabled or disabled Features for the package being built can be enabled on the command line with flags such as features Features for dependencies can be enabled in the dependency declaration in Cargo toml Features Defining featuresThe first step is to define what features we will use One configures them in the Cargo toml file features unit it prod Using the features in the codeTo use the feature we leverage the cfg macro fn main cfg feature unit let db MockDatabase cfg feature it let db SqlitDatabase cfg feature prod let db PostgreSqlDatabase db do stuff trait Database fn do stuff self Self cfg feature unit struct MockDatabase cfg feature unit impl Database for MockDatabase fn do stuff self Self println Do mock stuff Abridged for brevity s sake Compiled only if the unit feature is activatedCompiled only if the it feature is activatedCompiled only if the prod feature is activated Activating a featureYou must use the F flag to activate a feature cargo run F unitDo mock stuff Default featureThe production feature should be the most straightforward one Hence it s crucial to set it by default It has bitten me in the past when your colleague is on leave and you need to build deploy it s a mess to read the code to understand what flags are mandatory Rust allows setting default features They don t need to be activated they are on by default The magic happens in the Cargo toml file features default prod unit it prod The prod feature is set as defaultWe can now run the program without explicitly setting the prod feature cargo runDo stuff with PostgreSQL Exclusive featuresAll three features are exclusive you can activate only one at a time To disable the default one s we need an additional flag cargo run no default features F unitDo mock stuffThe documentation offers multiple approaches to avoid activating exclusive features at the same time There are rare cases where features may be mutually incompatible with one another This should be avoided if at all possible because it requires coordinating all uses of the package in the dependency graph to cooperate to avoid enabling them together If it is not possible consider adding a compile error to detect this scenario Mutually exclusive featuresLet s add the code cfg all feature unit feature it compile error feature unit and feature it cannot be enabled at the same time cfg all feature unit feature prod compile error feature unit and feature prod cannot be enabled at the same time cfg all feature it feature prod compile error feature it and feature prod cannot be enabled at the same time If we try to run with the unit feature while the default prod feature is enabled cargo run F uniterror feature unit and feature prod cannot be enabled at the same time gt src main rs compile error feature unit and feature prod cannot be enabled at the same time Fixing the above designThe above design is not so slightly misleading In tests the entry point is not the main function but the test functions themselves Let s re add some tests as in the initial phase cfg feature prod fn main let db PostgreSqlDatabase println db do stuff trait Database fn do stuff self Self gt amp static str cfg feature unit struct MockDatabase cfg feature prod struct PostgreSqlDatabase cfg feature unit impl Database for MockDatabase fn do stuff self Self gt amp static str Do mock stuff cfg feature prod impl Database for PostgreSqlDatabase fn do stuff self Self gt amp static str Do stuff with PostgreSQL test cfg feature unit fn test unit let db MockDatabase assert eq db do stuff Do mock stuff it omitted for brevityThe PostgreSqlDatabase struct is not available when any test feature is activatedChange the signature to be able to testTest At this point we can run the different commands cargo test no default features F unit cargo test no default features F it cargo run Run the unit testRun the integration test testRun the application ConclusionIn this post I described the problem caused by having different test suites focusing on different scopes The default test configuration variable is binary either the scope is test or not It s not enough when one needs to separate between unit and integration tests each one requiring a different trait implementation Rust s features are a way to solve this issue A feature allows guarding some code behind a label which one can enable per run on the command line To be perfectly honest I don t know if Rust features are the right way to implement different test scopes In any case it works and allows me to understand the Rust ecosystem better The complete source code for this post can be found on GitHub ajavageek rust test suites To go further Testing in RustRust by example testingConditional compilationOriginally published at A Java Geek on October th 2022-10-12 17:24:33
海外TECH DEV Community Ruby on Rails Naming Conventions https://dev.to/meganmoulos/ruby-on-rails-naming-conventions-885 Ruby on Rails Naming ConventionsDavid Heinemeier Hansson the creator of Ruby on Rails believed in the importance of convention over configuration In his own words Convention over configuration is the corner stone of Rails and a principle I hold dear Stop wasting time configuring things where the differences do not matter from a interview If you re new to Rails the specific naming conventions at first can be difficult to memorize and understand Naming conventions are crucial and an important part of how Rails decides how to link elements of your data Active Record Naming ConventionsLet s dive right in From the Rails guides By default Active Record uses some naming conventions to find out how the mapping between models and database tables should be created Rails will pluralize your class names to find the respective database table So for a class Book you should have a database table called books The model class name should use a singular word in the CamelCase form while the table name must be pluralized and use the snake case form Active Record also recognizes irregular forms such as Person people and Mouse mice Model Class Singular with the first letter of each word capitalized e g BookClub Database Table Plural with underscores separating words e g book clubs Note that Active Record Associations also follow convention has many is followed by a plural while belongs to is followed by a singular Ruby Naming ConventionsRuby naming conventions are as follows Rails Naming ConventionsRoutes Routes should use lowercase with underscores as needed between words resources controller name plural example resources books resource controller name singluar example resource author ControllersControllers should be CamelCase plural and append the word Controller at the end From the Rails docs The naming convention of controllers in Rails favors pluralization of the last word in the controller s name although it is not strictly required e g ApplicationController For example ClientsController is preferable to ClientController SiteAdminsController is preferable to SiteAdminController or SitesAdminsController and so on Here is a quick cheat sheet of naming conventions Remember Naming conventions in Rails are crucial to the language s inner workings For more information on this topic see the official guides Rails Guides 2022-10-12 17:14:38
Apple AppleInsider - Frontpage News Most Apple apps on iOS 16 bypass VPN connections https://appleinsider.com/articles/22/10/12/most-apple-apps-on-ios-16-bypass-vpn-connections?utm_medium=rss Most Apple apps on iOS bypass VPN connectionsSecurity researchers found that most apps associated with Apple services on iOS will send data that bypasses a selected VPN connection VPN setting in iOSIn March ProtonVPN found a bug in iOS and later that could prevent a VPN from fully encrypting traffic It exposed data and IP addresses by failing to terminate existing network connections once a user activated a VPN Read more 2022-10-12 17:48:57
Apple AppleInsider - Frontpage News Apple seeds watchOS 9.1 developer beta 5 https://appleinsider.com/articles/22/10/12/apple-seeds-watchos-91-developer-beta-5?utm_medium=rss Apple seeds watchOS developer beta The fifth beta of watchOS has been released by Apple for developer testing watchOS beta available for developersThe latest builds can be downloaded by developers taking part in the beta testing program via the Apple Developer Center or as an over the air update for any hardware that s already running the beta builds Public beta versions of the releases generally arrive a short while after their developer counterparts available through the Apple Beta Software Program website Read more 2022-10-12 17:20:23
Apple AppleInsider - Frontpage News Amazon Prime Early Access Sale: $269 iPad, $223 AirPods Pro 2, $225 off Peloton Bike & more https://appleinsider.com/articles/22/10/11/amazons-october-prime-day-deals-269-ipad-235-airpods-pro-2-799-macbook-air-more?utm_medium=rss Amazon Prime Early Access Sale iPad AirPods Pro off Peloton Bike amp moreDay of Amazon s October Prime Day sale offers bonus savings on Apple electronics robot vacuums a Peloton Bike and much more Amazon s Prime Early Access Sale ends tonight For Apple fans there are special deals on AirPods Apple Watches and MacBooks from Amazon itself ーas well as fantastic savings from Apple Authorized Resellers Read more 2022-10-12 17:09:55
海外TECH Engadget Google Pixel 7 and Pixel 7 Pro review: Still the best bargain in flagship phones https://www.engadget.com/google-pixel-7-and-pixel-7-pro-review-still-the-best-bargain-in-flagship-phones-170031940.html?src=rss Google Pixel and Pixel Pro review Still the best bargain in flagship phonesAfter the big move to its custom Tensor chip last year Google is continuing its quest to use machine learning to unlock enhanced apps and features on the Pixel and Pixel Pro While the specs and design aren t major departures from its predecessors the addition of smarter software upgraded cameras for the Pixel Pro and aggressive pricing result in two of the best flagship phones for the money HardwareOn the outside the Pixel and Pro have gotten a subtle makeover including a fresh range of colors and a more refined chassis You still get Google s signature camera bar in back which spans the width of the device The main difference is that now it wraps seamlessly around the sides of the phone hopefully adding a bit of durability in the process Similar to last year the Pixel features a matte brushed aluminum finish while the Pixel Pro gets more polished sides But if you ask me I kind of wish Google used the matte texture on both Not only does it hide fingerprints better it also makes the Pixel a bit less slippery And that s even with Google softening the Pixel Pro s edges to be about percent flatter than before Notably while the size of the Pro s display has stayed pat at inches the standard Pixel s inch screen is slightly smaller than the inch panel on the Pixel It s not a huge change but it s just enough to make everything a bit easier to do one handed Especially if you don t have huge meat claws like me Sam Rutherford EngadgetAs for the displays themselves just like last year noticing a pattern the Pixel gets a x Hz OLED screen while the Pixel Pro features a higher res x panel with a slightly faster Hz refresh rate That said both screens look great pumping out excellent brightness deep blacks and lively colors Additionally while Google has brought face unlock back to the Pixel line you still get an under screen fingerprint reader You ll need that for more sensitive functions like online payments And for general durability the Pixel line has retained an IP rating for dust and water resistance which is good for dunks up to five and a half feet deep for up to minutes PerformanceWhile the new Tensor G chip may have unlocked some enhanced machine learning capabilities everyday performance is pretty much the same In fact the main Cortex X cores are only Mhz faster than last year s silicon That s not to say you can t play games or edit videos on this thing but if you re the kind of person who gets really jazzed up about transistor counts or teraflops you re better off going for a phone with one of Apple s A series chips or even a Qualcomm Snapdragon Gen Sam Rutherford EngadgetI also noticed that during the initial setup and some more intense workloads the backs of both the Pixel and Pixel Pro got warmer than most phones Don t get me wrong it s not toasty enough to cause anything more than some sweaty palms And while performance was generally smooth and hiccup free I feel like Google s Tensor chips just don t have quite the same level of performance overhead as you might get from silicon in other high end handsets New software and featuresHowever what the Pixel line lacks in raw horsepower Google makes up for with a long list of sophisticated software One of the biggest additions is expanded functionality for the Direct My Call feature which is designed to help you better navigate those awful automated voice menus you run into when calling big businesses But now by using Duplex to pre cache options you ll be presented with a text based menu as soon as you connect instead of having to wait to hear all the choices first Sam Rutherford EngadgetGranted Direct My Call s new caching abilities don t work on smaller mom and pop shops But stuff like this along with other features such as Hold For Me the truly excellent Pixel Recorder app and the new Audio Message Transcription ability combine to provide a really thoughtful software experience that can often save you some time and a headache or two CamerasOf course the other area where Google really flexes its ML based powers is with its cameras In terms of hardware the Pixel still packs a MP main camera and a MP ultra wide shooter with the Pixel Pro getting a slightly longer telephoto cam with a x optical zoom up from x on the Pixel Pro Both phones also get the same MP front cam which even without a true autofocus system like you get on the iPhone line is more than adequate for snapping selfies Sam Rutherford EngadgetThanks to the Tensor G low light photo processing using Night Sight is up to two times faster and that s a difference you can really feel On previous Pixels I ve had to wait six seconds or more to shoot a pic when it s really dark But when you can cut that time in half it s a lot easier to hold the phone steady while the Pixel does its thing Face Unblur has also been improved though the effects are subtle While it can be a bit hit or miss the more exciting new camera feature is Photo Unblur which can sharpen old photos regardless of when they were taken or what camera took the shot It s the kind of thing that can save old photos that might otherwise be considered unsalvageable and all you have to do is find the setting inside the Google Photos app Take for example a shot of my wife and I at a wedding back in In the original photo everything is soft But after using the Photo Unblur tool suddenly my face has definition Though as you can see from the remaining blurriness on my wife s face things aren t perfect In another even more impressive example not seen here Photo Unblur removed almost all the softness in my face so you can really see how upset I was about blowing up a giant pool floaty without the help of a pump For video the big new feature is Cinematic Blur mode which attempts to add a soft bokeh to the background of your clips to create a more film like look In general the results are pretty good though it s not completely foolproof Depending on the scene you might notice some spots where that bokeh is applied unevenly or where it pops in and out as things move around which can be a little distracting As for the Pixel Pro not only does it get the ability to shoot macro shots using the phone s ultra wide cam it also has a longer x telephoto lens and improved zoom processing Taking macro shots is as easy as moving the phone close to your subject at which point the P Pro will automatically switch to macro mode There are no buttons or settings to activate and the results aren t bad either Meanwhile for zoom shots the Pixel Pro produced a sharper image than the S Ultra at x while also keeping it close at x despite Samsung s phone costing an extra and packing a longer x lens Despite Google s improvements to Super Res Zoom there s only so much algorithms can do because at x it s pretty clear the S Ultra has an advantage in optics But for general photography the Pixel and Pro are still in a class of their own Compared to the S Ultra and the iPhone the Pixel line routinely captured pics with superior dynamic range This leads to photos with more vibrant colors less blown out highlights and just generally sharper details Same goes for low light where Google s Night Sight consistently captured more well exposed pics with better textures and richer hues Battery lifeSam Rutherford EngadgetWhen it comes to longevity both phones offer solid battery life However the Pixel delivers a pleasant surprise because thanks to its smaller lower res screen it survived a touch longer than the Pro in both benchmarks and real world usage On our standard video rundown test the Pixel lasted hours and minutes which isn t quite as good as the we got from the iPhone Plus but still respectable Meanwhile the Pixel Pro fared just a touch worse with a time of But regardless of which phone I was using even with moderate to heavy usage the Pixel Pro always had at least percent left in the tank at the end of the day while the standard Pixel often had upwards of percent still in reserve Charging is also largely unchanged from last year with both phones getting watt wired charging wireless charging and support for reverse power sharing in case you need to send some excess juice to a different device in need The one caveat is that while wireless charging can go up to watts for the Pixel or watts on the Pro that s only when using the Pixel Stand If you opt for a standard Qi wireless charging speeds top out at a less impressive watts Wrap upSam Rutherford EngadgetWhen stacking Google s latest handsets up against the competition it s best to tackle each phone separately For the Pixel even without much in the way of new hardware you re getting a phone with a great screen even better battery life and one of the best software packages around ーnow with new perks like an improved Direct My Call and enhanced photo processing But most importantly with a starting price of just it s a way better value than the basic flagships from Apple and Samsung The one drawback is that if you need mmWave G you ll have to go with one of the slightly more expensive carrier models sold by Verizon AT amp T and others Meanwhile with a price of the Pixel Pro is like an even more well equipped version of the S for the same money You get a big inch OLED display with a Hz refresh rate a longer x zoom and superior camera quality I also think the Pixel Pro flat out looks better too That leaves stuff like an ultra wide cam that can also shoot macros as a nice cherry on top Also if you don t care about stylus support I d argue that the Pixel Pro makes a lot more sense than the super expensive S Ultra And I haven t even touched on Google s new and improved Real Tone processing mostly because even though I m biracial both sides of my family are lacking in the melanin department and I just haven t had time to really put it through its paces But regardless of which one you prefer with the Pixel line and Tensor G Google is really showing how a software first approach to phone design can really shine 2022-10-12 17:09:28
海外科学 NYT > Science Black Holes May Hide a Mind-Bending Secret About Our Universe https://www.nytimes.com/2022/10/10/science/black-holes-cosmology-hologram.html cosmos 2022-10-12 17:13:22
海外TECH WIRED 48 Best Prime Day Kitchen and Home Deals (2022): Vacuums, Mattresses, Cookware https://www.wired.com/story/best-amazon-prime-day-smart-home-kitchen-deals-2022-5/ amazon 2022-10-12 17:29:00
海外TECH WIRED Google Pixel 7 and Pixel 7 Pro Review: Even Better Value https://www.wired.com/review/google-pixel-7-pixel-7-pro/ sheer 2022-10-12 17:04:00
ニュース BBC News - Home Gas taps can be still turned on to EU, says Vladimir Putin https://www.bbc.co.uk/news/world-europe-63231826?at_medium=RSS&at_campaign=KARANGA germany 2022-10-12 17:41:48
ニュース BBC News - Home George Alagiah takes TV break after cancer spreads https://www.bbc.co.uk/news/entertainment-arts-63234953?at_medium=RSS&at_campaign=KARANGA stuff 2022-10-12 17:16:58
ニュース BBC News - Home Wasps: Premiership club 'likely' to enter administration 'within days' https://www.bbc.co.uk/sport/rugby-union/63232043?at_medium=RSS&at_campaign=KARANGA Wasps Premiership club x likely x to enter administration x within days x Premiership club Wasps say they are likely to go into administration within days and will not fulfil this weekend s game against Exeter Chiefs 2022-10-12 17:33:57
ニュース BBC News - Home Investors nervous as market sell-off intensifies https://www.bbc.co.uk/news/business-63230008?at_medium=RSS&at_campaign=KARANGA borrowing 2022-10-12 17:37:41
ビジネス ダイヤモンド・オンライン - 新着記事 なぜアナタの話は伝わらないのか… 嫌われてもいいから実践するべき 「肝心なことがぜんぜん伝わらない」 がなくなる方法 - 精神科医Tomyが教える 心の荷物の手放し方 https://diamond.jp/articles/-/310991 なぜアナタの話は伝わらないのか…嫌われてもいいから実践するべき「肝心なことがぜんぜん伝わらない」がなくなる方法精神科医Tomyが教える心の荷物の手放し方不安や悩みが尽きない。 2022-10-13 02:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 【精神科医が教える】「うらやましい気持ち」をポジティブに変換する方法 - こころの葛藤はすべて私の味方だ。 https://diamond.jp/articles/-/311157 精神科医 2022-10-13 02:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 【武器としての心理術】人は褒められると、なぜ否定できなくなるのか? - メンタリズム日本一が教える「8秒」で人の心をつかむ技術 https://diamond.jp/articles/-/311186 それを可能にしたのが、大久保雅士著『メンタリズム日本一が教える「秒」で人の心をつかむ技術』だ。 2022-10-13 02:40:00
北海道 北海道新聞 ラーメン、競走馬、温泉…ご当地タクシー会社が集結 函館で13日に「サミット」 https://www.hokkaido-np.co.jp/article/744493/ 全国各地 2022-10-13 02:19:01
Azure Azure の更新情報 Public preview: Microsoft Azure Deployment Environments https://azure.microsoft.com/ja-jp/updates/public-preview-microsoft-azure-deployment-environments/ Public preview Microsoft Azure Deployment EnvironmentsAzure Deployment Environments has entered public preview and helps dev teams create and manage all types of environments throughout the application lifecycle 2022-10-12 17:40:06

コメント

このブログの人気の投稿

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