投稿時間:2022-09-27 22:27:21 RSSフィード2022-09-27 22:00 分まとめ(29件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT ITmedia 総合記事一覧 [ITmedia News] 謎のワード「死の谷の方」がTwitterトレンドに iPhoneの予測変換でなぜか出現 回避方法は? https://www.itmedia.co.jp/news/articles/2209/27/news212.html iphone 2022-09-27 21:25:00
AWS AWS Startups Blog AWS announces 25 startups selected for the AWS Impact Accelerator for Women Founders https://aws.amazon.com/blogs/startups/aws-announces-25-startups-selected-for-aws-impact-accelerator-for-women-founders/ AWS announces startups selected for the AWS Impact Accelerator for Women FoundersFresh off the success of the inaugural Amazon Web Services AWS Impact Accelerator for Black founders AWS is continuing its million commitment to provide underrepresented founders with the resources capital and community they need to level the startup playing field Today meet the women founders selected from a competitive field of applicants and chosen by a diverse committee of AWS Startups experts who are changing the startup landscape with their next idea 2022-09-27 12:59:04
python Pythonタグが付けられた新着投稿 - Qiita trioによる並行処理②(Event) https://qiita.com/Kyosuke_Ichikawa/items/aa4f22f4eb6fb9aacb7e awaitwait 2022-09-27 21:37:49
python Pythonタグが付けられた新着投稿 - Qiita Electronとpython-shellの実行環境作成(vueも少し) https://qiita.com/luren/items/19a1472fa2a064706df4 electron 2022-09-27 21:27:19
js JavaScriptタグが付けられた新着投稿 - Qiita paizaラーニング レベルアップ問題集 Aランクレベルアップメニュー JavaScript 区間への足し算 https://qiita.com/ZampieriIsa/items/3761b8ff37b41b974584 javascript 2022-09-27 21:50:22
AWS AWSタグが付けられた新着投稿 - Qiita EC2インスタンスのキーペアCFnで作れるようになったらしい https://qiita.com/miyuki_samitani/items/98b1c41b6dd456f86e18 ormatversiondescriptionte 2022-09-27 21:31:42
Docker dockerタグが付けられた新着投稿 - Qiita /docker-entrypoint-initdb.dにデータベース初期化スクリプトを置いておく(PostgreSQL) https://qiita.com/torifukukaiou/items/24ab8b4b313b6f5171d9 dockerentrypointinitdbd 2022-09-27 21:40:36
Ruby Railsタグが付けられた新着投稿 - Qiita Docker環境下でRailsアプリをHerokuにデプロイする手順 https://qiita.com/saima88/items/8f177cf2e97b7ad71aca docker 2022-09-27 21:54:44
技術ブログ Developers.IO Firebase AnalyticsでWebサイトのアクセス解析をしてみた https://dev.classmethod.jp/articles/website-access-analysis-with-firebase-analytics/ firebaseanalyt 2022-09-27 12:42:59
海外TECH MakeUseOf Is the Grid Capable of Handling More Electric Vehicles? https://www.makeuseof.com/is-grid-capable-handling-more-electric-vehicles/ handling 2022-09-27 12:30:14
海外TECH DEV Community The Reason Java is Still Popular https://dev.to/codenameone/the-reason-java-is-still-popular-317c The Reason Java is Still PopularThis is a great time to post this right on the release of Java Yes another my language is better post No I didn t want to write it But sometimes people s bad projection gets the better of me In this case the post started as a comment and I ended up deciding turn it into a post This was strengthened with this post which mostly complains about Quarkus somewhat unfairly if I might add The first article is mostly nonsense and outdated clickbait I ll sum it up to you in the following claims Getters SettersMissing operator overloading specifically for on collections and on anythingChecked exceptionsDependency managementThe second article has complaints that are more related to Jakarta EE and general programmer aesthetics in the JVM Specifically the usage of annotations for validations and similar claims This is a far better informed article but has a couple of flaws that I ll address near the end Getters and SettersGetters and setters aren t necessary in modern Java We have records since Java and Lombok is still good despite some claims to the contrary The only point where we would need getter setters is in very specific settings e g JPA where again Lombok solves the problem perfectly The article builds into a tirade on the lack of syntactic sugar features in Java This is intentional You can look at Kotlin if you re interested in the latest syntax nuances Java is about slow and steady That s a good thing and the main reason behind Javas longevity Syntax Sugar and Operator OverloadingModern Java includes patterns in switch var multiline strings and much more Some upcoming features include string templates String template support takes a while because Java wants to do it right There s some support for that in the API level and has been for a while This isn t performant The goal of string templates is to create a radical overridable syntax that would allow stuff like ResultSet rs DB SELECT FROM Person p WHERE p last name name Update since the publication of this post developers mistakenly assumed the code above is an SQL injection vulnerability It isn t This looks like string replacement but it s code that uses that syntax to generate a parameterized SQL call Notice that name is a variable that the compiler will check and get from scope dynamically DB can be custom implemented by the developer and doesn t need to be built in so you can construct complex templates right in place But let s talk about the Java we have today not the one coming in months Using append hasn t been the recommendation for String for a decade or more Use which is the most performant and easier to read About collections the difference between get and is literally four characters Those characters matter a lot We can easily override this We can also understand the semantic differences Java arrays are VERY fast for many cases native speed fast Collections can t be as fast the fact that we can see this here instantly is very valuable The fact that operators can t be overloaded is a HUGE benefit If I see a b I know that this is either a string or a number not some hidden method That s one of the biggest strengths of Java and one of the reasons it s been popular for almost years while other languages are left by the side Java s syntax is designed for reading at scale When you have a project with M lines of code or even k the problems shift At this point discovering that programmer X in module Y overrode an operator incorrectly when you re debugging a problem is hard The syntax should be simple at that point and any minor cost you saved initially will be paid with x interest The definition of simple flips as code becomes more complex and ages Add to that the power of tooling to parse strict simple code at a huge scale and this becomes an even bigger benefit Checked ExceptionsChecked exceptions are optional But they re one of the BEST features in Java So much code fails unexpectedly When you re building stuff as a hobby it might be OK When you want to build a professional application you need to handle every error Checked exceptions help you avoid that nonsense People hate checked exceptions because of laziness Java guards you against yourself There should be no case where I make a network connection a DB connection open a file etc and don t need to handle the potential error I can punt it but then checked exceptions force me to keep punting it somewhere It s an amazing feature DependenciesI have a lot of problems with Maven and Gradle But when you compare it to pretty much any other dependency system with some millage on it they re doing great They have problems but you can t compare them to something young like cargo that has almost no packages by comparison Maven central is MASSIVE with terabytes of jars and billion requests It ticks perfectly and has almost no downtime Other tools like NPM demonstrate the strengths of maven perfectly If dependencies in maven are a problem then NPM has x the problem and no supervision As these things grow there are complexities Especially with multiple versions of maven in the market However one of the things maven and gradle have going for them is the tooling In many cases the IDEs help resolve issues and find the fix right out of the box Cultural Problems in JavaThe second article is a more interesting one and to some degree I do agree Java developers tend to make every problem into a more complicated problem In some cases this is necessary Java is the pound gorilla of programming platforms and its solutions are often over engineered This tends to be better than under powered but it does carry a price Why Annotation for ValidationThe article did bring up one interesting example that seems like the right thing to the casual observer but is problematic NotNull EmailString noReplyEmailAddressThe author claims that this is bad and one should implement custom typing e g public record EmailAddress String value public EmailAddress We could ve used an Either data type ofc Objects requireNonNull value regexp could be better if value matches s S throw new IllegalArgumentException String format s is not a valid email address value This is entirely possible in Java as the code above is valid Java code But it has several problems which is why we have bean validation This can t be optimized Bean validation can be moved up the validation chain by the framework It can even be validated in client side code seamlessly since it s a declarative API Here we need to actually execute the constructor to perform the validation Declarative annotations can be moved down the chain to apply database constraints seamlessly etc We can apply multiple annotations at onceThe syntax is more terseAs a result the annotations might feel weird and don t enforce typing That s true But they increase performance and power There s a lot of thought and common sense behind their usage I get the authors point I m not a big IoC fan either but in this specific case he s incorrect FinallyThis article spent way too much time on the defensive It s time to switch gears Java has been around for nearly years and is still mostly compatible to Java That is fantastic and unrivaled One of the powers of its conservative approach is that it can do amazing under the hood optimizations without any of you noticing what went on Java completely replaced the way strings were represented in memory seamlessly and cut RAM usage significantly Similarly Loom will boost the throughput of Java synchronous applications Valhalla will further improve collection performance and unify the Object Primitive divide Panama will finally rid us of JNI and make the process of integrating with native code so much more pleasant The nice thing is that the JVM is a big tent If you aren t a fan of Java Kotlin or Scala might suit your taste The benefit of the JVM applies universally and most of the features I mentioned here will benefit our entire joint ecosystem 2022-09-27 12:35:44
海外TECH DEV Community CLI version: a collection of handy tips https://dev.to/mszostok/cli-version-a-collection-of-handy-tips-1nce CLI version a collection of handy tips Table Of ContentsFlag or Command FlagsCommandDecisionWhat to collectOutput optionsBells and whistlesUpgrade noticeVersion skew warningSummaryBonusIncluding version information in CLIs is as obvious as a shower after a day music festival But have you ever given it a second thought I researched popular CLIs to find out how they approach this and ultimately to come up with a solution that is both elegant and useful In this article I present my findings and outline both the good and the bad of each approach source version szostok io Flag or Command Before we discuss what we should display let s talk about how our user can get the CLI version FlagsLet s take a look at the most popular options NameDescription vMight be confusing as v is often used to enable the verbose mode If you decide to use v anyway consider d debug for more verbose output VBeing a capital letter it s a better alternative for v as it s visually distinct versionIs a self descriptive alternative mentioned by CLI guidelines as a common approach found in CLIs However flags come with one big problem It s hard to combine them with additional functionality The most popular ones are Printing a help message with more information about the version itself Printing only the version number Printing only the client version when your CLI works with a server like kubectl does There are some options to deal with that but they have their own flaws lt cli gt V short ーit s hard to tell which flags work togetherA combination of function and version suffix For example lt cli gt short versionUnfortunately this doesn t scale well See lt cli gt short client version lt cli gt short server version lt cli gt json version lt cli gt json client version lt cli gt json server version CommandAn alternative solution is to have a dedicated lt cli gt version command which gives you an easy way to Print a help message with lt cli gt version h Combine it with other functionality For example short json client only etc Introduce related sub commands For example lt cli gt version check update to check if there is a new release It requires more typing than lt cli gt v but you can add aliases such as lt cli gt ver or even lt cli gt v However this is not something I saw often DecisionI guess all of us want to have our cake and eat it too In this one case it s possible Personally I would suggest having the version flag to print the short version and the lt cli gt version command to support more complex use cases What to collectVersion information is your CLI s DNA The data that you collect and display is later useful for the CLI authors and its users Users want to easily check if they re using the right version Authors mostly want to find out what revision of the source code was used for a given CLI version e g in case of a bug report Users are the most important part of our projects Let s start with their needs first Get the CLI version ーthe best option is to use semantic versioning here Get both the client and the server version if available Note Make sure that you have an option to print the client version only Be informed about using an outdated version or version skew Get the URL to the GitHub release and or documentation For you as the author displaying these details can come in handy Git commit ーthe SHA for the commit that a given version was built from Git state ーfor example clean if there are no local code changes when this binary was built dirty if the binary was built from locally modified code Build date ーthe date when the binary was built Programming language version ーthe version of the language that was used to compile your binary Build user ーthe creator of the binary It can be also the name of your automation e g goreleaser Related components versions ーthe versions of the binaries that are used under the hood e g Git Docker A good example of collecting such information is Minikube example Output optionsThe final aspect is how to present the data to the user The most popular option is to print a human readable message if no flags are specified However for doing version check options such as short YAML and JSON are useful NameDescription output json yaml shortDisplays the version information in the JSON format client onlyDisplays only the client version As a result on a CI pipeline we can easily detect a mismatched version EXPECTED VERSION GOT VER golangci lint version format short gt amp if GOT VER GOLANGCI LINT VERSION then echo ✗golangci lint version mismatch expected EXPECTED VERSION available GOT VER exit fiAn unusual finding for me was that Helm CLI supports Go templates For example template Version Version outputs Version v I personally don t see how it adds value if you already support the JSON and or YAML output format Do you find it useful Bells and whistlesThe below practices stood out as a nice touch for me as a user Upgrade noticeInform your user when a newer version was released Additionally you can detect what option was used for installing your CLI e g brew apt etc and suggest a command ready to copy paste Let me show you a few examples GitHub CLI The upgrade notice is enabled by default To disable it you need to export the GH NO UPDATE NOTIFIER environment variable It checks for new releases once every hours and displays an upgrade notice on stderr error if a newer version was found Here is an example output A new release of gh is available →v To upgrade run brew update amp amp brew upgrade ghOpenFaaS CLI The upgrade notice is enabled by default To disable it you need to specify the warn update false flag Here is an example output Your faas cli version may be out of date Version is now available on GitHub Terraform CLI The upgrade notice is always enabled however when the JSON format is used it only shows the terraform outdated property set to true Terraform v on darwin amdYour version of Terraform is out of date The latest versionis You can update by downloading from Version skew warningPrint a warning message if the difference between the CLI and related components is greater than the supported version skew The related components include but are not limited to the server that your CLI connects to and or other binaries that are used under the hood such as Git Docker etc SummaryYou may think printing CLI version…isn t that obvious Don t you have better things to do instead of thinking how to implement it And yet we can find a lot of different approaches It bothered me sooooo much that I decided to do this research and structure my knowledge in this area I hope that you found it useful too Thanks for reading Follow m szostok on Twitter to get the latest news BonusIf you use Go to create your CLI you don t need to reinvent the wheel I got your back You can use the version package which was made to remove repetitiveness in implementing the version command The details about the CLIs that I analyzed can be found at mszostok cli analysis 2022-09-27 12:21:33
海外TECH DEV Community Easy Way to Create Your own QR Code Generator Website https://dev.to/varshithvhegde/easy-way-to-create-your-own-qr-code-generator-website-3dn2 Easy Way to Create Your own QR Code Generator Website Table of ContentsIntroductionWhat is QR Code PrerequisitesSteps to create QR Code Generator WebsiteStep Create a new HTML fileStep Add CSS to the HTML fileStep Add JavaScript to the HTML fileFinal Code in one fileOutputConclusion IntroductionIn this project we will be building a QR Code Generator Website using HTML CSS and JavaScript This website will allow the user to generate a QR code for any text or link What is QR Code QR Code is a two dimensional barcode that can be read by smartphones It is used to store information such as URLs phone numbers addresses and more QR codes are used in many places such as business cards product packaging and more QR codes are used to store information such as URLs phone numbers addresses and more QR codes are used in many places such as business cards product packaging and more QR codes are used to store information such as URLs phone numbers addresses and more QR codes are used in many places such as business cards product packaging and more PrerequisitesVS Code or any other code editorBasic knowledge of HTMLBasic knowledge of CSSBasic knowledge of JavaScript Steps to create QR Code Generator Website Step Create a new HTML fileCreate a new HTML file and name it index html Add the following code to the file lt doctype html gt lt head gt lt title gt JavaScript QR Code Generator lt title gt lt head gt lt body gt lt div class card gt lt h gt QR Code Generator lt h gt lt div gt lt input id qr text type text placeholder Enter Text to generate QR code gt lt div gt lt br gt lt div gt lt button class qr btn onclick generateQRCode gt Create QR Code lt button gt lt div gt lt br gt lt p id qr result gt This is deault QR code lt p gt lt canvas id qr code gt lt canvas gt lt div gt lt body gt lt html gt The input tag is used to create an input field where the user can enter the text to generate the QR code The button tag is used to create a button to generate the QR code The canvas tag is used to create a canvas to display the QR code The onclick attribute is used to call the generateQRCode function when the button is clicked Step Add CSS to the HTML fileInside the head tag add the following code to add CSS to the HTML file lt style gt body padding px align items center justify content center display flex input padding px background color transparent border none display flex align items center justify content center border bottom solid px cff width px font size px qr btn background color cff padding px display flex align items center justify content center color white cursor pointer card width px height px display flex align items center justify content center background color cfff border radius px padding px margin px display inline block card h font size px font weight text align center lt style gt Above code is for styling the HTML file You can customize the CSS according to your needs Step Add JavaScript to the HTML fileHere we are using the external library for generatring the QR code That library is qrious min js To add the external library add the following code inside the head tag lt script src gt lt script gt To make everything work add the following code inside the body tag lt script gt var qr function qr new QRious element document getElementById qr code size value function generateQRCode var qrtext document getElementById qr text value document getElementById qr result innerHTML QR code for qrtext qr set foreground black size value qrtext lt script gt The generateQRCode function is used to generate the QR code The qr set function is used to set the value of the QR code The qrtext variable is used to store the value of the input field The qr result element is used to display the result The qr code element is used to display the QR code The qr variable is used to store the QR code Final Code in one file lt html gt lt head gt lt script src gt lt script gt lt style gt body padding px align items center justify content center display flex input padding px background color transparent border none display flex align items center justify content center border bottom solid px cff width px font size px qr btn background color cff padding px display flex align items center justify content center color white cursor pointer card width px height px display flex align items center justify content center background color cfff border radius px padding px margin px display inline block card h font size px font weight text align center media screen and max width px card width lt style gt lt title gt JavaScript QR Code Generator lt title gt lt head gt lt body gt lt div class card gt lt h gt QR Code Generator lt h gt lt div gt lt input id qr text type text placeholder Enter Text to generate QR code gt lt div gt lt br gt lt div gt lt button class qr btn onclick generateQRCode gt Create QR Code lt button gt lt div gt lt br gt lt p id qr result gt This is deault QR code lt p gt lt canvas id qr code gt lt canvas gt lt div gt lt script gt var qr function qr new QRious element document getElementById qr code size value function generateQRCode var qrtext document getElementById qr text value document getElementById qr result innerHTML QR code for qrtext qr set foreground black size value qrtext lt script gt lt body gt lt html gt Hurrah You have successfully created a QR Code Generator Website Now let s see the output Live Demo QR Code Generator Output ConclusionIn this tutorial we have learned how to create a QR code generator using JavaScript Let me know your thoughts in the comments section below 2022-09-27 12:10:25
Apple AppleInsider - Frontpage News Daily deals Sept. 27: Up to $150 off M2 MacBook Air, $150 off GoPro Hero10 Black, $120 off AirPods Max, more https://appleinsider.com/articles/22/09/27/daily-deals-sept-27-up-to-150-off-m2-macbook-air-150-off-gopro-hero10-black-120-off-airpods-max-more?utm_medium=rss Daily deals Sept Up to off M MacBook Air off GoPro Hero Black off AirPods Max moreAlongside MacBook Pro and MacBook Air discounts Tuesday s best deals include off the inch iMac off a inch LG OLED K Smart TV and much more Best deals for September Every day AppleInsider searches online retailers to find offers and discounts on items including Apple hardware upgrades smart TVs and accessories We compile the best deals we find into our daily collection which can help our readers save money Read more 2022-09-27 12:56:51
Apple AppleInsider - Frontpage News AirPods Pro 2022 review: Already excellent earbuds, improved https://appleinsider.com/articles/22/09/27/airpods-pro-2022-review-already-excellent-earbuds-improved?utm_medium=rss AirPods Pro review Already excellent earbuds improvedApple s second generation AirPods Pro are better than the original in almost every way thanks to the more powerful H processor in a familiar form factor AirPods Pro improve on almost every feature except for designWhen the original AirPods debuted they were a magical product that changed how we interacted with audio every day The AirPods Pro enhanced that further with a better fit new design and noise cancellation modes Read more 2022-09-27 12:02:51
Apple AppleInsider - Frontpage News Twins sentenced over $2.2 million AT&T Apple hardware fraud https://appleinsider.com/articles/22/09/27/twins-sentenced-over-22-million-att-apple-hardware-fraud?utm_medium=rss Twins sentenced over million AT amp T Apple hardware fraudTwin brothers from Miami have been sentenced to years in prison after pleading guilty of using identity theft to buy Apple devices and charging them to AT amp T customer accounts The pair Luis Hernandez Socarras and Jorge Hernandez Socarras worked the nationwide scheme from March to January according to Justice gov During that time they fraudulently accessed approximately AT amp T customers mobile accounts and used them to buy millions of dollars worth of iPhones iPads and Apple Watches Court documents say that the two men would travel to multiple electronics stores across States in order to pick up devices that had been fraudulently ordered They would then return to Miami to fence the devices Read more 2022-09-27 12:03:58
海外TECH Engadget Fujifilm X-H2S review: The most powerful APS-C camera yet https://www.engadget.com/fujifilm-x-h2s-mirrorless-camera-review-123049866.html?src=rss Fujifilm X HS review The most powerful APS C camera yetIntroFour years after releasing the X H Fujifilm has finally followed it up with not just one but two models One of those is the highest resolution APS C camera to date the megapixel X H The other is what we re looking at today the high speed X HS designed for sports wildlife shooting and more The biggest feature of the X HS is a new stacked backside illuminated megapixel sensor Its high speed allows burst shooting at up to fps faster autofocus and reduced rolling shutter It also promises improved image quality and comes with in body stabilization a high resolution viewfinder dual card slots and more These improvements and features don t come cheap though At the X HS is now one of the most expensive APS C cameras out there with the same price as comparable full frame models like Canon s EOS R and the Sony A IV Is it worth paying that for a smaller sensor Body and handlingThe X HS isn t your typical Fujifilm camera At grams larger and heavier than the X T though it is a touch lighter than the X H It has a much bigger grip as well that imparts a feeling of stability ideal if you re attaching big lenses for sports or wildlife shooting As mentioned the layout is more like rival mirrorless cameras from Canon and Sony than other Fuji models Instead of dials that display shutter speed exposure compensation and ISO like the X T it has conventional front and rear dials The only one on top is a mode selector and at the back you have a joystick and D Pad control It s got no less than buttons most of which can be reprogrammed for different functions As with the X H it has a top LCD that shows primary settings Since it s designed for sports and wildlife shooting which requires changing settings on the fly while keeping an eye on the subject the layout makes sense However I know many Fujifilm fans prefer the traditional dials though at least you can see settings on the top LCD display if shooting from the hip The only control I didn t care for was the record button as it s tiny and awkwardly positioned The X HS uses the same logical menu system as the X T so settings are relatively easy to find Also good for action photographers is the electronic viewfinder EVF that provides blackout free burst shooting and higher resolution million dots than either the Sony A IV or Canon EOS R million dots each It also packs a high resolution fully articulating touch display that lets you control focus quick menu and other functions For I O you get a high speed USB C port with power delivery plus WiFi and Bluetooth for camera controls or transfers Unfortunately Fujifilm s camera app for live view shooting or image imports is relatively primitive the low Play Store rating is a clue failing to show things like exposure and audio levels for video or allow burst photo shooting Video users get both microphone and headphone ports along with a nice full sized HDMI jack for external recorders To handle the extra speed and video capabilities it has a pair of card slots both UHS II and high speed CFexpress And finally the battery the same kind as the X T but upgraded allows up to shots on a charge and well over two hours of K p video recording PerformanceSteve Dent EngadgetWith up to fps burst shooting speeds at full resolution the X HS is faster than any other APS C camera but there are some caveats to that It will only hit those top speeds in release rather than focus priority mode meaning it takes the shot even if it s not in focus That means a lot of your photos will be blurry so it s not a realistic mode for action shooting Dialing down to fps however I got a lot more shots in focus and the hit rate was nearly perfect at fpsShooting with the mechanical shutter I saw fps burst speeds very respectable and a match for Canon s EOS R On top of that the mechanical shutter is very quiet and sweet sounding particularly compared to the clattery shutter on the EOS R In that mode or the fps silent mode I was able to capture upwards of shots at a time to a fast CFexpress card over seconds of shooting That s right up there with sports centric cameras like Canon s EOS R The X HS is Fujifilm s first camera with bird and animal tracking and can also follow cars motorcycles bikes airplanes and trains It worked pretty well for a first iteration though it would lose tracking depending on the shooting angle and other factors Steve Dent EngadgetFace and eye tracking though is the best I ve seen on any Fujifilm camera It tracks smoothly and tenaciously giving you more shots in focus It also did a good job of getting a subject s eye and not their eyelashes or nose in focus Overall the autofocus on the X HS is much improved from before but not quite up to Sony and Canon s standards It does beat all its rivals when it comes to shooting discreetly though The stacked sensor s rapid speed means it has minimal rolling shutter in silent mode so you can confidently use it for shooting birds wildlife sports and other fast moving subjects Promising seven stops with supported lenses the in body stabilization also performed well for photos letting me get sharp shots at relatively low shutter speeds However it doesn t work as well for video as I ll detail shortly Image qualityWith a similar megapixel sensor to the X T with the addition of the stacked technology the X HS is among the best APS C cameras for color rendition Everything looks natural whether you re shooting landscapes animals or people JPEGs look good straight out of the camera with a slightly better balance between noise and sharpening than before thanks to the tweaked color science Like the X T it uses a dual gain sensor with the sweet spots at ISO and High ISO performance is nearly on par with the X T with noise reasonably well controlled and detailed preserved up to about ISO It does offer usable shots beyond that but exposure needs to be correct or you ll have excessive noise when boosting blacks The bit RAW files offer plenty of room for adjustment with some exceptions Because of the dual gain sensor it s better to shoot at higher ISOs than try to shoot at the base ISO and then boost the blacks as noise levels are higher Still you can boost blacks in high contrast shots by several stops without any issues It doesn t perform quite as well as the X T in this regard likely due to the stacked technology which can raise the noise floor As ever you get a range of useful JPEG film simulations like Velvia black amp white Acros and desaturated Eterna These are well designed and produce professional looking results and the original image data is preserved in the RAW file VideoThe X HS is a great example of how stacked sensors improve a camera s video capabilities The X HS is now the most advanced APS C camera for that letting you shoot up to K p video supersampled K at up to fps ultra slow mo fps K and fps HD Most of those modes are available in several different codecs as well The list includes H and H All I and Long gop along with robust ProRes formats including HQ and LT And nearly all modes allow for bit capture for smoother gradients and more It also supports Fujifilm s F Log and new F Log formats both in standard and Eterna cinema modes to max out dynamic range And you can output RAW video to both Blackmagic and Atomos recorders in BRAW and ProRes RAW formats respectively Unfortunately I wasn t able to test those functions as Fujifilm has yet to enable them The K might seem an odd video mode but it does allow for more creative cropping at the top and bottom of an image Meanwhile the more standard fps and fps K video is extremely sharp thanks to the downsampling The ultra slow mo fps K video is cropped so it s not quite as sharp but it s much less fuzzy than I expected And even the p p is very usable for many projects Keep in mind that you can t record audio in either of those modes however Steve Dent EngadgetDynamic range is exceptional exceeding stops when shooting F Log Combined with the bit capture and robust ProRes codecs you ll have plenty of room for creative color correction or to fix over orunder exposed shots As with photos color reproduction favors accuracy with skin tones that aren t quite as warm as Canon s but still pleasant Rolling shutter is minimal in standard and F Log video modes thanks to the extremely fast readout speeds They re a bit slower in F Log mode due to the fact that it does a bit readout in this mode the other modes are bit but even then rolling shutter is still less annoying than on rival APS C cameras like the Canon EOS R or Sony A If you re concerned about overheating it s really only an issue with K p video as it ll tend to stop after minutes of shooting depending on the temperature That s really an edge case though and if it s an issue for you Fujifilm has an optional external fan you can plug in under the display While improved from the X T video autofocus isn t as good as those Canon and Sony models however It lost focus more often and could occasionally hunt There s no ability to touch and track random subjects and it could be erratic with birds animals and other preset subjects The good news though is that human face and eye tracking was quite reliable Another downside is the in body stabilization If you re just hand holding the camera and not moving much you do get very steady shots But anytime you try to pan and tilt let alone walk it has a tendency to jolt suddenly from one position to another So for that reason it s not the best vlogging camera unless Fujifilm can mitigate the issue a bit with a future update Wrap upSteve Dent EngadgetDespite this issue and autofocus still not quite up to par with rivals the X HS is easily the most powerful APS C camera available right now As the only model with a stacked sensor it easily beats all Canon Nikon and Sony models in terms of performance and video capabilities At though it s also the most expensive mainstream APS C camera even more than the higher resolution X H Is it worth that price Despite all the power that s a tough question For that kind of money people might prefer a full frame camera like the Canon EOS R or the Sony A IV At the same time many Fujifilm fans may be turned off by the less well Fujifilm like control setup It s a more versatile camera than previous Fuji models though and is more suited to certain things than full frame cameras The crop sensor gives it better range for wildlife shooting than full frame models and it uses smaller lenses too It beats both the A IV and EOS R in terms of video capability and again the smaller sensor makes focus less critical Finally I still like it as a street photography camera despite the lack of mechanical dials you can still see F stop shutter speed ISO etc on the top LCD display So if you re a hybrid shooter that does a variety of photo and video work the X HS could be the perfect camera 2022-09-27 12:30:49
海外TECH Engadget Meta dismantles a China-based network of fake accounts ahead of the midterms https://www.engadget.com/meta-fake-accounts-china-russia-midterms-121502180.html?src=rss Meta dismantles a China based network of fake accounts ahead of the midtermsMeta has taken down a network of fake accounts from China that targeted the United States with memes and posts about “hot button political issues ahead of the midterm elections The company said the fake accounts were discovered before they amassed a large following or attracted meaningful engagement but that the operation was significant due to its timing and because of the topics the accounts posted about The network consisted of Facebook accounts eight Facebook Pages two Instagram accounts and a single Facebook Group Just accounts followed at least one of the Pages and the group had about members according to Meta The fake accounts posted in four different “clusters of activity Meta said beginning with Chinese language content “about geopolitical issues criticizing the US The next cluster graduated to memes and posts in English while subsequent clusters created Facebook Pages and hashtags that also circulated on Twitter In addition to the US some clusters also targeted posts to people in the Czech Republic During a call with reporters Meta s Global Threat Intelligence Lead Ben Nimmo said the people behind the accounts “made a number of mistakes that allowed Meta to catch them more easily such as only posting during working hours in China At the same time Nimmo said the network represented a “new direction for Chinese influence operations because the accounts posed as both liberals and conservatives advocating for both sides on issues like gun control and abortion rights “It s like they were using these hot button issues to try and find an entry point into American discourse Nimmo said “It is an important new direction to be aware of The accounts also shared memes about President Joe Biden Florida Senator Marco Rubio Utah Senator Mitt Romney and House Speaker Nancy Pelosi according to Meta Meta also shared details about a much larger network of fake accounts from Russia which it described as the “most complex Russian origin operation that we ve disrupted since the beginning of the war in Ukraine The company identified more than Facebook accounts and Facebook Pages associated with the effort which drew more than followers The network used the accounts to boost a series of fake websites that impersonated legitimate news outlets and European organizations They targeted people in Germany France Italy Ukraine and the United Kingdom and posted in several languages “They would post original articles that criticized Ukraine and Ukrainian refugees praised Russia and argued that Western sanctions on Russia would backfire Meta writes in its report “They would then promote these articles and also original memes and YouTube videos across many internet services including Facebook Instagram Telegram Twitter petitions websites Change org and Avaaz com and even LiveJournal Meta notes that “on a few occasions the posts from these fake accounts were “amplified by Russian embassies in Europe and Asia though it didn t find direct links between the embassy accounts and the network For both the Russia and China based networks Meta said it was unable to attribute the fake accounts to specific individuals or groups within the countries The takedowns come as Meta and itspeers are ramping up security and anti misinformation efforts to prepare for the midterm elections in the fall For Meta that means largely using the same strategy it employed in the presidential election a combination of highlighting authoritative information and resources while relying on labels and third party fact checkers to tamp down false and unverified info 2022-09-27 12:15:02
Cisco Cisco Blog Intern Insights: 5 Tips to Make the Most of Your Cisco Internship https://blogs.cisco.com/wearecisco/intern-insights-5-tips-to-make-the-most-of-your-cisco-internship specialist 2022-09-27 12:00:47
金融 金融庁ホームページ 気候変動リスク産官学連携ネットワークへの参画と 気候変動リスク情報の活用促進に向けた公開シンポジウム ~気候変動の物理的リスク分析の展望~ 開催について公表しました。 https://www.fsa.go.jp/news/r4/sonota/20220927/20220927.html 気候変動 2022-09-27 14:00:00
ニュース @日本経済新聞 電子版 蔵王温泉(山形市)でリノベーション事業が本格化しています。大型の和室をワーケーション仕様にしたり、屋上にグランピング施設を設けるなど約70件を改修。夏の誘客増に向け、地域一丸で取り組みます。 https://t.co/T1TbBXa6aX https://twitter.com/nikkei/statuses/1574745710007828480 蔵王温泉山形市でリノベーション事業が本格化しています。 2022-09-27 13:00:09
ニュース @日本経済新聞 電子版 三菱商事、米でアンモニア製造検討へ 最大年1000万トン https://t.co/t8qvkoxrb9 https://twitter.com/nikkei/statuses/1574741551561207810 三菱商事 2022-09-27 12:43:37
ニュース @日本経済新聞 電子版 抜本拡充が検討されるNISA。9月末は「残りの非課税枠をどう使うか?」と「つみたてと一般の切り替えをどうするか?」という2つの締め切りを意識する時期です。新制度をにらみながらのNISA戦略を考えます。 https://t.co/H64cOpzjkD https://twitter.com/nikkei/statuses/1574738199930347520 2022-09-27 12:30:18
ニュース @日本経済新聞 電子版 【安倍元首相国葬】「あなたが敷いた土台のうえに持続的で、すべての人が輝く包摂的な日本を、地域を、世界をつくっていく」 岸田文雄首相の「追悼の辞」全文です。 https://t.co/K8m5l0WB7M https://twitter.com/nikkei/statuses/1574733110201163776 安倍元首相 2022-09-27 12:10:05
ニュース BBC News - Home Prince and Princess of Wales visit nation for first time https://www.bbc.co.uk/news/uk-wales-63035829?at_medium=RSS&at_campaign=KARANGA titles 2022-09-27 12:44:57
ニュース BBC News - Home The Lost King: Steve Coogan defends Richard III film in university row https://www.bbc.co.uk/news/entertainment-arts-63032250?at_medium=RSS&at_campaign=KARANGA coogan 2022-09-27 12:05:37
北海道 北海道新聞 国葬出席の根室市長や元島民「領土問題解決への思い継承」 https://www.hokkaido-np.co.jp/article/737029/ 北方領土 2022-09-27 21:09:00
北海道 北海道新聞 日本海溝や千島海溝沿い想定 後発地震の情報発信制度、内閣府が最終案 12月に運用開始 https://www.hokkaido-np.co.jp/article/737028/ 千島海溝 2022-09-27 21:04:00
海外TECH reddit 「言われたこと」しかせず、気が利かない部下...どう育てる?【上司力を鍛えるケーススタディ CASE 12】(前川孝雄) https://www.reddit.com/r/newsokunomoral/comments/xpf2y0/言われたことしかせず気が利かない部下どう育てる上司力を鍛えるケーススタディ_case_12前川孝雄/ ewsokunomorallinkcomments 2022-09-27 12:12:33

コメント

このブログの人気の投稿

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