投稿時間:2022-12-09 02:14:44 RSSフィード2022-12-09 02:00 分まとめ(19件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
python Pythonタグが付けられた新着投稿 - Qiita 【エンジニア3年目】仕事以外で全く勉強してこなかった俺の年収と職場環境、スキル https://qiita.com/kohei0626/items/a7513f790b5b6967855b 【エンジニア年目】仕事以外で全く勉強してこなかった俺の年収と職場環境、スキルはじめに皆さんこんにちは初めてQiitaに記事を投稿するエンジニア年目のこーへーです。 2022-12-09 01:53:44
js JavaScriptタグが付けられた新着投稿 - Qiita 残余引数とスプレッド構文の違い & 使い方 https://qiita.com/kotaro-caffeinism/items/6016a117a6d0e8bb8460 functionsumtheargs 2022-12-09 01:17:35
js JavaScriptタグが付けられた新着投稿 - Qiita プログラミング初心者目線でわからない単語を調べた https://qiita.com/pronomin_/items/74ba82d25019c07819f7 nextjs 2022-12-09 01:13:43
海外TECH MakeUseOf 5 Apps and Websites to Help You Find a Pet Sitting Job https://www.makeuseof.com/apps-websites-find-pet-sitting-job/ Apps and Websites to Help You Find a Pet Sitting JobIf you re looking for pet sitting jobs it can be difficult to trawl through postings online So here are five dedicated apps and websites to use 2022-12-08 16:30:15
海外TECH MakeUseOf How and When to Use File Locksmith in PowerToys https://www.makeuseof.com/powertoys-file-locksmith-guide/ powertoys 2022-12-08 16:15:15
海外TECH DEV Community Secure Smart Contract Tools—An End-to-End Developer’s Guide https://dev.to/mbogan/secure-smart-contract-tools-an-end-to-end-developers-guide-9lf Secure Smart Contract ToolsーAn End to End Developer s GuideNo doubtーwriting secure smart contracts is hard Even smart contracts written by senior developers can get hacked And since these smart contracts often hold a high monetary value the incentive to hack them is also high Add in the immutability of web and getting security right becomes even more important As a smart contract developer smart contract security should be your top priority In this article I will walk through a recently published guide Security Tooling Guide for Smart Contracts by ConsenSys Diligence It details security tools from across web available at each stage of smart contract development I ll highlight several important tools to help make your next smart contract even more secure So let s walk through the guide one development stage at a time Preparing for DevelopmentAs you begin developing your smart contracts security should be top of mind My favorite sections of the guide are the tools that can help even as you prepare to code This includes documentation linting and writing reusable code First documentation is key to any development project and smart contract development is no exception The Ethereum Natural Specification Format NatSpec is a great way to document smart contracts NatSpec is a special form of comments added to provide rich documentation for contracts interfaces libraries functions and events Consider the following solidity code snippet for a Tree Contract SPDX License Identifier GPL pragma solidity gt lt title A simulator for trees author Larry A Gardner notice You can use this contract for only the most basic simulation contract Tree notice Calculate tree age in years rounded up for live trees dev The Alexandr N Tetearing algorithm could increase precision param rings The number of rings from dendrochronological sample return Age in years rounded up for partial years function age uint rings external virtual pure returns uint return rings NatSpec commented Solidity ContractBy making use of NatSpec annotations code can be easily explained to other developers auditors or someone just looking to interact with the contract Simply put it is clean readable and easy to understand Next reusing battle tested code is another proven way to reduce the risk of vulnerabilities in your smart contracts There are many widely used opensource smart contract libraries available such as OpenZeppelin with pre written logic for implementing access control pause functions upgrades and more and Solmate Contracts for optimizing gas usage Finally linting is a valuable tool for finding potential issues in smart contract code It can find stylistic errors violations of programming conventions and unsafe constructs in your code There are many great linters available such as ETHLint Formerly Solium Linting can help find potential problemsーeven security problems such as re entrancy vulnerabilitiesーbefore they become costly mistakes By considering documentation linting and reusable code during smart contract development you can help ensure a more secure contract Taking the time to set these up properly will pay off in the long run both in terms of security and efficiency DevelopmentNow let s look at two categories of tools that can help you while you re codingーunit tests and property based testing Unit tests are clearly a vital part of creating secure and reliable code By testing individual units of code we can ensure that our contracts are functioning as intended and hopefully catch any potential issues before they cause problems in production There are several different tools available for writing unit tests for smart contracts Foundry Truffle and Brownie are all popular framework choices that support various programming languages Foundry written in Rust is a framework for writing smart contracts that includes the testing framework Forge Forge unit tests can be written directly in Solidity and include many cheatcodes that give you assertions the ability to alter the state of the EVM mock data and more Foundry also comes with built in Fuzzing which we discuss in more detail later in the post SPDX License Identifier Unlicense pragma solidity import ds test test sol import StakeContract sol import mocks MockERC sol contract StakeContractTest is DSTest StakeContract public stakeContract MockERC public mockToken function setUp public stakeContract new StakeContract mockToken new MockERC notice Test token staking with different amount function test staking tokens public uint amount e mockToken approve address stakeContract amount bool stakePassed stakeContract stake amount address mockToken assertTrue stakePassed A sample Solidity unit test in FoundryTruffle is also a framework for building smart contracts Unit tests in Truffle can be written in Solidity or JavaScript Often developers use JavaScript based tests for external interactions with a contract and Solidity tests for assessing a contract s behavior on the actual blockchain Truffle uses Mocha for async testing and Chai for assertions Brownie is a Python based framework for developing and testing smart contracts Brownie integrates with pytest for unit testing and has a stack trace analysis tool for measuring code coverage When writing unit tests aim for high test coverage by testing as many different parts of the code as possible to ensure that all the functionality works as expected Foundry does not require an extra plugin to measure test coverage for other frameworks there is likely at least one plugin you can add to measure this While unit testing is a reliable approach to ensure the correctness of smart contracts property based testing allows for the deeper verification of smart contracts This is a relatively new concept and it offers a range of advantages over traditional unit testing Property based testing focuses on testing theーyou guessed itーproperties of a smart contract rather than its individual components From the guide “Properties describe the expected behavior of a smart contract and state logical assertions about its execution A property must hold true at all times “Property based testing tools take a smart contract s code and a collection of user defined properties as inputs and check if execution violates them at any point in time Property based testing is based on the notion of fuzzing which is a technique for testing a system by introducing random inputs This means that property based testing can check a smart contract on a much broader level as it does not rely on specific inputs provided by the developer Because of this it is becoming an increasingly popular method for testing smart contracts Using our previous contract as an example let us use a property based approach to test a simple staking function For this we will use Scribble a specification language and runtime tool that makes this a whole lot easier SPDX License Identifier MITpragma solidity import openzeppelin contracts token ERC IERC sol error TransferFailed contract StakeContract mapping address gt uint public s balances if succeeds msg Stake created successfully result true function stake uint amount address token external returns bool s balances msg sender amount bool success IERC token transferFrom msg sender address this amount if success revert TransferFailed return success A sample solidity property test in Scribble NotationDifferent tools can use Scribble specifications for property testingTo assess our staking function we must check that it returns true in the event of successful execution This can be done by adding a comment to the stake function code as directed above without the need for a separate test file The Scribble CLI tool can then be run to convert the scribble annotations into assertions Next these assertions must be run through a fuzzer such as Diligence Fuzzing or Mythril to determine if there are any property violations Reports from an example Diligence Fuzzing campaignThere are several other tools available for property based testing such as Foundry Scribble used above Diligence Fuzzing and Mythril are some of the most recommended Scribble and Diligence Fuzzing are free and opensource tools built by ConsenSys Diligence Mythril is a tool designed to detect potential vulnerabilities in Ethereum smart contracts I particularly enjoy Scribble because putting together these tests is as simple as adding function annotations Post DevelopmentFinally let s look at the last group of toolsーpost development Specifically monitoring Because smart contract code on most blockchains is immutable you have little to no control over your code once it s pushed to mainnet Monitoring can help you be aware of any issues or changes in your code so that you can address them quickly Not only will this help you improve the security of your contracts but it will also help you optimize and improve their functionality Tools like OpenZepplin s Defender Sentinels and Tenderly s Real Time Alerting are great for monitoring on chain contracts and wallets Tenderly Alerts provides a collection of custom triggers to choose from allowing you to quickly set up alerts for a variety of activities such as when a new contract is deployed when a transaction is sent or received and when a certain address is targeted Defender Sentinel provides real time security monitoring and alerts through a series of custom parameters that you defineーsuch as if withdrawals cross a specific threshold if someone performs a critical action like calling transferOwnership or if a blacklisted address attempts to interact with your contract What else These are some of the essential parts of smart contract security but there are numerous other considerations I haven t covered For example secure access control and administration bug bounties and vulnerability reports and strategies and contingencies for responding to security incidents These considerations and more are covered in detail in the full guide ConclusionSmart contract security tooling is really important Hopefully this overview has helped in your quest for understanding the right tools available to you in order to write more secure smart contracts For more detailed information check out the complete ConsenSys Diligence guide here 2022-12-08 16:45:04
海外TECH DEV Community How to Test GraphQL API https://dev.to/j471n/how-to-test-graphql-api-161i How to Test GraphQL APIYou ve just created a GraphQL API and are ready to test it But where do you start How do you know if it s working correctly Testing your API is essential in ensuring that it functions correctly and meets your users needs But it can be tricky to know where to start and what to test In this article we ll walk you through the process of testing your GraphQL API We ll cover everything from initial testing to load testing and performance monitoring By the end of this article you ll know exactly how to test your API and be one step closer to launching it into the world What Is GraphQL If you don t know Graph QL is a query language for APIs that Facebook developed It allows you to request data from an API in a declarative way making it easier to work with complex data structures A server side runtime for executing queries using a type system you define for your data is provided by GraphQL which is a query language for your API GraphQL is supported by your current code and data rather than being dependent on any one database or storage engine Kinds and fields on those types are defined and then functions are provided for each field on each type to establish a GraphQL service GraphQL is gaining popularity and many developers are looking to learn how to use it In this guide we ll go over some of the basics of Graph QL and how you can test your Graph QL API Why Use it So why use Graph QL There are a few reasons Simplicity Graph QL is designed to make it easy to get the data you need in one request This means less code overall which is always a good thing Efficiency With Graph QL you can specify the data you need in your request This means that the server doesn t have to send extra data you don t need making your requests more efficient Flexibility Graph QL is flexible enough to be used for any data from simple data like strings and numbers to more complex data like images and files Overall Graph QL is a powerful tool that can make your life easier as a developer So if you re working with APIs definitely give it a try What is worth considering Now when you know what Graph QL is and why it s essential it s time to learn what to pay attention for when testing a Graph QL API There are a few different things you ll want to keep in mind The data types of the fields Are they the correct data type The structure of the data Is the data in the correct order The relationships between types Are the correct relationships being returned The permissions Is the data being returned only to those who have permission to see it To ensure that the queries adjustments and schemas made for an application function as intended on the front end GraphQL APIs are used These are just a few things you ll want to remember when testing a Graph QL API By keeping these factors in mind you can be sure that your API is functioning correctly and that your data is safe How to test GraphQL API Now that we ve gone over some of the basics of testing GraphQL APIs let s talk about some of the tools you can use to make your life a little easier You can do a few different things on the pc you want to test your Graph QL API First you can use a third party testing tool like GraphiQL This is an excellent option to test your API without writing any code Another option is to use a tool like Postman With this tool you can send HTTP requests to your API and get back responses This is an excellent option if you want to test specific functionality in your API Also you can use a tool like SoapUI This tool allows you to test both SOAP and REST APIs This is an excellent option if you want to test your API with both requests The most well liked GraphQL functional testing tools for JavaScript developers You may quickly test assertions to confirm API replies as part of an automated test suite by integrating with a tool like Mocha There are a few different options out there for PC users like GraphQL CLI It s a command line interface that lets you automatically generate tests for your schema and it s straightforward to use Another great option is the Apollo Server playground This is a graphical interface that lets you interact with your API in a user friendly way These tools are great for testing GraphQL APIs so it comes down to personal preference They are used on PC but there is a twist next to make your testing and work efficiency fast API Tester Mobile App all problems one solutionIn the struggle to test your APIs using your phone API Tester mobile app enters the picture It will give you a hassle free and mobile optimized experience for your ongoing job It has all the tools you need to use them You may run any test using its advanced editor and API Testing environment Your laptop is no longer necessary for daily use Debugging and testing your API can be done quickly and anywhere It supports the Graph Ql testing environment and all effective methods gets and posts You can download API Tester mobile app to your iPhone iPad or Android device Go to apitester org or search on Play store App Store API Tester on the first you can see and download it After the development of API do you want to test your GraphQL queries on a mobile app You can see below how to use API Tester to do just that Let s walk through how to use API Tester to test your GraphQL queries on a mobile app Let s use the API tester appI m going to use the GitHub API to demonstrate how to work with API tester app It provides us with real time data Click on “create new request or button in the top right corner to start a Graph QL request You can see it in the attached screenshots You can easily see the Graph QL option in the new tab under Other features Clicking on it will take you to further options On the next screen you can see a GraphQL untitled request The first tab shows the Request Name You can rename it which is a good practice so you don t get confused when there are a lot of requests Also you need to provide the API URL and paste it into the section starting with HTTPS You can see multiple options for Graph QL below like Body Variables Headers Docs and Settings I m going to use the GitHub API so I ll put api github com graphql in URL section When you execute this now you ll see that this endpoint requires you to be authenticated so you need to provide the authentication information and go to the request In Headers sections you can see the OAuth option so you need to provide the access token here You can generate it from GitHub I will use my token for an explanation and provide it in the corresponding field How to generate GitHub API token access key To generate a key first go to github com and login in to your account using your credentials and then Click on your profile avatar in the upper right corner and select Settings At the bottom end you can see another option known as Developer settings Click on that option and move further next Three options are visible here Select personal access token option and click on generate new token classic In the note section write the name of the token to remember it Next select the expiry date of the token In the further options select scope of tokens for OAuth access purpose what you want to permit access or don t want to permit access After completing these settings click on the button at bottom Generate token Congratulations our token is generated We can use it for your API testing in the app for Graph QL testing purpose Let s continue creating the requestI will paste a created token in the OAuth section as I pointed above Now we have to go to the Body section and specify a query to get your specific type of data For example let s get the id information of a GitHub account So the corresponding Query using the GitHub login is written in the body tab as you can see in the screenshot below If you execute this now you will see that you get the login and id of the GitHub profile Also if you want to get an URL bio or whatever available information you want you should provide it in the body section as a Query In the Docs section you can see the queries and mutations They will help you how to execute an explicit request Tips for TestingNow that you know the basics of testing GraphQL on Mobile API Tester here are a few tips to keep in mind First ensure you are using the latest version of the Graph QL schema If you are not then update your schema and rerun your tests Second check your resolvers Make sure they are correctly resolving the data that you are querying for Third ensure your Graph QL server is running and accessible You can do this by checking the server logs Fourth if you are using a mocked Graph QL server ensure the mock data is correct When creating tests always start with the most straightforward queries possible and gradually add complexity This will help you narrow down any issues more quickly Pay attention to the structure of your queries and make sure they are well formed This includes using proper casing and indentation Make use of the debug mode in Mobile API Tester to see precisely what is being sent with each request This can be helpful for troubleshooting purposes Keep your tests organized by creating separate projects for each type of test e g unit vs integration This will make it easier to find what you re looking for later Following these tips you should be able to test GraphQL on Mobile API Tester with no problems successfully Why API Tester Mobile app API tester mobile app is the best for API testing on Android and iOS devices because It has a simple and easy to use interface that makes it easy to test your APIs The app provides real time feedback so you can see how your APIs are performing in actual use It s fast and efficient so you can quickly test multiple APIs API Tester Mobile app has been specifically designed to help developers test their APIs The app provides several features that make it easy to simulate real user interaction with your APIs For example you can generate requests and responses view logs and track user interactions The app also has a built in debugger that makes exploring any errors during the testing process easy ConclusionIn this article we discussed how to test GraphQL API using the API Tester Mobile app This is a must have tool if you are working with API It can help you troubleshoot issues The app provides rich feedback so you can always know what is happening with your requests and responses everywhere in the world If you enjoyed this article then don t forget to give ️and Bookmark ️for later use and if you have any questions or feedback then don t hesitate to drop them in the comments below I ll see in the next one 2022-12-08 16:01:38
海外TECH DEV Community A solution for Monitoring and Logging Containers https://dev.to/ductnn/a-solution-for-monitoring-and-logging-containers-43io A solution for Monitoring and Logging Containers domoloA monitoring and logging solution for Docker hosts and containers with Prometheus Grafana Loki cAdvisor NodeExporter and alerting with AlertManager Inspired by dockpromFull source code in here InstallClone this repository on your Docker host cd into domolo directory and run docker compose up d git clone cd domolodocker compose up dContainers Prometheus metrics database http lt host ip gt Prometheus Pushgateway push acceptor for ephemeral and batch jobs http lt host ip gt AlertManager alerts management http lt host ip gt Grafana visualize metrics http lt host ip gt Loki likes prometheus but for logs http lt host ip gt Promtail is the agent responsible for gathering logs and sending them to Loki NodeExporter host metrics collector cAdvisor containers metrics collector Caddy reverse proxy and basic auth provider for prometheus and alertmanager GrafanaChange the credentials in file config GF SECURITY ADMIN USER adminGF SECURITY ADMIN PASSWORD changemeGF USERS ALLOW SIGN UP falseGrafana is preconfigured with dashboards setup Prometheus default and Loki in datasourcesapiVersion datasources name Prometheus type prometheus access proxy orgId url http prometheus basicAuth false isDefault true editable true name Loki type loki access proxy jsonData maxLines basicAuth false url http loki isDefault false editable true Prometheus Node ExporterConfig prometheus for receiving metrics from node exporter First setup node exporter in servers we need monitor with docker compose agents yml and run command docker compose f docker compose agents yml up dThis file will setup agents node exportercAdvisorpromtailThen we need config scrape metric on prometheus server Live monitoring prometheus server scrape configs job name nodeexporter scrape interval s static configs targets nodeexporter Monitoring other Server we need to add external labels external labels monitor docker host alpha scrape configs job name ApiExporter scrape interval s static configs targets lt IP Server need Monitor gt Port Grafana DashboardsSimple dashboards on Grafana Node ExporterMonitor ServicesDocker Host LokiSetup config loki in file loki configTODO Setup sConfig scrape logs with promtail create file promtail config yaml and setup Scrape logs container job name container logs docker sd configs host unix var run docker sock refresh interval s relabel configs source labels meta docker container name regex target label container Scrape logs systems job name system static configs targets localhost labels job varlogs path var log log DemoCreate simple tool generate logs and containerization this tool Navigate to file entrypoint sh and run test ➜domolo git master cd fake logs➜fake logs git master ✗chmod x entrypoint sh➜fake logs git master ✗ entrypoint sh T Z ERROR An error is usually an exception that has been caught and not handled T Z DEBUG This is a debug log that shows a log that can be ignored T Z WARN A warning that should be ignored is usually at this level and should be actionable T Z ERROR An error is usually an exception that has been caught and not handled T Z ERROR An error is usually an exception that has been caught and not handled T Z INFO This is less important than debug log and is often used to provide context in the current task T Z ERROR An error is usually an exception that has been caught and not handled T Z DEBUG This is a debug log that shows a log that can be ignored T Z INFO This is less important than debug log and is often used to provide context in the current task T Z INFO This is less important than debug log and is often used to provide context in the current task Then add fake logs in docker compose yml Fake Logsflogs image ductn flog v Set your name image build context fake logs dockerfile Dockerfile container name fake logs restart always networks monitor net labels org label schema group monitoring or checkout docker compose with flogs yml and run command docker compose f docker compose with flogs yml up dNavigate grafana and open Explore So we can select labels and views logs Ex Select label container and view log container fake logs More logs logs system other containers Show your supportGive a if you like this application ️ ContributionAll contributions are welcomed in this project LicenseThe MIT License MIT Please see LICENSE for more information 2022-12-08 16:01:22
Apple AppleInsider - Frontpage News 'Black Bird' team reunit for new 'Firebug' drama on Apple TV+ https://appleinsider.com/articles/22/12/08/black-bird-team-reunit-for-new-firebug-drama-on-apple-tv?utm_medium=rss x Black Bird x team reunit for new x Firebug x drama on Apple TV Apple TV has announced that the creator producers and star of Black Bird are to to make Firebug a new drama about serial arsonists Taron Egerton in Black Bird Just as Black Bird was based on true events creator Dennis Lehane is taking his cue for the new series from real life events Rather than a book though this time the inspiration is the Firebug podcast hosted by Black Bird executive producer Kary Antholis Read more 2022-12-08 16:46:01
Apple AppleInsider - Frontpage News Satechi has a new 10,000mAh Duo Wireless Power Stand https://appleinsider.com/articles/22/12/08/satechi-has-a-new-10000mah-duo-wireless-power-stand?utm_medium=rss Satechi has a new mAh Duo Wireless Power StandPopular accessory maker Satechi has released a new wireless charging stand that can charge an iPhone AirPods and a third device of your choice Duo Wireless Charger Power StandThe Duo Wireless Charger Power Stand is a powerful mAh power bank with a wireless charging base and an additional USB C port It charges at W per device for an iPhone and AirPods simultaneously Read more 2022-12-08 16:42:19
Apple AppleInsider - Frontpage News Mophie Powerstation Plus review: Enough portable power for iPhone & iPad https://appleinsider.com/articles/22/12/08/mophie-powerstation-plus-review-enough-portable-power-for-iphone-ipad?utm_medium=rss Mophie Powerstation Plus review Enough portable power for iPhone amp iPadMophie s Powerstation Plus is an all in one package that will give sufficient portable power to most ーwith a bonus or penalty of built in cables for both Lightning and USB C depending on how you use it A few years back when many users really became heavily dependent on their smartphones we all dutifully went out and bought the first generation of battery packs extra wall plugs and spare cables ーeither Lightning or micro USB to USB A Fast forward a few years and ーto their credit ーAndroid phones makers almost universally switched over to the faster and more versatile USB C Apple s iPhones remained with Lightning because well because of Apple and it did the job just fine Read more 2022-12-08 16:36:46
Apple AppleInsider - Frontpage News Deals: Amazon drops 128GB Apple TV 4K to record low $139.99, delivers by Christmas https://appleinsider.com/articles/22/12/08/deals-amazon-drops-128gb-apple-tv-4k-to-record-low-13999-delivers-by-christmas?utm_medium=rss Deals Amazon drops GB Apple TV K to record low delivers by ChristmasAmazon continues to issue highly aggressive Apple deals with its latest price cut delivering the lowest price ever on the Apple TV K GB model with Ethernet The GB Apple TV K is At press time the Apple TV K GB Wi Fi Ethernet model is set to arrive by Christmas at Amazon The record breaking price drop offers better than Black Friday pricing on the streaming box with Wi Fi Ethernet connectivity Read more 2022-12-08 16:31:48
海外TECH Engadget Google's Nest WiFi Pro routers are up to 17 percent off right now https://www.engadget.com/googles-nest-wi-fi-pro-routers-are-up-to-17-percent-off-right-now-163823604.html?src=rss Google x s Nest WiFi Pro routers are up to percent off right nowThe new mesh router from Google Nest WiFi Pro launched back in October and is just now seeing its first discount If you ve been thinking about stepping up to the newly opened GHz WiFi band or are curious to see how Google s new smart home industry standard Matter will operate once it launches this might be the time to add the routers to your cart nbsp You ll get the best deal with the two pack which is percent off making it for the set The three pack and the single unit are both percent off bringing them down to and respectively We re seeing discounts for all three packs at Amazon but you can also head over to Wellbots and snag the three pack for the same nbsp nbsp Google currently makes three different routers Google WiFi Nest WiFi and the new Nest WiFi Pro which has a shiny new design and is the only one running WiFi E If you re curious what that means in a nutshell in the FCC opened up more airwaves in the Ghz band for WiFi to run on which allows your home WiFi to get better wireless connections with less congestion nbsp Google states that WiFi E will be up to twice as fast as the previous WiFi standard Of course only devices that are WiFi E compatible will be able to access the new airwaves But since these routers are tri band they also provide access to the GHz GHz and GHz frequency bands meaning any device that currently runs on your WiFi will also run on these routers Also keep in mind that these don t replace your modem one router plugs into your ISP s modem or gateway a combined modem router nbsp nbsp nbsp A single Nest WiFi Pro unit will extend coverage to a home up to square feet With three routers you ll get up to square feet of coverage The routers are also ready to act as a hub that will work with Matter Google s forthcoming smart home industry standard that s intended to bring more universal connectivity as in working with Apple Samsung and Amazon devices to the smart home landscape It ll also make new smart home devices easier to set up and use Matter is scheduled for this Fall and these Nest WiFi Pro routers will be ready when the service launches nbsp Follow EngadgetDeals on Twitter and subscribe to the Engadget Deals newsletter for the latest tech deals and buying advice 2022-12-08 16:38:23
海外TECH Engadget Disney+ launches $8 ad-supported plan, raises price on ad-free streaming https://www.engadget.com/disney-plus-ad-supported-plan-live-premium-price-increase-162818934.html?src=rss Disney launches ad supported plan raises price on ad free streamingIf you want to keep using Disney at the same price you ve been paying each month since March last year you ll need to put up with some ads starting today The Disney Basic plan is now live and it costs per month To keep using the streaming service without ads you ll need to pay per month which marks an increase of That s now called the Premium plan and an annual membership costs Unlike Netflix s ad supported plan Disney Basic offers access to the platform s full library as well as high quality streaming in K Dolby Vision and the IMAX Enhanced format The Netflix s Basic with Ads plan which went live last month costs It limits streams to a resolution of p and some titles aren t available However neither company s ad supported plan includes offline viewing Disney Basic currently lacks other features that are available to Premium subscribers including GroupWatch SharePlay and Dolby Atmos Disney does offer some streaming bundles For per month you ll get access to Disney Basic and Hulu with Ads You ll pay less per month than you would by subscribing to them individually If you want to include ESPN in your bundle there are three options If you don t mind dealing with ads on all three services you can subscribe to them for per month For an extra per month Disney will ditch the ads For access to ad free versions of all three streaming services you ll pay per month Disney announced the price changes before it canned former CEO Bob Chapek and brought back Bob Iger who oversaw the Disney launch as well as the takeovers of Fox studios and cable channels Pixar Marvel and LucasFilm Although the total number of Disney Hulu and ESPN subscriber numbers rose to million under Chapek s watch the company has dealing with some business difficulties Disney lost billion on the streaming side of the business last quarter more than doubling the operating loss of million from the same quarter in It attributed the steeper loss to higher production and technology costs as well as greater marketing expenses The introduction of the ad supported plan and Premium price hike could help to make the streaming business profitable though consumers may have to give the company more of their money or time to do so 2022-12-08 16:28:18
海外TECH CodeProject Latest Articles Event Sourcing on Azure Functions https://www.codeproject.com/Articles/5205463/Event-Sourcing-on-Azure-Functions functions 2022-12-08 16:20:00
海外科学 BBC News - Science & Environment COP27: What was agreed at the Sharm el Sheikh climate conference? https://www.bbc.co.uk/news/science-environment-63781303?at_medium=RSS&at_campaign=KARANGA egypt 2022-12-08 16:37:28
ニュース BBC News - Home Brittney Griner: Russia frees US basketball star in swap with arms dealer Bout https://www.bbc.co.uk/news/world-europe-63905112?at_medium=RSS&at_campaign=KARANGA russia 2022-12-08 16:21:26
ニュース BBC News - Home UK banking rules face biggest shake-up in more than 30 years https://www.bbc.co.uk/news/business-63905505?at_medium=RSS&at_campaign=KARANGA crisis 2022-12-08 16:32:04
ニュース BBC News - Home Strep A linked to deaths of 15 children across UK https://www.bbc.co.uk/news/health-63903051?at_medium=RSS&at_campaign=KARANGA infections 2022-12-08 16:47: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件)