投稿時間:2023-04-21 01:29:13 RSSフィード2023-04-21 01:00 分まとめ(29件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Security Blog How to prioritize IAM Access Analyzer findings https://aws.amazon.com/blogs/security/how-to-prioritize-iam-access-analyzer-findings/ How to prioritize IAM Access Analyzer findingsAWS Identity and Access Management IAM Access Analyzer nbsp is an important tool in your journey towards least privilege access You can use IAM Access Analyzer access previews to preview and validate public and cross account access before deploying permissions changes in your environment For the permissions already in place one of IAM Access Analyzer s capabilities is that … 2023-04-20 15:14:27
AWS AWS - Webinar Channel What's new in Amazon RDS for PostgreSQL?- AWS Database in 15 https://www.youtube.com/watch?v=TymtK4TdnzE What x s new in Amazon RDS for PostgreSQL AWS Database in PostgreSQL is an open source database that has grown in popularity because of its rich features vibrant community and compatibility with commercial databases One of the ways AWS customers can run PostgreSQL is with our Amazon Relational Database Service Amazon RDS for PostgreSQL that makes it easy to set up operate and scale fully managed PostgreSQL databases in the cloud In this session learn about new improvements to PostgreSQL and recent innovations in RDS for PostgreSQL that improve database performance upgrades and more Learning Objectives Objective You will learn about recent improvements from the PostgreSQL community Objective You will learn about recent innovations for RDS for PostgreSQL Objective You will learn about next steps to start benefiting from these innovations and improvements today To learn more about the services featured in this talk please visit To download a copy of the slide deck from this webinar visit 2023-04-20 15:15:01
AWS AWS Security Blog How to prioritize IAM Access Analyzer findings https://aws.amazon.com/blogs/security/how-to-prioritize-iam-access-analyzer-findings/ How to prioritize IAM Access Analyzer findingsAWS Identity and Access Management IAM Access Analyzer nbsp is an important tool in your journey towards least privilege access You can use IAM Access Analyzer access previews to preview and validate public and cross account access before deploying permissions changes in your environment For the permissions already in place one of IAM Access Analyzer s capabilities is that … 2023-04-20 15:14:27
python Pythonタグが付けられた新着投稿 - Qiita 2022年MLB大谷翔平選手のスイーパーの被打率をPythonで求めてみた https://qiita.com/takaki03/items/07765c8e44e7cdda6588 大谷翔平 2023-04-21 00:15:02
python Pythonタグが付けられた新着投稿 - Qiita LangChainもAutoGPTもBabyAGIもわからんので気合でプログラム内にGPTの出力を組み込む https://qiita.com/hakuren333/items/08f2a88128bbb5e20b09 autogpt 2023-04-21 00:08:46
python Pythonタグが付けられた新着投稿 - Qiita 【Pythonでパフォーマンスを向上させる: マルチスレッドとマルチプロセスの基本と選択法】 https://qiita.com/eruru/items/b1ac9401755591796f69 選択 2023-04-21 00:04:58
js JavaScriptタグが付けられた新着投稿 - Qiita ReactTesting-libraryを用いてReactにテストコードを実装する方法(備忘録) https://qiita.com/Alan12d/items/f459849b6f5f91311a0b react 2023-04-21 00:18:15
AWS AWSタグが付けられた新着投稿 - Qiita awsコマンドまとめ(随時追加中) https://qiita.com/kBaaya/items/fe59e60b093a74ef2c2f msshec 2023-04-21 00:40:58
Git Gitタグが付けられた新着投稿 - Qiita Gitでの「CRLF」「LF」問題 https://qiita.com/noble_1130/items/3336c6255623228093a3 tortoisegit 2023-04-21 00:38:44
海外TECH MakeUseOf The Best Webcams for Remote Work https://www.makeuseof.com/best-webcams-for-remote-work/ remote 2023-04-20 15:30:17
海外TECH MakeUseOf How to Fix the “DirectX Setup Couldn’t Download the File” Error on Windows https://www.makeuseof.com/directx-setup-couldnt-download-file-windows/ windows 2023-04-20 15:15:17
海外TECH DEV Community Building a Backend with TypeORM and PostgreSQL https://dev.to/cricketsamya/building-a-backend-with-typeorm-and-postgresql-60m Building a Backend with TypeORM and PostgreSQL TypeORM and PostgreSQLWhen it comes to building a scalable and maintainable backend developers have a variety of tools and frameworks to choose from Two popular options are TypeORM and PostgreSQL TypeORM is an Object Relational Mapping ORM library that provides a convenient way to interact with databases while PostgreSQL is a powerful relational database that can handle large amounts of data and complex queries In this blog post we will explore how to build a backend using TypeORM and PostgreSQL Setting up the ProjectThe first step is to create a new TypeScript project We can use the Node Package Manager npm to create a new project with the following command npm init yNext we need to install the necessary dependencies We will need the following packages typeorm This is the TypeORM library pg This is the PostgreSQL client for Node js reflect metadata This is a dependency required by TypeORM We can install these packages using the following command npm install typeorm pg reflect metadataOnce the dependencies are installed we can create a new TypeScript file called index ts and add the following code import createConnection from typeorm async function main const connection await createConnection type postgres host localhost port username postgres password mypassword database mydb entities synchronize true console log Connected to database main catch err gt console error err This code imports the necessary packages and sets up a connection to the PostgreSQL database using TypeORM s createConnection function We have specified the database connection details including the host port username password and database name We have also set synchronize to true which tells TypeORM to automatically create database tables based on the defined entities Running the ProjectWe can now run the project using the following command npx ts node index tsThis will connect to the database and log a message to the console if the connection is successful Defining EntitiesEntities are classes that represent database tables in TypeORM We can define an entity for a user with the following code import Entity Column PrimaryGeneratedColumn from typeorm Entity class User PrimaryGeneratedColumn id number Column name string Column email string This code defines a User entity with id name and email columns The Entity decorator marks the class as an entity and the Column decorator marks each property as a column The PrimaryGeneratedColumn decorator marks the id property as the primary key We need to add the User entity to the entities array in the createConnection options const connection await createConnection type postgres host localhost port username postgres password mypassword database mydb entities User synchronize true Inserting DataWe can now use TypeORM to insert data into the database We can modify the createConnection callback to insert a new user into the database createConnection then async connection gt console log Connected to database const userRepository connection getRepository User const user new User user name John Doe user email johndoe example com await userRepository save user console log User saved user catch error gt console log Error connecting to database error This code creates a new User object and sets its properties It then uses the save method of the UserRepository to insert the new user into the database Finally it logs a message to the console to indicate that the user was saved Querying DataWe can also use TypeORM to query data from the database We can modify the createConnection callback to retrieve all users from the databasecreateConnection then async connection gt console log Connected to database const userRepository connection getRepository User const users await userRepository find console log Users users catch error gt console log Error connecting to database error This code uses the find method of the UserRepository to retrieve all users from the database Finally it logs a message to the console to indicate the retrieved ConclusionAfter working with TypeORM and PostgreSQL it can be concluded that they are a great combination for building modern web applications TypeORM provides a simple and intuitive API for working with databases and its built in support for migrations and query builders simplifies the development process Additionally TypeORM s support for TypeScript makes it easy to build type safe and maintainable database code PostgreSQL on the other hand is a robust and performant database that provides developers with advanced features and scalability options Its support for advanced data types and indexing options makes it ideal for working with complex data structures and querying large datasets Overall combining TypeORM and PostgreSQL provides developers with a reliable and efficient stack for building modern web applications that require a high degree of data persistence and querying capabilities ReferencesTypescriptTypeormTypeorm and Postgres 2023-04-20 15:40:42
海外TECH DEV Community "Focus on the project more than the type of company" — Agree or disagree? https://dev.to/ben/focus-on-the-project-more-than-the-type-of-company-agree-or-disagree-7aa quot Focus on the project more than the type of company quot ーAgree or disagree Hey folks I wanted to ask what people think of this overall assertion from a recent thread about startup vs corporate jobs Alvaro Montoro • Apr •Edited on Apr •Edited Working for startups or big corporations plus there are more options is different but not as much as people put it Each are going to have pros and cons and sometimes the pros and cons are the same From my experience that is anecdotal as each company is a new world Startups you need to deliver and deliver fast Many times long hours and at weird times I once had to take a client s call on a Saturday at pm while having dinner with some friends and ask for my friend s computer so I could vpn to work You gain a lot of experience and learn a lot which is great but that learning and experience is often not the best having to deliver fast means cutting corners and choosing speed over quality you will learn practical skills and get technical knowledge but it may not be the best practices You ll get to wear many hats and I really mean it to the point of even having to send snail mail as a developer or organize marketing content for conferences and I don t mean slides but folding brochures and picking swag from the store And that s good You ll grow in all directions a little bit Projects tend to be more interesting not always and there s a lot of responsibility and pressure if you don t deliver the company may well disappear Start ups are great for younger people without family ties who value more the project than the long term perks or salary If the start up succeeds of startups fail you ll hit jackpot and most likely move to the next one Big corporations one bad thing about big corps is that you stop being a person to become a number a cog in an engine whose only job is to make money That dilutes responsibility but less responsibility doesn t mean less pressure you ll be working in multimillion contracts if you don t deliver on time the corporation may lose huge amounts in the figures and good luck explaining that failure to executives So don t think that it will be pm Clock out I m done for the day Salaries tend to be higher and long term perks tend to be sweeter higher k matches stock options better and cheaper health insurances Also let me break the bubble of work stability yes a big corp will not just close shop and be done as a startup but layoffs are incredibly common with or without economic crisis and incredibly unfair You may be the most productive employee in the company but if your department is gone you are gone Another bubble to burst opportunities for growth May be educational yes learning may be slower but it can be of higher quality big corps usually have learning budgets even for grad schools also because there are more processed and people in place you ll be able to grow vertically specialize even if slower but career wise it is more common to jump diagonally to a different department or company than to go up vertically promotions Medium Enterprises SME They are more established and the survival pressure is gone but still there and normally their goals are more modest and their clients more understanding no multimillion dollar contracts and the sword of Damocles of layoffs not hanging over your head continuously Smaller groups maybe not as interesting projects this depends highly on the company I worked as a developer in a company that did smaller projects for the government and they were surprisingly challenging and interesting and if they weren t it didn t matter because they d soon be over and get a new one The long term perks and the salary won t be as big as the big corp the chances of potential reward will be lower than at a startup and in my opinion they are more stable and balanced both in terms of job security and work life balance than startups big corp These are the ones where I enjoyed my time the best because they offered a nice balance between startup and big corp life My two cents focus on the project more than the type of company Of course there will be personal factors that may make you choose between small or big but in the end you ll be happier with a project that you enjoy and makes you happy independently of it being in a startup a small medium company or a big corporation And that will impact your overall productivity and burnout feeling What do you think 2023-04-20 15:09:28
Apple AppleInsider - Frontpage News BuzzFeed fires 15% of workforce, shuts down BuzzFeed News https://appleinsider.com/articles/23/04/20/buzzfeed-fires-15-of-workforce-shuts-down-buzzfeed-news?utm_medium=rss BuzzFeed fires of workforce shuts down BuzzFeed NewsThe controversial but high profile BuzzFeed News is to be closed because of its parent company s financial problems which CEO Jonah Peretti says he could have managed better BuzzFeed itself the media and entertainment company will continue but the job losses will affect it too Those redundancies will be across our Business Content Tech and Admin teams wrote Peretti in an email to staff who are staying The company s HR department is reaching out to affected employees immediately but the BuffFeed News job losses are being negotiated with the News Guild While layoffs are occurring across nearly every division said Peretti we ve determined that the company can no longer continue to fund BuzzFeed News Read more 2023-04-20 15:34:42
Apple AppleInsider - Frontpage News Daily Deals: $799 MacBook Air, $250 off M2 Max MacBook Pro, Apple Watch SE $149 & more https://appleinsider.com/articles/23/04/20/daily-deals-799-macbook-air-250-off-m2-max-macbook-pro-apple-watch-se-149-more?utm_medium=rss Daily Deals MacBook Air off M Max MacBook Pro Apple Watch SE amp moreToday s top finds include off Apple Watch Series a Samsung Evo Select Micro SD memory card adapter for off an LG PL XBOOM Go Bluetooth party speaker and off a Hisense Smart Fire TV Save on an M MacBook ProThe AppleInsider crew scours the internet for excellent discounts at online retailers to curate a list of can t miss deals on trending tech gadgets including discounts on Apple products TVs accessories and other products We share the best deals each day to help you save money Read more 2023-04-20 15:23:13
Apple AppleInsider - Frontpage News New 15-inch MacBook Air will have two M2 options, says Kuo https://appleinsider.com/articles/23/04/20/new-15-inch-macbook-air-will-have-two-m2-options-says-kuo?utm_medium=rss New inch MacBook Air will have two M options says KuoBacking up a new claim that the forthcoming inch MacBook Air will no longer have the M processor Ming Chi Kuo says it s going to be offered with M options ーbut not M Pro A larger mid range MacBook is missing from Apple s current lineupFollowing many rumors that the inch MacBook Air would be based around the M a new supply chain leak suggested that Apple had postponed that idea Analyst Ming Chi Kuo backs that idea but adds more about the specific M processors ーand the device s launch date Read more 2023-04-20 15:15:27
海外TECH Engadget 'Humanity' will hit PS Plus when it arrives on May 16th https://www.engadget.com/humanity-will-hit-ps-plus-when-it-arrives-on-may-16th-155831161.html?src=rss x Humanity x will hit PS Plus when it arrives on May thHumanity a curious hybrid of a platformer and a puzzle game at last has a release date It s coming to PlayStation PlayStation and Steam on May th with virtual reality support on all platforms PS Plus Extra and Premium subscribers will be able to check it out at no extra cost as Humanity will join the PS Plus Game Catalog on its release day The latest title from Rez creator Tetsuya Mizuguchi s Enhance studio has been in the works for quite some time We got our first look at it in and it was supposed to be out the following year However the delay gave Enhance a chance to create PlayStation and PS VR versions as well Enhance announced the release date with an outstanding homage to early PlayStation ads Humanity launches May as a Day PlayStation Plus Game Catalog title Developer Enhance celebrates with a trailer inspired by quirky early PlayStation era ads pic twitter com HjSvzjoZlーPlayStation PlayStation April In Humanity you ll play as a glowing nameless Shina Ibu Your mission is to guide crowds of people to an exit by placing commands on the ground that get them to turn jump float swim climb and so on ーeffectively flipping the atypical dog human relationship on its head The story mode has more than levels somehow including boss fights You ll be able to create your own stages and share them with other players too On the PlayStation Blog Enhance executive producer Mark MacDonald wrote that the team decided to bring Humanity to the PS Plus Game Catalog on day one so it can reach a large number of players right away Several titles have debuted on the base PS Plus Essential tier over the years and quickly found a large audience most famously Rocket League and Fall Guys Meet Your Maker was the most recent game to hit the Essential tier on its release day nbsp nbsp Since Sony rolled out Extra and Premium a little under a year ago the only games that have hit nbsp those particular tiers on their release day before Humanity are nbsp Stray nbsp and Tchia nbsp subscribers have access to Essential games too Meanwhile PS VR owners may be particularly pleased by Humanity s PS Plus debut given that PS VR titles don t automatically work on the new headset and they re having to piece together a fresh library of games This article originally appeared on Engadget at 2023-04-20 15:58:31
海外TECH Engadget What we bought: Our favorite small kitchen essentials https://www.engadget.com/small-kitchen-essential-gadgets-irl-154530643.html?src=rss What we bought Our favorite small kitchen essentialsWhile we at Engadget are blessed with a passion for cooking most of us are not blessed with spacious kitchens But that doesn t stop us we use every inch of our tiny apartment kitchens as efficiently as possible In doing so we ve found that some of the most useful cooking tools are the small things items hiding deep in your drawers or sitting humbly on your countertop that you turn to often and may end up taking for granted We wanted to highlight some of our favorite small kitchen essentials to remind everyone including ourselves that you don t need to add the latest ultra convenient unitaster to your kitchen to make great food Ultimately it s the small stuff that matters both when it comes to recipe ingredients and the tools you keep in your cupboards Thermapen OneIf there was ever an essential kitchen gadget an instant read thermometer is certainly it Not only does it help you cook things correctly but aso safely No one wants to serve their guests undercooked chicken If you re in the market Thermapen s One is the best your money can buy It s more expensive than your run of the mill probe but the One gets its name from its speed it can provide readings in one second What s more the One is accurate to within half a degree and the IP waterproof housing means it will hold up to any accidents The display auto rotates so you re never twisting your neck to read the numbers It s also equipped with a motion sensor so that display automatically comes on when you pick up the thermometer The Thermapen One will serve you well in the kitchen at the grill and for many other things making it a go to for a variety of culinary tasks Billy Steele Senior News EditorMicroplaneI bought my Microplane after taking an in store cooking class at Sur La Table where admittedly the hosts had an agenda to sell us stuff on our way out I treated myself to this hand grater having just been introduced to it in my cooking demo Today I use it for everything from mincing garlic to zesting citrus to grating parmesan over my pasta The Microplane takes up less cabinet space than my box grater and it s never sliced my finger like traditional models either The only annoying thing about my workflow is that the Microplane is often sitting dirty in the dishwasher when I need it But at this price with such a small footprint it wouldn t kill me to get a spare Dana Wollman Editor In ChiefInstant PotI was late to hop on the Instant Pot train I picked up the three quart Instant Pot Ultra on Prime Day in and even as I waited for it to arrive I was slightly skeptical about how much I d really use it Fast forward more than a year and the multi cooker has become one of the most used gadgets in my laughably small kitchen If I had enough counter space it would stay out all the time next to my other cooking MVP my Vitamix but sadly it has to sit in a lower cabinet when not in use But I pull it out often to make soups and stews to meal prep large batches of dried beans and even to whip up rice I grabbed the three quart model because I mainly cook for myself and my fiancé but since we always have leftovers that leads me to believe that the smallest Instant Pot could make a decent sized meal for up to four people or a big batch of our favorite side dish While the Ultra model can be difficult to find right now you can t go wrong with the classic Instant Pot Duo and the newer Instant Pot Pro Plus has many of the same cooking modes along with a fancier display plus app connectivity ーValentina Palladino Senior Commerce EditorAmazon Basics scaleI love to cook but I can t say I m terribly precise when it comes to following recipes If something calls for a tablespoon of oil or a half cup of stock I m more likely to just dump it straight in than measure it out So if you had told me a few years ago that one of my most used kitchen gadgets would be a cheap kitchen scale I probably would have laughed Then the pandemic hit and I quickly realized my lackadaisical approach would not cut it when it comes to baking Baking bread or just about anything else requires precisely measured ingredients and a kitchen scale is far and away the easiest and most reliable way to measure out your ingredients I like this one because it s compact but can handle up to pounds of weight And it s easy to quickly switch between pounds grams and fluid ounces And even though my pandemic baking hobby was short lived I ve found having a scale handy is actually quite useful From brewing the perfect cup of pour over to weighing out the cat s food to managing my own portion sizes this little scale has earned a permanent place on my counter Karissa Bell Senior ReporterCosori gooseneck electric kettleThere are very few items that have earned a permanent spot on my painfully tiny countertop and my Cosori electric kettle is one of them I ve written about it before about how I finally decided to move on from the dark ages of heating up water for tea in the microwave to something more civilized But the kettle has proven itself useful in many other ways like prepping stock by using Better Than Bouillon and boiling water and making the occasional quick cup of ramen I like that Cosori s model has different built in temperature settings for different types of drinks and its gooseneck design makes it easy to use for Chemex made coffee I ve thought about upgrading to a new kettle recently but I always ask myself why Cosori s is still going strong just the same as the day I bought it ーV P Cuisinart DLC ABC mini food processorAccording to my Amazon records I purchased this small batch Cuisinart food processor for about on Amazon Prime Day correctly surmising that I didn t need anything larger or pricier For small kitchens and occasional use the size is right and so is the price even if you pay closer to the MSRP And don t be fooled by the name “mini either the three cup capacity is enough to whip up pesto hummus and various other dips and sauces The only time recently I had to work in batches was when I was grinding up Oreos for the cookie layer of an ice box cake No big deal and certainly not a dealbreaker When it comes to cleanup I like that the plastic cup and lid can go in the dishwasher though I need to wash the blades and wipe down the base by hand Fortunately too it s short enough in stature that it can sit even in a cabinet with just inches of clearance And because it s so lightweight pulling it down from above my head never feels like a safety risk D W Magnetic Measuring SpoonsI ve accumulated lots of measuring spoons over the years plastic metal some with a key ring attached but these are the only ones I bother to use anymore This set which includes five spoons ranging in size from a quarter teaspoon to tablespoon has a magnetic nesting design ensuring the spoons take up as little space as possible I also never find myself ransacking the drawer to find the one missing spoon that I really need at that moment Equally important Each spoon is two sided so if I need to use the tablespoon say for both wet and dry ingredients I can keep the two separate and throw just the one spoon in the dishwasher when I m done D W A magazine rackLook don t ask me exactly which one is hanging off the pegboard I installed in my kitchen ーI don t remember and frankly you re buying bent pieces of wire so any distinction between different brands is likely trivial The point is that while I have the utmost respect for printed media the best use for a magazine rack is for storing pot lids a very necessary and otherwise extremely annoying to store kitchen object What kind you look for depends mostly on what sorts of pot lids you re trying to stash away Handle style is there even nomenclature for this type of thing I m talking about these ones lids work best with a straight rail For those with knob type handles ideally seek out one like this that features a slight concavity in the middle of each rail as it ll keep the lids from sliding around too much This is also the best bet if you ーlike me and probably most people ーhave a set of pots and pans cobbled together from a variety of manufacturers and your lid handles are a mix of both varieties The only word of caution I ll offer is that while pot lids might not be as heavy as say a cast iron skillet install your magazine rack securely either off a pegboard which I cannot recommend highly enough for its versatility or make sure it s screwed down into a wall stud Cleaning up broken glass and buying an entirely new set of lids is no one s idea of a good time ーAvery Menegus Senior News EditorNespresso Barista Recipe MakerThose puny stick frothers do not cut it Beyond the fact you have to heat the milk yourself yeah I was out already it doesn t have the oomph to offer that thick velvety milk needed for your daily flat white There are several more substantial milk frothers available now but I swear by Nespresso s Aeroccino series or its Bluetooth connected Barista Recipe Maker I have the latter because well I work at Engadget The Barista can whip up hot and cold milk depending on your selection It uses induction tech to both heat up the dishwasher safe milk jug and magnetically spin the whisk inside which is substantial and also thankfully dishwasher safe The results are consistent and ideal for at home caffeination which is not a word apparently It turned out to be the final piece of my homemade coffee puzzle ensuring my brews more closely approximate the espresso based delights I get in West London s cafes While the touch sensitive buttons and ability to replicate recipes are nice I could survive without them Nespresso has recently introduced its fourth generation Aeroccino which is designed to look like a Moka pot which is cute It s also a touch cheaper than my Barista Recipe Maker Mat Smith U K Bureau ChiefChemexIf you love coffee you probably already know all the reasons why a pour over setup will produce a better cup But even occasional coffee drinkers will benefit from ditching a bulky drip machine for a sleek glass Chemex In small kitchens you need all the counterspace you can get and Chemex s three or six cup carafe takes up a lot less space than the typical drip machine It s also easier to clean and stash away in a cupboard when not in use and easier on the eyes if you do leave it out Most importantly it brews a far better cup than any machine To the uninitiated pour over setups can seem intimidating but a Chemex makes it reasonably foolproof add grounds to a filter you can use bonded paper filters or get a reusable one add hot but not quite boiling water wait a few minutes and you ll have a surprisingly smooth cup of coffee What s great about a Chemex is you can put as little or as much effort in as you want Like other pour over setups there s room for endless experimentation you can change up the grind size water temperature and coffee to water ratio to get the “perfect cup Or if you re less fussy you can do what I do most mornings and eyeball it ーas long as you don t pour your water too quickly even a hastily made Chemex cup will have a lot more flavor than whatever is coming out of your drip machine K B This article originally appeared on Engadget at 2023-04-20 15:36:47
Cisco Cisco Blog Enabling Predictive Networks with Cisco SD-WAN and ThousandEyes WAN Insights https://feedpress.me/link/23532/16085433/enabling-predictive-networks-with-cisco-sd-wan-and-thousandeyes-wan-insights Enabling Predictive Networks with Cisco SD WAN and ThousandEyes WAN InsightsIntegrating Cisco ThousandEyes Predictive Path Recommendation with Cisco SD WAN vManage provides IT with a proactive solution to reduce disruptions in network fabric while simplifying network operations 2023-04-20 15:00:33
海外科学 NYT > Science Live Updates: SpaceX’s Starship Rocket Explodes After Launch https://www.nytimes.com/live/2023/04/20/science/spacex-launch-starship-rocket ambitious 2023-04-20 15:52:30
ニュース @日本経済新聞 電子版 RT @nikkei: 米スペースXの大型ロケット、初の打ち上げ試験で爆発 https://t.co/4Z1JklOIBm https://twitter.com/nikkei/statuses/1649076575198138368 rtnikkei 2023-04-20 15:44:28
ニュース BBC News - Home Paul O'Grady: Fans and dogs line streets for star's funeral https://www.bbc.co.uk/news/entertainment-arts-65334955?at_medium=RSS&at_campaign=KARANGA comedian 2023-04-20 15:01:45
ニュース BBC News - Home SNP still owes money to Peter Murrell, Humza Yousaf confirms https://www.bbc.co.uk/news/uk-scotland-65339736?at_medium=RSS&at_campaign=KARANGA chief 2023-04-20 15:06:36
ニュース BBC News - Home Pet alligator removed from Philadelphia home as couple separate https://www.bbc.co.uk/news/world-us-canada-65341398?at_medium=RSS&at_campaign=KARANGA couple 2023-04-20 15:20:08
ニュース BBC News - Home Buzzfeed News to close as media firm cuts jobs https://www.bbc.co.uk/news/65341450?at_medium=RSS&at_campaign=KARANGA buzzfeed 2023-04-20 15:46:15
ニュース BBC News - Home Nurse Lucy Letby seen at cot of baby who collapsed, jury told https://www.bbc.co.uk/news/uk-england-merseyside-65339699?at_medium=RSS&at_campaign=KARANGA hears 2023-04-20 15:55:31
ニュース BBC News - Home Moonbin: Star's death renews scrutiny on pressures of K-pop https://www.bbc.co.uk/news/world-asia-65339082?at_medium=RSS&at_campaign=KARANGA business 2023-04-20 15:04:45
ニュース BBC News - Home Dominic Raab: Rishi Sunak will not announce decision on bullying report today https://www.bbc.co.uk/news/uk-politics-65336405?at_medium=RSS&at_campaign=KARANGA dominic 2023-04-20 15:51:38
GCP Cloud Blog Secure Enterprise Browsing: Chrome adds enhanced DLP and extension protections https://cloud.google.com/blog/products/chrome-enterprise/secure-enterprise-browsing-more-data-protections-visibility-and-insights/ Secure Enterprise Browsing Chrome adds enhanced DLP and extension protectionsThe web browser is the backbone of modern work As for my own work I heavily depend on it It grants me access to SaaS apps internal websites conference calls and a vast web of information Perhaps unsurprisingly the browser has also become an increasingly popular target for external threats and data theft As a result we expect our IT and security teams to consider the browser a strategic asset for maintaining a secure and productive enterprise environment We ve shared Chrome s vision for secure enterprise browsing and our core security approaches We re excited to announce new enhancements that organizations can use to protect their company and users as they work on the web Data loss prevention DLP security insights and visibility and extension security are essential components of a secure enterprise browsing solution Today we are introducing new capabilities to aid you on your cybersecurity journey Data Loss Prevention enhancements Chrome offers integrated DLP options that enable you to monitor and safeguard confidential information and intellectual property accessed via the browser against unauthorized access or disclosures due to user negligence  We are excited to add three new capabilities to our existing DLP protections Context aware DLP allows you to customize your DLP rules based on the security posture of the device used For instance you can allow your users to download sensitive documents if they re accessing them from a corporate device that s up to date on security fixes or is confirmed to have endpoint protection software installed but stop them from doing so if they re using their own personal device or a corporate device that doesn t meet the criteria URL filtering gives you the ability to block or warn your employees from visiting websites or categories of websites that breach your organization s acceptable use policies You can also restrict access like blocking users from visiting popular file sharing websites while still permitting file sharing via your corporate file sharing site DLP for print enables you to stop users from printing files that contain confidential data For example you can warn and block your employees before they print files containing more than Social Security numbers Extension risk assessment There are more than extensions on the Chrome web store providing users with additional functionality they want to add to their browser such as ad blockers and productivity tools However like any software browser extensions can pose certain risks to users or request permissions that are not aligned with company policies Having visibility into extensions and how they re being used is critical to security teams IT and security teams can already view complete lists of installed extensions set policies around extensions that can run in their environment and create approval workflows that allow them to review requested extensions before allowing users to install them Now we re giving enterprises additional insights to help them assess extensions for their organization CRXcavator and Spin AI Risk Assessment are tools used to assess the risks of browser extensions and minimize the risks associated with them We are making extension scores via these two platforms available directly in Chrome Browser Cloud Management so security teams can have an at a glance view of risk scores of the extensions being used in their browser environment This is now available for all Chrome Browser Cloud Management users New browser security insightsVisibility into browser activities helps businesses identify and mitigate security risks protect sensitive data and users Last year we launched reporting integrations that enable organizations to send critical security event notifications to security solution providers such as Splunk Crowdstrike Palo Alto Networks and Google solutions including Chronicle Cloud PubSub and Google Workspace for further analysis We have made two new security event notifications available Extension installs Alerts IT and security teams when an extension is installed so they can track new extension usage in their environment Crash events Alerts IT and security teams when a browser crashes on a device which can help them kick off investigations These new event notifications in combination with our existing reporting options offer even more visibility into broader data sets You can read the full list of security events that trigger notifications here By implementing advanced DLP and gaining more visibility into extension security and critical security events organizations can identify potential threats and vulnerabilities before they are exploited reduce the risk of data loss and take a more proactive approach to cybersecurity  To get started with Google Chrome s secure enterprise browsing solution and take advantage of some of our new enhancements set up Chrome Browser Cloud Management at no cost Our solution can meet the security requirements of organizations at any stage of digital transformation Get in touch today to learn more and come see us in action at the Google Cloud Security booth at the RSA Conference next week 2023-04-20 16: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件)