投稿時間:2021-11-16 03:32:57 RSSフィード2021-11-16 03:00 分まとめ(38件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
AWS AWS Marketplace Using Lumigo to debug AWS Lambda timeouts https://aws.amazon.com/blogs/awsmarketplace/using-lumigo-to-debug-aws-lambda-timeouts/ Using Lumigo to debug AWS Lambda timeoutsMost AWS Lambda functions don t perform CPU intensive tasks that take a long time to complete However they often have to perform multiple input output I O operations in a single invocation An invocation occurs when your application invokes a Lambda function For example they fetch data from an Amazon DynamoDB table talk to third party APIs such as … 2021-11-15 17:03:22
AWS AWS AWS Case Study: Alef Education Transforms Learning in a Digital World | Amazon Web Services https://www.youtube.com/watch?v=f2nTb97-YUA AWS Case Study Alef Education Transforms Learning in a Digital World Amazon Web ServicesUsing AWS Alef Education is helping schools overcome challenges in the industry such as a lack of teachers growing student numbers a need for digital skills and more home schooling Alef Education runs the Alef Platform which provides a suite of digital learning services and products to K schools Learn more about AWS in Education Learn more about Alef Education case study Subscribe More AWS videos More AWS events videos ABOUT AWSAmazon Web Services AWS is the world s most comprehensive and broadly adopted cloud platform offering over fully featured services from data centers globally Millions of customers ーincluding the fastest growing startups largest enterprises and leading government agencies ーare using AWS to lower costs become more agile and innovate faster AWS AmazonWebServices CloudComputing 2021-11-15 17:11:07
Google Official Google Blog This Code Next student is paying it forward https://blog.google/outreach-initiatives/education/code-next-student-paying-it-forward/ This Code Next student is paying it forwardAs part of Google s Code Next program which brings computer science CS education to underrepresented communities in tech student Gideon Buddenhagen took on a research project that would make a big impact Through his research he found that young students of color without financial resources don t have the same access to technology computer science education and mentors who look like them ーopportunities that had a meaningful effect on Gideon s own life So for his final project with Code Next Gideon is introducing technical education to middle school students and helping them see the many doors tech can open for them “I wanted to offer opportunities to learn about computer science as a pathway out of poverty and show these students cool smart role models who look like them Gideon said Leadership in Motion is a free program Gideon designed to expose middle school students in underrepresented communities to the field of technology through mentorship from diverse high school students who have participated in Code Next This not only gives younger students access to tech education it also provides high school students with leadership opportunities Gideon collaborated with his Code Next mentors and partnered with Bridge the Gap College Prep a nonprofit serving low income youth to launch a nine week pilot of Leadership in Motion in early October Fifteen students signed up for the pilot session taught by four high school student engineers and Gideon and his partners plan to scale the program to more participants soon Gideon knows firsthand that initiatives like Code Next and other CS programs at Google can be transformative And with Leadership in Motion Gideon is opening new pathways for younger students ーhelping them learn about technology grow their tech networks and explore exciting possibilities for their futures To learn more about Code Next or if you know a student who should apply for the program sign up for updates 2021-11-15 17:30:00
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) データベースに登録された画像をすべて画面に表示する https://teratail.com/questions/369486?rss=all 2021-11-16 02:44:33
Program [全てのタグ]の新着質問一覧|teratail(テラテイル) Vue3 の composable の関数で Missing return type on function が表示される https://teratail.com/questions/369485?rss=all Vueのcomposableの関数でMissingreturntypeonfunctionが表示されるVuenbspのnbspcomposablenbspの関数でnbspMissingnbspreturnnbsptypenbsponnbspfunctionnbspが表示されます。 2021-11-16 02:13:49
海外TECH Ars Technica Ex-Time Warner CEO claims that AT&T botching merger was a big surprise https://arstechnica.com/?p=1813098 execs 2021-11-15 17:43:02
海外TECH MakeUseOf Safari Downloads Not Working? 9 Troubleshooting Tips and Fixes to Try https://www.makeuseof.com/tag/safari-downloads-not-working/ Safari Downloads Not Working Troubleshooting Tips and Fixes to TryHaving issues with downloads in Safari on your Mac We ll cover how to troubleshoot lost stuck and missing Safari downloads problems 2021-11-15 17:45:12
海外TECH MakeUseOf Is It Legal to Jailbreak Your PS4 or PS5? https://www.makeuseof.com/is-it-legal-jailbreak-ps4-ps5/ right 2021-11-15 17:45:11
海外TECH MakeUseOf 10 Must-Read Newsletters for Aspiring Entrepreneurs https://www.makeuseof.com/must-read-newsletters-aspiring-entrepreneurs/ industry 2021-11-15 17:30:12
海外TECH MakeUseOf How to Manage and Rearrange Your Apple Watch Apps https://www.makeuseof.com/how-to-manage-rearrange-apps-on-apple-watch/ apple 2021-11-15 17:15:21
海外TECH DEV Community Future Javascript: Javascript Pipeline Operators https://dev.to/smpnjn/future-javascript-javascript-pipeline-operators-5jj Future Javascript Javascript Pipeline OperatorsPipeline operators are an upcoming feature to Javascript which gives us another way to pass values through a series of transformations It gives more context to what developers were trying to achieve when they wrote their code and allow us to do some cool things to boot Here we ll take a quick look at pipeline operators how they work and how you can use them today Javascript Pipeline Operators SupportCurrently no browser or server side ECMAScript implementation like Node JS support pipeline operators You can however get them to work using Babel You can learn more about installing Babel here but suffice to say this will allow you to add pipeline operators into your code Javascript Pipeline Operators How they workPipeline operators are simply another way to manipulate values in Javascript The pipeline operator is gt Suppose we have mathematical functions which add numbers to an input value Adds to a numberlet addOne function x return x Multiplies a number by let multiplyByTwo function x return x Divides a number by let divideBySix function x return x If we wanted to apply all of these functions to a number we have we might do something like this today let number let calculate addOne multiplyByTwo divideBySix number console log calculate Returns Although this works when using multiple functions this can become quite messy and often can take many lines As such we can simplify the above with a pipeline operator like so let number let calculate number gt divideBySix gt multiplyByTwo gt addOne console log calculate Returns As you can see this simplifies processing of numbers and values so that we can clearly see what is happening Let s break down what we have done First we use number and pass it with a pipe operator to divideBySix We use to represent the value from before the pipe operator in this case which is in our number variable Then we pass the number from divideBySix to multiplyByTwo Again we use to represent the outcome of the previous operation i e the value of the divideBySix function Finally we do it again and addOne to our value The outcome is the same so we still get at the end Simplifying Object Mapping with Pipeline OperatorsObviously the above example is a very simple application but we can also use pipeline operators to do cooler things like map arrays in a more coherent fashion For instance the below takes an object of URL queries and merges them into a text string which can be added to the end of a URL let URLParams x linkId eojff efekv efkw author john smith featured false let getURLQuery Object keys URLParams map key gt key URLParams key gt join amp gt Returns x amp linkId eojff efekv efkw amp author john smith amp featured falseconsole log getURLQuery Conclusion on Javascript Pipeline OperatorsSince pipe operators are not widely supported you can only use this feature with Babel installed With that said pipeline operators add a lot of context to your code and simplify operations so you can expand upon them later As such it may be worth giving Babel a try to get this into your code base If you want to read the full pipeline operator specification click here 2021-11-15 17:38:04
海外TECH DEV Community How to Create Copy to Clipboard Button https://dev.to/softcodeon/how-to-create-copy-to-clipboard-button-5hfo How to Create Copy to Clipboard ButtonIf you want to improve the user experience on your website you should implement a copy to clipboard button on the user dashboard especially if it provides information to be used on other sections In this tutorial I shall show you how to copy an inline text on the page by using plain and simple HTML CSS and a bit JavaScript Create Copy to Clipboard ButtonCopy on clipboard button is a button to copy and text of an HTML element By clicking the button you will automatically copy on the text selected on your clipboard For more detail Lets follow and pay attention on steps bellow Creating sample HTML elementOpen your Text editorCreate new file save as copy htmlAdd the HTML CSS amp JS HTML Code lt div class soft text gt lt div class text box HTML gt lt div class soft gt Program lt div gt lt textarea id HTML readonly gt amp lt div class amp quot soft text amp quot amp gt amp lt div class amp quot text box HTML amp quot amp gt amp lt div class amp quot soft amp quot amp gt HTML Code amp lt div amp gt amp lt textarea id amp quot HTML amp quot readonly amp gt Soft CodeOn amp lt textarea amp gt amp lt button id amp quot HTMLButton amp quot amp gt Copy Codes amp lt button amp gt amp lt div amp gt lt textarea gt lt button id HTMLButton gt Copy Code lt button gt lt div gt lt div gt CSS Code lt style gt Google Font CDN Link import url wght amp display swap margin padding box sizing border box font family Poppins sans serif soft text height width display flex flex direction column align items center padding px soft text text box height auto max width auto width margin px soft text text box soft font size px font weight color abe margin px soft text text box textarea height width padding px font size px font weight outline none border px solid abe border radius px background ceccf text box textarea webkit scrollbar display none soft text text box button height px width px color fff background fbd outline none border none border radius px font size px font weight margin px cursor pointer transition all s ease soft text text box button hover background ebf media max width px soft text text box button width lt style gt JavaScript Code lt script gt HTML BOx JS Codelet HTML document getElementById HTML let HTMLButton document getElementById HTMLButton HTMLButton onclick function HTML select document execCommand copy HTMLButton innerText Copied lt script gt That s It you have all done now just save the copy html file and see the results If you want to read original post with detail you can visit here How to Create Copy to Clipboard Button 2021-11-15 17:13:40
海外TECH DEV Community Binários! https://dev.to/tttecnology/binarios-3o4o Binários Em um dos meus posts anteriores dei uma explicação sobre Charset e também sobre Codificação que vocêpode conferir aqui Relembrando charset éa tabela que relaciona uma determinada numeração com um caractere entre elas a tabela ASCII UTF etc possibilitando que o computador leia e escreva palavras e codificação éo processo de transformar essa numeração em binário Porém o assunto dos números binários pode gerar dúvida em muita gente afinal por quêbinário Por quêtudo em baixo nível ébinário Antes de mais nada o binário não émuito diferente de decimal sendo que o que diferencia um do outro éa base utilizada Decimal utiliza base na representação e operações dos números enquanto o binário utiliza a base Assim os números são representados como uma sequência de e enquanto em base os números são representados com os numerais de a Podemos utilizar qualquer base para representar os números Em computação comumente utilizamos o hexadecimal que écom base Nesse sistema os números de a são representados com numerais mesmo Do ao jásão representados com letra de A a F Alguns erros que o Windows produz retorna uma numeração hexadecimal que seria um endereço de memória e inclusive o algoritmo de hash SHA produz um número em hexadecimal para cada documento que épassado para ele confira mais aqui Acho que temos um pouco mais de base para entender o porquêde alguns erros do Windows terem essa numeração estranhaO Javascript mesmo éuma linguagem que aceita conversões com limite de base isso porque existem numerais e letras do alfabeto O método toString analisa seu primeiro argumento e tenta retornar uma representação string na raiz base especificada Para raizes maiores que as letras do alfabeto indicam valores maiores que Por exemplo para números hexadecimais base letras entre a e f são utilizadas Se o radix não for especificado a raiz assumida como preferencial éa Fonte MDN DocsDito isso para facilitar entender um sistema numeral de base acredito que convém entender um tipo primitivo de dado o Boolean O Boolean éimplementado na maioria das linguagens de programação e quando não através de bibliotecas Um dado Boolean tem apenas duas possibilidades True ou False Apenas isso Utiliza se o Boolean para muitas operações de igualdade e comparação pois a partir daí define se uma execução de uma estrutura de decisão ou condicional Uma estrutura de decisão utiliza Booleans de forma implícitaA linguagem C não possui uma implementação explícita de dados do tipo Boolean porém ébastante implícito Como exemplo defini uma estrutura de decisão em C onde énecessário comparar dois dados para executar uma função if x gt printf d émaior que x A instrução acima ésimples se x for maior que então vai mostrar na tela o texto definido pela função printf Neste caso verificar se x serámaior ou não que implica em determinar se essa declaração x gt éverdadeira ou falsa O que o Boolean tem a ver com números Binários O Boolean utiliza apenas bit para determinar True False bit éa unidade atômica de informação no computador correspondendo a um ou De forma correspondente seráTrue e Falso Se pegarmos então uma linha enorme de uma numeração de bits dígitos de ou para cada bit haveráou um True ou um False assim A nível de hardware essa sequência de s e s érepresentada por correntes elétricas Então se a corrente elétrica estápassando em uma determinada voltagem True quer dizer que é Caso contrário ou seja a corrente elétrica esteja passando uma voltagem menor ou não esteja passando nenhuma voltagem False quer dizer Historicamente este éo método principal para leitura e escrita de dados desde a época dos cartões perfurados em que literalmente se escovava bits confira o artigo do Wikipedia aqui Por fim o processo de codificação como jáfalado converte números decimais em binários Abaixo descrevo como fazer esse processo Convertendo de decimal para binárioBinário éum sistema numérico de base como jáfalado Então para realizar a conversão temos que realizar uma sucessão de divisões do número que queremos converter por e anotar os resultados tanto o quociente quanto o resto das divisões Assim resultado resto resultado resto resultado resto resultado resto resultado resto resultado resto resultado resto resultado resto resultado resto resultado resto Como podemos observar as divisões são realizadas atéque o resultado seja O número binário seráformado pelos restos da seguinte forma Como o computador lêa precedência dos números binários da direita para a esquerda então temos que inverter essa numeração para chegarmos ao resultado final Caso queira conferir abra o console do seu navegador pressione F e procure pelo menu console e digite bxxxxxxx substituindo onde estácom x pelos números binários e aperte enter conforme abaixo Os passos acima podem ser convertidos em um algoritmo de programação Então fiz esse pequeno programa em C com os mesmos passos descritos include lt stdio h gt char decBin int number char return int dec number for int i dec i return i char dec dec return return int main int number char return printf Escreva o número n scanf d amp number decBin number return printf s return return Convertendo de binário para decimalPara converter de binário para decimal primeiro temos que inverter o número que temos em binário para ser compatível com a leitura humana gt gt Feito isso vamos numerar cada um dos índices do número como um array Lembrando o índice deve começar do Feito isso os campos que forem efetuar a exponenciação de elevado ao índice dele e somar os resultados assim Total Igualmente com a conversão Decimal gt Binário os passos acima também podem ser convertidos em algoritmo de programação como o código em C abaixo include lt stdio h gt include lt string h gt include lt math h gt int binDec char bin int finalNumber int tam strlen bin for int i i lt tam i finalNumber pow tam i int bin i return finalNumber int main int number char binary printf Escreva o número n setbuf stdin NULL fgets binary stdin binary strcspn binary n number binDec binary printf d number return Finalmente Vimos que o processo de codificação éconverter do decimal ao binário Entender um boolean na minha opinião facilita muito entender como um número binário funciona O sistema padrão de representação de qualquer coisa no computador ébinário muito pela simplicidade e também por construção histórica Para possibilitar o uso tudo no computador passa pelo processo de codificação que éconverter para a representação binária tudo o que émostrado em tela Ter um entendimento disso ao menos básico nos facilita entender porque os computadores são verdadeiras máquinas de Turing mas este assunto épara outro post 2021-11-15 17:08:16
海外TECH DEV Community React: Use Advanced JavaScript in React Render Method https://dev.to/rthefounding/react-use-advanced-javascript-in-react-render-method-3hn0 React Use Advanced JavaScript in React Render MethodWelcome everyone and a great morning to you all Today we will continue the freecodecamp lessons with this In previous posts we ve gone over how to use JavaScript code into JSX code using curly braces for accessing props passing props accessing state inserting comments into your code and as well as styling your components You can also write JavaScript directly in your render methods before the return statement without inserting it inside of curly braces This is because it is not yet within the JSX code In the code that I m about to show you is a render method which has an array that contains phrases to represent the answer The button click event is bound to the ask method so each time the button is clicked a random number will be generated and stored as the randomIndex in state We have to change line and reassign the answer const so ou code randomly accesses a different index of the possibleAnswers array each time it updates Code const inputStyle width margin class MagicEightBall extends React Component constructor props super props this state userInput randomIndex this ask this ask bind this this handleChange this handleChange bind this ask if this state userInput this setState randomIndex Math floor Math random userInput handleChange event this setState userInput event target value render const possibleAnswers It is certain It is decidedly so Without a doubt Yes definitely You may rely on it As I see it yes Outlook good Yes Signs point to yes Reply hazy try again Ask again later Better not tell you now Cannot predict now Concentrate and ask again Don t count on it My reply is no My sources say no Most likely Outlook not so good Very doubtful const answer Change this line return lt div gt lt input type text value this state userInput onChange this handleChange style inputStyle gt lt br gt lt button onClick this ask gt Ask the Magic Eight Ball lt button gt lt br gt lt h gt Answer lt h gt lt p gt Change code below this line Change code above this line lt p gt lt div gt Answer const answer possibleAnswers this state randomIndex return lt div gt lt input type text value this state userInput onChange this handleChange style inputStyle gt lt br gt lt button onClick this ask gt Ask the Magic Eight Ball lt button gt lt br gt lt h gt Answer lt h gt lt p gt answer lt p gt lt div gt Larson Q Frontend Development Libraries online Freecodecamp org Available at 2021-11-15 17:08:15
海外TECH DEV Community Where do I code? https://dev.to/vickilanger/where-do-i-code-3cb2 Where do I code Don t I have to use insert fancy computer to code No way You can use any computer tablet or smartphone it doesn t even have to be connected to the internet Though some of the best resources are on the internet for free Fun fact if you have one you can even code with a graphing calculator Okay Cool but Where on my computer can I code This is a hard question to answer because there are tons of places you can code Let s talk about a few different ones FreeEasy to UseVisualizeCan save your workOnlineRequires downloadIDLEPythonTutor comTrinket io IDLEThis is an editor that comes with Python when you download it we ll talk about downloading in a bit It pretty much looks like a blank document that you can type in You can type your code in hit enter and it will run your code It looks like this See the gt gt gt That s telling you where you can type For now you can ignore the first lines of what probably looks like gibberish Note IDLE does require that you download Python which will require some space on your computer We ll cover how to install before we start coding Python TutorPython Tutor is a free website you can use without logging in It runs and helps visualize code As you learn more things I ll explain what they should look like in Python Tutor Personally my vote is for everyone to start using this or something similar For now here is what Python tutor looks like when you go to Python TutorYou don t have to adjust any of the drop down menus the defaults are perfect You can type where it says This just means you are on line of the code As you type more it will number each line of code There are two ways to use Python Tutor With the first option you may type all of your code then click Visualize Execution which allows you to click the next button to see what happens at individual steps of your code The other option is to click Live Programming Mode or go to Python Tutor Live In this mode your code will run as you type I find this helpful as it immediately shows you what each step is doing Most of the work you do while learning will run perfectly on Python Tutor Though there are a few projects that will work better with Trinket io Trinket ioTrinket io is similar to Python Tutor in that it s free and requires no downloads It allows us to play with a few modules already built code that Python Tutor doesn t support You can choose to use Trinket for your projects if you want Trinket does allow but doesn t require you to create an account that will save all of the code you build If you choose not to create an account you can use the editor on the Trinket io webpage The editor looks like the screenshot below To use the trinket editor select and clear all of the code on the left Then you can type in that area Once you want to run make your code do it s thing your code click on the play symbol Once you ve clicked the result of your code will show on the right We ll use Trinket later in the Modules section to play with emojis date and time turtle drawing graphs and charts and Wikipedia What if I already have a code editor or want one That s great If you know how go ahead and use it Python files end with py If you don t know how I highly suggest using one of the above options I find it s easiest to learn just one thing at a time Learning code and how to use the editor may become a bit stressful and overwhelming If you don t have an editor on your computer and want one you may choose to install one like Atom from Either way most examples will be explained using Python Tutor 2021-11-15 17:02:49
海外TECH DEV Community Azure Key Vault Secrets in GitHub Actions https://dev.to/officialcookj/azure-key-vault-secrets-in-github-actions-1naf Azure Key Vault Secrets in GitHub ActionsThe fundamental rule to a secret is to not share a secret Once shared it s more likely going to be shared again and in an unsecure format but how do we keep a secret a secret When it comes to Cloud technology we can use resources that store our sensitive information in a secure environment For example Azure Key Vault allows us to store secrets certificates and keys where we can set access control using authentication methods like Azure AD But when we add secrets into a secure resource like Key Vault how do we access them when running deployments In this blog post I will be covering how we get the secrets from an Azure Key Vault for a deployment in GitHub Actions GitHub WorkflowWe will need login to Azure using the Azure CLI The first workflow step will be the following name Azure CLI Login uses Azure login v with creds clientId secrets AZ CLIENT ID clientSecret secrets AZ CLIENT SECRET subscriptionId secrets AZ SUBID tenantId secrets AZ TENANT ID The following are GitHub Secret values that need to exists before running the workflow AZ CLIENT ID Service Principal Client IDAZ CLIENT SECRET Service Principal Client SecretAZ SUBID The Subscription ID you are connecting to as part of this workflowAZ TENANT ID The Tenant ID where the Service Principal existsOnce logged via the Azure CLI we will utilise the Get Key Vault Secrets GitHub Action where we will specify the Key Vault name and the Secrets we want name Azure Key Vault Secrets id azurekeyvault uses Azure get keyvault secrets v with keyvault MyVaultName secrets MyFirstSecret MySecondSecret MyThirdSecret You would replace the following values with your own MyVaultName You would replace this with the name of your Key VaultMyFirstSecret MySecondSecret My ThirdSecret Replace these with the name of the secrets in your Key Vault not the values Now when you want to use these secrets in the workflow you just need to use the following format steps azurekeyvault outputs MyFirstSecretReplace the following for your configuration azurekeyvault This would be the id of the Key Vault actionMyFirstSecret Replace this with one of the secret names you listed to get Service Principal AccessThe above workflow uses a Service Principal to connect to Azure It would be used to access the Azure Key Vault and will require access permissions to access the secrets You can do this within the Key Vault itself either by using RBAC or Access Control depending on what authentication method you set for the Key Vault The GitHub Action only gets the secret from Azure Key Vault meaning you only need to set permissions with the minimum to be able to get the specified secret you want Example UsageBelow are some examples of using the above Azure Key Vault action to use secrets within other actions Terraform name Install Terraform uses hashicorp setup terraform main with terraform version latest name Terraform Init id init run terraform init name Terraform Plan id plan run terraform plan continue on error true env TF VAR az tenant id secrets AZ TENANT ID TF VAR MyFirstSecret steps azurekeyvault outputs MyFirstSecret TF VAR MySecondSecret steps azurekeyvault outputs MySecondSecret Docker name Docker Login uses azure docker login v with login server myregistry azurecr io username steps azurekeyvault outputs MySecondSecret password steps azurekeyvault outputs MyThirdSecret 2021-11-15 17:02:39
海外TECH DEV Community Research methods for a product manager https://dev.to/vitaliiermolaev/research-methods-for-a-product-manager-5hf0 Research methods for a product managerOne of the most important skills of a product manager is the ability to do research They help to find out about «what is bothering»the user to test a hypothesis or to make a decision to launch a new feature In this article I will tell you about the main types of research Types of ResearchOnly three types of research are known qualitative quantitative and mixed Quantitative research is a kind of numerical value that determines the behavior of people and their attitude to something Qualitative research works with non numerical values ​​that were obtained through interviews for example Mixed research include the first two types of research Each type of research has a subtype relationship research and behavioral research The first research allows you to find out what is important for the user and what he wants The second studies make it possible to observe how he acts in practice Qualitative Research InterviewSubtype Relationship Research Behavioral ResearchInterviewing is one of the most versatile research methods It s used to investigate user behavior identify their «pains»and needs Interviews can be conducted at all work stages on a product from forming and testing a hypothesis to maintaining a working service and introducing new functions The advantage of this method is that it allows you to deeply study user motivation better understand the target audience and get unexpected insights from it Usability Tests Subtype Behavioral ResearchUsability tests are research in which product managers observe how the user uses the service and what features are most important to him  Also a person is given a task that he must complete for example setting up ads for certain groups of users This research method is good because it allows you to quickly immerse yourself in the product and it is especially useful for those managers who have recently moved to a new company or service Usability tests can be moderated when you are present in the research communicate with the respondent and observe him as well as unmoderated for the experiment purity Thus you can test your products and those of competitors to understand what the pros and cons are of the current solutions Another advantage of usability tests is that they are easy to conduct remotely for example using TeamViewer and observe what the user is doing Focus GroupsSubtype Behavioral ResearchFocus groups allow you to identify the main problems of the product The in depth interview method is used during focus groups but the product manager does not communicate with one user but with a group of several people This research method allows you to reduce the interviewing cost due to less time consumption and identify key issues The disadvantage of focus groups is that group dynamics can shift the bottom line for example if a leader appears who will push others to his opinion Therefore it s up to the researcher to direct the group discussions Mixed Research SurveysSubtype Relational ResearchSurveys are flexible user research tools They can be implemented in a variety of contexts by posting a simple open survey on a website through a mailing list or after testing the usability of the service Surveys can provide quantitative and qualitative data ratings percentage of choice of one of the answers to a multiple choice question and in addition answers to open ended questions   Card SortingSubtype Behavioral ResearchCard sorting allows you to form the menu structure or directory by the hands of users During the research the names of the objects to be sorted are recorded on cards and then the respondents sort them based on their ideas about the structure of objects and the relationships between them The researchers then analyze the results and identify patterns The already existing hierarchical structure is checked for «reverse»card sorting Participants are given tasks and asked to find a suitable card moving through the category tree from the top to the bottom This test verifies the health of the structure for example the location of the sections in the app and the relationships between them This research can be carried out in person and with physical maps or remotely for example through the OptimalSort card sorting platform Concept Testing with MVPSubtype Relational ResearchAn MVP is the simplest working prototype of a service that tests demand before starting full scale development This approach insures the company from creating an unclaimed product and helps not to waste resources on design and development in vain MVP allows you to collect information with minimal effort in order to finalize the product in accordance with the needs of the target audience or completely abandon an unsuccessful idea Analysis of User SessionsSubtype Relational ResearchDuring the research they analyze the accumulated information about user activity actions that the user performs while working with the service such as queries in a search engine or transitions between sections in the app Using session analysis you can find out the scenarios of user behavior and simplify the achievement of their goals for example by reducing the number of steps required to complete an order Eye Tracking TestingSubtype Behavioral ResearchSpecial equipment is required for eye tracking research which tracks the movement of the user s gaze along the interface When or more participants complete the same task on the screen you can notice patterns and figure out which elements on the page grab the user s attention Eye tracking helps you determine which elements of content you need to focus on and which elements are best distracted from The biggest drawback of eye tracking research is the need to use expensive equipment that can t be used without special training Quantitative Research A B TestingSubtype Behavioral ResearchA B testing is an integral part of working on any service You can use it to test a hypothesis about whether the selected product metric will change if you change something in the product for example whether a change in the design of the registration page will increase the number of users The results of the test and control groups of users are compared the first group is shown a new solution and the control group is shown an unchanged product And it s important for you to test whether the change will be statistically significant to confirm that the observed difference between the test and control groups is indeed due to product innovation and not an accident Clustering High Quality RequestsSubtype Relational ResearchClustering quality requests is a way to translate verbal requests and user feedback into quality data This method allows using machine learning and natural language processing models to isolate requests that are constantly repeated in feedback Web AnalyticsSubtype Behavioral ResearchWeb analytics allows you to identify and prioritize product issues It will help you find out the number of people who came to your resource the depth of view the number of pages viewed by visitors at one time the conversion in paying or registered users and so on 2021-11-15 17:01:07
Apple AppleInsider - Frontpage News Amazon launches native Prime Video app for Mac https://appleinsider.com/articles/21/11/15/amazon-launches-native-prime-video-app-for-mac?utm_medium=rss Amazon launches native Prime Video app for MacThe new Amazon Prime Video app is a native Mac one available through the Mac App Store and which allows users to buy films and TV directly New Amazon Prime Video app for MacAmazon has had a Prime Video app for iOS and tvOS for some years but now it s launched a new version for Macs Seemingly coded in Swift its version number of is slightly older than the iPhone one s which was updated hours before Read more 2021-11-15 17:25:14
Apple AppleInsider - Frontpage News 'Fraggle Rock' revival arrives on Apple TV+ on January 21 https://appleinsider.com/articles/21/11/15/fraggle-rock-revival-arrives-on-apple-tv-on-january-21?utm_medium=rss x Fraggle Rock x revival arrives on Apple TV on January The reboot of the Jim Henson Company puppet show Fraggle Rock will be arriving on Apple TV on January which Apple revealed with a new teaser trailer Posted to YouTube on Monday the official teaser for Fraggle Rock Back to the Rock showcases the theme tune and some of the brightly colored characters that will feature in the show The existing cast of Gobo Red Wembley Mokey and Boober are also joined by a number of new characters for the new series when it lands in January The show is executive produced by The Jim Henson Company s Lisa Henson and Halle Stanford as well as John Tartaglia Showrunners Matt Fusfeld and Alex Cuthbertson and new Regency s Yaribv Milchan and Michael Schaefer The executive music producer is Harvey Mason Jr Read more 2021-11-15 17:14:53
Apple AppleInsider - Frontpage News Apple quietly buying app ads that funnel users to the App Store, developers claim https://appleinsider.com/articles/21/11/12/apple-quietly-buying-app-ads-that-funnel-users-to-the-app-store-developers-claim?utm_medium=rss Apple quietly buying app ads that funnel users to the App Store developers claimApple is said to be quietly buying Google search ads for high value apps on the App Store ーand some developers are concerned that it s hurting their revenue Credit Laurenz Heymann UnsplashMultiple app publishers have told Forbes that Apple is secretly buying Google ads that direct users to an app s App Store listing rather than the developer s website Read more 2021-11-15 17:04:58
海外TECH Engadget Watch the Xbox 20th anniversary event here at 1PM ET https://www.engadget.com/watch-xbox-anniversary-celerbation-173042697.html?src=rss Watch the Xbox th anniversary event here at PM ETExactly years ago today Microsoft released the original Xbox At the time it was hard to know how integral the company would become to the gaming landscape Sure Microsoft had played an important part in the development of PC gaming but up to that point the console market had been dominated almost exclusively by Nintendo and Sony Now in its fourth generation the Xbox brand has never been stronger in part thanks to smart decisions around Game Pass and studio acquisitions nbsp At PM ET Microsoft will look back and celebrate the history of the Xbox brand while likely looking to the future as well You can watch the entire livestream on YouTube Twitch and right here nbsp nbsp nbsp nbsp nbsp 2021-11-15 17:30:42
海外TECH Engadget Phil Spencer strongly hints 'Elder Scrolls VI' will be an Xbox and PC exclusive https://www.engadget.com/elder-scrolls-6-xbox-pc-exclusive-game-pass-hint-phil-spencer-172718058.html?src=rss Phil Spencer strongly hints x Elder Scrolls VI x will be an Xbox and PC exclusiveXbox chief Phil Spencer has given the strongest hint yet that Elder Scrolls VI won t be coming to PlayStation Since Microsoft bought Bethesda Softworks owner ZeniMax Media earlier this year questions have been swirling around platform exclusivity for ongoing franchises such as Elder Scrolls Doom and Fallout Spencer previously noted exclusivity would be decided on a quot case by case basis quot He later said Microsoft would quot continue to invest in communities of players quot and that quot there might be things that have either contractual things or legacy on different platforms that we ll go do quot Still he was adamant that the ZeniMax Bethesda deal was largely about quot delivering great exclusive games quot Now in an interview with GQ to mark the th anniversary of Xbox Spenser strongly hinted that like next year s Starfield Elder Scrolls VI will be locked to Xbox consoles PC and Xbox Cloud Gaming “It s not about punishing any other platform like I fundamentally believe all of the platforms can continue to grow he said “But in order to be on Xbox I want us to be able to bring the full complete package of what we have And that would be true when I think about Elder Scrolls VI That would be true when I think about any of our franchises That won t exactly inspire confidence among say Skyrim fans that they ll get to play Elder Scrolls VI on PlayStation and Switch In any case with Bethesda s focus on Starfield it might be a while before it divulges more details about the next Elder Scrolls game 2021-11-15 17:24:13
海外TECH Engadget Microsoft blocks workaround that let Windows 11 users avoid its Edge browser https://www.engadget.com/microsoft-windows-11-edge-deflector-block-171516494.html?src=rss Microsoft blocks workaround that let Windows users avoid its Edge browserMicrosoft plans to update Windows to block a workaround that has allowed users to open Start menu search results in a browser other than Edge The loophole was popularized by EdgeDeflector an app that allows you to bypass some of the built in browser restrictions found in Windows and Before this week companies like Mozilla and Brave had planned to implement similar workarounds to allow users to open Start menu results in their respective browsers but now won t be able to do so When the block first appeared in an early preview build of Windows last week it looked like it was added by mistake However on Monday the company confirmed it intentionally closed the loophole “Windows openly enables applications and services on its platform including various web browsers a spokesperson for Microsoft told The Verge “At the same time Windows also offers certain end to end customer experiences in both Windows and Windows the search experience from the taskbar is one such example of an end to end experience that is not designed to be redirected When we become aware of improper redirection we issue a fix Daniel Aleksandersen the developer of EdgeDeflector was quick to criticize the move “These aren t the actions of an attentive company that cares about its product anymore he said in a blog post “Microsoft isn t a good steward of the Windows operating system They re prioritizing ads bundleware and service subscriptions over their users productivity Mozilla was similarly critical of Microsoft “People deserve choice They should have the ability to simply and easily set defaults and their choice of default browser should be respected a spokesperson for the company told The Verge “We have worked on code that launches Firefox when the microsoft edge protocol is used for those users that have already chosen Firefox as their default browser Following the recent change to Windows this planned implementation will no longer be possible Other than the fact Microsoft should let Edge speak for itself the company s behavior here raises a question about its priorities Windows does not make it easy to switch your default browser Someone shouldn t have to go through the trouble of telling Windows they want to use a different browser only for the operating system to show them webpages in one they specifically decided they don t want to use 2021-11-15 17:15:16
海外TECH Network World Nvidia announces new InfiniBand networking hardware https://www.networkworld.com/article/3640612/nvidia-announces-new-infiniband-networking-hardware.html#tk.rss_all Nvidia announces new InfiniBand networking hardware Networking equipment was the news of the day at Nvidia s GPU Technology Conference GTC with new hardware for improved end to end performance Nvidia announced the Quantum platform a Gbps InfiniBand networking platform consisting of the Quantum switch ConnectX network adapter BlueField data processing unit DPU and all the software to support the new architecture Get regularly scheduled insights by signing up for Network World newsletters At Gbps NVIDIA Quantum InfiniBand doubles the network speed and triples the number of network ports over the Quantum product With a three fold performance increase in performance data center fabric switches can be reduced by six fold cutting data center power consumption and reducing the overall data center space by the company says To read this article in full please click here 2021-11-15 17:46:00
海外TECH Network World Rethinking the WAN: Zero Trust network access can play a bigger role https://www.networkworld.com/article/3640723/rethinking-the-wan-zero-trust-network-access-can-play-a-bigger-role.html#tk.rss_all Rethinking the WAN Zero Trust network access can play a bigger role The WAN as initially conceived was about one simple job the WAN was the network that “connects my sites to each other That is the network connecting users in corporate sites to corporate IT resources in other corporate sites or perhaps colocation facilities It was all inside to inside traffic Over the past decade so much has changed that just before COVID work from home mandates took hold only about of a typical WAN s traffic was still inside to inside according to Nemertes “Next Generation Networks Research Study The rest touched the outside world either originating there as with remote work against data center systems or terminating there as with SaaS use from a company site or both as with VPNing into the network only to head back out to a SaaS app To read this article in full please click here 2021-11-15 17:05:00
海外科学 NYT > Science How Glial Cells Are Quietly Revolutionizing Chronic Pain Study and Care https://www.nytimes.com/2021/11/09/well/mind/glial-cells-chronic-pain-treatment.html chronic 2021-11-15 17:38:09
ニュース BBC News - Home Liverpool Women's Hospital explosion declared a terror incident https://www.bbc.co.uk/news/uk-england-merseyside-59291095?at_medium=RSS&at_campaign=KARANGA liverpool 2021-11-15 17:24:17
ニュース BBC News - Home Alexander Monson: Kenyan policemen jailed over UK aristocrat's death https://www.bbc.co.uk/news/world-africa-59291119?at_medium=RSS&at_campaign=KARANGA mombasa 2021-11-15 17:03:50
ニュース BBC News - Home HS2: What is the route and how much will it cost? https://www.bbc.co.uk/news/uk-16473296?at_medium=RSS&at_campaign=KARANGA england 2021-11-15 17:21:13
ニュース BBC News - Home England captain Farrell and hooker George out of South Africa Test https://www.bbc.co.uk/sport/rugby-union/59296591?at_medium=RSS&at_campaign=KARANGA africa 2021-11-15 17:25:49
ニュース BBC News - Home Former Newcastle & England striker Carroll signs for Reading https://www.bbc.co.uk/sport/football/59294298?at_medium=RSS&at_campaign=KARANGA january 2021-11-15 17:25:54
ニュース BBC News - Home Covid-19 in the UK: How many coronavirus cases are there in my area? https://www.bbc.co.uk/news/uk-51768274?at_medium=RSS&at_campaign=KARANGA cases 2021-11-15 17:15:54
ビジネス ダイヤモンド・オンライン - 新着記事 ヤバい上司ほど「リーダーとしての自己採点」が高くなるワケ - チームが自然に生まれ変わる https://diamond.jp/articles/-/287610 ヤバい上司ほど「リーダーとしての自己採点」が高くなるワケチームが自然に生まれ変わるリモートワーク、残業規制、パワハラ、多様性…リーダーの悩みは尽きない。 2021-11-16 02:55:00
ビジネス ダイヤモンド・オンライン - 新着記事 現代人がもっと「一人の時間」を味わうべき理由 - 孤独からはじめよう https://diamond.jp/articles/-/287447 自分 2021-11-16 02:50:00
ビジネス ダイヤモンド・オンライン - 新着記事 超多忙な人でも取材を受けたくなる「殺し文句」とは - 行列のできるインタビュアーの聞く技術 https://diamond.jp/articles/-/287561 殺し文句 2021-11-16 02:45:00
ビジネス ダイヤモンド・オンライン - 新着記事 「うつ」のような症状を引き起こす3つの原因、「だるい、しんどい」は放置厳禁! - 40歳からの予防医学 https://diamond.jp/articles/-/287689 予防医学 2021-11-16 02:40:00
ビジネス ダイヤモンド・オンライン - 新着記事 お金に振り回される人がハマる「バーゲンセールの罠」 - お金のむこうに人がいる https://diamond.jp/articles/-/287510 金利 2021-11-16 02:35:00
ビジネス ダイヤモンド・オンライン - 新着記事 北京証券取引所が開業 中小企業に資金呼び込むか - WSJ発 https://diamond.jp/articles/-/287786 中小企業 2021-11-16 02:20: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件)