投稿時間:2023-03-29 04:24:13 RSSフィード2023-03-29 04:00 分まとめ(27件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Open Source Blog Right-size your Kubernetes Applications Using Open Source Goldilocks for Cost Optimization https://aws.amazon.com/blogs/opensource/right-size-your-kubernetes-applications-using-open-source-goldilocks-for-cost-optimization/ Right size your Kubernetes Applications Using Open Source Goldilocks for Cost OptimizationLearn how to optimize resource allocation and right size applications in Kubernetes environments to reduce costs using open source Goldilocks 2023-03-28 18:20:59
python Pythonタグが付けられた新着投稿 - Qiita 【ChatGPT】完全自律でYouTubeライブ配信できる「AI-Vtuber」作った #1【Python】 https://qiita.com/cravel/items/9226d711a2c1fc1ab1e2 aivtuber 2023-03-29 03:09:19
海外TECH Ars Technica Report: Twitter secretly boosted accounts instead of treating everyone equally https://arstechnica.com/?p=1927341 biden 2023-03-28 18:07:02
海外TECH MakeUseOf What Canva's Text to Image Upgrades Mean for Users https://www.makeuseof.com/canva-text-to-image-upgrades-users/ creative 2023-03-28 18:46:18
海外TECH MakeUseOf Is YouTube Music Worth the Money? The Pros and Cons https://www.makeuseof.com/is-youtube-music-worth-it-pros-and-cons/ music 2023-03-28 18:30:18
海外TECH MakeUseOf These 9 Things in Your Social Media Pictures Could Put You in Danger https://www.makeuseof.com/social-media-pictures-information-danger/ social 2023-03-28 18:15:16
海外TECH DEV Community Treehouse release 0.2.0 with CSS design system https://dev.to/progrium/treehouse-release-020-with-css-design-system-42hn Treehouse release with CSS design system New design system GitHub session locking and documentationThis release is a refinement of our initial release fixing a number of bugs and adding interaction improvements The look and feel of the UI was also updated with the start of a new CSS design system based on custom properties Session locking was added for the live demo and GitHub backend so multiple devices browsers tabs don t clobber changes of each other Documentation also got an upgrade with the start of a full guide on the website BugfixesAutosave error when switching between devices Deleting a node doesn t delete child nodes Hitting return should produce a new node directly below the above node TypeError exception when switching back from new panel Support emojis Enhancements and ChoresTypography and layout improvements to application Add keyboard shortcut to move nodes up or down Prevent backspace to delete if there are child nodes Allow renaming the workspace Clicking outside of the search bar command palette should close it Workspace workbench separation Add API docs Set up versioned library bundle Allow backspace to delete an empty child node Save last location on reloads Hide buttons to move a panel up down 2023-03-28 18:19:09
海外TECH DEV Community STM32F4 Embedded Rust at the PAC: Creating Hardware Abstractions with embedded-hal https://dev.to/apollolabsbin/stm32f4-embedded-rust-at-the-pac-creating-hardware-abstractions-with-embedded-hal-3j7 STMF Embedded Rust at the PAC Creating Hardware Abstractions with embedded hal IntroductionIn last week s post I demonstrated the creation of a simple UART abstraction used to hide register level details What is obvious from the prior code is that its behavior is limited to a single UART peripheral Meaning that as we create more abstractions for other UART instances we ll need to duplicate code Rust provides an alternative through generics and traits Through generics a type can be determined at compile time Traits on the other hand provide a way of defining common behavior Thinking in an embedded context peripherals among devices share a lot of common traits For example serial peripherals always have a Write or Read function This is where the embedded hal comes in It s a community effort crate that was created to define common behavior among controllers through traits embedded hal is a really powerful concept The existence of embedded hal enables the implementation of platform agnostic drivers This is done by creating a component driver that uses the embedded hal traits and then deploying the driver on any platform that supports embedded hal From a PAC context to implement the embedded hal one would have to import the embedded hal crate and then implement the particular behavior for the different peripherals In this post I will be adjusting the code from last week s post such that the USART abstraction would instead implement the embedded hal for it s Write function If you find this post useful and to keep up to date with similar posts here s the list of channels you can follow subscribe to Twitter → apollolabsbin Newsletter →SubscribeGit Repo All Code Examples →Link Import the embedded hal and nb Crates In the imports need to add embedded hal and nb embedded hal includes all the required traits and nb is a crate that adds blocking operation support more on this later no std use embedded hal as ehal use nb use stmf pac as pac Update the Driver Struct In the previous code recall the abstraction unit struct UartTx pub struct UartTx Which now changes to the following pub struct SerUart lt USART gt usart USART Note that I modified the struct name to SerUart such that the name is not particular to UART but more importantly I introduced a generic type UART This potentially would allow the struct to be instantiated to different UART instances Implement the Write Trait ️Defining the Write trait behavior starts with impl ehal serial Write lt u gt for SerUart lt pac USART gt This line of code essentially says that we want to define the behavior of the ehal serial Write lt u gt trait for the SerUart struct that implements the type pac USART Within ehal serial Write lt u gt there are two functions that need to be defined write and flush The seril Write trait requires us to implement an Error type that is associated with the serial interface To do that one can enumerate all the possible errors and associate them with the type Ideally these would be used to identify the types of errors occurring For now I didn t want to implement any error functionality so I created an empty enum and associated it with the Error type pub enum Errors impl ehal serial Write lt u gt for SerUart lt pac USART gt type Error Errors fn write amp mut self word u gt nb Result lt Self Error gt Implementation of write fn flush amp mut self gt nb Result lt Self Error gt Implementation of flush Following that I copied over the prior implementation of write to transmit a byte over the UART channel Additionally I left the flush implementation empty since I have no use for it in this particular implementation pub enum Errors impl ehal serial Write lt u gt for SerUart lt pac USART gt type Error Errors fn write amp mut self word u gt nb Result lt Self Error gt Put Data in Data Register self usart dr write w unsafe w dr bits word as u Wait for data to get transmitted while self usart sr read tc bit is clear Ok fn flush amp mut self gt nb Result lt Self Error gt Ok Note how the write and flush functions have a nb Result type returned nb is a special type of crate that allows the implementation of the Result enum with additional variants The purpose of the additional variants is to allow the implementation of blocking or non blocking operations if required This is mainly to support blocking asynchronous programming models if required Update the Initialization Function Implementation Initialization of the UART peripheral remains more or less the same as before The only minor difference is that the type for SerUart is specified in the implementation impl SerUart lt pac USART gt pub fn init clocks amp pac RCC usart amp pac USART cnfg Config Enable Clock to USART clocks apbenr write w w usarten set bit Enable USART by setting the UE bit in USART CR register usart cr reset usart cr modify w w ue set bit USART enabled Program the UART Baud Rate usart brr write w unsafe w bits cnfg freq cnfg baud Enable the Transmitter usart cr modify w w te set bit Wait until TXE flag is set while usart sr read txe bit is clear Thats it now we have a hardware abstraction that supports embedded hal ConclusionThe embedded hal is commonly mistaken to be a hardware abstraction layer HAL itself although it is not On the contrary embedded hal is a crate that provides a common API that can be adopted among multiple platforms This enables powerful concepts like platform agnostic drivers The embedded hal crate is used alongside a HAL implementation to define the behavior of particular peripherals through traits In this post I modify a previously created USART abstraction layer in Rust for the STMF to adopt the embedded hal traits As a reminder if you found this post useful and to keep up to date with similar posts here s the list of channels you can follow subscribe to Twitter → apollolabsbin Newsletter →SubscribeGit Repo All Code Examples →Link 2023-03-28 18:16:05
海外TECH DEV Community What new productivity tools have you discovered lately? https://dev.to/ben/what-new-productivity-tools-have-you-discovered-lately-4401 productivity 2023-03-28 18:12:15
海外TECH DEV Community Talk Notes: "Simple Made Easy" by Rich Hickey (2011) https://dev.to/sylwiavargas/talk-notes-simple-made-easy-by-rich-hickey-2011-39oo Talk Notes quot Simple Made Easy quot by Rich Hickey What is this post about As a part of my professional growth I make time to watch tech talks Previously I d just watch them but now I take and publish notes for future reference Talk Simple Made Easy by Rich HickeyOne paragraph summary Rich Hickey the author of Clojure and designer of Datomic is a software developer with over years of experience in various domains Rich has worked on scheduling systems broadcast automation audio analysis and fingerprinting database design yield management exit poll systems and machine listening in a variety of languages This keynote was given at Strange Loop and is perhaps the best known and most highly regarded of Rich s many excellent talks ushering in a new way to think about the problems of software design and the constant fight against complexity Impression I loved this talk Plenty of food for thought both with regards to my engineering work and Developer Relations Even though the talk was delivered over a decade ago most points are still very much relevant and many discussions are still ongoing That is a testament to how well planned this talk was but also to that some themes in the tech community discourse are universal Introduction We need to build simple systems if we want to build good systems Word originssimple roots are sim and plex which means one fold or one braid complex at roots it means braided together easy at roots it means lie near adjacent hard at roots means strong Simple Simple things are like one fold they have one role one task one objective one concept it is focusedThere might be many instances of the same simple thing and it remains simple as long as these instances are not mingledThe simplicity can be objectively statedmy side note simple is a language of fairy tales Easy Easy things are near at hand easy to obtain they are at reach in software that would be an easy reach like on our hard drive tool set IDEEasy things are near to our understanding our skillset they are familiarmy side note easy is Swedish because to me it looks like English and GermanEasy things are near our capabilitiesEasy is relative it depends on the context an individual has Construct vs ArtifactConstruct We program with constructs We have programming languages We use particular libraries and those things in and of themselves when we look at them like when we look at the code we write have certain characteristics in and of themselves Artifacts But we re in a business of artifacts We don t ship source code and the user doesn t look at our source code and say Ah that s so pleasant They run our software and they run it for a long period of time All of that stuff the running of it the performance of it the ability to change it all is an attribute of the artifact not the original construct We focus too much on the construct the programming languages Even though the users are infatuated with the artifact say the UI the developers focus on the construct the library Our employers are infatuated with the easiness of the contruct too it s easy to replace a programmer and this programmer will know how to move around the codebase and use the tools because they are easy near their context and familiar though it s not necessarily easy in the sense of whether the person has the capabilities to actually code in this codebase We should focus on the long term results of the use of the artifactDoes the software do what it s supposed to do Is it of high quality Can we rely on it doing what it s supposed to do Can we fix problems when they arise And if we re given a new requirement can we change it Conclusion We must assess constructs by their artifactsmy side note this is a really interesting framing to me it s really helpful because I have been thinking a lot about how much talk there is about some libraries say React and so little talk about how inaccessible the resulting UI is Working with limitationsOnly the things we can understand we can make reliableThe more extensible flexible and dynamic stuff is the more tradeoff there is in our ability to understand itWe can only consider a few things at a time this is a limited numbermy side note some research suggests that we can t focus on more than one thing at a time and other that we can keep track of limited number of things like at the same time If things are intertwined together we lose the the ability to take them in isolation Every intertwining is adding more burden and the intertwining braiding things together is going to limit our ability to understand systemsConclusion complexity undermines understanding Changing things What is the impact of this potential change if you re going to change software you re going to need to analyze what it does and make decisions about what it ought to do And what parts of the software do I need to go to to effect the change if you can t reason about your program you can t make these decisions without fearOnce we have software we do two things add capabilities and debug what doesn t workGood joke about debugging at markTests are useless if we can t understand our program they may eventually fail usAnother good joke this time about agile at and I m going to quote it here gt What kind of runner can run as fast as they possibly can from the very start of a race Sprinter only somebody who runs really short races okay But of course we are programmers and we are smarter than runners apparently because we know how to fix that problem right We just fire the starting pistol every hundred yards and call it a new sprint If you ignore the complexity you will slow down over the long haulif you focus on ease you will be able to go as fast as possible from the beginning of the race but the complexity will eventually get you and you will accomplish less with every next sprint and you will end up redoing things you ve already done and the net effect is you re not moving forward in any significant way Easy but complexSome things that are easy are actually complexthey are succinctly describedthey are familiarthey are availableeasy to useUsers don t care about the underlying complexity they care about what the program doesIs the outcome of your work drowning in complexity The benefits of simplicity ease of understandingease of changeease of debuggingincreased flexibility change things around modularityIs it easier to change a knitted castle or a LEGO castle Making Things EasyMake it reachable easy to install easy to approveMake it familiar it s a learning exerciseMake it simple so it s easy to understand we are limited in our ability to understand complexityGood point about parens in Clojure there are some things you can solve get more familiar start using the tool and some that you cannot the tool is complex Developers know the value of everything and the cost of nothing rephrased from LISP programmers know the value of everything and the cost of nothing from Alan Perlis we talk a lot about benefits but not the tradeoffsAvoid complexity don t complect braid together Instead compose place together composing simple components is the key to robust systemsit s not only about modularizationState is never simple but it is easy familiar at hand You don t need all this complexity You can make a sophisticated system with simple tools you can focus on the system what it s supposed to do instead of the constructs If a decision needs to be made by a person who has better context that system is not simple Main points of complexityConstructComplectsStateEverything that touches itObjectsState identity valueMethodsFunction and state namespacesSyntaxMeaning orderInheritanceTypesSwitching matchingMultiple who what pairsvariablesvalue timeImpreative loopswhat howActorswhat howORMeverythingConditionalswhy structure of the programThese can be replaced with the following simpler stuff ConstructGet it via Valuesfinal persistent collectionsFunctionsstateless methodsNamespaceslanguage supportDataJSON maps sets arrays xmlPolymorphism a la carteProtocols type classesManaged refslanguages like ClojureSet functionslibrariesQueueslibrariesDeclarative data manipulationSQLRules declarative system of rules librariesConsistencyTransactions valuesData is actually really simple There are not a tremendous number of variations in the essential nature of data there are maps there are sets there are linear sequential things There are not a lot of other conceptual categories of data We create hundreds of thousands of variations that have nothing to do with the essence of this stuff and make it hard to write programs that manipulate the essence of the stuff We should just manipulate the essence of the stuff It s not hard It s simpler Abstraction for simplicityabstract meaning drawn away from its physical nature abstraction sometimes is used in a sense of hiding complexity but that s not what it is aboutIf you want to take stuff apart look at a concept and ask who what when where why howWhatWhat is the operation What is what we want to accomplish If you separate what from how you can make how someone else s problemWhoData or entities these are the things that our abstractions are going to be connected to eventually depending on how your technology works Pursue many subcomponents so you work with small interfacesHowHow the work happens the implementation logicconnect to abstractions and entities via polymorphismprefer abstractions that don t dictate how declarative are good When wheredon t complect with design if A causes B you re complectin use queues instead Whythe policy and rules of the applicationoften strewn everywhere Information is simpleDon t ruin itSimplify the problem space or some code that somebody else wrote by disentangling identifying individual threads roles dimensionsfollowing through the user storySimplicity is a choice it s your fault if you don t have a simple systemYou need vigilance sensibilities and careEasy is not simple Simple is something that s not entangled Simplicity made easyChoose simple constructs over complexity generating constructsIt s the artifacts not s the authoringCreate simple abstractionsSimplify the problem space before you startSimplifying means making more things not fewer 2023-03-28 18:11:00
Apple AppleInsider - Frontpage News How to add and transfer eSIMs to iPhone https://appleinsider.com/inside/iphone/tips/how-to-add-and-transfer-esims-to-iphone?utm_medium=rss How to add and transfer eSIMs to iPhoneYou don t need to use fiddly physical SIM cards anymore Here s how to get started using the modern eSIM with your iPhone You don t need physical SIM cards anymore PublicDomainPictures Pixabay A SIM Subscriber Identity Module is that tiny contact covered card your carrier provides so your iPhone and other devices work on their cellular network However in a constantly evolving market they too have been replaced by something newer Read more 2023-03-28 18:51:40
海外TECH Engadget Google and ADT team up for new Nest-integrated security tools https://www.engadget.com/google-and-adt-team-up-for-new-nest-integrated-security-tools-185037191.html?src=rss Google and ADT team up for new Nest integrated security toolsIt s been three years since Google and security firm ADT announced a partnership to develop Nest integrated products and we re finally seeing the fruits of this team up ADT just announced a DIY friendly suite of security tools under the ADT Self Setup umbrella and each of these products boasts deep integration with the Google Nest platform The ADT Self Setup system includes components from both companies On the ADT side they just announced a slew of compatible products like door and window sensors standalone motion sensors smoke detectors temperature sensors flooding sensors and a keypad to make adjustments Additionally ADT will soon offer a keychain remote for even more control options All of these products connect via a centralized hub with a built in keyboard a siren and full battery backup in the case of a power outage Each of the above components offers full integration with nearly every Google Nest device including the battery powered Nest Doorbell the Nest Learning Thermostat the Nest WiFi Router and various indoor and outdoor cameras Smart displays like the Nest Hub Max are also supported ADTWhat does this mean exactly You can make adjustments to the Nest devices via the ADT app simplifying your setup and you will receive specialized notifications from Nest cameras and doorbells whenever they detect activity These notifications will even alert you to the type of activity such as a person rooting around or a neighborhood dog giving your porch a good sniff Customers can also use the app to create unique routines and automations that combine the features of both Nest and ADT security products ADT says these routines will be useful for setting doors to lock on a schedule and lights to turn on or off among other functions Users can receive more benefits by opting into ADT s smart monitoring system which is priced at each month The subscription gets you video verification in which ADT representatives analyze footage when an alarm is tripped and monitoring We reached out to ADT and they said the products can be used without a paid monitoring plan though not all features will be available As such the company quot strongly recommends customers subscribe in order to get the best protection and experience from their system quot In the meantime the system is available for purchase starting today A bare bones pack including just the control hub costs while a starter package that includes the hub a Nest Doorbell and several related sensors clocks in at Finally an ultra premium package at ships with everything mentioned above plus a second generation Nest Hub This article originally appeared on Engadget at 2023-03-28 18:50:37
海外TECH Engadget Twitter’s secret VIP list is the reason you see Elon Musk’s tweets so often https://www.engadget.com/twitters-secret-vip-list-is-the-reason-you-see-elon-musks-tweets-so-often-181735784.html?src=rss Twitter s secret VIP list is the reason you see Elon Musk s tweets so oftenWe now know why Twitter s algorithm seems to recommend some users tweets so often Newsletter Platformer reports that the company has a secret VIP list of a few dozen accounts “it monitors and offers increased visibility in its recommendation algorithm The accounts include Elon Musk as well as a handful of other prominent Twitter users The revelation comes as Musk has repeatedlypromised to make Twitter s recommendation algorithms open source He also recently stated that soon only paid subscribers to Twitter Blue would be eligible to have their tweets displayed in the algorithmic “For You feed It s not clear if that change would also affect the VIP list of users who regularly get a boost in the feed Some of the accounts on the list like President Joe Biden and YouTuber Mr Beast are currently verified but don t pay for Twitter Blue Twitter no longer has a communications team to respond to questions According to Platformer the VIP list was “originally created to monitor the engagement received by Twitter power users as the company has tried to allay suspicions that its “shadowbans certain users to reduce their visibility on the platform “Our algorithm is overly complex amp not fully understood internally Musk recently tweeted But the list which reportedly is only accounts in addition to Musk is also telling about who Musk believes should benefit from Twitter s algorithm Platformer didn t publish the entire list which includes LeBron James New York Representative Alexandria Ocasio Cortez venture capitalist Marc Andreesen Tesla fan account teslaownerssv and conservative personality Ben Shapiro It also includes catturd an account recently described by Rolling Stone as the “Sh tposting King of MAGA Twitter It s also not the first time that a report has surfaced about how Musk has tweaked Twitter s algorithm to boost his own tweets Last month Musk said the company was fixing an issue that caused users For You feeds to be overwhelmed with dozens of Musk tweets Platformer later reported that Twitter employees had changed its algorithm to favor Musk after the CEO was mad that his Super Bowl tweet didn t receive as much engagement as Biden s Musk reportedly fired an engineer who suggested the lack of engagement was due to declining interest in his tweets This article originally appeared on Engadget at 2023-03-28 18:17:35
海外TECH Engadget Wikipedia says it has found the 'sound of all human knowledge' with new audio logo https://www.engadget.com/wikipedia-says-it-has-found-the-sound-of-all-human-knowledge-with-new-audio-logo-181059089.html?src=rss Wikipedia says it has found the x sound of all human knowledge x with new audio logoWe don t always think about it but sound can be as important to identifying a brand as any graphical logo Netflix s ta dum instantly brings the streaming service s logo to mind Apple s startup chime feels like a warm greeting from your computer Now Wikipedia has an iconic audio mark of its own a fluttering of book pages keyboard clicks and synthesize tones it calls quot The Sound of All Human Knowledge quot In true Wikipedia fashion the four second audio clip was sourced from the community The Wikimedia Foundation hosted a contest to find an audio logo for quot projects when visual logos are not an option quot Over submissions later they landed on a series of warm happy notes preceded by book and keyboard noises created by Thaddeus Osborne Osborne a Nuclear Scientist by day will be awarded for creating the winning sound Wikimedia will also be flying him to a professional recording studio to help produce a finalized version of the audio logo The foundation says it hopes to have the final sound ready to use by June of this year This article originally appeared on Engadget at 2023-03-28 18:10:59
海外TECH CodeProject Latest Articles List of Visual Studio Project Type GUIDs https://www.codeproject.com/Reference/720512/List-of-Visual-Studio-Project-Type-GUIDs csproj 2023-03-28 18:39:00
ニュース BBC News - Home Labour could require solar panels for new builds, hints Ed Miliband https://www.bbc.co.uk/news/uk-politics-65097319?at_medium=RSS&at_campaign=KARANGA targets 2023-03-28 18:31:36
ビジネス ダイヤモンド・オンライン - 新着記事 ChatGPT「仕事活用」入門講座!大量リサーチ、プロジェクトの計画作成も朝飯前 - 仕事を256倍速くするツールを探せ! https://diamond.jp/articles/-/320239 ChatGPT「仕事活用」入門講座大量リサーチ、プロジェクトの計画作成も朝飯前仕事を倍速くするツールを探せ最近は名前を聞かない日がないくらい話題の、チャット型ジェネレーティブAI「ChatGPT」。 2023-03-29 03:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 【福島】JA赤字危険度ランキング2023、5農協中1農協だけ赤字転落 - 全国512農協 JA赤字危険度ランキング2023 https://diamond.jp/articles/-/320050 2023-03-29 03:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 【山形】JA赤字危険度ランキング2023、15農協中3農協が赤字!最下位は3億円の赤字 - 全国512農協 JA赤字危険度ランキング2023 https://diamond.jp/articles/-/320049 2023-03-29 03:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 今春上場「TONA金利先物」が秘めた可能性、金融機関の資本コスト低下も - きんざいOnline https://diamond.jp/articles/-/320268 今春上場「TONA金利先物」が秘めた可能性、金融機関の資本コスト低下もきんざいOnline今年の春、TONA金利先物の上場が予定されている。 2023-03-29 03:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 “相場の神様”と呼ばれた山崎種二の「勉強法、人生哲学、相場談義」後編 - The Legend Interview不朽 https://diamond.jp/articles/-/320200 “相場の神様と呼ばれた山崎種二の「勉強法、人生哲学、相場談義」後編TheLegendInterview不朽山種証券創業者の山崎種二年月日年月日インタビューだ。 2023-03-29 03:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 セールスフォースCEO 一息ついたが前途多難 - WSJ PickUp https://diamond.jp/articles/-/320267 wsjpickup 2023-03-29 03:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 生成AIブームを逃すな、クラウド3強がしのぎ - WSJ PickUp https://diamond.jp/articles/-/320266 wsjpickup 2023-03-29 03:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 米駐日大使、中国「経済的圧力」への議会対応求める - WSJ PickUp https://diamond.jp/articles/-/320265 wsjpickup 2023-03-29 03:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 「情報独占でマウント」を取る上司が愚の骨頂である理由 - ニュースな本 https://diamond.jp/articles/-/319596 山本真司 2023-03-29 03:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 斎藤佑樹元プロ野球選手が、セカンドキャリアに“指導者・解説者”を選ばなかった理由 - 親と子の「就活最前線」 https://diamond.jp/articles/-/315481 斎藤佑樹 2023-03-29 03:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 異動や入社で迎える新メンバーを戦力化する、オンボーディングの重要性 - 及川卓也のプロダクト視点 https://diamond.jp/articles/-/320285 及川卓也 2023-03-29 03:05: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件)