投稿時間:2022-11-17 02:20:29 RSSフィード2022-11-17 02:00 分まとめ(26件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Government, Education, and Nonprofits Blog 3 ways tax agencies can use AI on AWS https://aws.amazon.com/blogs/publicsector/3-ways-tax-agencies-can-use-ai-aws/ ways tax agencies can use AI on AWSTo gain operational efficiencies and reduce workload burdens on employees some state finance and tax agencies are leveraging robotic process automation RPA on AWS RPA is a software tool that integrates with almost any system or application and performs manual repetitive time consuming tasks Tax agencies can use AI and ML to support the sheer size and scale of data they manage and to access and analyze all types of data with ease including voice video and streaming data Find out three ways AI and ML are creating measurable outcomes for tax agencies 2022-11-16 16:40:56
海外TECH DEV Community Spring Modulith: have we reached modularity maturity? https://dev.to/nfrankel/spring-modulith-have-we-reached-modularity-maturity-2id0 Spring Modulith have we reached modularity maturity One of the main reasons to design microservices is that they enforce strong module boundaries However the cons of microservices are so huge that it s like chopping off your right hand to learn to write with the left one there are more manageable and less painful ways to achieve the same result Even since the microservices craze started some cooler heads have prevailed In particular Oliver Drotbohm a developer on the Spring framework has been a long time proponent of the moduliths alternative The idea is to keep a monolith but design it around modules Many flocks to microservices because the application they work on resembles a spaghetti platter If their application were better designed the pull of microservices wouldn t be so strong Why modularity Modularity is a way to reduce the impact of change on a codebase It s very similar to how one designs big ships When water continuously leaks into a ship the latter generally sinks because of the decreasing Archimedes thrust To avoid a single leak sinking the ship it s designed around multiple watertight compartments If one leak happens it s contained in a single compartment While it s not ideal it prevents the ship from sinking allowing it to reroute to the nearest port where one can repair it Modularity works similarly it puts boundaries around parts of the code This way the effect of a change is limited to the part and doesn t spread beyond its boundaries In Java such parts are known as packages The parallel with ships stops there because packages must work together to achieve the desired results Packages cannot be watertight The Java language provides visibility modifiers to work across package boundaries Interestingly the most famous one public allows crossing packages entirely Designing boundaries that follow the principle of least privilege is a constant effort Chances are that under the project s pressure in the initial development or with time during maintenance the effort will slip and boundaries will decay We need a more advanced way to enforce boundaries Modules modules everywhereIn the long history of Java modules have been a solution to enforce boundaries The thing is there are many definitions of what a module is even today OSGI started in aimed to provide versioned components that could be safely deployed and undeployed at runtime It kept the JAR deployment unit but added metadata in its manifest OSGi was powerful but developing an OSGi bundle the name for a module was complex Developers paid a higher development cost while the operation team enjoyed the deployment benefits DevOps had yet to be born it didn t make OSGi as popular as it could have been In parallel Java s architects searched for their path to modularizing the JDK The approach is much simpler compared to OSGI as it avoids deployment and versioning concerns Java modules introduced in Java limit themselves to the following data a name a public API and dependencies to other modules Java modules worked well for the JDK but much less for applications because of a chicken and egg problem To be helpful to applications developers must modularize libraries not relying on auto modules But library developers would do it only if enough application developers would use it Last time I checked only half of commons libraries were modularized On the build side I need to cite Maven modules They allow splitting one s code into multiple projects There are other module systems on the JVM but these three are the most well known A tentative approach to enforce boundariesAs mentioned above microservices provide the ultimate boundary during development and deployment They are overkill in most cases On the other side there s no denying that projects rot over time Even the most beautifully crafted one which values modularity is bound to become a mess without constant care We need rules to enforce boundaries and they need to be treated like tests when tests fail one must fix them Likewise when one breaks a rule one must fix it ArchUnit is a tool to create and enforce rules One configures the rules and verifies them as tests Unfortunately the configuration is time consuming and must constantly be maintained to provide value Here s a snippet for a sample application following the Hexagonal architecture principle HexagonalArchitecture boundedContext io reflectoring buckpal account withDomainLayer domain withAdaptersLayer adapter incoming in web outgoing out persistence and withApplicationLayer application services service incomingPorts port in outgoingPorts port out and withConfiguration configuration check new ClassFileImporter importPackages io reflectoring buckpal Note that the HexagonalArchitecture class is a custom made DSL façade over the ArchUnit API Overall ArchUnit is better than nothing but only marginally so Its main benefit is automation via tests It would significantly improve if the architectural rules could be automatically inferred That s the idea behind the Spring Modulith project Spring ModulithSpring Modulith is the successor of Oliver Drotbohm s Moduliths project with a trailing S It uses both ArchUnit and jMolecules At the time of this writing it s experimental Spring Modulith allows Documenting the relationships between the packages of a projectRestricting certain relationshipsTesting the restrictions during in testsIt requires that one s application uses the Spring Framework it leverages the latter s understanding of the former obtained through DI assembly By default a Modulith module is a package located at the same level as the SpringBootApplication annotated class ch frankel blog DummyApplication packagex subpackagex packagey packagez subpackagez Application classModulith moduleNot a moduleBy default a module can access the content of any other module but cannot access Spring Modulith offers to generate text based diagrams based on PlantUML with UML or C default skins The generation is easy as pie var modules ApplicationModules of DummyApplication class new Documenter modules writeModulesAsPlantUml To break the build if a module accesses a regular package call the verify method in a test var modules ApplicationModules of DummyApplication class verify A sample to play withI ve created a sample app to play with it emulates the home page of an online shop The home page is generated server side with Thymeleaf and displays catalog items and a newsfeed The latter is also accessible via an HTTP API for client side calls that I was too lazy to code Items are displayed with a price thus requiring a pricing service Each feature page catalog newsfeed and pricing sits in a package which is viewed as a Spring module Spring Modulith s documenting feature generates the following Let s check the design of the pricing feature The current design has two issues The PricingRepository is accessible outside of the moduleThe PricingService leaks the Pricing JPA entityWe shall fix the design by encapsulating types that shouldn t be exposed We move the Pricing and PricingRepository types into an internal subfolder of the pricing module If we call the verify method it throws and breaks the build because Pricing is not accessible from outside the pricing module Module home depends on non exposed type ch frankel blog pricing internal Pricing within module pricing Let s fix the violations with the following changes ConclusionBy toying with a sample application I did like Spring Modulith I can see two prominent use cases documenting an existing application and keeping the design clean The latter avoids the rot effect of applications over time This way we can keep the design as intended and avoid the spaghetti effect The icing on the cake it s great when we need to chop one or more features to their deployment unit It will be a very straightforward move with no time wasted to untangle dependencies Spring Modulith provides a huge benefit delay every impactful architectural decision until the last possible moment Thanks Oliver Drotbohm for his review You can find the source code on GitHub ajavageek spring modulith sample To go further Introducing Spring ModulithQuick startReference documentationOriginally published at A Java Geek on November th 2022-11-16 16:35:00
海外TECH DEV Community Code Formatting in Nim https://dev.to/taisei_ide/code-formatting-in-nim-4g7f Code Formatting in NimThis is my first post on dev By the way do you guys know Nim It s an elegant language compiles to C and has a Python like syntax So it s very fast and easy to write I ve been using it for work recently I was looking for a code formatting tool for it and finally found one called Nim pretty How to use Nim prettyYou can use it easily Here s a sample code const hello Hello echo Say helloIt s terrible syntax right Here s a way to format it You can run the following command nimpretty indent sample nimThe sample code can be formatted as follows const hello Hello echo Say helloThe terrible code was formatted with an indent as It became quite readable but you don t want to run the command for each file right Here s a better way You can run the following command find name nim exec nimpretty indent All Nim files in a directory can be formatted It s a combination of a Nim pretty command and shell script You can create a task in a nimble file as below if you don t want to type or copy the command every time version author Sample description Sample code license Sample task pretty Formats all nim files exec find name nim exec nimpretty indent And you can run the following command nimble prettyThen all Nim files can be formatted even if they are in different directories That s all Any tips about Nim would be appreciated Thank you 2022-11-16 16:33:36
海外TECH DEV Community Django & Docker - SQLite, MySql, and PostgreSQL samples https://dev.to/sm0ke/django-docker-sqlite-mysql-and-postgresql-samples-2ahn Django amp Docker SQLite MySql and PostgreSQL samplesHello coders This article mentions a few open source Django samples that bundle Docker with different database engines SQLite MySql and PostgreSQL The projects might be useful to developers that what to switch from the minimal SQLite to a more powerful DB engine like PgSQL or MySql Being released under the MIT License the related Docker scripts can be copied and incorporated into other projects Thanks for reading Django amp Docker SQLiteThis sample is the most simple one The SQLite database is created by Django during the migration and does not require any additional Docker layer Django Material Kit source codeDjango Material Kit product page for support Once the product is downloaded the app can be started via a single command docker compose up build During the execution the Docker scripts prepare the environment install the modules and migrate the database In the end the app should be up amp running as this LIVE Demo of the product Django amp Docker MySqlCompared to the SQLite version this sample requires a manual migration of the database Django amp Docker MySql Version source codeHere is the full set up of the project Step Download the sources git clone cd sample docker django mysqlStep Execute the Docker set up docker compose up build Step Migrate DB amp create SuperUser docker compose run rm appseed app python manage py migrate docker compose run rm appseed app python manage py createsuperuserStep Access the app in the browserVisit http localhost in your browser The app should be up amp running Django Docker amp PgSQLThe last sample uses PostgreSQL for app persistence a popular DB engine heavily used in production Django Docker amp PgSQL source codeThe product can be started and used in a local environment by typing the same commands as for the MySql version Download source codeExecute docker compose up buildMigrate the databaseCreate SuperUser optional All samples are built on top of Material Kit an amazing design provided for free by Creative Tim Here is the product description copied from the official page Material Kit Open Source Bootstrap designDesigned for those who like bold elements and beautiful websites Material Kit is ready to help you create stunning websites and web apps The product is built on top of Bootstrap with over frontend individual elements like buttons inputs navbars nav tabs cards or alerts giving you the freedom of choosing and combining Thanks for reading For more resources please access Free support provided by AppSeed email amp Discord More free apps crafted in Flask Django and React 2022-11-16 16:32:37
海外TECH DEV Community React Data Fetching Pattern - Part III https://dev.to/francisldn/react-data-fetching-pattern-part-iii-584d React Data Fetching Pattern Part IIIThis article is a continuation of React Data Fetching Patterns useState useEffectReact Data Fetching Pattern Custom Hook using Context APIClick here to access the Github repo for the code examples discussed below Redux createAsyncThunk While React Context API is suitable for smaller apps we need a more performant solution for larger apps Redux provides a solution to the problem of unnecessary re rendering of components posed by Context API as Redux only re renders the updated component Within the Redux toolkit library one has access to an API known as createAsyncThunk createAsyncThunk will accept a callback function that returns a promise this is where the getUsersAPI function will reside Upon execution of the createAsyncThunk function similar to a Promise function it will generate types of actions pending fulfilled rejected and the users state will be updated accordingly depending on the action type Below is an example of the code interface UsersDataState users User loading boolean error string const initialState UsersDataState users as User loading false error set up createAsyncThunk functionexport const getUsersData createAsyncThunk users fetchUsers gt return getUsers apiURL then results gt results const userSlice createSlice name user initialState reducers extraReducers builder gt Pending users state is not updated builder addCase getUsersData pending state gt state loading true Fulfilled users state is updated builder addCase getUsersData fulfilled state action PayloadAction lt UserApi gt gt state users action payload map user UserApi gt return id user id value firstName user name first lastName user name last username user login username email user email state loading false Rejected users state is an empty array builder addCase getUsersData rejected state action gt state loading false state users state error action error message Something went wrong For a React component to have access to the users state using Redux one also has to set up a redux store and then wrap the lt App gt component with Redux Provider You may refer to the boilerplate code in the repo here for further details Having done the above let s see how we can retrieve the data in the component for UI rendering As shown below within a React component one has access to redux hooks useAppSelector enable access to statesuseAppDispatch enable update to statesWe can use useEffect hook to trigger the data fetching and updating of the users state Then the state will be used for UI rendering export default function CardList const users loading error useAppSelector state gt state user const dispatch useAppDispatch update of users state with useEffect useEffect gt dispatch getUsersData return lt div className grid sm grid cols md grid cols lg grid cols justify center grid cols mt gt loading lt Loading gt error lt ErrorFallBack gt users map user User gt lt CardItem key user id user user gt lt div gt ProsMore Performant than Context API As Redux avoids unnecessary re rendering the app is more performant as a result ConsComplicated setup As demonstrated above there are a lot of boilerplate codes to set up redux slicer and store Having discussed a few data fetching methods could there be a solution that are both simple to set up and performant Let s proceed to look at the next method SWR To be continued SWRReact QueryFor more information on Redux createAsyncThunk see here If you like the content please hit the like button so that it can reach more people 2022-11-16 16:31:16
海外TECH DEV Community Three Things I've Learned About Writing Abstracts https://dev.to/cerchie/three-things-ive-learned-about-writing-abstracts-196 Three Things I x ve Learned About Writing AbstractsRecently I ve joined the developer advocate team at Confluent which is full of highly experienced speakers who have mentored me as I craft abstracts I ll be honest when I began writing abstracts I thought How hard can this be I ve written plenty of blog posts technical articles and the occasional haiku Abstracts will come naturally Reader they did not The art of writing and fine tuning abstracts is challenging but learn able Luckily I ve gained a lot of knowledge from my teammates and now I feel a lot more comfortable with writing abstracts I wrote this post to hand on a few of the things I ve learned Connect with your audience in the first sentence ​Let s start with this abstract that I ve written up for the purpose of this blog post Come to my talk about choosing React frameworks We ll learn how and why to choose the framework that suits your web development needs You ll learn criteria for choosing a web development framework and how to apply them By the end of my talk you ll know more about the React ecosystem and have the tools to get the job done The first sentence Come to my talk about choosing React frameworks is a nice invitation but it doesn t really hook the reader In order to connect with the audience it s a good idea to start by mentioning their pain point In this example a good first few sentences might be more like the following The number of React frameworks in recent years has reached an overwhelming height Social media debates run fierce There s only one consensus choosing the right framework for the job is of paramount importance But how exactly do we pick a framework Position your pronouns thoughtfully ​Take a look at the abstract once more The number of React frameworks in recent years has reached an overwhelming height Social media debates run fierce There s only one consensus choosing the right framework for the job is of paramount importance But how exactly do we pick a framework We ll learn how and why to choose the framework that suits your web development needs You ll learn criteria for choosing a web development framework and how to apply them By the end of my talk you ll know more about the React ecosystem and have the tools to get the job done There s we you and my here Consistency is key in all writing but for talks you might choose we over other options to reflect a sense of camaraderie with the audience Let your solution for the audience s pain point be clear ​Currently the solution that the speaker offers is vague We ll learn how and why to choose the framework that suits your web development needs We ll learn criteria for choosing a web development framework and how to apply them By the end of the talk we ll know more about the React ecosystem and have the tools to get the job done In fact all you can really tell is that the speaker is offering some kind of solution There are no hints as to what it might be Here s a better way to express the speaker s intention We ll distill the criteria for selecting a React framework into three crucial questions Then we ll walk through a few use cases together to garner some experience making these decisions What does the decision making process look like for building static portfolio sites large e commerce sites and mobile game apps By the end we ll feel ready to critically appraise React frameworks familiar or unfamiliar for our own projects This gives some detail three crucial questions and the use cases without giving everything away It also communicates the value to the audience a confidence in their choice of framework Now the whole abstract reads The number of React frameworks in recent years has reached an overwhelming height Social media debates run fierce There s only one consensus choosing the right framework for the job is of paramount importance But how exactly do we pick a framework We ll distill the criteria for selecting a React framework into three fundamental questions Then we ll walk through a few real life use cases together to garner some experience making these decisions What does the decision making process look like for building static portfolio sites large e commerce sites and mobile game apps By the end we ll feel ready to critically appraise React frameworks familiar or unfamiliar for our own projects I think this version sounds a lot more interesting and clear don t you 2022-11-16 16:03:43
海外TECH DEV Community What is Azure Container Registry? https://dev.to/makendrang/what-is-azure-container-registry-1f02 What is Azure Container Registry IntroductionIn this article you will walk through the steps to create an Azure container registry DockerImage SourceThe ability to package and run an application in a container is provided by Docker You can run many containers at the same time on a host You don t need to rely on what is currently installed on the host because containers are lightweight and contain everything needed to run the application It s easy to share containers while you work but make sure everyone gets the same container Azure Container RegistryImage SourceMicrosoft s own hosting platform is called the azure container registry Container images and related artifacts can be stored in a private registry service In this article you create a container registry instance Pull and run the container image from your registry after using Docker commands Data endpoint storage accounts are managed by the registry service in a multi tenant service Use casesThere are various deployment targets that you can pull images from an azure container registry Containerized applications can be managed across clusters of hosts Azure services that support building and running applications at scale include AKS App Service Batch Service Fabric and others ACR Tasks can be configured to automatically rebuild application images when their base images are updated or to automate image builds when your team commits code to a Git repository ACR FeaturesYou can create container registries in your subscription The three tiers of the registry are Basic Standard and Premium You can use the standard docker login command or the azure CLI to log in Container images can be transferred over the internet with the help of the azure container registry Each snapshot is a read only snapshot of the container Windows and Linux images can be included in the container registry You have control over the image names for your container deployment ACR Tasks can be used to streamline the building testing pushing and deployment of images DemoKindly watch the below video to walk through the steps to create an Azure container registry ConclusionYou have created a Container Registry Installed Docker on the Linux VM and Pushed the image to the registry Gratitude for perusing my article till the end I hope you realized something unique today If you enjoyed this article then please share it with your buddies and if you have suggestions or thoughts to share with me then please write in the comment box Follow me and share your thoughts GitHubLinkedInTwitter 2022-11-16 16:00:45
Apple AppleInsider - Frontpage News Best PDF readers for iPad in 2022 https://appleinsider.com/articles/22/11/16/best-pdf-readers-for-ipad-in-2022?utm_medium=rss Best PDF readers for iPad in PDFs and the iPad were made for each other yet Apple s own built in PDF readers are limited Here s what you need to make reading ーand editing ーPDFs a breeze If someone emails you a PDF and you just need to read it rather than do any editing then just tap on it What you immediately get is that PDF document opened up full screen with the first page in front of you and icons for all pages arranged in a column to the left Tap on any page and as well as jumping to that in the document you get an ellipses icon with extra controls From there you can Read more 2022-11-16 16:50:48
Apple AppleInsider - Frontpage News Apple TV hardware will never be more than a hobby, unless Apple changes direction https://appleinsider.com/articles/22/11/16/apple-tv-hardware-will-never-be-more-than-a-hobby-unless-apple-changes-direction?utm_medium=rss Apple TV hardware will never be more than a hobby unless Apple changes directionApple made the wrong bet when it built the Apple TV around apps and an App Store when instead it should have focused on streamlining the TV experience like Steve Jobs promised to do Apple TV needs to be rethoughtThe Apple TV was Apple s hobby project that saw few hardware updates from its inception in to its reinvention in It was an exciting time as Apple finally declared Apple TV was no longer a hobby in then released the updated Apple TV in Read more 2022-11-16 16:42:50
海外TECH Engadget Xbox Game Pass Ultimate now includes free trials for Apple Music and Apple TV+ https://www.engadget.com/xbox-game-pass-ultimate-apple-music-tv-plus-free-trials-165043565.html?src=rss Xbox Game Pass Ultimate now includes free trials for Apple Music and Apple TV Microsoft s Xbox Game Pass Ultimate Perks now include freebies from an erstwhile rival The company now offers Ultimate subscribers three month free trials of Apple Music and Apple TV to newcomers for either media service You can stream tunes in the background while you re playing Halo Infinite or catch up on Ted Lasso in between cloud gaming sessions You can claim either or both Apple trials until March st They re available on consoles and the Xbox app for Windows You can use the promos everywhere Apple Music and Apple TV is available except for Russia and for Apple TV Turkey The bonuses come weeks after Apple Music launched on Xbox consoles In that light the trials represent Microsoft s chance to spread the word about availability The company was relatively late to Apple Music which came to the PS a year earlier ーthis makes clear that you don t need a PlayStation to have console games and Apple streaming on the same machine It also comes as Apple and Microsoft have bolstered interoperability You can now access iCloud Photos libraries in Windows s native Photos app for instance While the tech companies still compete against each other see Apple s reluctance to support Game Pass streaming they re now willing to cooperate when it serves their mutual interests 2022-11-16 16:50:43
海外TECH Engadget Black market fears are hampering cannabis waste recycling efforts in California https://www.engadget.com/cannabis-pod-e-waste-recycling-california-163017433.html?src=rss Black market fears are hampering cannabis waste recycling efforts in CaliforniaAs American cannabis has grown from cottage industry to billion a year commercial enterprise that employs folks nationwide the product that weed has become now often bears little resemblance from the product that used to be sold raw Flower once delivered in sandwich bags now arrives wrapped in child safety locked plastic lined mylar pouches every gram of hash seemingly needs its own glass jar plastic lid and cardboard box and half gram vape pens must often be dug from three times their own weight in display and security packaging before use And while most of the outer packaging can be easily recycled vaporizer cartridges themselves can be far more problematic to dispose of Cannabis is more popular than ever in the US ー percent of adults have access to it either medically or recreationally more than percent of adults support its full legalization and a Weedmaps survey suggests that usage has increased by percent since the start of the pandemic What s more edibles and concentrates continue to rise in popularity among all age groups from boomers to doomers This increased demand for vape cartridges ーboth near ubiquitous threads like those from Rove or more specialized carts like the Pax Era Pods ーhas led to their increased production and in turn their inevitable arrival in American landfills In California the nation s largest legal cannabis market cartridges are quite popular but due to the state s strict hazardous waste disposal regulations difficult to dispose of in a responsible manner On the production side virtually every ingredient component growth medium nutrient castoff trimming and scrap is carefully destroyed typically either dismantled on site or rendered unusable before being shipped to a certified waste facility At the cultivation level Taylor Vozniak Sales and Marketing Manager for California cannabis waste management company Gaiaca told Engadget “it would be plants after they ve been trimmed grow medium ーthat s either going to be soil or rock wool or cocoa husk ーany sort of water nutrients or pesticides At the manufacturing stage the company handles post production green waste think mashed up stems and leaves as well as hazardous waste like concentrate solvents and failed edible product batches like misshapen canna gummies or burned weed brownies ーthe latter must be destroyed on site to stay within bounds of the California Cannabis Track and Trace CCTT system operated by the state s Department of Cannabis Control The CCTT extends to the point of sale meaning that local dispensaries are responsible for seeing returned product and defective merchandise properly destroyed “Single use batteries have been a big sticking point for a while now Vozniak said “We re proud that we can recycle those vape batteries either with or without cannabis As it turns out much of the underlying impetus for the creation of the CCTT system Vozniak notes is to prevent this waste from being illicitly harvested and resold “The overarching way these regulations were written the way they were is to prevent any sort of product going into the black market he noted which is why cannabis by products which is what all the stuff above is considered has to be rendered into inert “waste before it gets put in the ground It s also why your local dispensary doesn t have a drop off bin for used cartridges Products are handled slightly differently depending on whether they re THC or CBD based “CBD is federally legal Vozniak said ーso that it can be transported across state lines for disposal “while THC is state by state regulated A lot of the time you ll see especially in California CBD destroyed on site but I have a client in Dallas who I ve been able to just take their product as is off site to a disposal facility The materials that can be directly recycled or composted will be The six month composting process is sufficient to leach out and fully decay any leftover THC before the material is repackaged and sold as a gardening amendment Less sustainable materials like used nitrile gloves non recyclable or food contaminated packaging will instead be routed to local landfills and incinerators But not vape cartridges Those along with the Li ion batteries that power them are considered e waste in California so there s a litany of additional regulatory hurdles to jump through before throwing one away “What ends up happening is you ll be able to take used carts and batteries to a recycling vendor for a while Vozniak said until “they realize it s a difficult product to deal with so we ll have to find new vendors MediaNews Group Reading Eagle via Getty Images via Getty ImagesThe difficulty with recycling cartridges lies in their complex construction and mix of materials ーwoven cloth wicks and aluminum atomizers sealed by plastic walls with rubber o rings keeping the viscous liquid in place You can t very well clean sort and disassemble these items by hand as e waste they re sorted cleaned and then repeatedly mechanically shredded and resorted into progressively smaller chunks until they re reduced and separated into their constituent materials Vape pen batteries both rechargeable and single use all in one varieties go through a similar process Vizniak explains They re first statically separated by density then dipped into liquid nitrogen to instantly freeze and deactivate the lithium ion cells before they re pulverized with mechanical hammers and further sorted for commodity sale If that seems like a whole lot of work for such tiny devices you re not wrong Despite the legal cannabis industry in California existing for less than a decade much of the verbiage of Prop is already falling out of relevance “When things were first written there was a lack of understanding of how the cannabis industry would end up operating Vozniak said He points to all in one AIO pen battery disposal as one such example “We still have to destroy these products on site ーand I understand the concern there they state regulators don t want anything going to the black market ーbut for these all in one pens there really is no way to destroy them without putting the operators at risk he continued “A lot of times operators are going to try to destroy these products themselves because Gaica can be on the more expensive side just because of the nature of what we do It s very labor intensive Vozniak has seen cannabis retailers encase old AIOs in blocks of resin to deactivate them ーwhole drums of resin ensconced lithium batteries that no recycler would ever take ーin order to comply with the state s “destroy on site order Vozniak argues that a basic exemption to that rule specifically for cannabis e waste could “really help the industry out because that s really what I m seeing most ーout of state as well In addition to contacting their district and state representatives to advocate for regulatory amendments vape pen users looking to reduce their consumption footprints have a number of options Refillable cartridges are a thing ーthey operate just as the single use canisters from the dispensary do but have a screw on lid for injecting fresh oil ーsuch as the Flacko Jodye from KandyPens the SPRK ceramic from PCKT an all in one kit from Kiara Naturals or the Puffco Plus Maintaining and cleaning refillable tanks is straightforward and they can easily be topped off using a dab syringe from either your local dispensary or friendly neighborhood drug dealer if you prefer a more homebrewed product 2022-11-16 16:30:17
海外TECH Engadget The best immersion blenders you can buy in 2022 https://www.engadget.com/best-immersion-blenders-150006296.html?src=rss The best immersion blenders you can buy in Back in the s and s immersion blenders were often restricted to high end restaurants and the kitchens of nerdy home cooks But thanks to improvements in tech these types of blenders also known as hand or stick blenders have become powerful and affordable general purpose cooking gadgets especially for people who might not have the space for a traditional countertop model Unfortunately picking the best immersion blender can get a bit confusing so here s a guide covering the important things you need to consider along with our favorite devices across a handful of categories Engadget s picksBest wired immersion blender Breville Control GripBest cordless immersion blender KitchenAid Cordless Variable Speed Hand BlenderBest budget immersion blender Hamilton Beach Speed Hand BlenderWhich device is right for you Before you even think about buying a new kitchen gadget it s important to figure out how you re going to use it and where it fits in with any appliances you already own In an ideal world everyone would have a dedicated food processor countertop blender and a stand mixer But the reality is that many people don t have the room or the budget img alt Engadget s favorite immersion blenders are the Breville Control Grip the KitchenAid Cordless Variable Speed Hand Blender and the Hamilton Beach Speed Hand Blender src Sam Rutherford Engadget While immersion blenders and traditional countertop models have a lot of overlap there are strengths and weaknesses to both For example if you re looking to make smoothies every day a countertop blender might be a better choice The bigger pitchers make it easier to blend drinks for multiple people at once while larger motors will make short work of ice and frozen fruit Additionally more expensive options like those from Vitamix or Robocoupe can even cook soup during the blending process using the heat generated from the blender s motor which isn t something you can do with an immersion model I d even go so far as to say that if you have the space for it and don t own a blender of any kind a countertop version is probably the best option for most people That said immersion blenders are often less expensive and thanks to a wide variety of accessories offered by some manufacturers they can be great multitaskers A whisk attachment allows you to make whipped cream or meringues quickly without needing an electric hand mixer or risk getting tendonitis in your elbow doing it manually Some immersion blenders also come with food processing bowls so you can easily throw together things like a homemade pesto in minutes And because immersion blenders are smaller and less bulky than traditional models they re a great choice for apartment dwellers or anyone with limited storage or counter space That means if you re simply trying to expand your culinary repertoire without blowing up your budget an immersion blender can be a great way to try something new without committing too hard Corded or cordless Similar to figuring out if you should get a blender or not trying to decide between a corded or cordless model depends a lot on the other gadgets you already own Corded versions typically have more powerful motors which makes them great for people who don t have a countertop blender or food processor But if you do own one of both of those cordless is the way to go Not only do you get the convenience of not worrying about wires but the ease of use makes it fast and easy to whip out your immersion blender to add some extra texture to a soup or sauce A quick word about safety Sam Rutherford Engadget No one should be ashamed of being nervous around a device that is essentially a motorized blending wand with a spinning blade at the end But with proper care and use an immersion blender doesn t have to be much more dangerous than a chef s knife The most important safety tip is to make sure you always keep the sharp end pointed down and away from you or anyone else nearby That includes your hands along with any utensils like a spoon that might be in or around your mixing bowl Thankfully all consumer immersion blenders are designed to prevent their blade from directly hitting the vessel holding your food be it a mixing bowl or a pot However to be extra safe you should avoid blending things in glass containers or non stick cookware as glass can chip or shatter while the metal blades and shroud of an immersion blender can damage teflon and ceramic Sam Rutherford Engadget You ll also want to make sure you keep water away from the plug or outlet of corded immersion blenders And if you want to remove the blade or clear away any food that might have gotten tangled first make sure the blender is off and disconnected from its power source either its battery or wall socket On the bright side cleaning an immersion is rather simple and straightforward All you have to do is fill up a bowl or cup with soapy water submerge the immersion blender and then run it for to seconds That s it If it s still not clean you can repeat that process again until it is And if that s too much work the blending wand on a lot of models including all of the gadgets on this list are dishwasher safe too Best wired immersion blender Breville Control GripStarting at Breville s Control Grip not only has one of the most powerful motors watts available on a corded immersion blender in this price range it also comes with a wealth of handy accessories In addition to the main inch shaft immersion blade the kit features a ounce chopping bowl for cutting and mincing and a ounce blending jug for making soups and smoothies There s also a whisk attachment which means that between all of its accessories the Control Grip can take the place of three different common kitchen gadgets a food processor traditional blender and hand mixer I also appreciate the two button attachment system which ensures accessories are properly locked in before use Breville even includes a removable blade guard to help prevent the blender from scratching your other appliances in storage And with support for different speed settings there s a lot of flexibility to handle all sorts of dishes Alternatively if you re looking for an all purpose immersion blender with even more attachments for making drinks and pureeing soup you may want to consider KitchenAid s Speed Hand Blender which comes with two extra bell blades to help crush ice whisk egg whites and more Best cordless immersion blender KitchenAid Cordless Variable Speed Hand BlenderIf you just want an immersion blender that s simple and easy to use KitchenAid s Cordless Variable Speed Blender is the one to get It comes with a dishwasher safe blending jar and an optional pan guard to help ensure you won t nick your cookware However the real nifty feature is that instead of having discrete speed settings you can adjust the blender s watt motor simply by squeezing down on the trigger This makes using it incredibly intuitive and thanks to its built in safety switch it s much more difficult to spin up the blade by accident KitchenAid also claims the battery can blend up to bowls of soup on a single charge And while my kitchen is too small to test this properly I never ran into any issues That said you re going to want to make sure to top off its battery beforehand because its charging port is next to where you attach the blending arm which means you can t have it plugged in while it s running Best budget immersion blender Hamilton Beach Speed Hand BlenderFor those who want something that s versatile and a great value Hamilton Beach s Speed Hand Blender is a great pick While it isn t cordless in addition to the main blending arm you also get a whisk attachment and a chopping bowl all for just On top of that its watt motor is rather powerful for its price though you don t get as many speed settings as you would on more premium rivals With this thing having been on the market for more than years this blender has long been a top choice among budget conscious cooks 2022-11-16 16:15:14
海外科学 NYT > Science Highlights From NASA’s Artemis Moon Rocket Launch https://www.nytimes.com/live/2022/11/15/science/nasa-artemis-moon-launch Highlights From NASA s Artemis Moon Rocket LaunchThe uncrewed mission overcame scrubbed launches hurricanes and late launchpad drama to kick off a key test of America s ability to send astronauts back to the moon 2022-11-16 16:57:22
海外科学 NYT > Science NASA Blazes a Path Back to the Moon With Artemis I Rocket Launch https://www.nytimes.com/2022/11/16/science/nasa-launch-artemis-1.html NASA Blazes a Path Back to the Moon With Artemis I Rocket LaunchThe uncrewed flight of the giant Space Launch System on Wednesday began a new era of spaceflight amid a debate over how to finance rocket development 2022-11-16 16:55:19
海外科学 NYT > Science Who NASA May Send to the Moon https://www.nytimes.com/2022/11/15/science/nasa-astronauts-moon.html who 2022-11-16 16:46:31
海外科学 NYT > Science How NASA’s ‘Red Crew’ Saved the Artemis I Moon Launch https://www.nytimes.com/2022/11/16/science/nasa-red-crew-moon.html How NASA s Red Crew Saved the Artemis I Moon LaunchThree men put themselves at grave risk on Wednesday when they climbed the launch tower and fixed a leaky valve on a rocket filled with explosive propellants 2022-11-16 16:13:23
金融 RSS FILE - 日本証券業協会 個人投資家の上場株式の投資単位に関する意識調査結果について https://www.jsda.or.jp/shinchaku/toushitani/index.html 上場株式 2022-11-16 16:30:00
金融 金融庁ホームページ 令和4年10月に開催された業界団体との意見交換会において金融庁が提起した主な論点を公表しました。 https://www.fsa.go.jp/common/ronten/index.html#October 意見交換会 2022-11-16 17:00:00
金融 金融庁ホームページ 第50回金融審議会総会・第38回金融分科会合同会合議事録を掲載しました。 https://www.fsa.go.jp/singi/singi_kinyu/soukai/gijiroku/2022_0930.html 金融審議会 2022-11-16 17:00:00
金融 金融庁ホームページ 金融安定理事会によるG20首脳への レターについて掲載しました。 https://www.fsa.go.jp/inter/fsf/20221116/20221116.html 金融安定理事会 2022-11-16 17:00:00
金融 金融庁ホームページ 証券監督者国際機構(IOSCO)による「金融市場の自主的基準設定主体及び業界団体へのサステナブルファイナンスに関するグッドプラクティスの呼びかけ(Call for Action)」について掲載しました。 https://www.fsa.go.jp/inter/ios/20221116/20221116.html callforaction 2022-11-16 17:00:00
金融 金融庁ホームページ 証券監督者国際機構(IOSCO)による健全で機能的なカーボン市場の発展のための市中協議文書について掲載しました。 https://www.fsa.go.jp/inter/ios/20221116-2/20221116-2.html iosco 2022-11-16 17:00:00
金融 金融庁ホームページ 金融安定理事会による「新型コロナウイルス感染症拡大に伴う金融面での政策対応:金融セクターにおける公平な回復の支援と傷跡化する効果への対処:最終報告書」について掲載しました。 https://www.fsa.go.jp/inter/fsf/20221116_2/20221116_2.html 新型コロナウイルス 2022-11-16 17:00:00
金融 金融庁ホームページ サステナブル・ファイナンスに関する国際的な連携・協調を図るプラットフォーム(IPSF)による報告書について掲載しました。 https://www.fsa.go.jp/inter/etc/20221116/20221116.html 連携 2022-11-16 17:00:00
金融 金融庁ホームページ 鈴木財務大臣兼内閣府特命担当大臣閣議後記者会見の概要(令和4年11月15日)を掲載しました。 https://www.fsa.go.jp/common/conference/minister/2022b/20221115-1.html 内閣府特命担当大臣 2022-11-16 16:15:00
GCP Cloud Blog Accelerate innovation in life sciences with Google Cloud https://cloud.google.com/blog/topics/healthcare-life-sciences/accelerate-innovation-in-life-sciences-with-google-cloud/ Accelerate innovation in life sciences with Google CloudThe last few years have underscored the importance of speed in bringing new drugs and medical devices to market while ensuring safety and efficacy Over this time healthcare and life sciences organizations have transformed the way they research develop and deliver patient care by embracing agility and innovation  Now the industry is set to reap the benefits of cloud technology and overcome the existing barriers to innovation Watch a min overview of how Google Cloud helps life sciences accelerate innovation across the value chain What s holding back innovation Costly clinical trials The process of trialing and developing new drugs and devices is still long and costly with more than in clinical trials failing due to a lack of funding The high failure rate comes as no surprise when you consider the average clinical trial costs million and takes years through all phases to be approved Stringent security requirements Pre clinical R amp D and clinical trials use large volumes of highly sensitive patient data making the life sciences industry one of the top sectors targeted by hackers On top of this the FDA and other regulatory bodies have strict requirements for medical device cybersecurity  Unpredictable supply chains Global supply chains are becoming increasingly complex and unpredictable This can be brought on by anything from supply shortages to geo political events and even bad weather Making things worse is the lack of visibility into medical shipment disruptions so when disaster strikes you re often caught off guard Google Cloud for life sciencesAt Alphabet we ve made significant investments in healthcare and life sciences helping to tackle the world s biggest healthcare problems from chronic disease management to precision medicine to protein folding  Together with Google you can transform your life sciences organization and deliver secure data driven innovation across the value chain  Accelerate clinical trials to deliver life saving treatments faster and at less cost Clinical trials require relevant and equitable patient cohorts that can produce clinically valid data Solutions like DocAI can enable optimal patient matching for clinical trials helping organizations optimize clinical trial selection and increase time to value  How that patient data is collected is also important  Collection in a physician s office captures a snapshot of the participant s data at one point in time and doesn t necessarily account for daily lifestyle variables Fitbit used in more than published studies more than any other wearable device can enrich clinical trial endpoints with new insights from longitudinal lifestyle data which can help improve patient retention and compliance with study protocols We have introduced Device Connect for Fitbit which empowers healthcare and life sciences enterprises with accelerated analytics and insights to help people live healthier lives We are able to empower organizations to improve clinical trials in key ways  Enable clinical trial managers to quickly create and launch mobile and web RWE collection mechanism for patient reported outcomesEnable privacy controls with Cloud Healthcare Consent API and as needed remove PHI using Cloud Healthcare De identification API Ingest RWE and data into BigQuery for analysisLeverage Looker to enable quick visualization and powerful analysis of a study s progress and resultsEnsure security and privacy for a safe coordinated and compliant approach to digital transformation Google Cloud offers customers a comprehensive set of services including pioneering capabilities such as BeyondCorp Enterprise for Zero Trust and VirusTotal for malicious content and software vulnerabilities Chronicle s security analytics and automation coupled with services such as Security Command Center to help organizations detect and protect themselves from cyber threats as well as expertise from Google Cloud s Cybersecurity Action Team Google Cloud also recently acquired Mandiant a leader in dynamic cyber defense threat intelligence and incident response services Optimize supply chains and enhance your data to prepare for the unpredictable With a digital supply chain platform we can empower supply chain professionals to solve problems in real time including visibility and advanced analytics alert based event management collaboration between teams and partners and AI driven optimization and simulation Ready to learn more We ll be taking a deep dive into each of the challenges outlined above in our life sciences video series Stay tuned  National Library of Medicine  How much does a clinical trial cost  Life Sciences Industry Becomes Latest Arena in Hackers Digital WarfareRelated ArticleHow Google Cloud and Fitbit are building a better view of health for hospitals with analytics and insights in the cloudExploratory research into detection and prevention of cardiovascular diseases using the latest wearable technology and AI driven analytics Read Article 2022-11-16 17:00: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件)