投稿時間:2022-12-08 22:34:50 RSSフィード2022-12-08 22:00 分まとめ(38件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… Googleの折りたたみ式スマホ「Pixel Fold」の新たなレンダリング画像が公開される − 本体サイズなどの情報も https://taisy0.com/2022/12/08/165853.html google 2022-12-08 12:33:07
IT InfoQ How Defining Agile Results and Behaviors Can Enable Behavioral Change https://www.infoq.com/news/2022/12/behavioral-change/?utm_campaign=infoq_content&utm_source=infoq&utm_medium=feed&utm_term=global How Defining Agile Results and Behaviors Can Enable Behavioral ChangeSpecifying and measuring behavior within a certain organisational context can enable and drive behavioral change To increase the success of an agile transformation it helps if you link the desired behaviors to the expected results This way you set yourself up to be able to reinforce the behavior you want to see more of in order to reach your results By Ben Linders 2022-12-08 12:09:00
IT ITmedia 総合記事一覧 [ITmedia ビジネスオンライン] 今年のクルマは、日産「サクラ」と三菱「eKクロスEV」 軽自動車初のイヤーカー https://www.itmedia.co.jp/business/articles/2212/08/news166.html itmedia 2022-12-08 21:36:00
IT ITmedia 総合記事一覧 [ITmedia News] 「ナスカの地上絵」新たに168点発見 山形大学が発表 ドローンや航空レーザー測量で現地調査 https://www.itmedia.co.jp/news/articles/2212/08/news182.html itmedia 2022-12-08 21:09:00
python Pythonタグが付けられた新着投稿 - Qiita XGBoostでチャンピオンズカップを予想してみたという話 https://qiita.com/Glen-Maki/items/fa97ed8c3039f39f957c myjlabadventcalendar 2022-12-08 21:39:57
python Pythonタグが付けられた新着投稿 - Qiita Symbol XYM 買いボット tikutikukun https://qiita.com/curupo/items/c3236725108e22ffb459 curupo 2022-12-08 21:25:42
js JavaScriptタグが付けられた新着投稿 - Qiita 難読化されたJavaScriptの解析 https://qiita.com/housu_jp/items/ad6c239ac37ec0f29a8f evalfunctionpackdp 2022-12-08 21:50:28
js JavaScriptタグが付けられた新着投稿 - Qiita deno deployのログをslackに送信する https://qiita.com/access3151fq/items/22ca4c07cb9282550111 consolelo 2022-12-08 21:10:23
Ruby Rubyタグが付けられた新着投稿 - Qiita 【ActiveRecord::PendingMigrationError】Migrations are pending. https://qiita.com/Ryo-0131/items/0222eb8dd531635901d3 activerecord 2022-12-08 21:57:23
Ruby Rubyタグが付けられた新着投稿 - Qiita error Your lockfile needs to be updated, but yarn was run with `--frozen-lockfile` のエラー解決方法 https://qiita.com/Ryo-0131/items/26782b52a80772f268c2 yourlockfileneedstobeupda 2022-12-08 21:56:01
AWS AWSタグが付けられた新着投稿 - Qiita terraformでEC2を構築する際に起きたトラブル(terraform applyができない!) https://qiita.com/benkyganbaruzo/items/c8298ba453fbfef8789a terraform 2022-12-08 21:55:15
AWS AWSタグが付けられた新着投稿 - Qiita AWS Managed Microsoft AD のバージョン更新 https://qiita.com/hayayu0/items/686220ec430291926984 activedirectoryad 2022-12-08 21:11:02
Ruby Railsタグが付けられた新着投稿 - Qiita 【ActiveRecord::PendingMigrationError】Migrations are pending. https://qiita.com/Ryo-0131/items/0222eb8dd531635901d3 activerecord 2022-12-08 21:57:23
Ruby Railsタグが付けられた新着投稿 - Qiita error Your lockfile needs to be updated, but yarn was run with `--frozen-lockfile` のエラー解決方法 https://qiita.com/Ryo-0131/items/26782b52a80772f268c2 yourlockfileneedstobeupda 2022-12-08 21:56:01
技術ブログ Developers.IO PostgreSQLの拡張機能で古いデータをS3に定期的に退避する https://dev.classmethod.jp/articles/postgresql-to-s3-old-data/ postgresql 2022-12-08 12:25:42
海外TECH MakeUseOf What Is Progressive Enhancement? https://www.makeuseof.com/progressive-enhancement-what/ accessible 2022-12-08 12:30:15
海外TECH MakeUseOf 10 Different Sensors You'll Find In Your Smartwatch https://www.makeuseof.com/what-types-sensors-in-smartwatch/ smartwatchyour 2022-12-08 12:16:15
海外TECH DEV Community Client-side object validation with Yup https://dev.to/hi_iam_chris/client-side-object-validation-with-yup-4f7a Client side object validation with Yup IntroductionTypescript introduced many positive things in JavaScript When used right it can help with having cleaner code and reducing bugs However it mainly works on the compile time which means it helps you when writing code Not when running it And sometimes you want to verify the structure of data on run time If you have something simple like checking if some value is a string it is quite easy but if you are validating some more complex structure with different data types That can get much more complicated For that there are libraries like Yup which I am going to cover in the rest of this post InstallationYup installation is quite simple All you need to do is either add it to your package json file or run the following command npm run install S yup BasicsIt all starts by defining schema and yup comes with a whole range of built in flexible options for basic types and options to build more complex ones const schema yup object shape object schema In the code above the result is yup schema The parameter of the shape function is an empty object so it does not test anything but this is where you would pass validation details for your data For that let s consider the next values and build a validation object for them const data firstName john lastName doe age email john doe email com created new Date Observing data we can see that firstName lastName and email are strings age is a number and created is a date Lucky for us yup supports all those types and shape objects could be defined like the following const schema yup object shape firstName yup string lastName yup string age yup number email yup string created yup date Once we have both data and schema defined data can be tested For that our schema has an isValid function that returns a promise that resolves with Boolean status const valid schema isValid data then valid gt console log valid true Additional validationThe example above is ok But what if we need additional validations What if lastName is missing And email is defined as a string but not any string is email Also how about age maybe there is a minimum and maximum value Again yup has the option to support all those requirements For example let us consider the following example of invalid data const data lastName a age email blob created Some invalid string In the above this would be a valid object However we could test all the additional requirements by using the next schema const schema yup object shape firstName yup string required lastName yup string required Last name is required min age yup number required min max Value needs to be less than email yup string required email created yup date required The first thing above you might notice is that all have  required call This defines that a field is required and it accepts an optional parameter of string which would be used instead of the default message Other interesting calls are min and max These depend on the data type For numbers it is defining minimum or maximum number value and for strings it defines length requirements Almost all additional functions do take custom error messages as optional extra parameters ErrorsIn the above example we determined if the schema is valid But what if it isn t You would want to know some details about it Error messages and fields that are invalid and this is in my opinion biggest issue of yup There is a method called validate but getting fields and errors is not so straightforward from the documentation Validate is an async function that returns a promise and resolves if valid or rejects if invalid data This can be caught by using two ways below await is also an option and there are synchronized versions of these functions as well schema validate data then gt valid data function gt invalid data function schema validate data catch errors gt validation failed The problem mentioned above is that yup exits when it finds the first error so it won t register all fields that do have it But for that we could pass the options object with the abortEarly field set to false And this brings us to the next problem which is getting data out of the error In the error function the parameter we get is an errors object which has inner property and that property has a value of an array containing all errors and as part of each error we get a path property containing the field name and errors containing all error messages for that specific error schema validate invalidData abortEarly false catch function errors errors inner forEach error gt console log error path error errors Nested data typesThese above were all simple fields But yup also contains complex ones like nested objects and arrays I won t go into them too much but you can see simple examples below let numberSchema yup array of yup number min let nestedObjectSchema yup object shape name yup string address yup object shape addressLine yup string addressLine yup string town yup string country yup string Wrap upYup is a great library with many uses And there are many more options than shown in this post But I hope from this post you got some basic intro into understanding it and all examples you can find also in my GitHub repository For more you can follow me on Twitter LinkedIn GitHub or Instagram 2022-12-08 12:30:00
海外TECH DEV Community Changelog #0021 — 📯 Advanced import, GraphQL schema support, and more https://dev.to/pie/changelog-0021-advanced-import-graphql-schema-support-and-more-5apc Changelog ーAdvanced import GraphQL schema support and moreHello API World Check out what we shipped in v of HTTPie for Web  amp  Desktop SummaryAdvanced import Migrate your data from Postman and Insomnia 🪄GraphQL schema support Auto complete validation and more Other improvements ー Tweaks and fixes for improved API testing Import your Postman and Insomnia data to HTTPieSince our public beta launch a few months ago the adoption of HTTPie for Web amp Desktop has been growing Many of our new users have migrated from other API testing clients like Postman and Insomnia and they ve been asking for a smoother migration path So in this release we focused on streamlining the migration process andーin addition to the existing cURL importーyou can now import entire collections environments and data dump zips from Postman and Insomnia Migrate to HTTPie in a few simple stepsExport your data from Postman or from Insomnia Open the import dialog Library →“ →“Import… Drag amp drop the exported file and click “Next… Select the target space and click “Import Done Welcome to HTTPie Tip Create a new space during the import to keep things tidy Import compatibilityHere s an overview of what elements HTTPie currently imports from Postman and Insomnia and how As we gradually add new features to HTTPie we ll continue to improve the import as well ️Importing requestsRequest elementImported NotesHTTP RequestsGraphQL requestsgRPC requests✘WebSockets✘Request methodIncluding custom ones Request URLURL parametersHeadersAuthBasic bearer API key and inherited auth BodyText raw JSON and form request bodies Body files✘ ️Importing containersContainerImported NotesCollectionsSee collection variables below Sub folders✘Folder hierarchy is preserved as breadcrumbs in request names ️️Importing environments amp variablesElementImported NotesEnvironmentsDefault variablesCollection variablesWe move non global variables to the space level and refactor names and references to ensure uniqueness Importing other elementsOther elementImported NotesScripting✘Pre request scripts tests and dynamic tags Meta data✘Schemas documentation field descriptions and response examples Custom settings✘Cookies✘ 🪄Easier GraphQL APIs testing with schema supportWhen talking to GraphQL APIs HTTPie will automatically fetch the schema from the server That means the app is now aware of all the available queries mutations and the hierarchy of types which allows us to boost your productivity with auto complete and validation See auto complete suggestions as you type and to invoke the menu manually press ⌃Space HTTPie auto fetches the schema using the current request s URL and authentication To refresh the schema select “Update from server from the new “Schema menu And to disable schema for a particular tab uncheck “Auto apply schema In addition to schema support the GraphQL client now comes with code folding and other quality of life improvements Other improvementsImproved cURL import with support for ANSI C quoting shell syntax e g string This syntax is used by Chrome DevTools when exporting a request that includes a body as cURL among others HTTPie for Desktop now remembers the window s position This way you don t have to move it every time you launch it On HTTPie for Windows the title bar color now respects the system The request definition tables no longer jump when switching tabs We ve added error boundaries to tabs and other components for more robust exception handling and recovery The text search had some issues with very long lines Now it s fixed Spelling and autocorrect in the filter field is now disabled Happy API testing and see you again soon ️Thoughts Questions Shoot us an email at feedback httpie io You can also help us improve by completing a quick survey We re working on collaboration features and you can help us out Follow httpie and join our Discord community to stay up to date ‍We re looking for new colleagues in engineering and other roles Originally published on HTTPie blog 2022-12-08 12:25:00
海外TECH DEV Community I Automated Daily Standups for Developers https://dev.to/codewithbernard/i-automated-daily-standups-for-developers-1oc8 I Automated Daily Standups for DevelopersIt s time for a standup These are the words that always put me in total panic mode I don t even have to hear them A simple calendar notification will make the waters boil in me I have no idea what I ve worked on yesterday And I don t have the slightest idea what I ll be working on today I just want to code in peace To put it as simply as I can I m not a big fan of daily standup meetings One day I decided something about them And that s the day when Gitinerary was born How Gitinerary WorksThe tool itself is actually very simple It listens to commit activity on the repo of your choice and displays a real time report the one you see in the example above Later on you can browse the report in chronological order and filter it by your team members to see if someone is slacking To start using Gitinerary all you have to do is add the app to your Github account or organization How Can Gitinerary HelpThe app is fairly simple And we ve already seen what it can do  But how can it actually help It helps to track progressBy looking at the timeline you can see how developers are progressing with their work And by reading commit messages you get a slight idea of what they re up to No need to disturb them on Slack or Teams It helps to organize daily standupsYou can use the timeline of a given day as a foundation for your daily standups You ll clearly see what was done by each developer If there are some things that need discussion you can do that And if not you can skip the daily altogether   It helps to build a communityThis one is maybe out there But I ve seen many indie hackers building in public With Gitinerary you can take it one step further and share your timeline Your customers will see how you re progressing and maybe they ll feel more engaged How I Built ItIt only took me day to build a prototype Half of that was trying to figure out how to plug into the GitHub ecosystem But when I figured this out the process was quite straightforward   Creating GitHub AppThe first step was to create the GitHub app The app will listen to the activity inside GitHub repositories Whenever something happens it stores it inside the database Simple as that I used Probot to build the app And just followed the documentation to achieve what I needed Showing TimelineThe last step was to take the data and display it on the timeline For this part I used NextJS to build a full stack web application At this point I m very efficient with building interfaces It only took me a couple of hours to build a simple landing page and the timeline page What s NextThe app is up and running But I bet you want to know what are the next plans First of all I want to see if people are interested in using the app If they do I ll start gathering feedback on how to improve the app Add more features fix bugs and make the product better I also submitted the app to the GitHub marketplace and waiting for the response Last WordsAs you can see building a side project is not rocket science And you don t have to spend months coding in your basement just to realize no one wants to use your product It took me a couple of days to get the app into the state it is now And that s mostly because I focused on single feature Making sure it works as it should We ll see how we ll go from there That s it for now If you want to try the demo you can do so by installing Gitinerary 2022-12-08 12:20:24
海外TECH DEV Community Search Engine Scraping: What You Should Know https://dev.to/oxylabs-io/search-engine-scraping-what-you-should-know-4fkp Search Engine Scraping What You Should KnowAccording to Statista search traffic accounted for of worldwide website traffic in confirming that search engines have tons of valuable information However collecting search engine data in large volumes isn t an easy task In this post I ll go over all things search engine scraping related  different types benefits challenges solutions and more Strap in and let s get started What is search engine scraping Search engine scraping is an automated process of gathering public data such as URLs descriptions and other information from search engines To harvest publicly available data from search engines you need to use specialized automated tools search engine scrapers They allow you to collect the search results for any given query and return the data in a structured format The most basic information you can gather from search engines are keywords relevant to your industry and SERP search engine result page rankings Knowing successful practices of SERP rankings can help you make essential decisions whether it is worth trying something competitors do In other words being aware of what is happening in the industry can help you shape SEO or digital marketing strategies Scraping SERP results can also help check if search engines find relevant information according to the queries submitted For example you can scrape SERP data and check if your entered search terms match what you expect This information can change the entire content and SEO strategy because knowing which search terms find content related to your industry can help you focus on what content you need Using an advanced search engine results scraper powered by proxies can even help you see how time and geolocation change specific search results This is especially important if you sell products or provide services worldwide SEO monitoringOf course using a search scraper mostly helps with SEO monitoring SERPs are full of public information including meta titles descriptions rich snippets knowledge graphs etc An opportunity to analyze this kind of data can bring a lot of value such as giving guidelines to your content team on what works best to be ranked on SERPs as high as possible Digital advertisingAs a digital advertiser you can also gain an advantage from scraping search results by knowing where and when competitors place their ads Of course it does not mean that having this data allows advertisers to copy other ads Still you get an opportunity to monitor the market and trends to build strategies The display of ads is crucial for successful results Image scrapingIn some cases scraping publicly available images from search engines can be beneficial for various purposes such as brand protection or improving image SEO strategies If you work with brand protection you have to monitor the web search for counterfeit products and take down the infringers Collecting public products images can help identify if it s a fake product or not Gathering public images and their information for SEO purposes helps to optimize images for search engines For example the images ALT texts are essential because the more relevant information surrounding an image has the more search engines deem this image important Please make sure you consult with your legal advisor before scraping images in order to avoid any potential risks Shopping results scrapingThe most popular search engines have their own shopping platforms where you can promote your products Gathering public information such as prices reviews products titles and descriptions can also bring value for monitoring and learning about your competitors product branding pricing and marketing strategies Keywords are an essential part of shopping platforms Trying different keywords and scraping the results of displayed products can help you understand the whole ranking algorithm and give you insights for keeping your business competitive and driving revenue News results scrapingNews platforms are a part of the most popular search engines and it has become an outstanding resource if you re a media researcher The latest information from the most popular news portals is gathered in one place meaning that it s a huge public database that can be used for various purposes Analyzing this information can create awareness on the latest trends and what is happening across different industries how the display of news differs by location how different websites are presenting information and much more The list of news portals information uses can be endless Of course projects that include analyzing vast amounts of news articles became more manageable with the help of web scraping Other data sourcesThere are also more search engine data sources from which researchers can collect public data for specific scientific cases One of the best examples can be called academic search engines for scientific publications from across the web Gathering data by particular keywords and analyzing what publications are displayed can bring a lot of value if you re a researcher Titles links citations related links author publisher and snippets are the public data that can be collected for research How to scrape search results As I wrote earlier collecting the required information comes with various challenges Search engines are implementing increasingly sophisticated ways of detecting and blocking web scraping bots meaning that more actions have to be taken not to get blocked For scraping search engines use proxies They unlock the ability to access geo restricted data and lower the chances of getting blocked Proxies are intermediaries that assign users different IP addresses meaning that it is harder to be detected Notably you have to choose the right proxy type so seek out a reputable provider Rotate IP addresses You should not do search engine scraping with the same IP address for a long time Instead to avoid getting blocked think of IP rotation logic for your web scraping projects  Optimize your scraping process If you gather huge amounts of data at once you will probably be blocked You should not load servers with large numbers of requests Set the most common HTTP headers and fingerprints It s a very important but sometimes overlooked technique to decrease the chances of getting blocked Think of HTTP cookie management You should disable HTTP cookies or clear them after each IP change Always try what works best for your search engine scraping process Search engine scraping challengesWhy is search engine scraping difficult Well the problem is that it s hard to distinguish good bots from malicious ones Therefore search engines often mistakenly flag good web scraping bots as bad making blocks inevitable Search engines have security measures that everyone should know before starting scraping SERPs results be sure to read more on the topic before proceeding IP blocks Without proper planning IP blocks can cause many issues First of all search engines can identify the user s IP address When web scraping is in progress web scrapers send a massive amount of requests to the servers in order to get the required information If the requests are always coming from the same IP address it will be blocked as it is not considered as coming from regular users CAPTCHAsAnother popular security measure is CAPTCHA If a system suspects that you re a bot a CAPTCHA test pops up to ask that you enter correct codes or identify objects in pictures Only the most advanced web scraping tools can deal with CAPTCHAs meaning that usually CAPTCHAs lead to IP blocks Unstructured dataExtracting data successfully is only half the battle All your efforts may be in vain if the data you ve fetched is hard to read and unstructured With this in mind you should think twice about what format you want the data to be returned in before choosing a web scraping tool ConclusionSearch engines are full of valuable public data This information can help you to be competitive in the market and drive revenue because making decisions based on accurate data can guarantee more successful business strategies However the process of gathering this information is challenging as well Reliable proxies or quality data extraction tools can help facilitate this process so you should invest time and budget into them If you enjoyed this post please give it a like and feel free to ask any questions in the comments Until the next time 2022-12-08 12:05:06
Apple AppleInsider - Frontpage News How to make a working 3D printed mini Macintosh https://appleinsider.com/inside/macos/tips/how-to-make-a-working-3d-printed-mini-macintosh?utm_medium=rss How to make a working D printed mini MacintoshUsing off the shelf electronic components a Raspberry Pi and a D printer it s possible to build your own working miniature classic Mac Here s how There is a lot of overlap between the maker community and retro computing So one of the most popular maker tasks is to make working miniature replicas of classic computers Several makers have made tiny working classic Mac replicas based on old Classic Mac OS ROM files a Raspberry Pi Zero computer and a D printed case The number of parts needed to build such a machine is surprisingly small although as of late it can cost a bit more than expected due to component supply chain issues Read more 2022-12-08 12:47:47
Apple AppleInsider - Frontpage News IKEA and Sonos launch new SYMFONISK floor lamp speaker https://appleinsider.com/articles/22/12/08/ikea-and-sonos-launch-new-symfonisk-floor-lamp-speaker?utm_medium=rss IKEA and Sonos launch new SYMFONISK floor lamp speakerIKEA and Sonos have partnered to launch SYMFONISK a combination of floor lamp and speaker that blends into a living space SYMFONISK speakerThe two companies first launched a SYMFONISK lamp speaker in and the new version acts as a floor lamp The goal was to help people listen to music in limited spaces that may not have room for a speaker on a table or counter Read more 2022-12-08 12:12:48
Apple AppleInsider - Frontpage News How to use Apple's Health to share medical information https://appleinsider.com/inside/apple-health/tips/how-to-use-apples-health-to-share-medical-information?utm_medium=rss How to use Apple x s Health to share medical informationSince iOS Apple has allowed users to use the Health app to share their medical information with both other users they know and with their medical providers remotely Here s how to do it In iOS there are two ways you can share your medical info collected in Apple s Health app on iPhone or Apple Watch the first is to share your Health app data directly with others from your iPhone over the internet The second way to get it done is to allow your healthcare provider s system to access the same data stored in the Health app on your iPhone There are two conditions which must be met first however in order to do either Read more 2022-12-08 12:11:26
Apple AppleInsider - Frontpage News Coomooy 3-in-1 Wireless Charger Review: Save some cash with this decent stand https://appleinsider.com/articles/22/12/08/coomooy-3-in-1-wireless-charger-review-save-some-cash-with-this-decent-stand?utm_medium=rss Coomooy in Wireless Charger Review Save some cash with this decent standThe Coomooy in magnet wireless charging stand powers an iPhone Apple Watch and AirPods all while managing to maintain a sleek appearance The Coomooy wireless charger can fit an iPhone Apple Watch and AirPods Chargers that you can put on your desk and power all of your devices wirelessly can get expensive We ve seen some that sell for as much as a set of AirPods Pro and we re not sure how much sense that makes Read more 2022-12-08 12:57:50
海外TECH Engadget Amazon, Google, Microsoft and Oracle will share the Pentagon's $9 billion cloud contract https://www.engadget.com/amazon-google-microsoft-oracle-pentagon-9-billion-cloud-jwcc-124013963.html?src=rss Amazon Google Microsoft and Oracle will share the Pentagon x s billion cloud contractOver a year after shutting down its previous attempt at modernizing its IT infrastructure the Department of Defense DOD has picked Amazon Google Microsoft and Oracle as its new cloud service providers The Pentagon has awarded the companies separate contracts for the Joint Warfighting Cloud Capability JWCC project and according to Reuters they will have a shared budget ceiling of billion This initiative is a successor to DOD s cancelled Joint Enterprise Defense Infrastructure JEDI program that was supposed to connect its different divisions using a single cloud service provider nbsp If you ll recall the department awarded Microsoft with the billion JEDI contract in Shortly after that though Amazon challenged Microsoft s victory in court claiming that the evaluation process had quot clear deficiencies errors and unmistakable bias quot Amazon argued back then that the Pentagon s decision was based on quot egregious errors quot and quot the result of improper pressure from President Donald J Trump quot The company accused the former President of launching quot repeated public and behind the scenes attacks quot against it in an effort to steer the Pentagon away from giving the JEDI contract to Jeff Bezos quot his perceived political enemy quot nbsp While the Pentagon s inspector general office had found no evidence that Trump interfered with the selection process it also noted that several White House officials did not cooperate with its investigation In the end the department chose to cancel the JEDI project because it quot no longer meets its needs quot Now under the JWCC the Pentagon will work with several vendors for the cloud capabilities and services it needs instead of with just a single one The companies contracts will run until and will provide the DOD access to centralized management and distributed control global accessibility advanced data analytics and fortified security among other capabilities nbsp 2022-12-08 12:40:13
海外TECH Engadget The Morning After: San Francisco reverses approval of lethal police robots https://www.engadget.com/the-morning-after-san-francisco-reverses-approval-of-lethal-police-robots-121538009.html?src=rss The Morning After San Francisco reverses approval of lethal police robotsIn November the San Francisco Police Department proposed approving the use of remote controlled robots with deadly force This was after a law came into effect requiring California officials to define the authorized use of military grade equipment It would have allowed police to equip robots with explosives quot to contact incapacitate or disorient violent armed or dangerous suspects quot San Francisco s Board of Supervisors approved this proposal initially despite opposition by civil rights groups However during the second of two required votes the board voted to ban the use of lethal force by police robots According to the San Francisco Chronicle this is unusual as the board s second votes typically echo the first results In the initial proposal authorities could only use the robots for lethal force after they ve exhausted all other possibilities and a high ranking official would have to approve their deployment Dean Preston a supervisor who opposes the use of robots as deadly force said the policy will quot place Black and brown people in disproportionate danger of harm or death quot In a subsequent statement Preston said quot There have been more killings at the hands of police than any other year on record nationwide We should be working on ways to decrease the use of force by local law enforcement not giving them new tools to kill people quot Mat SmithThe biggest stories you might have missedDyson s Zone air purifying headphones start at Ayaneo s Air Pro is a taste of the portable PC gaming futureMicrosoft Teams takes on Facebook groups with community hubsAtari revives unreleased arcade game too damn hard for gamers in Amazon is being sued for allegedly stealing driver tips in DCBlue Origin makes another bid for a NASA lunar lander contract Amazon s Echo Show bundled with a Blink Mini is on sale for only Google s Nest Hub drops to with a free smart bulb Diablo IV previewThis feels worryingly good The latest Diablo game is shaping up to be another notable evolution of the series combining some of the best parts of Diablo II and III while adding the graphics and cosmetic microtransactions we usually get with a big budget online game in Expect legions of monsters to slaughter challenging boss fights and so much loot Engadget s Igor Bonifacic was intrigued after a few hours of playing the preview Diablo IV s open beta kicks off early next year ーnot long until you can test it out yourself Continue reading This smartphone has a pop out portrait lens for pure bokehA world first feature from a brand you ve probably never heard of Many smartphones these days offer artificial bokeh in their portrait photography modes but with the help of a retractable camera you can achieve true optical bokeh without missing any edges That s what Chinese brand Tecno has achieved with the Phantom X Pro G which packs a quot world first quot pop out portrait lens It s also got a gigantic camera array Intrigued Continue reading Take a look at NASA s high resolution images of Orion s final lunar flybyTaken on a heavily modified GoPro Hero NASAOrion just made its final pass around the Moon on its way to Earth and NASA has released some of the spacecraft s best photos so far These were taken with a high resolution camera actually a GoPro Hero with some major adjustments Orion s performance so far has been quot outstanding quot according to NASA program manager Howard Hu It launched on November th as part of the Artemis mission atop NASA s mighty Space Launch System The next mission Artemis II is scheduled in to carry astronauts on a similar path to Artemis I without landing on the Moon Continue reading Microsoft vows to bring Call of Duty to Nintendo consolesPhil Spencer confirmed a year commitment should Microsoft s Activision deal go through Blizzard ActivisionIf Microsoft s acquisition of Activision Blizzard goes through the company vows to bring Call of Duty to Nintendo and to continue making it available on the latter s consoles for at least years Phil Spencer Microsoft Gaming s CEO has announced the company s commitment on Twitter adding quot Microsoft is committed to helping bring more games to more people however they choose to play quot During an interview Spencer said that the company intends to treat Call of Duty like Minecraft making it available across platforms and that he would quot love to see the game quot on the Switch Continue reading 2022-12-08 12:15:38
海外TECH Engadget IKEA's latest Sonos Symfonisk speaker is also a $260 floor lamp https://www.engadget.com/ikea-sonos-symfonisk-floor-lamp-120050988.html?src=rss IKEA x s latest Sonos Symfonisk speaker is also a floor lampIKEA announced its latest Sonos collaboration today a Symfonisk speaker that doubles as a floor lamp The lamp speaker combo will launch in January in IKEA stores and online The floor lamp s price makes it the most expensive speaker in the Symfonisk lineup Current models range between for a bookshelf speaker with less than stellar audio and for musical wall art And your investment in the floor lamp could creep even higher if you want something other than the included bamboo shade as alternative lampshades run from to Although Symfonisk speakers are cheaper than Sonos branded devices models in the IKEA collaboration don t have a built in AI assistant so you ll need a separate Alexa Google Assistant or HomePod product to control them with your voice But they still support other mainstay Sonos features like a healthy list of music services TruePlay tuning iOS only and speaker pairing IKEASonos and IKEA launched the Symfonisk line in merging IKEA s distinct home style with Sonos audio smarts The companies frame the combination as helping customers conserve space on tables or nightstands ーor in this case the floor ーin apartments or smaller homes 2022-12-08 12:00:50
ニュース BBC News - Home Royals didn't understand need to protect Meghan, says Harry https://www.bbc.co.uk/news/uk-63899515?at_medium=RSS&at_campaign=KARANGA family 2022-12-08 12:43:00
ニュース BBC News - Home UK weather: Freezing conditions trigger cold weather payments https://www.bbc.co.uk/news/uk-63894221?at_medium=RSS&at_campaign=KARANGA highlands 2022-12-08 12:25:23
ニュース BBC News - Home Mohsen Shekari: Iran carries out first execution over protests https://www.bbc.co.uk/news/world-middle-east-63900099?at_medium=RSS&at_campaign=KARANGA trial 2022-12-08 12:37:32
ニュース BBC News - Home Air passengers told to expect 'serious disruption' https://www.bbc.co.uk/news/business-63901482?at_medium=RSS&at_campaign=KARANGA christmas 2022-12-08 12:41:16
ニュース BBC News - Home Record alcohol deaths from pandemic drinking https://www.bbc.co.uk/news/health-63902852?at_medium=RSS&at_campaign=KARANGA drinkingthe 2022-12-08 12:49:20
ニュース BBC News - Home Met officer charged with false imprisonment of woman https://www.bbc.co.uk/news/uk-england-london-63903676?at_medium=RSS&at_campaign=KARANGA london 2022-12-08 12:02:16
ニュース BBC News - Home World Cup 2022: Spain boss Luis Enrique to be replaced after last-16 exit https://www.bbc.co.uk/sport/football/63885001?at_medium=RSS&at_campaign=KARANGA morocco 2022-12-08 12:53:07
ニュース BBC News - Home Harry and Meghan: What to look out for in the Netflix series https://www.bbc.co.uk/news/uk-63902533?at_medium=RSS&at_campaign=KARANGA documentary 2022-12-08 12:37:56
ニュース BBC News - Home That sigh of relief? It's Buckingham Palace watching Netflix https://www.bbc.co.uk/news/uk-63899921?at_medium=RSS&at_campaign=KARANGA meghan 2022-12-08 12:52:40
サブカルネタ ラーブロ 葛西「こだわり大衆中華 黒田萬元堂」塩セロリー麺 http://ra-blog.net/modules/rssc/single_feed.php?fid=205548 中華料理 2022-12-08 12:27:48

コメント

このブログの人気の投稿

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