投稿時間:2023-03-02 03:39:36 RSSフィード2023-03-02 03:00 分まとめ(43件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Security Blog Considerations for the security operations center in the cloud: deployment using AWS security services https://aws.amazon.com/blogs/security/considerations-for-the-security-operations-center-in-the-cloud-deployment-using-aws-security-services/ Considerations for the security operations center in the cloud deployment using AWS security servicesWelcome back If you re joining this series for the first time we recommend that you read the first blog post in this series Considerations for security operations in the cloud for some context on what we will discuss and deploy in this blog post In the earlier post we talked through the different operating models … 2023-03-01 17:35:43
AWS AWS Atomix - A One Click Data Framework | Amazon Web Services https://www.youtube.com/watch?v=sLVEq4n0uAQ Atomix A One Click Data Framework Amazon Web ServicesAtomix A One Click Data Framework This framework enables enterprise customers to build their data platform on cloud by providing few configurations and clicking a button in the Atomix data portal which would otherwise take months to years of effort to build the same Atomix A One Click Data Framework is a self service data portal Enterprise customers will be able to build their end to end data platform starting from data ingestion from various sources data standardization build data lineage perform data governance and data sharing to multiple consumer accounts This creates data mesh where multiple data producers can share their data with multiple data consumers So with One Click customers will be able to build the entire lake house platform both data lake as well as data warehouse Learn more about AWS Subscribe More AWS videos More AWS events videos ABOUT AWSAmazon Web Services AWS is the world s most comprehensive and broadly adopted cloud platform offering over fully featured services from data centers globally Millions of customers ーincluding the fastest growing startups largest enterprises and leading government agencies ーare using AWS to lower costs become more agile and innovate faster AWS AmazonWebServices CloudComputing 2023-03-01 17:18:39
AWS AWS Security Blog Considerations for the security operations center in the cloud: deployment using AWS security services https://aws.amazon.com/blogs/security/considerations-for-the-security-operations-center-in-the-cloud-deployment-using-aws-security-services/ Considerations for the security operations center in the cloud deployment using AWS security servicesWelcome back If you re joining this series for the first time we recommend that you read the first blog post in this series Considerations for security operations in the cloud for some context on what we will discuss and deploy in this blog post In the earlier post we talked through the different operating models … 2023-03-01 17:35:43
海外TECH Ars Technica Meta’s hardware plans include thinner Quest this year, ad-supported AR in 2027 https://arstechnica.com/?p=1920940 attractive 2023-03-01 17:09:24
海外TECH MakeUseOf 6 Pros and Cons of Business Budgeting in Excel https://www.makeuseof.com/pros-cons-business-budgeting-excel/ right 2023-03-01 17:46:17
海外TECH MakeUseOf How to Write Your Cover Letter Using ChatGPT https://www.makeuseof.com/write-cover-letter-using-chatgpt/ standout 2023-03-01 17:30:16
海外TECH MakeUseOf How to Download and Install Windows 11 ARM With ISO https://www.makeuseof.com/download-install-windows-11-arm-iso/ download 2023-03-01 17:16:16
海外TECH DEV Community React vs Signals: 10 Years Later https://dev.to/this-is-learning/react-vs-signals-10-years-later-3k71 React vs Signals Years LaterHow does the old Winston Churchill quote go Those who fail to learn from history are doomed to repeat itAlthough a more ironic addendum might add Those who study history are doomed to stand by while everyone else repeats it In the past few weeks we ve seen the culmination of a build of excitement around the revival of fine grained reactivity being referred to as Signals across the front end world For a history of Signals in JavaScript check out my article The Evolution of Signals in JavaScript Ryan Carniato for This is Learning・Feb ・ min read webdev javascript reactivity signals The truth is Signals never went away They lived several years in obscurity as third party libraries or hidden behind frameworks plain object APIs Even though the common rhetoric that came in with React and the Virtual DOM condemned the patterns as unpredictable and dangerous And they weren t wrong Devon Govett devongovett Easy to forget but the debate about signals is the same one we had about way data binding vs unidirectional data flow years ago Signals are mutable state They re bindings with a new name The simplicity of UI as a function of state is lost when updates flow unpredictably PM Feb But there is more to it than a year old debate So I want to talk about how things have changed over the years and offer SolidJS as a foil Fixing Front end дэн dan abramov thdxr there s an assumption that people with React brain are unfamiliar with other approaches that s probably true for some but i also invite to consider that some of us have been through this before and even started our careers with setup render split to us React was the “fix PM Feb At the core of this conversation is understanding what React is React is not its Virtual DOM React is not JSX To this date one of my favorite articles on the subject came from one of Dan Abramov s earliest articles You re Missing the Point of React where he state React s true strengths are composition unidirectional data flow freedom from DSLs explicit mutation and static mental model React has a very powerful set of principles that guide it that are more important than any implementation detail And even years later there is this notion from the thought leaders around React that they fixed front end But hypothetically what if they didn t What if there were other ways to address the problems of the day that didn t involve such drastic re alignment A Solid AlternativeThe concept behind Solid is equally simple It even shares ideas like composition unidirectional data flow and explicit mutation that made React feel like a simple answer to UI development Where it differs is outside the world of reactivity everything is an Effect It s almost the antithesis of React which treats everything you do as being pure as in having no side effects When I think of creating a Counter button with Signals without any templating I d do this function MyCounter const count setCount createSignal const myButton document createElement button myButton onclick gt setCount count update the text initially and whenever count changes createEffect gt myButton textContent count return myButton I d call my function and get a button back If I need another button I d do it again This is very much set and forget I created a DOM element and set up some event listeners Like the DOM itself I don t need to call anything for my button to update It is independent If I want a more ergonomic way of writing I use JSX function MyCounter const count setCount createSignal return lt button onClick gt setCount count gt count lt button gt Signals are not the same Signals as yesteryear Their execution is glitch free They are push pull hybrids that can model scheduled workflows like Suspense or Concurrent Rendering And mitigate the leaky observer pattern with automated disposal They have been leading benchmarks for several years not only for updates but for creation ImmutabilitySo far so good Well maybe not дэн dan abramov thdxr it s one of those “does it scale things i am finding it difficult to believe that the approach where a it s easy to add init only rendering logic and b making it reactive requires refactorings composes just as well it s what we had before React and what React solved PM Feb Apparently this is something React solves What did they solve exactly Putting Dan s specific concerns aside for a moment it comes down to immutability But not in the most direct way Signals themselves are immutable You can t modify their content and expect them to react const list setList createSignal createEffect gt console log JSON stringify list list push Doesn t trigger setList gt list Does trigger Even with variants from Vue Preact or Qwik that use value you are replacing the value not mutating it by assignment So what does it mean that Signals are mutable state The benefit of having a granular event driven architecture is to do isolated updates In other words mutate In contrast React s pure render model abstracts away the underlying mutable world re creating its virtual representation with each run How important is this distinction when looking at two declarative libraries that drive updates off state if the data interfaces are explicit side effects managed and the execution well defined Unidirectional FlowI am not a fan of way binding Unidirectional Flow is a really good thing I lived through the same things that are referenced in these tweets You may have noticed Solid employs read write segregation in its primitives This is even true of its nested reactive proxies If you create a reactive primitive you get a read only interface and a write interface The opinion on this is so ingrained into Solid s design that members of the community like to troll me abusing getters and setters to fake mutability Alexis Munsayac lxsmnsyc A secret solid js trick to allow writeable propsplayground solidjs com hash … AM May One of the important things I wanted to do with Solid s design was to keep the locality of thinking All the work in Solid is done where the effects are which is where we insert into the DOM It doesn t matter if the parent uses a Signal or not You author to your need Treat every prop as reactive if you need it to be and access it where you need it There is no global thinking necessary No concerns with refactorability We re enforce this by recommending when writing props you access the Signal s value rather than pass it down Have your components expect values rather than Signals Solid preserves reactivity by wrapping these in getters if it could be reactive lt Greeting name name gt becomesGreeting get name return name lt Greeting name John gt becomesGreeting name John How does it know A simple heuristic If the expression contains a function call or property access it wraps it Reactive values in JavaScript have to be function calls so that we can track the reads So any function call or property access which could be a getter or proxy could be reactive so we wrap it The positive is that for Greeting regardless of how you are consumed you access the property the same way props name There is no isSignal check or overwrapping unnecessarily to make things into Signals props name is always a string And being a value there is no expectation of mutation Props are read only and data flows one way Opt In vs Opt Out дэн dan abramov which way framework author AM Feb This might be the crux of the discussion There are a lot of ways to approach this Most libraries have chosen reactivity for Developer Experience reasons because automatic dependency tracking means not needing to worry about missing updates It isn t hard to imagine for a React developer Picture Hooks without the dependency arrays The existence of the dependency arrays in Hooks suggests React can miss updates Similarly you opt into client components use client when using React Server Components There are other solutions that have been automating this via compilation for years but at times there is something to be said about being explicit It isn t generally a singular decision You have things you opt into and things you opt out of in any framework In reality all frameworks are probably more like this Michael Rawlings mlrawlings twitter com dan abramov st… PM Feb дэн dan abramov which way framework author A frameworks ideals can be beyond reproach but the reality is not so clear cut This brings me to this example Devon Govett devongovett With signals you have to think about how each individual value is propagated For example in Solid these components do different things Thinking about whether each individual prop can change or not requires global reasoning rather than local PM Feb These are very different functions from Solid s perspective because of Solid s JSX handling and the fact they only run once This is not ambiguous and easily avoided once you are aware And there is even a lint rule for that It s like expecting these to be the same const value Date now function getTime return value function getTime return Date now Moving the expression doesn t change what Date now does but hoisting changes the function s behavior Maybe it is less than ideal but it isn t like this mental model isn t without its own benefits ThePrimeagen theprimeagen acdlite its funny the first time i ever used signals wasn t for perf it was for understanding where change happens easier plus you get LSP references to change just seems most rational PM Feb Can this be Fixed for real That s the logical follow up This is very much a language problem What does fixed even look like The challenge with compilers is that it is harder to account for edge cases and understand what happens when things go wrong It is largely the reason historically React or Solid has been pretty careful about keeping clear boundaries Since the first introduction of Solid we ve had people exploring different compilation because Signals as primitives are very adaptable and very performant In I took a stab at it The Quest for ReactiveScript Ryan Carniato for This is Learning・Nov ・ min read javascript webdev reactivity React team also announced they were looking at this too There are rules being imposed on both systems React wants you to remember not to do impure things in your function bodies That is because if you do you can observe abstraction leaks if they were ever to optimize what is under the hood Including potentially not re running parts of your component Solid is already optimized without the need for the compiler or extra wrappers like React memo useCallback useRef but like React could benefit from some more streamlined ergonomics like not having to worry about indicating where Signals are read The end result is almost the same Final ThoughtsThe oddest part of all of this is that the React team when looking at Reactivity doesn t feel like they are looking in the mirror By adding Hooks they sacrificed part of their re render purity for a model approaching that of Signals And that by adding a compiler to remove the hooks concerned with memoization they complete that story Now it should be understood these were developed independently Or atleast no acknowledgement was ever given which is not surprising given the sentiment of the old guard Pete Hunt floydophone acdlite I think you guys should be way more aggressive in pushing back against this stuff Throwing out the react programming model and adopting something like signals or worse signals plus a dsl is a huge step backwards and most people haven t internalized that AM Feb Fortunately React today is not the React of years ago either React changed the front end world by teaching us the important principles that should guide how to build UIs They did so by strength of conviction being a unique voice of reason in a sea of chaos We are where we are today due to their great work and countless have learned from their lessons Andrew Clark acdlite youyuxi trueadm When Huxpro introduced Forget at React Conf we focused on the auto memoizing part but the plan all along has involved compiling to a lower level reactive runtime We like the perf characteristics of signals We don t like the code you have to write to get it AM Feb Times have changed It is almost fitting that the paradigm that was fixed away would resurface It closes the loop Completes the story And when all the noise and tribalism fade what remains is a tale of healthy competition driving the web forward It is arguably never polite to construct a narrative by sewing together quotes out of context Time moves on and perspectives change But this is a long and strongly held sentiment from React s thought leadership One they ve been vocal about since the beginning I was able to grab all these quotes over conversations from just the last couple of days with very little effort For more on React s early history watch 2023-03-01 17:27:05
海外TECH DEV Community What is indexing in DB? https://dev.to/ahmadraza/what-is-indexing-in-db-1pdj What is indexing in DB What is Index Indexes are database structures that improve the performance of search queries They work like a phone book index where you can quickly look up a person s phone number without having to go through every entry in the book In a similar way a database index helps to speed up the search for data by creating a sorted reference to the values stored in one or more columns of a table This makes it faster for the database to retrieve data which can be especially important for large tables or complex queries So Whenever a query is executed the database engine searches the index for the keyword and retrieves the corresponding rows from the table This process is much faster than scanning the entire table to find the matching rows Drawbacks of IndexesIndexes can significantly improve query performance but they also have some drawbacks Creating and maintaining indexes takes time and resources and they can consume a significant amount of storage space Additionally indexes can actually slow down write operations because they need to be updated every time a row is inserted updated or deleted When to use indexes Here are some examples when you might want to use an index Primary keys When you create a table you can specify one or more columns as the primary key This creates a unique index on those columns which is used to enforce the primary key constraint and ensure that each row has a unique identifier Foreign keys When you create a foreign key constraint the database engine automatically creates an index on the foreign key column s in the referencing table This speeds up queries that join the referencing and referenced tables Frequently searched columns If you have a table with a large number of rows and one or more columns that are frequently searched you can create an index on those columns to speed up those queries Order by and group by clauses If your queries frequently include an order by or group by clause you can create an index on the column s being sorted or grouped Where clauses If your queries frequently include a where clause that filters the results based on a specific value or range of values you can create an index on the column s being filtered It s important to note that not all columns need an index In fact too many indexes can actually slow down performance because the database engine has to spend more time maintaining them It s best to create indexes selectively based on the needs of your queries 2023-03-01 17:19:55
海外TECH DEV Community How I'm Building a SaaS to Launch in 7 days (in public) https://dev.to/pwang_szn/how-im-building-a-saas-to-launch-in-7-days-in-public-5dh9 How I x m Building a SaaS to Launch in days in public Hey everyone Peter here I m doing a fun quick challenge to build a SaaS coding the entire thing myself in days and documenting the entire journey I got a lot of support to do this so I m finally doing it I have years of experience coding python node vue and have done a lot of projects up my sleeve so this isn t my first rodeo The Idea of the AppThe idea for my SaaS product is to create a collection of well designed SaaS pages AKA a swipe file Whenever I design pages for my SaaS products I always go to Dribble or other websites with nice designs It would be really useful to have all the designs I like in one spot and that s what I want to create Essentially it will be a database of really well designed SaaS pages user flows emails pretty much everything you need for a SaaS To develop my SaaS product I won t be hiring any additional developers I ll be spending hours per day working on the project and making sure it s shippable in seven days ToolsFor building the web app I m using SaaS Pegasus Appliku and Tailwind SaaS Pegasus is a code based template that has many of the essential features already built in such as sign on login and payments Appliku is great for handling code deployments and domain management Tailwind makes it super easy to create well designed sites The Tech SetupI m using Airtable as the backend storage for my SaaS product I chose Airtable because it has an easy to use API and allows me to add and edit images easily without having to write any API code For payments I m planning to use GumRoad I read that GumRoad performs better than Stripe on Twitter so I want to test it and see if it really does perform better What I ve done so farSo far I have set up the code base and solved some initial roadblocks I ve installed all the required packages and have all the code set up The site is running on my local machine and in production The next goal is to work on the dashboard and data import Roadblocks so FarOne of the roadblocks I faced was a random CSRF issue which is a security issue for cross site prevention I spent around minutes trying to fix it using ChatGPT but the answer was actually on the first page of Stack Overflow Thankfully I managed to fix it after thirty minutes I have a video here if you want to watch this instead Conclusion I have a more in depth video here if you want to watch this instead I m planning on documenting the entire journey from beginning to end all in public you can follow my Twitter to end on my Twitter to follow along 2023-03-01 17:08:48
海外TECH DEV Community How to save a string to clipboard in JavaScript https://dev.to/david_bilsonn/how-to-save-a-string-to-clipboard-in-javascript-13ie How to save a string to clipboard in JavaScriptThere are a few methods that can be used to copy a string to clipboard in JavaScript It is important to know how to save copy a string to clipboard when building websites and web based applications To simply save a string to clipboard you have to ensure navigator navigator clipboard and navigator clipboard writeText are used correctly Clipboard writeText allows you to copy the string value directly to clipboard We will see how this works shortly Let s take for example You create a string and store it as a variable…let stringText “This is the text to be copied to clipboard After creating the string and storing it as a variable you have to create a function that lets you copy the string to clipboard let stringText I am a text copied to clipboard function copyBtn navigator clipboard writeText stringText If the function copyBtn is assigned to an onClick event in an html element when clicked on the value of the string will immediately be copied to clipboard Let s create an example with a html button which would have a click event that would enable you copy the string to clipboard which you can then paste anywhere Remember to pass the copyBtn function to the click event First create a text area in your HTML that you can paste the string to lt textarea name textarea placeholder paste your link here cols rows gt lt textarea gt Create a button below the textarea lt button onclick copyBtn gt Click here to copy text to clipboard lt button gt Open the html file in your browser then click on the button The string stored in the stringText variable will be copied to clipboard you can then paste it within the textarea Okay now you are thinking Can t I make everything happen within HTML Of course you can How You can create a paragraph and store its textContent as variable The copyBtn function can then fetch the variable and store the textContent of the paragraph in the clipBoard Go ahead and give it a try Make sure your JavaScript file is linked to your HTML file unless you are writing JS in HTML then the JavaScript codes should go within the tag lt p gt lt p gt I hope you found this article useful You can check other articles I have written on JavaScript and some of the best practices lt p gt lt p gt If there are other ways that a string can be copied to clipboard kindly state them in the comment section lt p gt 2023-03-01 17:00:39
Apple AppleInsider - Frontpage News New Sony Bravia TVs have Apple TV, AirPlay 2, HomeKit & more https://appleinsider.com/articles/23/03/01/new-sony-bravia-tvs-have-apple-tv-airplay-2-homekit-more?utm_medium=rss New Sony Bravia TVs have Apple TV AirPlay HomeKit amp moreAfter a tease at CES Sony has officially unveiled its lineup of Bravia XR TVs compatible with the Apple TV app AirPlay and smart homes with HomeKit Bravia XR lineupFive new models round out Sony s lineup of smart TVs with features including New XR Clear Image for a fully immersive home theater experience They include XL and XL Mini LED XL Full Array LED AL QD OLED and AL OLED Read more 2023-03-01 17:57:17
Apple AppleInsider - Frontpage News A new Mac Pro is coming, confirms Apple exec https://appleinsider.com/articles/23/03/01/mac-pro-is-coming-confirms-apple-exec-but-when-is-the-question?utm_medium=rss A new Mac Pro is coming confirms Apple execApple hinting around the release of a Mac Pro continues with marketing chief Bob Borchers saying that bringing Apple Silicon to the whole Mac product line is a clear goal Rumors continue to come about a New Mac Pro but it s now eight months since the end of Apple s self imposed schedule to move all Macs to Apple Silicon While the rest of the range has moved to Apple Silicon and the company launched an entirely new model with the Mac Studio we ve otherwise only had hints about the new Mac Pro Read more 2023-03-01 17:01:42
海外TECH Engadget Rivian's electric R1S SUV will get an extended range 'Max' battery this fall https://www.engadget.com/rivians-electric-r1s-suv-will-get-an-extended-range-max-battery-this-fall-175420107.html?src=rss Rivian x s electric RS SUV will get an extended range x Max x battery this fallRivian won t limit its longest ranged battery pack to the RT pickup Founder RJ Scaringe has announced that a configuration with the Max Pack battery and dual motor all wheel drive will be available sometime this fall The company projects a mile range Crucially you won t lose the seven person seating in the process You can take the whole family on a road trip without as many charging stops as before The EV maker hasn t mentioned pricing for the Max Pack trim As Autoblognotes the option adds to the price of the RT but extends the range to miles At present RS buyers have to be content with a upgrade to the not yet EPA rated Large Pack You can expect a claimed miles with the stock battery Excited to share a new Max Pack Dual Motor AWD configuration for the seat RS is coming this fallーprojecting miles of range pic twitter com KBNxYHWJーRJ Scaringe RJScaringe February The wait for the Max option doesn t come at a great moment for Rivian The automaker has conducted two rounds of layoffs as part of a broader cost cutting strategy meant to help the brand survive rough economic conditions It While Rivian is one of the few EV startups to achieve meaningful production levels it made just cars in or less than half its originally predicted amount ーand roughly half of those were just recalled over an airbag deployment issue The RS Max model may boost demand but its late year arrival may limit its potential to improve Rivian s fortunes in This article originally appeared on Engadget at 2023-03-01 17:54:20
海外TECH Engadget Airbnb is banning people ‘likely to travel’ with prohibited users https://www.engadget.com/airbnb-is-banning-people-likely-to-travel-with-prohibited-users-173553947.html?src=rss Airbnb is banning people likely to travel with prohibited usersAirbnb is reportedly banning users who despite having a clear background were associated with people the company deems a safety risk Although the short term rental company faces an impossible balancing act of making owners feel secure without discriminating unfairly against renters its appeals process ーa critical step in catching overreaches ーsounds lackluster and confusing while erring on the side of perceived homeowner security Airbnb confirmed to Motherboard that it sometimes refuses to rent to users associated with banned individuals “likely to travel with them For example in January Airbnb informed a user named Amanda that she was prohibited from the platform due to being “closely associated with a person who isn t allowed to use Airbnb Amanda used the credit card of her boyfriend ーwho has a criminal record ーto book the rental Amanda doesn t have a criminal record She told Motherboard that her partner s flagged history was from “a white collar charge while adding that the two don t share an address or bank account Two days after appealing the ban Airbnb informed her it was upholding it “after careful consideration to help “safeguard our community Then it slammed the door shut on the case adding that it wouldn t “offer additional support on this case at this time Although the company is less than transparent about how long it s enacted this process or how often it uses it its procedures require one of two things to appeal successfully the banned acquaintance causing their prohibition successfully appeals their ban or the person attempting to rent proves they aren t “closely associated with the problematic person nbsp Either way the company s subliminal message has concerning undertones Associate with someone with a checkered past ーregardless of who they are today ーand neither of you can use our platform Airbnb is a private business and Amanda could try booking through a competitor ーor simply get a hotel room Further we don t know the precise details about why her boyfriend was banned in the first place But the company s approach highlights a more significant issue we may see again as Big Tech s ability to profile users grows more advanced The company already uses “anti party tech and competitor Vrbo used what s essentially pre crime for house parties during the Super Bowl nbsp So where do you draw the line Airbnb s answer appears to be a cynical calculation that risking negative press about banning acquaintances ーperhaps unfairly ーis preferable to anything that could make homeowners feel less secure about using the service This article originally appeared on Engadget at 2023-03-01 17:35:53
海外TECH Engadget The Olympic Esports Series will feature 'Just Dance,' 'Gran Turismo' and chess https://www.engadget.com/the-olympic-esports-series-will-feature-just-dance-gran-turismo-and-chess-172704742.html?src=rss The Olympic Esports Series will feature x Just Dance x x Gran Turismo x and chessThe International Olympics Committee has laid out more details for the upcoming Olympic Esports Series which will take place in Singapore in June The lineup features facsimiles of real world competitive events rather than what many people may think of as traditional esports such as real time strategy titles fighting games and first person shooters The initial batch of nine games connect to disciplines overseen by international sports federations They include Just Dance and online chess from Chess com Some titles that have appeared at previous IOC sanctioned events are returning including Gran Turismo and Zwift which requires participants to physically pedal on a stationary bike Archery baseball sailing taekwondo and tennis games round out the list Qualifiers for the various titles which include mobile games like Tennis Clash start today quot The Olympic Movement brings people together in peaceful competition quot David Lappartient chair of the IOC Esports Liaison Group said quot The Olympic Esports Series is a continuation of that with the ambition of creating more spaces to play for both players and fans of elite competition quot The Esports Series follows on from the Olympic Virtual Series which took place in in the lead up to the Olympic Games in Tokyo That esports event featured baseball cycling on Zwift rowing sailing and motorsport The IOC says the series drew in more than participants from countries Although the organization is still just warming up to the idea of bringing esports into the Olympic Games proper the series is part of the IOC s efforts to engage with younger people and perhaps provide a gateway for them into sport A strategic plan PDF approved by the IOC in includes a recommendation to quot encourage the development of virtual sports and further engage with video gaming communities quot Part of this involves an effort to quot strengthen the roles and responsibilities of international federations in establishing virtual and simulated forms of sports as a discipline within their regulations and strategies quot “The idea first is really to make the bridge between the sports and the gaming space quot Vincent Perieira the IOC s head of virtual sport and gaming told the Evening Standard “We re not making an opposition between sports and gaming The point is really how we can encourage people to do both to keep a good balance On one hand it makes some sense to ground the Esports Series in virtual versions of traditional sporting disciplines The basic rules of virtual cycling chess and tennis should be generally easy for participants and viewers to understand However the IOC may be missing a trick by opting not to feature the likes of League of Legends Super Smash Bros Ultimate StarCraft II Minecraft Fortnite or Counter Strike Global Offensive Those games and many others have significant built in audiences that may not especially care about the Olympics otherwise Perhaps one day we ll see Stardew Valley Tetris and GeoGuessr as medaled events at the Olympic Games but not anytime soon This article originally appeared on Engadget at 2023-03-01 17:27:04
海外TECH Engadget Activision accused of illegally firing game testers who opposed a return to office https://www.engadget.com/activision-accused-of-illegally-firing-game-testers-who-opposed-a-return-to-office-171526812.html?src=rss Activision accused of illegally firing game testers who opposed a return to officeActivision Blizzard s return to office plans are prompting another labor dispute The Communications Workers of America CWA union has filed an unfair labor practice charge with the National Labor Relations Board NLRB against Activision for the allegedly illegal firings of two quality assurance testers who objected to a hybrid plan that required them to be in the office three days a week by April th Management ostensibly fired the pair for using quot strong language quot in their opposition the CWA says but union Secretary Treasurer Sara Steffens characterized the move as quot retaliation quot against staff who joined co workers in protected labor activity Many employees are balking at the office strategy the CWA claims They re reportedly concerned the end to purely remote work will raise the cost of living and force some employees out of their jobs The NLRB expressly protected the use of harsh language until when the government loosened standards for firing people over their statements In a statement to Engadget an Activision spokesperson doesn t address the return to office effort and maintains that it fired the testers for violating company policy with their language The game publisher insists that the CWA is quot advocating for this type of behavior quot We ve asked the NLRB for comment There s no certainty the charge will succeed However it comes after successes for the CWA s fight against Activision Last May the NLRB determined there was merit to claims the company illegally threatened staff and stifled social media posts In October the board found that Activision withheld raises from testers at Raven Software over their unionization efforts An in progress charge asserts the firm surveilled protesters and cut off chat channels used to discuss labor issues Activision has routinely denied these allegations arguing that it s honoring the law and internal policy Regardless of the claims validity the pressure has led to changes for some employees Activision converted all its contract and part time testers to full time status last July granting them improved pay and benefits Some teams have also managed to unionize This article originally appeared on Engadget at 2023-03-01 17:15:26
海外TECH CodeProject Latest Articles Kigs Framework Introduction (2/8) - CoreModifiable https://www.codeproject.com/Articles/5257387/Kigs-Framework-Introduction-2-8-CoreModifiable Kigs Framework Introduction CoreModifiableKigs framework is a multi purpose cross platform free and open source C framework This article will focus on the main base class of the framework the CoreModifiable class 2023-03-01 17:48:00
海外TECH CodeProject Latest Articles Kigs Framework Introduction (4/8) - Methods https://www.codeproject.com/Articles/5257418/Kigs-Framework-Introduction-4-8-Methods coremodifiable 2023-03-01 17:48:00
海外TECH CodeProject Latest Articles Kigs Framework Introduction (1/8) https://www.codeproject.com/Articles/5253209/Kigs-Framework-Introduction-1-8 framework 2023-03-01 17:47:00
金融 金融庁ホームページ 株式会社三井住友銀行及び三井住友カード株式会社の産業競争力強化法に基づく事業適応計画の認定について公表しました。 https://www.fsa.go.jp/news/r4/ginkou/20230301.html 三井住友カード株式会社 2023-03-01 18:00:00
ニュース BBC News - Home Constance Marten arrest: Police fear baby has come to serious harm https://www.bbc.co.uk/news/uk-64808412?at_medium=RSS&at_campaign=KARANGA gross 2023-03-01 17:38:37
ニュース BBC News - Home Kaylea Titford: Parents who let neglected teen die jailed https://www.bbc.co.uk/news/uk-wales-64803863?at_medium=RSS&at_campaign=KARANGA jailedthe 2023-03-01 17:25:45
ニュース BBC News - Home Cricket racism hearing: Bresnan 'used racial slur' towards Rafiq's sister https://www.bbc.co.uk/sport/cricket/64814128?at_medium=RSS&at_campaign=KARANGA Cricket racism hearing Bresnan x used racial slur x towards Rafiq x s sisterFormer England bowler Tim Bresnan used a racial slur towards Azeem Rafiq s sister a hearing into allegations of racism at Yorkshire is told 2023-03-01 17:45:51
ニュース BBC News - Home TikTok sets 60-minute daily screen time limit for under-18s https://www.bbc.co.uk/news/technology-64813981?at_medium=RSS&at_campaign=KARANGA limit 2023-03-01 17:09:08
ニュース BBC News - Home Greece train crash: What we know so far https://www.bbc.co.uk/news/world-europe-64813367?at_medium=RSS&at_campaign=KARANGA greece 2023-03-01 17:40:04
ビジネス ダイヤモンド・オンライン - 新着記事 「場所を空けてください」英語でどういう? - 5分間英単語 https://diamond.jp/articles/-/318241 「場所を空けてください」英語でどういう分間英単語「たくさん勉強したのに英語を話せない……」。 2023-03-02 02:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 儲かる仕組みがすごくわかるフィッシュボーンをつくると超便利【書籍オンライン編集部セレクション】 - エクセルで学ぶビジネス・シミュレーション超基本 https://diamond.jp/articles/-/318357 投資銀行 2023-03-02 02:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 【マンガ】「背中が無防備」で絶滅しまった、ある爬虫類の悲哀 - わけあって絶滅しました。ビューティフル https://diamond.jp/articles/-/318514 【マンガ】「背中が無防備」で絶滅しまった、ある爬虫類の悲哀わけあって絶滅しました。 2023-03-02 02:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 ひとり暮らしの狭いキッチン、どこに何を置く? - てんきち母ちゃんの はじめての自炊 練習帖 https://diamond.jp/articles/-/318320 ひとり暮らしの狭いキッチン、どこに何を置くてんきち母ちゃんのはじめての自炊練習帖お子さんの初めてのひとり暮らし、ご自身の転勤、単身赴任など‥‥。 2023-03-02 02:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 上司からの長文メッセージに「いいねのリアクションだけ」は失礼か? - 気づかいの壁 https://diamond.jp/articles/-/318463 上司からの長文メッセージに「いいねのリアクションだけ」は失礼か気づかいの壁発売週間で重版決定。 2023-03-02 02:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 メンタルが弱い人でも絶対にできる緊張との向き合い方ベスト1 - 1秒で答えをつくる力 お笑い芸人が学ぶ「切り返し」のプロになる48の技術 https://diamond.jp/articles/-/318640 2023-03-02 02:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 子どもを「本好き」にする家族の習慣・ベスト1 - 中学受験を目指す保護者からよく質問される「子育てQ&A」 https://diamond.jp/articles/-/317149 子どもを「本好き」にする家族の習慣・ベスト中学受験を目指す保護者からよく質問される「子育てQampampA」開成・桜蔭・筑波大駒場・渋谷幕張…。 2023-03-02 02:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 【半導体産業を第一人者が解説!】半導体不足はいつ、どのように回復するのか? - 半導体産業のすべて https://diamond.jp/articles/-/318648 【半導体産業を第一人者が解説】半導体不足はいつ、どのように回復するのか半導体産業のすべて半導体への関心が高まるなか、開発・製造の第一人者である菊地正典氏が技術者ならではの視点でまとめた『半導体産業のすべて』が発売された。 2023-03-02 02:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 【なぜ悪習慣はやめられないのか?】健康のために生活習慣を変えることが難しい、たったひとつの理由 - 健康になる技術 大全 https://diamond.jp/articles/-/318649 本連載の「健康になる技術」とは、健康でいるために必要なことを実践するスキルです。 2023-03-02 02:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 どん底のときの自分を救ってくれたひと言 - 等身大の僕で生きるしかないので https://diamond.jp/articles/-/318659 どん底のときの自分を救ってくれたひと言等身大の僕で生きるしかないので「見た目は変で、しゃべりも下手、お笑い芸人としての才能もない」と思いこみ、コンプレックスのかたまりだったスリムクラブ・内間政成さんは、そんな自分を人に知られないように、自分の本心を隠し、見栄を張って、いつわりの人生を送ってきました。 2023-03-02 02:05:00
Azure Azure の更新情報 Public preview: Login and TDE-enabled database migrations with Azure Database Migration Service https://azure.microsoft.com/ja-jp/updates/public-preview-login-and-tdeenabled-database-migrations-with-azure-database-migration-service/ Public preview Login and TDE enabled database migrations with Azure Database Migration ServiceProvide a secure and improved user experience for migrating TDE databases and SQL Windows logins to Azure SQL 2023-03-01 17:01:25
Azure Azure の更新情報 Generally available: 4 TiB, 8 TiB, and 16 TiB storage per node for Azure Cosmos DB for PostgreSQL https://azure.microsoft.com/ja-jp/updates/generally-available-4-tib-8-tib-and-16-tib-storage-per-node-for-azure-cosmos-db-for-postgresql/ Generally available TiB TiB and TiB storage per node for Azure Cosmos DB for PostgreSQLOnboard even larger distributed Postgres workloads to Azure Cosmos DB for PostgreSQL with fewer nodes using TiB TiB or TiB storage per node 2023-03-01 17:01:13
Azure Azure の更新情報 Public preview: Confidential containers on ACI https://azure.microsoft.com/ja-jp/updates/public-preview-confidential-containers-on-aci/ aciaci 2023-03-01 17:01:07
Azure Azure の更新情報 GA: Online live resize of persistent volumes https://azure.microsoft.com/ja-jp/updates/ga-online-live-resize-of-persistent-volumes/ application 2023-03-01 17:01:01
Azure Azure の更新情報 Public preview: Pod sandboxing in AKS https://azure.microsoft.com/ja-jp/updates/public-preview-pod-sandboxing-in-aks/ kernel 2023-03-01 17:00:55
Azure Azure の更新情報 Public preview: Caching in ACR https://azure.microsoft.com/ja-jp/updates/public-preview-caching-in-acr/ operations 2023-03-01 17:00:54
Azure Azure の更新情報 Public Preview: Auto vacuum metrics for Azure Database for PostgreSQL - Flexible Server https://azure.microsoft.com/ja-jp/updates/public-preview-auto-vacuum-metrics-for-azure-database-for-postgresql-flexible-server/ Public Preview Auto vacuum metrics for Azure Database for PostgreSQL Flexible ServerMonitor the auto vacuum process health for Azure Database for PostgreSQL Flexible Server via Azure Monitor metrics and write custom alert rules on these metrics 2023-03-01 17:00:47

コメント

このブログの人気の投稿

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