投稿時間:2022-11-10 03:42:26 RSSフィード2022-11-10 03:00 分まとめ(50件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Big Data Blog Enrich VPC Flow Logs with resource tags and deliver data to Amazon S3 using Amazon Kinesis Data Firehose https://aws.amazon.com/blogs/big-data/enrich-vpc-flow-logs-with-resource-tags-and-deliver-data-to-amazon-s3-using-amazon-kinesis-data-firehose/ Enrich VPC Flow Logs with resource tags and deliver data to Amazon S using Amazon Kinesis Data FirehoseVPC Flow Logs is an AWS feature that captures information about the network traffic flows going to and from network interfaces in Amazon Virtual Private Cloud Amazon VPC Visibility to the network traffic flows of your application can help you troubleshoot connectivity issues architect your application and network for improved performance and improve security of … 2022-11-09 17:21:11
AWS AWS Compute Blog Simplifying Amazon EC2 instance type flexibility with new attribute-based instance type selection features https://aws.amazon.com/blogs/compute/simplifying-amazon-ec2-instance-type-flexibility-with-new-attribute-based-instance-type-selection-features/ Simplifying Amazon EC instance type flexibility with new attribute based instance type selection featuresThis blog is written by Rajesh Kesaraju Sr Solution Architect EC Flexible Compute and Peter Manastyrny Sr Product Manager EC Today AWS is adding two new attributes for the attribute based instance type selection ABS feature to make it even easier to create and manage instance type flexible configurations on Amazon EC The new network bandwidth attribute … 2022-11-09 17:16:44
AWS AWS Machine Learning Blog Brain tumor segmentation at scale using AWS Inferentia https://aws.amazon.com/blogs/machine-learning/brain-tumor-segmentation-at-scale-using-aws-inferentia/ Brain tumor segmentation at scale using AWS InferentiaMedical imaging is an important tool for the diagnosis and localization of disease Over the past decade collections of medical images have grown rapidly and open repositories such as The Cancer Imaging Archive and Imaging Data Commons have democratized access to this vast imaging data Computational tools such as machine learning ML and artificial intelligence … 2022-11-09 17:24:42
AWS AWS Machine Learning Blog Serve multiple models with Amazon SageMaker and Triton Inference Server https://aws.amazon.com/blogs/machine-learning/serve-multiple-models-with-amazon-sagemaker-and-triton-inference-server/ Serve multiple models with Amazon SageMaker and Triton Inference ServerAmazon SageMaker is a fully managed service for data science and machine learning ML workflows It helps data scientists and developers prepare build train and deploy high quality ML models quickly by bringing together a broad set of capabilities purpose built for ML In AWS announced the integration of NVIDIA Triton Inference Server in SageMaker You … 2022-11-09 17:07:13
GCP gcpタグが付けられた新着投稿 - Qiita [gcp]VMインスタンスのデプロイ時に「The reference 'id' is not found」と言われた話 https://qiita.com/konnbu/items/d259354493e37f62d3a9 gcpvm 2022-11-10 02:58:06
海外TECH Ars Technica Pixel 8 hardware leaks suggest faster chip, tweaked screen ratios https://arstechnica.com/?p=1896199 exynos 2022-11-09 17:08:36
海外TECH DEV Community Using GitHub Actions to Build a Java Project With Pull Request Coverage Commenting and Coverage Badges https://dev.to/cicirello/using-github-actions-to-build-a-java-project-with-pull-request-coverage-commenting-and-coverage-badges-50a2 Using GitHub Actions to Build a Java Project With Pull Request Coverage Commenting and Coverage BadgesThis post is the second in a series of GitHub Actions workflows for Java projects In it I explain the GitHub Actions workflow that I run on pushes and pull requests for building testing generating coverage badges and commenting the coverage percentages on pull requests The status of this workflow is also used as a required pull request check e g the build including unit tests must pass in order to allow merging Table of Contents Workflow Step by Step walks you through my workflow one step at a time Triggering the workflowChecking out the repositoryChecking out the badges branchSetup JavaBuild including generating a code coverage reportGenerate coverage badgesUpload the full coverage report as a workflow artifactCommit and push the coverage badgesComment the coverage percentages on pull requestsComplete Workflow Repositories Used in This Post Live Example from one of my projects on GitHub The jacoco badge generator GitHub Action Where You Can Find Me Workflow Step by StepI m going to walk through the full workflow from beginning to end Triggering the workflowMy build workflow is set up to run based on multiple events This includes the pull request event to run on all pull requests and workflow dispatch events enabling me to run it manually if desired I also have it configured to run on push events but only when the push includes changes to either java files the Maven pom xml for the project or when the build workflow itself is changed The reason I restrict when it runs on pushes is so that I am not wasting cycles on the runner if I m just making edits to the readme or other similar minor changes that don t impact the build itself I don t make this restriction on pull requests because I m using this workflow as a required pull request check so I need it to run even if the PR doesn t include source code changes to prevent blocking the PR name buildon push branches master paths java github workflows build yml pom xml pull request branches master workflow dispatch Checking out the repositoryThe workflow has a single job build runs on Ubuntu and begins with the usual checkout step using the actions checkout action jobs build runs on ubuntu latest steps name Checkout uses actions checkout v Checking out the badges branchOne of the later steps of the workflow generates coverage badges that are then stored within the repository However the badges are stored in a separate branch that I ve named badges rather than the default branch I do it this way because my default branch is protected In order to push the badges to the default branch I d need to use a personal access token with permissions elevated above the default permissions of the GITHUB TOKEN I don t want to do that for security reasons I also don t want to use any of the other approaches I ve seen to circumventing branch protection rules in a GitHub Actions workflow Instead I use a dedicated branch whose only purpose is to store coverage badges which I can still embed in the readme in the default branch So my workflow has a second actions checkout step to checkout the badges branch to a badges directory that I ve nested within the other as seen below name Checkout badges branch to a badges directory nested inside first checkout uses actions checkout v with ref badges path badges Setup JavaNext I use the actions setup java action to setup the Adoptium distribution of Java name Set up JDK uses actions setup java v with distribution adopt java version Build including generating a code coverage reportNext we build the library with Maven I use JaCoCo for code coverage I ve configured the JaCoCo Maven plugin within a Maven profile with id coverage within my pom xml See my earlier post on using Maven profiles which included an example of how I configure code coverage within a Maven profile To activate that profile and generate the code coverage report I use the command line option Pcoverage name Build with Maven run mvn B package Pcoverage Generate coverage badgesTo generate coverage badges I use a GitHub Action that I develop and maintain the jacoco badge generator I ve written about that GitHub Action here on DEV in the past Here is one such post The jacoco badge generator GitHub Action is now also available as a CLI tool from PyPI Vincent A Cicirello・Jul ・ min read java github kotlin python In configuring the use of this action within this workflow I ve used its badges directory input to change the directory of where the badges are created to correspond to the directory that contains my earlier nested checkout of the badges branch Additionally the action s default only generates the instructions coverage badge so I additionally use generate branches badge true to also generate a branches coverage badge This action can also optionally generate a simple JSON file containing the coverage percentages so I activate that with generate summary true One of my later steps uses that JSON summary when commenting on pull requests After the jacoco badge generator step below I m also showing a step that I use to log the coverage percentages to the workflow run log name Generate JaCoCo badge id jacoco uses cicirello jacoco badge generator v with badges directory badges generate branches badge true generate summary true name Log coverage percentages to workflow output run echo coverage steps jacoco outputs coverage echo branches steps jacoco outputs branches Upload the full coverage report as a workflow artifactI then use the actions upload artifact action to upload the full JaCoCo coverage report as a workflow artifact This way I can download it from the workflow run via the Actions tab if I need to see the details I m using Maven along with the default location of the JaCoCo reports so they are found in the directory target site jacoco The actions upload artifact action creates a zip file with the entire contents of that directory which in this case will include all of JaCoCo s various reports such as the detailed HTML report as well as the XML and CSV versions name Upload JaCoCo coverage report as a workflow artifact uses actions upload artifact v with name jacoco report path target site jacoco Commit and push the coverage badgesThe jacoco badge generator generates badges but does not commit them In this step I just use a simple shell script to commit and push the badges This step is conditional and runs only if the event that started the workflow is not a pull request see the if github event name pull request In other words it runs on push and workflow dispatch events The coverage badges should be consistent with the state of the default branch so committing badges that correspond to the coverage of a pull request that may or may not be merged doesn t make sense If it is merged the push event will then cause the workflow to run again at which point the coverage badges will be committed This step begins by changing the current directory to the directory where the badges branch was checked out And it commits and pushes only if an svg or json file changed The badges are SVGs and recall the earlier step where I configured the jacoco badge generator to additionally generate a simple JSON file containing the coverage percentages name Commit and push the coverage badges and summary file if github event name pull request run cd badges if git status porcelain svg json then git config global user name github actions git config global user email github actions bot users noreply github com git add svg json git commit m Autogenerated JaCoCo coverage badges svg json git push fi Comment the coverage percentages on pull requestsIn this last step I use the GitHub CLI to comment the coverage percentages on pull requests This step is conditional like the previous but this time it only runs on pull requests see the if github event name pull request It is a simple shell script The first few lines uses jq to parse the coverage summary json produced by jacoco badge generator and then generates a string with the content for a pull request comment The last line then uses the GitHub CLI to comment on the pull request The GitHub CLI requires authentication via the GITHUB TOKEN passed as an environment variable name Comment on PR with coverage percentages if github event name pull request run REPORT lt badges coverage summary json COVERAGE jq r coverage lt lt lt REPORT BRANCHES jq r branches lt lt lt REPORT NEWLINE n BODY JaCoCo Test Coverage Summary Statistics NEWLINE Coverage COVERAGE NEWLINE Branches BRANCHES gh pr comment github event pull request number b BODY continue on error true env GITHUB TOKEN secrets GITHUB TOKEN At the present time I ve set up this last step with continue on error true which will prevent this step from causing the workflow run to fail The default permissions of the GITHUB TOKEN are not sufficient for commenting on pull requests coming from forks I need to elevate the permissions granted the GITHUB TOKEN in order to do so which is on my to do list Even without the commenting the full coverage reports are uploaded as a workflow artifact during one of the earlier steps Complete WorkflowHere s my full workflow name buildon push branches master paths java github workflows build yml pom xml pull request branches master workflow dispatch jobs build runs on ubuntu latest steps name Checkout uses actions checkout v name Checkout badges branch to a badges directory nested inside first checkout uses actions checkout v with ref badges path badges name Set up JDK uses actions setup java v with distribution adopt java version name Build with Maven run mvn B package Pcoverage name Generate JaCoCo badge id jacoco uses cicirello jacoco badge generator v with badges directory badges generate branches badge true generate summary true name Log coverage percentages to workflow output run echo coverage steps jacoco outputs coverage echo branches steps jacoco outputs branches name Upload JaCoCo coverage report as a workflow artifact uses actions upload artifact v with name jacoco report path target site jacoco name Commit and push the coverage badges and summary file if github event name pull request run cd badges if git status porcelain svg json then git config global user name github actions git config global user email github actions bot users noreply github com git add svg json git commit m Autogenerated JaCoCo coverage badges svg json git push fi name Comment on PR with coverage percentages if github event name pull request run REPORT lt badges coverage summary json COVERAGE jq r coverage lt lt lt REPORT BRANCHES jq r branches lt lt lt REPORT NEWLINE n BODY JaCoCo Test Coverage Summary Statistics NEWLINE Coverage COVERAGE NEWLINE Branches BRANCHES gh pr comment github event pull request number b BODY continue on error true env GITHUB TOKEN secrets GITHUB TOKEN Repositories Used in this Post Live ExampleTo see a live example consult the build yml workflow of one of my projects Here is the GitHub repository cicirello Chips n Salsa A Java library of Customizable Hybridizable Iterative Parallel Stochastic and Self Adaptive Local Search Algorithms Chips n Salsa Copyright C Vincent A Cicirello Website API documentation Publications About the LibraryPackages and Releases Build Status JaCoCo Test Coverage Security DOILicenseSupport How to CiteIf you use this library in your research please cite the following paper Cicirello V A Chips n Salsa A Java Library of Customizable Hybridizable Iterative Parallel Stochastic and Self Adaptive Local Search Algorithms Journal of Open Source Software OverviewChips n Salsa is a Java library of customizable hybridizable iterative parallel stochastic and self adaptive local search algorithms The library includes implementations of several stochastic local search algorithms including simulated annealing hill climbers as well as constructive search algorithms such as stochastic sampling Chips n Salsa now also includes genetic algorithms as well as evolutionary algorithms more generally The library very extensively supports simulated annealing It includes several classes for representing solutions to a variety of optimization problems For… View on GitHub The jacoco badge generator GitHub ActionOne of the steps of my workflow uses the jacoco badge generator to parse and summarize the JaCoCo coverage report producing coverage badges and a JSON summary file Here is the repository for that action itself cicirello jacoco badge generator Coverage badges and pull request coverage checks from JaCoCo reports in GitHub Actions jacoco badge generatorCheck out all of our GitHub Actions AboutGitHub Actions Command Line Utility Build Status SecuritySource Info Support The jacoco badge generator can be used in one of two ways as a GitHub Action or as a command lineutility e g such as part of a local build script The jacoco badge generator parses a jacoco csvfrom a JaCoCo coverage report computes coverage percentagesfrom JaCoCo s Instructions and Branches counters andgenerates badges for one or both of these user configurable to provide an easyto read visual summary of the code coverage of your test cases The default behavior directlygenerates the badges internally with no external calls but the action also provides an optionto instead generate Shields JSON endpoints It supportsboth the basic case of a single jacoco csv as well as multi module projects in whichcase the action can produce coverage badges from the combination of… View on GitHub Where You Can Find MeFollow me here on DEV Vincent A CicirelloFollow Researcher and educator in A I algorithms evolutionary computation machine learning and swarm intelligence Follow me on GitHub cicirello cicirello My GitHub Profile Vincent A CicirelloSites where you can find me or my workWeb and social media Software development Publications If you want to generate the equivalent to the above for your own GitHub profile check out the cicirello user statisticianGitHub Action View on GitHubOr visit my website Vincent A Cicirello Professor of Computer Science Vincent A Cicirello Professor of Computer Science at Stockton University is aresearcher in artificial intelligence evolutionary computation swarm intelligence and computational intelligence with a Ph D in Robotics from Carnegie MellonUniversity He is an ACM Senior Member IEEE Senior Member AAAI Life Member EAI Distinguished Member and SIAM Member cicirello org 2022-11-09 17:24:58
海外TECH DEV Community Programming Methodologies: Agile vs Waterfall https://dev.to/coderslang/programming-methodologies-agile-vs-waterfall-299b Programming Methodologies Agile vs WaterfallProgramming methodology is a system of rules and guidelines used by programmers to create software It includes a set of best practices tools and techniques that help programmers write high quality code There are many different programming methodologies each with its own strengths and weaknesses The most popular ones are waterfall and agile WaterfallWaterfall programming methodology is a sequential design process often used in software development that is characterized by distinct phases of activity In waterfall methodology progress flows in a linear sequential fashion from one phase to the next Waterfall advantagesThe main advantage of waterfall methodology is its predictability Because each phase has specific deliverables and a review process it is relatively easy to manage risk and identify potential problems early on This makes waterfall well suited for projects where requirements are very well understood Waterfall disadvantagesWaterfall also has some disadvantages One is that it can be inflexible once a project moves into a later stage it can be difficult to make changes without potentially jeopardizing the entire project Additionally because waterfall relies on a linear progression it does not lend itself well to projects with rapidly changing or unpredictable requirements Despite its drawbacks waterfall remains one of the most popular software development methodologies due to its simplicity and predictability When applied correctly to an appropriate project it can help ensure smooth progress and successful delivery AgileAgile is a more modern approach that is based on iteration and constant feedback from users It is more flexible than waterfall and can handle changes more easily However it can be more difficult to plan and estimate timelines for projects using agile Agile programming is a methodology for developing software in which requirements and solutions evolve through collaboration between self organizing cross functional teams It promotes adaptive planning evolutionary development early delivery and continuous improvement and it encourages rapid and flexible response to change The agile approach began in the software development community but has since been adopted by organizations of all types and sizes Agile programming is based on the values and principles outlined in the Agile Manifesto There are many different agile methods or frameworks each with its own set of practices and terminology The most popular agile methods are Scrum Kanban Lean and Extreme Programming XP Agile advantagesIncreased flexibility Agile programming helps organizations respond quickly to changes in market conditions or customer needs This is because the agile approach encourages constant feedback and allows for course corrections throughout the development process As a result organizations can avoid the costly mistakes that can occur when plans are set in stone too far in advance Improved quality The focus on collaboration and constant feedback helps to ensure that errors are caught early and that features are developed with the user in mind This leads to higher quality software that is more likely to meet the needs of its users Greater transparency The use of short development cycles known as sprints makes it easy to track progress and identify issues early on This transparency helps to build trust between developers and stakeholders Enhanced team morale The collaborative nature of agile programming fosters a sense of ownership and responsibility among team members This can lead to higher levels of engagement and satisfaction within the team Agile DisadvantagesA greater need for discipline Because agile programming relies heavily on self organizing teams it requires a high degree of discipline from both developers and stakeholders Without this discipline it can be difficult to stay on track and make progress towards objectives Risk of scope creep The iterative nature of agile programming means that there is always the potential to add new features or make changes to existing ones This can lead to scope creep the uncontrolled expansion of a project s scope which can ultimately cause delays and cost overruns A higher level of complexity The use of multiple agile methods or frameworks can lead to a higher level of complexity which can make it difficult for new team members to get up to speed In addition the constant change that is characteristic of agile programming can also add to the complexity 2022-11-09 17:10:31
海外TECH Engadget The best 60 percent keyboards you can buy https://www.engadget.com/best-60-percent-keyboards-160038272.html?src=rss The best percent keyboards you can buyGaming keyboards are plentiful and diverse right now You can buy them in black or white wired or wireless and with at least a dozen key switch options And every year they ve gotten bigger and more complex with media buttons and macro keys and bright rainbow LED lighting However this past year has seen some manufacturers go in the opposite direction introducing percent keyboards that are cute and compact But are they worth buying Engadget s picksThe best for most gamers Razer Huntsman MiniRunner up HyperX Alloy Origins The best with arrow keys Razer BlackWidow V Mini HyperSpeedA cheaper but underwhelming option Corsair K RGB MiniHow many keys does a percent keyboard have Kris Naudus EngadgetFirst off it s worth noting that gaming keyboards tend to follow one of three different configurations The most common one is the full size deck which will usually have somewhere between and keys depending on whether the manufacturer includes media buttons or macro keys There s always a function row located along the top of the keyboard and a number pad on the far right Most gamers will prefer a full size model rather than a compact keyboard because it lets them perform many different functions with just one press and set up macros for activities that aren t already built in to the keyboard Tenkeyless decks have been pretty common for a while now those are keyboards that omit the number pad on the right That s it They still have function keys and media controls but they re narrower since they omit keys Yeah it s actually more than keys but “seventeenkeyless doesn t have the same ring to it Gamers might opt for one of these when they need a little more space on their desk and they don t need a quick way to enter numbers or do calculations which is my number one use case for the right hand pad Then there are percent keyboards which as the name indicates cut out percent of the standard keyboard size and only have keys Not only do they just remove the number pad but the function keys are gone along with the arrow keys and those weird system keys like “print screen and “home that are only useful when you happen to need them On some computers they don t even work On a percent keyboard you ll access these buttons by using the function key there s no standard layout between companies so you ll have to learn new hotkeys if you switch between manufacturers like Razer HyperX or Corsair They also lack built in wrist rests though the height is at least adjustable Razer also just introduced a percent keyboard a less common configuration which keeps the arrow keys and some functions but still tosses the rest to maintain a reduced profile This is probably a preferred option if you use the arrow keys a lot I need them because I edit a lot of text and some games may use them instead of the standard WASD array for controlling your character What are the benefits of a percent keyboard Kris Naudus EngadgetWith so many functions removed why buy a percent keyboard The number one reason to use a compact keyboard is space of course If you re gaming in tight spaces or just have a lot of crap on your desk like I do not having to shove stuff aside just to make some elbow room is nice It s especially helpful if you tend to eat near your computer as a percent keyboard s small size makes it easy to push out of the way to rest a plate or bowl on your desk It actually keeps the keyboard a lot cleaner too since I can easily shake crumbs out of it with one hand A smaller keyboard size also makes it more portable obviously with a percent keyboard taking up less space than a laptop in your bag though it s still a little thick They do have lower profile keys than standard decks at least though if thickness is your number one concern then carrying around a mechanical keyboard is probably not for you One big feature that doesn t get talked about a lot is that all of the recent and percent decks are not wireless keyboards and use detachable USB C cords So if you switch between workspaces often you can easily leave a cord at each desk to quickly plug in your keyboard As someone who tests a lot of keyboards I ve found this handy because I can switch out the deck and leave the cord intact It s often a real pain to have to unplug cords and untangle them from my office setup every time I try a new keyboard but for the percent models I ve been using the same wire for all of them The best for most gamers Razer Huntsman MiniThe best of the major percent keyboards out there right now is the Huntsman Mini It uses Razer s opto mechanical switches which I haven t been too fond of in the past but the company seems to have made some changes that make it a much more pleasant typing experience This gaming keyboard is quiet and smooth with good response time though people who prefer a springy key feel should look elsewhere It s not a wireless keyboard so if you take it on the go you ll need to make sure you always have a USB C cord handy The Huntsman Mini gaming keyboard also comes in white which means it ll blend into your decor more than most gaming accessories especially if you choose to customize the LED lighting Pros Attractive good typing feel comes in white Cons No wireless not everyone will be a fan of opto mechanical keys Runner up HyperX Alloy Origins If you need a solid sturdy brick of a percent keyboard the HyperX Alloy Origins is a mechanical deck on a metal baseboard It s heavier than the other options on the market so it might not be the best if you re aiming to keep your travel bag as light as possible But if you re a particularly rough typist this is the one that will put up with hard keystrokes the best It also earns points for being the one percent keyboard that puts the secondary arrow functions at the bottom right of the deck where you d normally look for those instead of tucking them away in the middle Pros Solidly built cheaper than other percent options well placed arrow keys Cons Heavy no wireless The best with arrow keys Razer BlackWidow V Mini HyperSpeedRazer s BlackWidow line has long been a favorite of the gamers here at Engadget and the V Mini is no exception Unlike the other keyboards on this list it s a percent keyboard which means it still has arrow keys and a column of miscellaneous keys on the right side that can double as macro buttons There are two switch options available to suit different typing preferences either clicky and tactile green or linear and silent yellow It s worth noting that the latter description is the company s term for it and the V Mini s typing is still noticeably audible to those around you Pros Two types of key switches available has both G and Bluetooth wireless includes keys other keyboards don t have Cons Expensive the lip at the bottom is bulky A cheaper but underwhelming option Corsair K RGB MiniCorsair usually makes pretty great keyboards but I couldn t necessarily say that of the K RGB Mini its entry into the percent market The materials were substandard for the company with a plastic casing that felt hollow and keys that made a ringing noise when hit But it s not a completely terrible accessory and users already invested in Corsair s iCUE software might want to keep their accessories streamlined under one customization suite instead of having to bounce between different interfaces If that isn t a concern for you the HyperX Alloy Origin is both better and cheaper Pros Uses Corsair s iCUE software key feel is good Cons Cheap materials noisy typing experience no wireless 2022-11-09 17:30:19
海外TECH Engadget Modders thought it would be fun to make a folding iPhone https://www.engadget.com/folding-iphone-unofficial-171559538.html?src=rss Modders thought it would be fun to make a folding iPhoneYou don t have wait for Apple to see what a foldable iPhone would look like in practice China based The Aesthetics of Science and Technology AST claims to have built a folding iPhone through heavy modifications The engineers say they created the one off with spare Motorola RAZR parts their own D printed elements and an iPhone X screen made more flexible by replacing the not at all foldable glass and touch layers An iOS jailbreak lets Apple s software run on the handset and introduces suitable features like a split screen mode The result is largely what you d expect ーit looks like the love child of an iPhone and a Galaxy Z Flip with all the compromises that come with an unofficial design While the folding iPhone appears to work as advertised there s a cavernous gap when it s folded There s a smaller battery no wireless charging and just one speaker As you d guess the design also loses water resistance and any kind of real world durability The modded iOS also clearly isn t as optimized for flexible displays as Samsung s software for the Galaxy Z series This effort might also warrant some skepticism Gizmodo notes that the team glosses over some important steps including the need to rearrange key internals While there aren t obvious signs that something s amiss the initiative isn t definitive proof that a do it yourself folding iPhone is possible It s certainly a greater challenge than adding a USB C port Rumors have suggested that Apple may introduce an honest to goodness folding iPhone as soon as making this hacked together handset more of a very rough preview than a desirable item in itself Just wait long enough and you may get a far better product The mod illustrates Apple s challenges at least A proper foldable iPhone would require major engineering changes and software tweaks to meet users expectations There are also problems that even brands like Motorola and Samsung have yet to overcome such as displays that crease and in some cases crack 2022-11-09 17:15:59
海外TECH Engadget Google One's VPN comes to Mac and Windows https://www.engadget.com/google-one-vpn-mac-windows-pc-desktop-170040951.html?src=rss Google One x s VPN comes to Mac and WindowsYou no longer need to pull out your phone to use Google One s virtual private network Google has released One VPN apps for Mac and Windows systems As on mobile the VPN encrypts and otherwise masks your internet traffic You can t use it to access content from other regions like you can with some VPNs but it should help if you re worried about exposing your IP address potentially useful for tracking or using a public hotspot The VPN requires at least the per month TB Google One plan although you can share access with up to five other people Desktop support is available in all countries where the service is available including the US Canada Mexico UK and much of Europe You ll need at least macOS Big Sur or Windows There is a caveat ーwhile the Mac app works for both x and ARM users the Windows app doesn t support bit or ARM based systems You ll have to look elsewhere if you re hoping to secure your ARM powered Surface Pro As before Google has independent bodies audit its VPN It also shares the source code for its app libraries to ensure transparency The audit for the desktop apps will be made public in the coming weeks The desktop apps are arguably overdue when many VPN providers have long supported multiple platforms This isn t necessarily the best option depending on your needs Mozilla s VPN includes regional server choices for per year and you can even get a free Opera VPN if you re only worried about protecting your browser activity Google s advantage remains the bundle ーyou re really buying cloud storage that happens to include a VPN among its benefits 2022-11-09 17:00:40
海外科学 NYT > Science Medication Treatment for Addiction Is Shorter for Black and Hispanic Patients, Study Finds https://www.nytimes.com/2022/11/09/health/opioid-addiction-treatment-racial-disparities.html disparities 2022-11-09 17:28:16
海外科学 NYT > Science Rich Countries Offer Funds for Climate Loss and Damage After Decades of Resistance https://www.nytimes.com/2022/11/08/climate/loss-and-damage-cop27-climate.html Rich Countries Offer Funds for Climate Loss and Damage After Decades of ResistanceSeveral European leaders at COP announced funds to help poor nations recover from loss and damage caused by climate change The United States was silent 2022-11-09 17:11:44
海外TECH WIRED Countries Hit Hardest by Climate Change May Finally Get Their Due https://www.wired.com/story/cop27-climate-reparations/ Countries Hit Hardest by Climate Change May Finally Get Their DueAfter years of talk about forcing wealthy polluters to compensate those bearing the brunt of climate damage the COP conference seems poised to act 2022-11-09 17:11:29
金融 RSS FILE - 日本証券業協会 『まなぶ わかる とうしチャンネル』がスタート! https://www.jsda.or.jp/about/gyouji/qktoushi.html Detail Nothing 2022-11-09 17:17:00
ニュース BBC News - Home Kherson: Russia to withdraw troops from key Ukrainian city https://www.bbc.co.uk/news/world-europe-63573387?at_medium=RSS&at_campaign=KARANGA capital 2022-11-09 17:17:51
ニュース BBC News - Home Just Stop Oil protests: Police officer hurt amid M25 disruption https://www.bbc.co.uk/news/uk-england-63565808?at_medium=RSS&at_campaign=KARANGA hertfordshire 2022-11-09 17:13:09
ニュース BBC News - Home Labour's Wes Streeting apologises for calling Jeremy Corbyn senile in Parliament https://www.bbc.co.uk/news/uk-politics-63569590?at_medium=RSS&at_campaign=KARANGA health 2022-11-09 17:14:40
ニュース BBC News - Home Just Stop Oil: Reporter speaks about her arrest at M25 protest https://www.bbc.co.uk/news/uk-england-beds-bucks-herts-63569177?at_medium=RSS&at_campaign=KARANGA police 2022-11-09 17:52:12
ニュース BBC News - Home Abortion election results: Kentucky rejects constitutional amendment on abortion https://www.bbc.co.uk/news/world-us-canada-63564062?at_medium=RSS&at_campaign=KARANGA priorities 2022-11-09 17:46:19
ニュース BBC News - Home World Cup 2022: England to make quarter-finals, predicts former Three Lions striker Alan Shearer https://www.bbc.co.uk/sport/football/63574732?at_medium=RSS&at_campaign=KARANGA World Cup England to make quarter finals predicts former Three Lions striker Alan ShearerFormer England striker Alan Shearer predicts England will be knocked out in the quarter finals at the World Cup in Qatar 2022-11-09 17:07:24
ニュース BBC News - Home Jack Nowell: England must learn lessons 'quickly' before Six Nations and World Cup https://www.bbc.co.uk/sport/rugby-union/63573419?at_medium=RSS&at_campaign=KARANGA Jack Nowell England must learn lessons x quickly x before Six Nations and World CupEngland must stop repeating the same mistakes or risk failing at next year s Six Nations and Rugby World Cup vice captain Jack Nowell has warned 2022-11-09 17:18:17
ビジネス ダイヤモンド・オンライン - 新着記事 「ただのメモ魔」と「仕事ができるメモ魔」は一体何が違うのか? - 考える人のメモの技術 https://diamond.jp/articles/-/312584 考える人 2022-11-10 02:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 【精神科医が教える】しつこい怒りをスーッとしずめる効果的な方法とは? - こころの葛藤はすべて私の味方だ。 https://diamond.jp/articles/-/312610 精神分析 2022-11-10 02:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 【もう人の意見に流されない!】自分が本当に望む選択をするための3つのポイントとは? - 私はすべて自分で決める。 https://diamond.jp/articles/-/312611 韓国 2022-11-10 02:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 E判定から早稲田政経に合格、たった1ヵ月で成績を伸ばす「すごい勉強法」 - 逆転合格90日プログラム https://diamond.jp/articles/-/312637 逆転 2022-11-10 02:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 仕事ができない人は「絞り込み」が弱い - ブログで5億円稼いだ方法 https://diamond.jp/articles/-/312646 絞り込み 2022-11-10 02:30:00
ビジネス ダイヤモンド・オンライン - 新着記事 【売れる人は知っている】仕事での悩みは「相談する相手」を決して間違えてはいけない - 接客のきほん https://diamond.jp/articles/-/312122 購入 2022-11-10 02:25:00
ビジネス ダイヤモンド・オンライン - 新着記事 「ボリビアってどんな国?」2分で学ぶ国際社会 - 読むだけで世界地図が頭に入る本 https://diamond.jp/articles/-/312253 2022-11-10 02:20:00
ビジネス ダイヤモンド・オンライン - 新着記事 【精神科医が教える】やる気がどんどん削られる! 一見いい人なのに…実はストレスを与える「厄介な人」から身を守る“唯一の考え方” - 精神科医Tomyが教える 心の荷物の手放し方 https://diamond.jp/articles/-/312375 【精神科医が教える】やる気がどんどん削られる一見いい人なのに…実はストレスを与える「厄介な人」から身を守る“唯一の考え方精神科医Tomyが教える心の荷物の手放し方不安や悩みが尽きない。 2022-11-10 02:15:00
ビジネス ダイヤモンド・オンライン - 新着記事 最新科学で明かされた「つわり」と「IQ」の関係【書籍オンライン編集部セレクション】 - 絶対に賢い子になる子育てバイブル https://diamond.jp/articles/-/312410 2022-11-10 02:10:00
ビジネス ダイヤモンド・オンライン - 新着記事 「おねぇの精神科医Tomyの最新刊」「独り身のお金の不安を解消」ほか、ダイヤモンド社11月の新刊案内 - 書籍オンライン編集部から https://diamond.jp/articles/-/312425 精神科医 2022-11-10 02:05:00
Azure Azure の更新情報 General availability: Azure Database for PostgreSQL – Flexible Server in new China regions https://azure.microsoft.com/ja-jp/updates/general-availability-azure-database-for-postgresql-flexible-server-in-new-china-regions/ china 2022-11-09 17:01:51
Azure Azure の更新情報 General availability: Multivariate Anomaly Detection https://azure.microsoft.com/ja-jp/updates/general-availability-multivariate-anomaly-detection/ General availability Multivariate Anomaly DetectionMultivariate Anomaly Detection will allow you to evaluate multiple signals and the correlations between them to find sudden changes in data patterns 2022-11-09 17:01:49
Azure Azure の更新情報 Azure Machine Learning—Generally availability updates for November 2022 https://azure.microsoft.com/ja-jp/updates/azure-machine-learning-generally-availability-updates-for-november-2022/ Azure Machine LearningーGenerally availability updates for November New GA features include the ability to automate auto shutdown auto start schedules configure and customize a compute instance seamlessly build NLP vision models and assess AI systems 2022-11-09 17:01:48
Azure Azure の更新情報 Azure Machine Learning—Public preview updates for November 2022 https://azure.microsoft.com/ja-jp/updates/azure-machine-learning-public-preview-updates-for-november-2022/ Azure Machine LearningーPublic preview updates for November New public preview features include reading Delta Lakes in fewer steps debugging and monitoring training jobs and performing data wrangling 2022-11-09 17:01:48
Azure Azure の更新情報 Public preview: Azure SQL Database offline migrations in Azure SQL Migration extension https://azure.microsoft.com/ja-jp/updates/public-preview-azure-sql-database-offline-migrations-in-azure-sql-migration-extension/ Public preview Azure SQL Database offline migrations in Azure SQL Migration extensionAssess get right sized Azure recommendations for Azure migration targets and migrate databases offline from on premises SQL Server to Azure SQL Database 2022-11-09 17:01:47
Azure Azure の更新情報 General availability: Retryable writes in Azure Cosmos DB for MongoDB https://azure.microsoft.com/ja-jp/updates/general-availability-retryable-writes-in-azure-cosmos-db-for-mongodb/ mongodb 2022-11-09 17:01:47
Azure Azure の更新情報 Public preview: Intra-account container copy for Azure Cosmos DB https://azure.microsoft.com/ja-jp/updates/public-preview-intraaccount-container-copy-for-azure-cosmos-db/ cassandra 2022-11-09 17:01:46
Azure Azure の更新情報 General availability: New cost recommendations for Virtual Machine Scale Sets https://azure.microsoft.com/ja-jp/updates/general-availability-new-cost-recommendations-for-virtual-machine-scale-sets/ machine 2022-11-09 17:01:45
Azure Azure の更新情報 Generally available: Static Web Apps support for preview environments in Azure DevOps https://azure.microsoft.com/ja-jp/updates/generally-available-static-web-apps-support-for-preview-environments-in-azure-devops/ devops 2022-11-09 17:01:44
Azure Azure の更新情報 Generally available: Static Web Apps support for Gitlab and Bitbucket https://azure.microsoft.com/ja-jp/updates/generally-available-static-web-apps-support-for-gitlab-and-bitbucket/ providers 2022-11-09 17:01:32
Azure Azure の更新情報 Generally available: Static Web Apps support for stable URLs for preview environments https://azure.microsoft.com/ja-jp/updates/generally-available-static-web-apps-support-for-stable-urls-for-preview-environments/ environments 2022-11-09 17:01:26
Azure Azure の更新情報 Generally available: Static Web Apps support for skipping API builds https://azure.microsoft.com/ja-jp/updates/generally-available-static-web-apps-support-for-skipping-api-builds/ azure 2022-11-09 17:01:24
Azure Azure の更新情報 Public preview: Azure Static Web Apps now Supports Node 18 https://azure.microsoft.com/ja-jp/updates/public-preview-azure-static-web-apps-now-supports-node-18/ azure 2022-11-09 17:01:12
Azure Azure の更新情報 Generally available: Azure NetApp Files datastores for Azure VMware Solution https://azure.microsoft.com/ja-jp/updates/generally-available-azure-netapp-files-datastores-for-azure-vmware-solution/ solution 2022-11-09 17:01:05
Azure Azure の更新情報 Public preview: Rotate SSH keys on existing AKS nodepools https://azure.microsoft.com/ja-jp/updates/public-preview-rotate-ssh-keys-on-existing-aks-nodepools/ deployment 2022-11-09 17:00:58
Azure Azure の更新情報 Generally available: Azure IoT Edge for Linux on Windows (EFLOW) update https://azure.microsoft.com/ja-jp/updates/generally-available-azure-iot-edge-for-linux-on-windows-eflow-update/ azure 2022-11-09 17:00:50
海外TECH reddit All of the New Pokémon Summarized by Centro https://www.reddit.com/r/PokeLeaks/comments/yqprvb/all_of_the_new_pokémon_summarized_by_centro/ All of the New Pokémon Summarized by Centro submitted by u sdrey to r PokeLeaks link comments 2022-11-09 17:39:13
GCP Cloud Blog 4 more reasons to use Chrome’s cloud-based management https://cloud.google.com/blog/products/chrome-enterprise/4-more-reasons-use-chromes-cloud-based-management/ more reasons to use Chrome s cloud based managementMillions of organizations use Chrome every day to keep their businesses productive and secure However many companies aren t actively managing the browsers they deploy  Managing the browser is vital because it allows you to customize it to the needs of your business and help you protect against security risks such as data loss and shadow IT Chrome Browser Cloud Management is our no cost cloud based management tool that allows you to manage Chrome across operating systems and devices Hundreds of policies and controls can be configured for Chrome right from the cloud It can help IT and security teams with Efficiency Manage with ease across platforms on and off networkSecurity Secure by default with even more controlVisibility Use insights to drive IT decision makingFlexibility Customize to meet company needsFor this post let s focus on the most recent capabilities and improvements we ve made to Chrome Browser Cloud Management Get started managing quickly in the Google Admin console with new Chrome GuidesWe recently launched Chrome Guide modules to help new admins get started with Chrome Browser Cloud Management and the best part they re right in the Google Admin console You can get step by step instructions on enrolling your first browser setting policies and viewing reports If you are just getting started these are especially helpful Stay tuned for more guides on advanced Chrome Browser Cloud Management workflows coming soon  View apps amp extension detailsNow you can get even more information about specific extensions and apps that are deployed across your organization in one easy place Some key details include all the public information about the extension a breakdown of the extension usage what versions are installed the requested permissions and the websites an extension is permitted to run on  With the move to a new extension platform Manifest v fast approaching we also added manifest versions of extensions to this view We ll also be adding a warning icon to the Apps amp Extension Usage Report for extensions that are still on Manifest v in early to support enterprises through this transition  This will provide additional visibility to IT teams to have a change management plan in place for extensions that are still Manifest v Increase security insightsSecurity is more top of mind than ever before and Chrome Browser Cloud Management supports how your teams approach security The security investigation tool in the Google Admin console allows you to see all Chrome events in an Audit log format and set up custom alerts triggered by events We ve recently allowed admins to configure alerts for Extension Requests and more events are in development  including extension installs and inactive browser deletions A newer capability we launched this year enables organizations to integrate other security solutions to get additional protections and insights on top of Chrome This includes real time security insights and reporting options where enterprises can see critical security events and information from Chrome like password breaches unsafe visits and more within Chrome Browser Cloud Management These are integrated with a variety of security solutions including Google s BeyondCorp Enterprise Google Chronicle and Google Cloud PubSub and leading security partners such as Splunk Palo Alto Networks and Crowdstrike to make this data available where security teams need it Export more dataOne of the biggest benefits of Chrome Browser Cloud Management is all of the reports that are readily available to IT teams Some customer favorites are Version Report Apps amp Extensions report and the managed browser list We launched CSV export for these reports which allows you to export your browser deployment data and make more data driven decisions for your organization  We just increased the entry pagination limit in these reports to which is extremely helpful if you have a lot of your browser data living in Chrome Browser Cloud Management To see all of these capabilities and more in action and get a sneak peek at what s coming next register for our Chrome Insider virtual event where Chrome experts will share tips and demos To learn more about how you can use Chrome Browser Cloud Management in your organization and sign up to get started visit our website And if you re wondering if it s the right solution for your business we have this handy assessment tool that recommends management options for your team 2022-11-09 18: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件)