-
Notifications
You must be signed in to change notification settings - Fork 208
/
HCI201.txt
2198 lines (2197 loc) · 228 KB
/
HCI201.txt
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
Products ID supports the way people communicate and interact in everyday lives, which means? | d Design interactive products to support the way people communicate and interact in their everyday lives
Not Cognition, components is not related in Interaction Design, it is: | Chrestomathy
Identify needs & establishing is NOT basic activities in Interaction Design, but: | Evaluating needs & task-domains through users experience
Good utility is one of followings that is usability goals, but what NOT? | Satisfactory
Challenging is one of followings that users experience goals, but what is NOT? | Frustrating
Visibility, Constraints, Feedback, Adaption is not the design principles, so what it is? | Visibility, Constraints, Feedback, Consistency
Evaluate aspects of interactive product is NOT central to interaction design, so what is? | Determine how to create quality user experiences
Measurement is NOT one of these is useful heuristics for analyzing interactive product, so find it out: | Feedback
Principle of "Having similar operations and use similar elements for achieving similar task" is NOT a concept of affordance, but: | Consistency
Feedback, is NOT principle of "Determine ways of restricting kinds of user interaction that can take place at a given moment", so whats in these? | Constraint
Consistency not called "Having attribute of an object that people know how to use it", so this is concept of: | Affordance
All usability and user experience goals will NOT be relevant to design and evaluation of developing product | TRUE
Memorability refers to the way a product support users in carrying out their task, is that true? If not, what it is? | Efficiency
Process of interaction design is NOT: Identify version - Develop user experience - Building design - Evaluate needs, but: | Identify needs - Develop design - Building version - Evaluate user experience
Building need activity is NOT the very much at the heart of interaction design, so what? | Evaluating what has been build
A main reason of having better understanding of people in context in which they live, work, and learn is NOT that can help designer evaluate user experience of product to fit it, but? | That can help designer understand how to design interactive product to fit it
People can NOT design a user experience | TRUE
People DO design a sensual experience | FALSE
Designing usable interactive products DONT require their activities are interacted, if not what else? | All of above
Components of interactive design is NOT include anthropology, if NOT, what else? | All of above
Design feedback & simplicity helps the way people communicate and interact in their everyday lives, if NOT? What it is? | Analyzing & evaluating aspects
Identifying and specifying relevant usability and user experience helps analyzing & evaluating aspects, if NOT? What it is? | Lead to design of good interactive products
Context of use, user experience, culture differences, user groups optimize interaction between users & interactive product requires, is that true? If not, what? | Context of use, types of activity, culture differences, user groups
Interaction design DONT involve many inputs from some disciplines and fields | TRUE
The more feedback functions are, the more likely users will be able to know what to do next, if NOT? What else? | Visibility
Manipulating interaction modeling is NOT user & system act as dialog partners, if NOT, what else? | Capitalize users' knowledge of how they do in physical world
Frequently repeat actions performed on multiple objects is cons when using interface metaphors, if NOT, what else? | Design to look & behave literally like the physical entity it is being compare with
Shneiderman outlines one of core principle that need to follow how the system actually works is portrayed to the user through the interface, if NOT, what else? | Rapid reversible incremental actions with immediate feedback about object of interest
Models are typically abstracted from a contributing discipline that can be apply in interaction design, is that true? If not, what else? | Typically abstracted from a contributing discipline that can be apply in interaction design
Theories are helping designer constrain and scope the user experience of which they are desinging, is that true? If not, what else? | Providing of a means of analyzing and predicting the performance of users carrying out tasks for interfaces
Frameworks are typically abstracted from a contributing discipline that can be apply in interaction design, is that true? If not, what else? | Helping designer constrain and scope the user experience of which they are desinging
Exploring interaction modeling is describing how users carry out their tasks by telling the system what to do, is that true? If not, what else? | Users moving through virtual or physical environment
Users moving through virtual or physical environment refers conversing interaction modeling, is that true? If not, what else? | User & system act as dialog partners
Users moving through virtual or physical environment is instructing interaction modeling, is that true? If not, what else? | Describing how users carry out their tasks by telling the system what to do
Encouraging creativity and playfulness is one of benefits on instruction issuing, is that true? If not, what else? | Interaction is quick & efficient
Corrupting visual & model is opposition to using interface metaphors, is that true? If not, what else? | Too constraining
Conflicts with design principles is mistake made when designing interface metaphors, is that true? If not, what else? | All of the above
Conceptual model establishes a set of common terms they all understand and agree upon, is that true? If not, what else? | A high-level description of how a system is organized and operates
Involving identifying human activities and interactivites that are problematic can be problem space, is that true? If not, what else? | Usability and user experience goals can be overlooked
Stress that it is a description of the user interface is referred to define conceptual model, is that true? If not, what else? | Point out that it is a structure outlining the concept and relationship between user interfaces
Benefits of conceptualizing a design early encourages design team: Asking about how the conceptual model will be understood by targeted users, is that true? If not, what else? | Asking about how the conceptual model will be understood by targeted users
Interface metaphor is NOT a name for describing specific operation, is that true? If not, what else? | A central component of a conceptual model
Metaphor is browsing, analogy is drawing can be called different from metaphor & analogy, is that true? If not, what else? | Both the same
The relationship between users experience & product concepts is one of components on conceptual model of Johnson & Henderson (2002), is that true? If not, what else? | The concepts that users are exposed to through the product
Based on Johnson & Henderson (2002) theory, guiding browsing from Web Browser called: Concepts, is that true? If not, what else? | Major metaphors
A fundamental aspect of interactive design is to understand user experience and interaction product, is that true? If not, what else? | To develop a conceptual model
Decision about conceptual design should NOT be made after commencing any physical design | TRUE
Interface metaphors are NOT commonly used as part of a conceptual design | FALSE
Construction, frameworks provide another way of framing and informing design and research, is that true? If not, what else? | Theories, models
Pros when using interface metaphors is involving manipulating objects and capitalizing users knowledge, is that true? If not, what else? | Used to explain unfamiliar or hard to grasp things
Decision-making NOT involving congnition process, is that true? If not, what else? | All of above
Attention is a state of mind in which we act & react effectively & effortlessly, is that true? If not, what else? | Experiential
Perception involves thinking, comparing and decision-making, that leads to creativity, is that true? If not, what else? | Reflective cognition
It is NOT usual for cognitive prcesses to occur in isolation | TRUE
Presentation is the process to concentrate on, from the range of posibility available, is that true? If not, what else? | Attention
Memory refers to how the info is acquired from the environment via the different sense organs, is that true? If not, what else? | Perception
Experiential involves recalling various kinds of knowledge that allow us to act appropriately, is that true? If not, what else? | Memory
Design interfaces that promote recall NOT rather than recognition by using menu, icon, and consistently placed objects | TRUE
Design interfaces that constrain and guide users NOT to select appropriate actions after learning | TRUE
Icons and other graphical representations should NOT enable users to readily distinguish their meaning | FALSE
Bordering and spacing are NOT effective visual ways of separating info that makes it easier to perceive and locate items | FALSE
NOT making information plain when it needs attending to at a given stage of a task | TRUE
Limits the designer's imagination is NOT in mistakes made when designing interface metaphors, is that true? If not, what else? | All of the above
Conceptual model is exposed through the task-domain objects they are created and manipulated, is that true? If not, what else? | A high-level description of how a system is organized and operates
Making less underlying assumptions and claims can be called problem space, is that true? If not, what else? | Usability and user experience goals can be overlooked
Reading, speaking and listening is NOT in cognitive aspects, is that true? If not, what else? | Reading, speaking and listening
Focussed and divided attention enables us to be selective in terms of the mass of competing stimuli but limits our ability to keep track of all events | TRUE
Focussed and divided attention NOT enables us to be selective in terms of the mass of competing stimuli but limits our ability to keep track of all events | FALSE
Information at the interface should be structured to capture users'attention | TRUE
Information at the interface should NOT be structured to capture users'attention | FALSE
Designs imply what for attention? | All the above
Designs imply what for perception and recognition? | Information is acquired and transformed into experiences
Obvious implication implies for perception and recognition, is that true? If not, what else? | Information is acquired and transformed into experiences
Designs imply what for implications? | Readily distinguishtheir meaning
Be audible and distinguishable imply for implications, is that true? If not, what else? | Information is acquired and transformed into experiences
Explain the interactions environment they are working in is conversational mechanism, is that true? If not, what else? | enable people to coordinate their "talk" with one another, allowing them to know how to start and stop
Explain the interactions environment they are working in is co-ordination mechanism, is that true? If not, what else? | take place when a group of people act or interact together to achieve something
Explain the interactions environment they are working in is awareness mechanism, is that true? If not, what else? | involve knowing who is around, what is happening, and who is talking with whom
Social aspects are the actions and interactions that people engage at work, is that true? If not, what else? | all of above
Talk and the way it is managed is integral to collaborative technology, is that true? If not, what else? | coordinating social activities
The distributed cognition approach describes NOT for what happens in a cognitive system, is that true? If not, what else? | all of above
People act through language is the basic premise of the language/action framework, is that true? If not, what else? | people act through language
Declarations is not the form of speech act theory, is that true? If not, what else? | Decorative
Language/action framework was developed to take place when a group of people act or interact together to achieve something, is that true? If not, what else? | inform the design of systems to help people work more effectively through improving the way they communicate with one another
The current speaker chooses the next speaker by asking an opinion is rule 3 of Conversational mechanisms, is that true? If not, what else? | the current speaker continues talking
The current speaker continues talking is rule 2 of Conversational mechanisms, is that true? If not, what else? | another person decides to start speaking
Another person decides to start speaking is rule 1 of Conversational mechanisms, is that true? If not, what else? | the current speaker chooses the next speaker by asking an opinion
Rules of Conversational mechanisms are followings, is that true? If not, what else? | the current speaker chooses the next speaker by asking an opinion
Another person decides to start speaking is rule 1 of Conversational mechanisms | FALSE
The current speaker continues talking is rule 2 of Conversational mechanisms | FALSE
The current speaker chooses the next speaker by asking an opinion is rule 3 of Conversational mechanisms | FALSE
The current speaker continues talking is rule 3 of Conversational mechanisms | TRUE
Another person decides to start speaking is rule 2 of Conversational mechanisms | TRUE
The current speaker chooses the next speaker by asking an opinion is rule 1 of Conversational mechanisms | TRUE
There are 5 rules of Conversational mechanisms | FALSE
How many rules of Conversational mechanisms? | 3
Synchronous computer- mediated communication is | Conversations are supported in real-time through voice and/or typing
Synchronous computer- mediated communication defines conversations supported in offline through paper notes | FALSE
Asynchronous computer- mediated communication is | Communication takes place remotely at different times
Asynchronous computer- mediated communication defines communication takes place remotely at same times | FALSE
In general, the term "affective" refers to emotional skills, is that true? If not, what else? | emotional response
Elicit good feelings in people are concerned with affective aspects of interaction design, is that true? If not, what else? | the way interactive systems make people respond in emotional ways
Anthropomorphism is the attribution of informative and fun, is that true? If not, what else? | human qualities to objects
People often prefer humanlike to those that attempt to be simple cartoon-like agents, is that true? If not, what else? | simple cartoon-like agents, humanlike
An increasingly popular form of well-designed interfaces is to create agents and other virtual characters as part of an interface, is that true? If not, what else? | anthropomorphism
Animated agents are formed, often to be understood as predefined personality and set of moods that are manipulated by users, is that true? If not, what else? | tutors, wizards and helpers intended to help users perform a task
Embodied conversational interface agents are formed, often to be understood as 3D characters in video games or other forms of entertainment, is that true? If not, what else? | generating verbal and non-verbal output
Emotional agents are formed, often to be understood as 3D characters in video games or other forms of entertainment, is that true? If not, what else? | predefined personality and set of moods that are manipulated by users
Synthetic characters are formed, often to be understood as predefined personality and set of moods that are manipulated by users, is that true? If not, what else? | 3D characters in video games or other forms of entertainment
User frustration does NOT happen when a user's expectations are not met, is that true? If not, what else? | When a system requires users to carry out specific step to perform a task
User frustration happens when a system requires users to carry out specific step to perform a task, is that true? If not, what else? | When an application doesn't work properly or crashes
User frustration happens when an application doesn't work properly or crashes | TRUE
User frustration happens when a system requires users to carry out specific step to perform a task | TRUE
User frustration NOT happens when an application doesn't work properly or crashes | FALSE
User frustration NOT happens when a system requires users to carry out specific step to perform a task | FALSE
Embodied conversational interface agents are formed, often to be understood as generating verbal and non-verbal output | TRUE
Embodied conversational interface agents are formed, often to be NOT understood as generating verbal and non-verbal output | FALSE
Expressive interfaces is | how the 'appearance' of an interface can affect users
Expressive interfaces is how the 'UI' of an interface can affect users, is that true? If not, what else? | how the 'appearance' of an interface can affect users
Expressive interfaces is how the 'appearance' of an interface can affect users | TRUE
Expressive interfaces is NOT how the 'appearance' of an interface can affect users | FALSE
Persuasive technologies is | how technologies can be designed to change people's attitudes and behavior
Persuasive technologies is how technologies can be implemented to change people's attitudes and behavior, is that true? If not, what else? | how technologies can be designed to change people's attitudes and behavior
Persuasive technologies is how technologies can be implemented to change people's attitudes and behavior | FALSE
Persuasive technologies is how technologies can be designed to change people's attitudes and behavior | TRUE
Persuasive technologies is how technologies can NOT be designed to change people's attitudes and behavior | FALSE
Paradigms refer to a new generation of user-computer environments, is that true? If not, what else? | A particular approach that has been adopted by a community in terms of shared assumptions, concepts, values and practices
Windows interfaces can be defined as represented applications, objects, commands, and tools that were opened when clicked on, is that true? If not, what else? | could be scrolled, stretched, overlapped, opened, closed, and moved around the screen using the mouse
Icons interfaces can be defined as a mouse controlling the cursor as a point of entry to the windows, menus, and icons on the screen, is that true? If not, what else? | represented applications, objects, commands, and tools that were opened when clicked on
Menus interfaces can be defined as offering lists of options that could be scrolled through and selected, is that true? If not, what else? | offering lists of options that could be scrolled through and selected
Pointing device interfaces can be defined as could be scrolled, stretched, overlapped, opened, closed, and moved around the screen using the mouse, is that true? If not, what else? | a mouse controlling the cursor as a point of entry to the windows, menus, and icons on the screen
VR/VE stands for Virtual Relationship/Virtual Entry, is that true? If not, what else? | Virtual Reality/Virtual Environments
Interface type in 1980s included Advanced Graphical, Web, Speech and Appliance, is that true? If not, what else? | Command and WIMP/GUI
Interface type in 1990s included: Advanced Graphical, Web, Speech and Mobile, is that true? If not, what else? | Advanced Graphical, Web, Speech, Pen, gesture, touch and Appliance
Interface type in 2000s included Advanced Graphical, Web, Speech and Appliance, is that true? If not, what else? | Mobile, muptimodal, shareable, tangible, wearable, robotic, augmented and mixed reality
Appliance interface type that expert use in AutoCAD, is that true? If not, what else? | Command
UbiComp means compters have a strong influence, is that true? If not, what else? | Computers would be designed to be embedded in the environment and very popular
Can shrink or switch is advantage of flat menu, is that true? If not, what else? | Good at displaying a small number of options at the same time
Pen interface is that the commercial application Sony's EyeToy used, is that true? If not, what else? | Gesture
QWERTY means name of a equipment, is that true? If not, what else? | Name of keyboard
Tangible interfaces are type of interaction and they use color-based, is that true? If not, what else? | Sensor-based
Tangible interfaces are type of interaction and they use sensor-based | TRUE
Tangible interfaces are NOT type of interaction and they use sensor-based | FALSE
QWERTY means name of a keyboard | TRUE
QWERTY NOT means name of a keyboard | FALSE
Good at displaying a small number of options at the same time is advantage of flat menu | TRUE
Good at displaying a small number of options at the same time is NOT advantage of flat menu | FALSE
Interface type in 1980s included command and WIMP/GUI | TRUE
Interface type in 1980s NOT included command and WIMP/GUI | FALSE
Paradigms defines | A particular approach that has been adopted by a community in terms of shared assumptions, concepts, values and practices
Windows interfaces can be | could be scrolled, stretched, overlapped, opened, closed, and moved around the screen using the mouse
Four key issues of data gathering are setting goals, Relationship with participants, Triangulation, Semi-structure studies, is that true? If not, what else? | Setting goals, Relationship with participants, Triangulation, Pilot studies
Closed questions have no predetermined format, is that true? If not, what else? | A predetermined answer format, e.g., 'yes' or 'no'
Unstructured interviews are not directed by a script, is that true? If not, what else? | Not directed by a script
Structured interviews are rich but not replicable, is that true? If not, what else? | Tightly scripted
Semi-structured interviews are replicable but may lack richness, is that true? If not, what else? | Good balance between richness and replicability
Open questions have predetermined answer format, e.g., 'yes' or 'no', is that true? If not, what else? | No predetermined format
Running the interview should be intro, explain the goals, main body, and closure, is that true? If not, what else? | Intro, warm-up, main body, and closure
Encouraging a good response should be ensure questionnaire is well designed, is that true? If not, what else? | All of answers
Advantages of online questionnaires are copying and postage costs, is that true? If not, what else? | Responses are usually received quickly
Problems with online questionnaires preventing individuals from responding more than two, is that true? If not, what else? | Individuals have also been known to change questions in email questionnaires
Ethnography is vary along a scale from 'outside' to 'inside', is that true? If not, what else? | A philosophy with a set of techniques that include participant observation and interviews
Data gathering techniques can be combined depending on participants, is that true? If not, what else? | All of the answers
There are 2 key issues in Data gathering, is that true? If not, what else? | 4
Small trial run is pilot study, is that true? If not, what else? | Small trial run
Data calculation result & Information is displayed of experiments: are difference between Data and Information, is that true? If not, what else? | Data is conclusions maybe drawn, Information is the result of analyzing and interpreting data
Audio recording, taking photographs and video recording are common form of data recording, is that true? If not, what else? | Taking notes, audio recording, taking photographs and video recording
there are 6 form main types of interviews, is that true? If not, what else? | 4
There are three main types of Data gathering, what are they? | Interviews, questionaires, and observation
Random is one of the types of interviews, is that true? If not, what else? | Structured
Alice is the intelligent agent that guides visitor to the website Agentland, is that true? If not, what else? | Cybelle
Money is what they enrich the interview experience, is that true? If not, what else? | Props
Random and semantic are two main rating scales, is that true? If not, what else? | Likert and semantic
Structured is one of the types of interviews, is that true? If not, what else? | Structured
Observation is one of the types of interviews, is that true? If not, what else? | Structured
Questionaired is one of the types of interviews, is that true? If not, what else? | Structured
Quantitative data is expressed the nature of elements, is that true? If not, what else? | Expressed as numbers
Qualitative data is expressed as numbers, is that true? If not, what else? | Difficult to measure sensibly as numbers
Simple quantitative analysis should be semi-structured, is that true? If not, what else? | Graphical representations
Simple qualitative analysis should be averages, is that true? If not, what else? | Semi-structured
Theoretical frameworks for qualitative analysis is retributed Cognition, is that true? If not, what else? | Grounded Theory
Grounded Theory is used for analyzing collaborative work, is that true? If not, what else? | Aims to derive theory from systematic analysis of data
Activity Theory is used for analyzing collaborative work, is that true? If not, what else? | Explains human behaviorin terms of our practical activity with the world
Distributed Cognition are models the mediating role of artifacts, is that true? If not, what else? | Used for analyzing collaborative work
The best way to present your findings depends on the audience, the presentation, the data gathering and analysis undertaken, is that true? If not, what else? | The audience, the purpose, the data gathering and analysis undertaken
Presentation of the findings should overstate the evidence | FALSE
Enable you to be able to analyze data gathered from observation studies is not one of true main aim of the Chapter 8, is that true? If not, what else? | Enable you to be able to analyze data gathered from ethnographys
4 is median value of the series numbers (4,5,6,7,7,8,8,8,9), is that true? If not, what else? | 7
7 is mode value of the series numbers (4,5,6,7,7,8,8,8,9), is that true? If not, what else? | 8
8.89 is mean value of the series numbers (4,5,6,7,7,8,8,8,9), is that true? If not, what else? | 6.89
there are 4 types of qualitive analysis that we discuss in Simple qualitative analysis, is that true? If not, what else? | 3
there are 3 frameworks do we use in the analysis of qualitative data, is that true? If not, what else? | 3
SPSS is one of the more popular quantitative analysis boxes, is that true? If not, what else? | packages
They use three theorical frameworks, including grounded theory, field study, and activity theory, is that true? If not, what else? | Grounded theory, distributed cognition, and activity theory
Selective coding is NOT one of the approach to analysis in the Grounded theory, is that true? If not, what else? | Formative coding
Distributed cognition approach is introduce in Chapter 1, is that true? If not, what else? | Chapter 3
Chapter 8 NOT discuss about Data analysis, interpretation and presentation? | FALSE
It is sometime assumed that certain forms of data gathering will NOT result in quantitative data and others will only result in qualitative data? | TRUE
CASE STUDY 8.1 NOT uses ethnographic data to understand Idian ATM usage? | FALSE
Data in the qualitative data is NOT more difficult to measure than quantitative data | FALSE
Activity theory (AT) is a product of Soviet psychology | TRUE
User-centered approach is based on later focus on users and tasks, is that true? If not, what else? | Empirical measurement
Four basic activities in Interaction Design are: Building needs, Verify alternative designs, Developing interactive versions, Evaluating designs, is that true? If not, what else? | Identifying needs, Developing alternative designs, Building interactive versions, Evaluating designs
Those who receive output from the product are the users/stakeholders, is that true? If not, what else? | Those who in the primary, the secondary, the tertiary
The primary in stakeholders means the who is frequent hands-on, is that true? If not, what else? | The who is frequent hands-on
The secondary in stakeholders means who is occasional or via someone else, is that true? If not, what else? | The who is occasional or via someone else
The tertiary in stakeholders means who is occasional or via someone else, is that true? If not, what else? | The who is affected by its introduction
Three principles of User-centered design are on time focus, Empirical measurement, Iterative design, is that true? If not, what else? | Early focus, Empirical measurement, Iterative design
Usability engineering lifecycle model defines: from top to down engineering, is that true? If not, what else? | Stages of identifying requirements, designing, evaluating, prototyping
The Star lifecycle model defines iterative framework so ideas can be checked and evaluated, is that true? If not, what else? | No particular ordering of activities; development may start in any one
Spiral Lifecycle model defines iterative framework so ideas can be checked and evaluated, is that true? If not, what else? | Iterative framework so ideas can be checked and evaluated
Traditional 'waterfall' lifecycle defines iterative framework so ideas can be checked and evaluated, is that true? If not, what else? | From top to down engineering
Generating alternatives is NOT a key principle in most design disciplines | FALSE
The term lifecycle model is used to represent a model that NOT captures a set of activities and how they are related | FALSE
RAD is stand for Rare Application Development? | FALSE
Spiral model is NOT developed by Barry Boehm? | FALSE
Workshops are used in develop JAD model? | TRUE
Evaluating the design is NOT one of three fundamental activities that are recognized in all design, is that true? If not, what else? | Measure the design
Review is NOT one of the seven secrets that Kelley (2001) describles for better brainstorms, is that true? If not, what else? | Review
Easy for coding is value of prototype in design, is that true? If not, what else? | Effective role playing exercise
Because of satisfying users, we need to involve users in interaction design, is that true? If not, what else? | get realistic expectations, no surprises, no disaspointment
Tester is involved in Interaction Design, is that true? If not, what else? | Process
there are 3 degrees of user involvement, is that true? If not, what else? | 4
Onsite working is NOT one of steps in user-centered approach, is that true? If not, what else? | Onsite working
there are 3 basic activities in Interaction Design, is that true? If not, what else? | 4
Three categories of user including: primary, secondary, and the last, is that true? If not, what else? | Primary, secondary, and tertiary
The term lifecycle model used to represent a model that captures a set of activities and how they are related, is that true? If not, what else? | activities and how they are related
Waterfall is NOT one of the lifecyle models in software engineering, is that true? If not, what else? | Star
Waterfall lifecycle model including 5 steps, is that true? If not, what else? | 5 steps
Star lifecycle model was proposed by Hartson and Hix in 80s, is that true? If not, what else? | 1980s
Usability Engineering Lifecycle was proposed by Hartson and Hix, is that true? If not, what else? | Deborah Meyhew
CMM international standard is used in HCI, is that true? If not, what else? | ISO13407
In requirement design, task analysis focus on articulating existing and envisioned work practices, is that true? If not, what else? | Use mainly to investigate an existing situation
In requirement design, scenarios focus on initially interpretation before deeper analysis, is that true? If not, what else? | Used to articulate existing and envisioned work practices.
In requirement design, use cases focus on articulating existing and envisioned work practices, is that true? If not, what else? | Use mainly to investigate an existing situation
In requirement design, data interpretation focus on articulating existing and envisioned work practices, is that true? If not, what else? | Initial interpretation before deeper analysis
Different approaches emphasize different elements e.g. class diagrams for non-object-oriented systems, entity-relationship diagrams for data intensive systems | FALSE
Different data interpretation approaches emphasize difference elements | TRUE
Non-functional requirement is what the system should do, is that true? If not, what else? | What response time system should be?
Functional requirement is how beautiful enough of GUI need to be, is that true? If not, what else? | What the system should do
Getting requirements right is crucial, is that true? If not, what else? | crucial
Two different kinds of traditional requirements are functional and non-functional, is that true? If not, what else? | functional and non-functional
Environmental requirements or context of use refer to 4 environments: physical, ideology, organisation, and technical environment, is that true? If not, what else? | Physical, social, organisation, and technical environment
Data requirements capture the required data of type, volatility, size/amount, accuracy and value, is that true? If not, what else? | type, volatility, size/amount, persistence, accuracy and value
Environmental requirements or context of use include the aspects of social, organizational and technical environment, is that true? If not, what else? | physical, social, organizational and technical environment
UnderseaGrip device WetPC company created for undersea divers, is that true? If not, what else? | KordGrip
Capture user characteristic is not True of Personas, is that true? If not, what else? | Not real people, but synthesised from real user characteristics
Geert Hofstede, management theorist identified "dimensions' of national culture including living distance, idividualism,masculinity - femininity, and uncertainty avoidance, is that true? If not, what else? | power distance, idividualism,masculinity - femininity, and uncertainty avoidance
Usability goals include efficiency, safety, utility, learnability, and memorability, is that true? If not, what else? | effectiveness, efficiency, safety, utility, learnability, and memorability
Data gathering for requirement including: interview, observation, and studying documentation, is that true? If not, what else? | Interview, questionaire, observation, and studying documentation
Functional requirements capture what the product should NOT do? | FALSE
Data requirements capture the type, volality, size/amount, persistence, accuracy, and value of the non-required data? | FALSE
Environmental requirements or context of use refer to the circumstances in which the interative product will be NOT expected to operate? | FALSE
User characteristics capture the normal attributes of the intended user group | FALSE
Usability and user experience goals should be separated with appropriate measures | FALSE
Data gathering for requirement including: Interview, questionaire, and studying documentation | FALSE
Data gathering for requirement including: Interview, questionaire, observation, and studying documentation | TRUE
Data gathering for requirement including: Interview, questionaire, observation, prototype and studying documentation | FALSE
Usability goals include effectiveness, efficiency, safety, utility, learnability, and memorability | TRUE
There are two types of design: Social and physical model, is that true? If not, what else? | Conceptual and physical model
Prototype has two kinds: Imprtant and non-important, is that true? If not, what else? | Low and high fidelity
You can test out ideas for yourself is not TRUE in why we use prototype, is that true? If not, what else? | Help to create lifecycle model
Low fidelity prototyping may be paper and cardboard, is that true? If not, what else? | Paper and cardboard
Some attributes of prototype may be expensive and complex, is that true? If not, what else? | Simple, cheap, and quick to produce
High fidelity prototyping uses materials that you would expect to be in Requirement, is that true? If not, what else? | Final product
A software protoype can set expectations too high is NOT problem of high-fidelity, is that true? If not, what else? | Easy to develop
One of the dangers of producing running prototypes is: Manager like it, is that true? If not, what else? | User may believe that the prototype is the system
Receive from Customer is TRUE in Conceptual design, is that true? If not, what else? | Transform from user requirements/needs
Researchers at Berkerley (Newman et al.,2003) have been developing a tool to support the informal sketching and prototyping of websites called SKETCH, is that true? If not, what else? | DENIM
Use low-fidelity prototyping to get rapid feedback is NOT key guiding principle of conceptual design, is that true? If not, what else? | Move to a solution too quickly
Steps designer have to do immediately after constructing conceptual model is considering interface types, is that true? If not, what else? | Considering interaction types
There are two types of prototype including: low fidelity and high fidelity prototype, is that true? If not, what else? | TRUE
Two common compromises of prototype including high and low prototype | FALSE
Two common compromises of prototype including longterm and shortterm prototype | FALSE
A low fidelity prototype is NOT one that look like very much like the final product | TRUE
High fidelity prototyping uses materials that you would NOT expect to be in the final product | FALSE
Compromises in prototyping can be | vertical & horizontal
What is a prototype? | all the answers
a storyboard is a prototype | TRUE
Why prototype | all the answers
Evaluation and feedback are central to interaction design is the cause of why prototyping | TRUE
Evaluation and feedback are central to interaction design is NOT the cause of why prototyping | FALSE
Low-fidelity Prototyping is | all the answers
Low-fidelity Prototyping is evaluation and feedback are central to interaction design | FALSE
Usability testing NOT involves measuring typical user's performance on typical task | FALSE
The three main evaluation approaches are NOT included: usability testing, field studies, and analytical evaluation | FALSE
Walkthroughs, as the name suggests, involve user in walking through scenarios with prototypes of the application | TRUE
There are 5 evaluation case studies in chapter 12 | FALSE
The main methods used in evaluation are: observing users, asking users their opinions and asking experts their opinions | FALSE
Awareness is NOT one of the evaluation approachs, is that true? If not, what else? | Awareness
To check that developer can design the product is why we have to evaluate, is that true? If not, what else? | To check that users can use the product and that they like it
Testing the size of the keys on the cell phone can be done in a school, is that true? If not, what else? | laboratory
Depend on the interface of product itself, we implement evaluation, is that true? If not, what else? | Depend on the type of product itself
Analytical evaluation is an approach that include: Heuristic evaluation, field study, and modeling, is that true? If not, what else? | Heuristic evaluation, walkthroughs, and modeling
Designers controlling experiment, is a study that is performed in a laboratory, is that true? If not, what else? | Evaluator
Field study is a study that is done in a laboratory, is that true? If not, what else? | Natural environment
Formative evaluation, an evaluation to check that the product continues to meet user's need is done during testing, is that true? If not, what else? | Design
Usability testing was the dominant evaluation approach in the 70s, is that true? If not, what else? | 1980s
Usability laboratory is a laboratory that is designed for usability testing, is that true? If not, what else? | Usability testing
Usability laboratory is a laboratory that is designed for usability testing | TRUE
Usability laboratory is a laboratory that is designed for formative evaluation | FALSE
Formative evaluation, an evaluation to check that the product continues to meet user's need is done during testing | FALSE
Formative evaluation, an evaluation to check that the product continues to meet user's need is done during designing | TRUE
Field study is a study that is done in a laboratory | FALSE
Field study is a study that is done in a natural environment | TRUE
Evaluation & design are closely integrated in user-centered design. | TRUE
Evaluation & design are | closely integrated in user-centered design.
Different evaluation approaches and methods are often combined in | one study
there are 6 steps in DECIDE framework help you plan your evaluation studies and to reminde you about the issues you need to think about, is that true? If not, what else? | 6
What is one of the steps of DECIDE framework? | Determine the goals
What does Association for Computing Machinery (ACM) provided for professionals to deal with their issues? | Ethical code
What is the first step of DECIDE framework? | Determine the goals
What is the second step of DECIDE framework? | Explore the questions
What is the third step of DECIDE framework? | Choose the evaluation approachand methods
What is the fourth step of DECIDE framework? | Identify the practical issues
What is the fifth step of DECIDE framework? | Decide how to deal with the ethical issues
What is the sixth step of DECIDE framework? | Evaluate, analyze, interpret and present the data
the sixth step of DECIDE framework is to explore the questions | FALSE
the fifth step of DECIDE framework is to decide how to deal with the ethical issues | TRUE
the fourth step of DECIDE framework is to identify the practical issues | TRUE
the fourth step of DECIDE framework is to explore the questions | FALSE
the third step of DECIDE framework is to explore the questions | FALSE
the second step of DECIDE framework is to aim the object | FALSE
the goal of DECIDE framework is | Evaluate, analyze, interpret and present the data
Choose the DECIDE evaluation approach & methods for | all the answers
There are many issues to consider before conducting an evaluation study | TRUE
There are less issues to consider before conducting an evaluation study | FALSE
The DECIDE framework provides a useful checklist for planning an evaluation study | TRUE
The DECIDE framework provides a useful checklist for planning an estimation | FALSE
The DECIDE framework provides a useful checklist for lab and checking work progress | FALSE
The second step of DECIDE framework points to | Identify the practical issues
The first step of DECIDE framework points to | Determine the goals
The third step of DECIDE framework points to | Choose the evaluation approach and methods
There are three types of experimental design | different-same-matched participants
Testing is a central part of usability testing | TRUE
Usability testing is done in controlled conditions | TRUE
Usability testing is an adapted form of experimentation | TRUE
Experiments aim to test hypotheses by manipulating certain variables while keeping others constant | TRUE
The experimenter controls the independent variable(s) but not the dependent variable(s). | TRUE
There are three types of experimental design: different- participants, same-participants, & matched participants | TRUE
Field studies are done in natural environments | TRUE
Typically observation and interviews are used to collect field studies data | TRUE
Categorization and theory-based techniques are used to analyze the data. | TRUE
Typically observation and interviews are | used to collect field studies data
Categorization and theory-based techniques are used to analyze the data. | analyze the data
The experimenter controls the independent variable(s) but not | the dependent variable(s).
Experiments aim to test hypotheses by manipulating certain variables while keeping others constant | manipulating certain variables while keeping others constant
Usability testing is an adapted form of experimentation | adapted form of expertises
Usability testing is done in controlled conditions | controlled conditions
Field studies are done in natural environments | natural environments
There are four types of experimental design, that's true | FALSE
The aim of field study | is to understand what users do naturally and how technology impacts them.
Field studies can be used in product design to | all the answers
Advantages of same participant design | Few individuals, no individual differences
Advantages of diff participant design | No order effects
Advantages of matched participant design | Same as different participants but individual differences reduced
Disadvantages of matched participant design | Cannot be sure of perfect matching on all differences
Expert evaluation: | heuristic & walkthroughs
Predictive models are used to evaluate systems with predictable tasks such as telephones | TRUE
GOMS, Keystroke Level Model, & Fitts'Law predict expert, error-free performance | TRUE
Heuristic evaluation relatively easy to learn | TRUE
Expert evaluation: heuristic & walkthroughs | TRUE
Fitts'Law predicts that the time to point at an object using a device is | function of the distance from the target object & the object's size
The further away & the ... the object, the longer the time to locate it and point to it. | smaller
Fitts'Law is useful for evaluating systems for which ... to locate an object is important, e.g., a cell phone, a handheld devices | the time
The keystroke model allows .. to be made about how long it takes an expert user to perform a task | predictions
Predictive models is | less expensive than user testing
Predictive models is less expensive than user testing | TRUE
Predictive models provide a way of evaluating products or designs without directly involving users | TRUE
Predictive models is usefulless limited to systems with predictable tasks -e.g., telephone answering systems, mobiles, cell phones, etc | FALSE
there is managed discussion that leads to agreed decisions in Pluralistic walkthrough | TRUE
Performed by anyone in Pluralistic walkthrough | FALSE
Pluralistic walkthrough calls: Variation on the cognitive walkthrough theme. | TRUE
Pluralistic walkthrough lends itself well to participatory design | TRUE
Pluralistic walkthrough had it lent well to participatory design | FALSE
Cognitive walkthroughs focus on | designer presents an aspect of the design & usage scenarios
Cognitive walkthroughs experts focus on | is told the assumptions about user population, context of use, task details
Cognitive walkthroughs are guided by ... questions | 3
Cognitive walkthroughs are guided by these questions | Will the correct action be sufficiently evident to the user?
Cognitive walkthroughs are guided by the third question | Will the user associate and interpret the response from the action correctly?
Cognitive walkthroughs are guided by the first question | Will the correct action be sufficiently evident to the user?
Cognitive walkthroughs are guided by the second question | Will the user notice that the correct action is available?
Use techniques that make standout like colour,ordering,spacing,underlining,sequencing and animation,is designed for... | Attention
Diversity of techniques now used to change what they do or think,is found in... | Perception
Multidisciplinary teams strong to communicate and progress forward the designs being create | TRUE
A fundamental aspect of interaction design is to develop? | Conceptual model
User interact system, but developer is responding to output rather than the system is... | Wizard of Oz
Conversations are supported in real-time through voice and/or typing can be found in... | Synchronous computer-mediated communication
In evaluating, is it measuring what you expected?is... | Validity
...have therapeutic qualities,being able to reduce stress and loneliness | Robots interface
Interface metaphors are commonly used as part of? | Conceptual model
Optimizing the interaction between users and interactive products require taking into account a number of interdependent factors,including... | Cultural differences,User groups,Feedback
Sampling can be a problem when the size of a population is unknown as is common online,is issue of... | Questionnarie
Experiments for research is not completely replicable | FALSE
As Winograd(1997),HCI means | The design of spaces for human communication and interaction
USABILITY for research is not completely replicable | TRUE
In evaluating,the environment influencing the findings is... | Ecological validity
...immerse themselves in the culture that they study | Ethnographers
Figure that appears most often in the data is called... | Mode
Sketches of screens,task sequences and 'Post-it' notes are... | Low-fidelity Prototyping
Danger that users think they have a full system is... | high-fidelity
The kind of coupling to use between the physical action and digital effect,is issue of... | Tangible interface
When problems are found in user testing, fix them and carry out more tests is found in... | User-centered analysis
Individuals have also been known to change questions,is issue of... | Questionnarie
Users' reactions and performance to scenarios,manuals,simulations & prototypes are observed,recorded and analysed | TRUE
Make first questions easy and non-threatening,is step of... | Interview
Usability means easy to... | learn
Designing interactive products to support the way people communicate and interact in their everyday and working lives | TRUE
What kinds of data need to be stored?is... | Data req
Debriering session in which experts work together to prioritize problems in...step of heuristic evaluation | 3
...is cognitive | Interacting with technology
Four categories of user(Eason,1987) | FALSE
Overhearing and overseeing-allows tracking of what others are doing without explicit cues,is found in... | Awareness
Replicable but may lack richness is found in... | Structured qualitative analysis
Guide those who are vague or ambiguous in their requests for information or services,is issue of... | Speech interface
In evaluating,can the study be replicated?is... | Reliability
Add up values and divide by number of data points is called... | mean
Having a good understanding of the problem space can help inform the product | TRUE
...disciplines contributing to ID | Ergonomics
simulations & prototypes are observed,recorded and analysed is found in... | user-centered quantitative analysis
Dancing butter,drinks,breakfast cereals,is known as... | Anthropomorphism
Especially for those with poor manual dexterity or 'fat' fingers,is issue of... | Mobile interface
...provide a way of conceptualizing emotional and pleasurable aspect of interaction design | Models of affect
How will they be stored(e.g.database)?is... | Data req
Experiments test is... | Discover new knowledge by investigating the relationship between two or more things
Expert is told the assumptions about user population,context of use,task detail is... | Cognitive walkthroughs
Requirements arise from understanding users' needs is... | Why 'establish' req
In evaluating,can the findings be generalized?is... | Scope
Sounds should be audible and ... in cognition | Distinguishable
Observation may be...,in the field or in controlled setting | direct and indirect
Middle value of data when ranked is called... | Median
How fast will they be stored(e.g.database)?is... | Non-functional req
What to prototype? | Technical issues
The mappings between the ... and the user experience the product is designed to support | Concepts
Memory involves 2 processes... | Recall-directed and recognition-based
Major metaphors and analogies that are used to convey how to understand | what a product is for and how to use it for an activity
Concepts that users are exposed to through the | product
The mappings between the concepts and the user experience | the product is designed to support
It was simple, clear, and obvious to the users how to use the | application and what it could do
Can be innovative and enable the realm of computers and their applications | to be made more accessible to a greater diversity of users
Allows users, especially novices and technophobes, to interact | with the system in a way that is familiar
issuing commands using keyboard and function keys and selecting options via menus | Instructing
interacting with the system as if having a conversation | Conversing
interacting with objects in a virtual or physical space by manipulating them | Manipulating
moving through a virtual environment or a physical space | Exploring
Designers can inadvertently use bad existing designs | and transfer the bad parts over -Problems with interface metaphors
Limits designers imagination in | coming up with new conceptual models - Problems with interface metaphors
Forces users to only | understand the system in terms of the metaphor -Problems with interface metaphors
Conflict with design principles | Conflict with design principles- Problems with interface metaphors
Can constrain designers in the way they conceptualize | problem space- Problems with interface metaphors
Break conventional and | cultural rules
Got the computer to perform a range of different calculations and recalculations | in response to user input
Designed to be similar to a physical entity but | also has own properties - Interface metaphors
Exploit user's familiar knowledge, helping | them to understand 'the unfamiliar' - Interface metaphors
Conjures up the essence of the unfamiliar activity, enabling users to leverage | of this to understand more aspects of the unfamiliar functionality - Interface metaphors
People find it easier to learn and talk about what they are doing at the | computer interface in terms familiar to them - Interface metaphors
Makes learning | new systems easier -Benefits of interface metaphors
Helps users understand the | underlying conceptual model -Benefits of interface metaphors
Can be innovative and enable the realm of computers and their applications | to be made more accessible to a greater diversity of users -Benefits of interface metaphors
Proposes that digital objects be designed so they can be interacted with | analogous to how physical objects are manipulated
Assumes that direct manipulation interfaces enable users to feel that they are directly | controlling the digital objects
Continuous representation of objects and | actions of interest- Core principles of DM
Physical actions and button pressing instead of | issuing commands with complex syntax- Core principles of DM
Rapid reversible actions with immediate feedback on | object of interest- Core principles of DM
Some people take the metaphor of direct | manipulation too literally- disadvantageswith DM
Not all tasks can be described by objects and | not all actions can be done directly- disadvantageswith DM
Some tasks are better achieved through | delegating rather than manipulating- disadvantageswith DM
Moving a mouse around the screen can be | slower than pressing function keys to do same actions- disadvantageswith DM
Marble answering machine (Bishop,1995) | Good design
Based on how everyday objects behave | Good design
Easy, intuitive and a pleasure to use | Good design
Only requires onestep actions to perform core tasks | Good design
Need to take into account: | Who the users are. What activities are being carried out, Where the interaction is taking place- What to design
Need to optimize the interactions users have with a product | So that they match the users' activities and needs- What to design
Need to take into account | what people are good and bad at- Understanding users' needs
Consider what might | help people in the way they currently do things- Understanding users' needs
Think through | what might provide quality user experiences- Understanding users' needs
Listen to | what people want and get them involved- Understanding users' needs
Use tried and tested | user-centered methods- Understanding users' needs
Designing interactive products to support the way people communicate and interact in their everyday and working lives | Sharp, Rogers and Preece (2007)
The design of spaces for human communication and interaction | Winograd (1997)
Develop usable products | Usability means easy to learn, effective to use and provide an enjoyable experience- Goals of interaction design
Involve users | in the design process- Goals of interaction design
what is being designed, e.g., | user interface design, software design, user-centered design, product design, web design, experience design (UX)
Interaction design is the umbrella term covering all of these aspects | fundamental to all disciplines, fields, and approaches concerned with researching and designing computerbased systems for people
Academic disciplines contributing to ID | Psychology, Social Sciences, Computing Sciences, Engineering, Ergonomics, Informatics
Design practices contributing to ID: | Graphic design. Product design, Artist-design, Industrial design, Film industry
Interdisciplinary fields that 'do' interaction design: | HCI, Human Factors, Cognitive Engineering, Cognitive Ergonomics, Computer Supported Co-operative Work, Information Systems
Many people from | different backgrounds involved- Working in multidisciplinaryteams
Different perspectives and ways | of seeing and talking about things- Working in multidisciplinaryteams
Benefits | more ideas and designs generated- Working in multidisciplinaryteams
Disadvantages | difficult to communicate and progress forward the designs being create- Working in multidisciplinaryteams
Nielsen Norman Group: | help companies enter the age of the consumer, designing human-centered products and services
Cooper: | From research and product to goal-related
Swim: | provides a wide range of design services, in each case targeted to address the product development needs at hand
IDEO: | creates products, services and environments for companies pioneering new ways to provide value to their customers
interaction designers | people involved in the design of allthe interactive aspects of a product
usability engineers | people who focus on evaluatingproducts, using usability methods and principles
web designers | people who develop and create the visual design of websites, such as layouts
information architects | people who come up with ideas of how to plan and structure interactive products
user experience designers (UX) | people who do all the above but who may also carry out field studies to inform the design of products
Identifying needs and | establishing requirements for the user experience- What is involved in the processof interaction design
Building interactive prototypes that | can be communicated and assessed- What is involved in the processof interaction design
Evaluating what is being built throughout the process | and the user experience it offers- What is involved in the processof interaction design
Users should be | involved through the development of the project- Core characteristics of interaction design
Specific usability and user experience goals need to be | identified, clearly documented and agreed at the beginning of the project- Core characteristics of interaction design
Iteration is needed | through the core activities- Core characteristics of interaction design
understand how to design interactive products that | fit with what people want, need and may desire- Why go to this length
appreciate that one size does not fit all | e.g., teenagers are very different to grown-ups
identify any incorrect assumptions they may have about particular user groups | e.g., not all old people want or need big fonts
be aware of | both people's sensitivities and their capabilities
Usability goals | Effective to use, Efficient to use, Safe to use,Have good utility, Easy to learn, Easy to remember how to use
Selecting terms to convey a person's feelings, emotions, etc., can help designers understand the multifaceted nature of the user experience | Usability and user experience goals
Generalizable abstractions for | thinking about different aspects of design- Design principles
The do's and don'ts of | interaction design- Design principles
What to provide and what not to | provide at the interface- Design principles
Derived from a mix of | theory-based knowledge, experience and common-sense- Design principles
Sending information back to the user about | what has been done- Feedback
Includes | sound, highlighting, animation and combinations of these- Feedback
Restricting the possible actions that | can be performed- Constraints
Helps prevent user from | selecting incorrect options- Constraints
Physical objects can be | designed to constrain things- Constraints
Design interfaces to have similar operations | and use similar elements for similar tasks- Consistency
always use ctrl key plus first initial of the command for an operation | ctrl+C, ctrl+S, ctrl+O - Consistency
Main benefit is consistent interfaces are | easier to learn and use- Consistency
When consistency breaks down | Have to find other initials or combinations of keys, thereby breaking the consistency rule - e.g. ctrl+S, ctrl+Sp, ctrl+shift+L
Increases learning burden on user, making them more prone to errors | When consistency breaks down
Internal consistency refers to designing operations to behave the same within an application | Difficult to achieve with complex interfaces
External consistency refers to designing operations, interfaces, etc., to be the same across applications and devices | Very rarely the case, based on different designer's preference
Refers to an attribute of an object that allows people to know how to use it | a mouse button invites pushing, a door handle affords pulling- Affordances
Norman (1988) | used the term to discuss the design of everyday objects- Affordances
Since has been much popularised in interaction design to discuss how to design interface objects | scrollbars to afford moving up and down, icons to afford clicking on- Affordances
Interfaces are virtual and do not have affordances like | physical objects- What does 'affordance' have tooffer interaction design
Norman argues it does not make sense to talk about interfaces in | terms of 'real' affordances- What does 'affordance' have tooffer interaction design
Instead interfaces are better conceptualized as 'perceived' affordances | Learned conventions of arbitrary mappings between action and effect at the interface, Some mappings are better than others
Similar to | design principles, except more prescriptive- Usability principles
Used mainly as the | basis for evaluating systems- Usability principles
Provide a framework for | heuristic evaluation- Usability principles
Usability principles (Nielsen 2001) Visibility of system status, Match between system and the real world | User control and freedom, Consistency and standards, Help users recognize, diagnose and recover from errors, Error prevention, Recognition rather than recall, Flexibility and efficiency of use, Aesthetic and minimalist design, Help and documentation
Interaction design is | concerned with designing interactive products to support the way people communicate and interact in their everyday and working lives
It is concerned | with how to create quality user experiences
It requires taking into | account a number of interdependent factors, including context of use, type of activities,cultural differences, and user groups
It is | multidisciplinary, involving many inputs from wide-reaching disciplines and fields
HCI has moved | beyond designing interfaces for desktop machines
Concerned with extending and | supporting all manner of human activities
Designing for user experiences, including: Making work effective, efficient and safer, | Improving and enhancing learning and training, Providing enjoyable andexciting entertainment, Enhancing communication and understanding, Supporting new forms of creativity and expression
Able to capitalize on the hugely successful phenomenon | of blogging - Assumptions
Just as people like toblog so will they want to share | with the rest of the world their photo collections and get comments back- Assumptions
People like to share their | photos with the rest of the world- Assumptions
From Flickr's website (2005): "is almost certainly the best online photo management and sharing application in the world" | A claim
Having a good understanding of the problem space can help inform the design space | what kind of interface, behavior, functionality to provide- From problem space to design space
But before | deciding upon these it is important to develop a conceptual model- From problem space to design space
Need to first think about how the system will | appear to users (i.e. how they will understand it)- conceptual model
A conceptual model is: | a high-level description of how a system isorganized and operates. (Johnson andHenderson, 2002, p. 26)
Not a description of the user interface but a | structure outlining the concepts and the relationships between them- What is and why need a conceptual model
Why not start with the nuts and bolts of design | Architects and interior designers would not think about which color curtains to have before deciding where the windows will beplaced in a new building
Why not start with the nuts and bolts of design | Enables "designers to straighten out their thinking before they start laying out their widgets"
Why not start with the nuts and bolts of design | Provides a working strategy and a framework of general concepts and their interrelations
Orient themselves towards asking | questions about how the conceptual model will be understood by users- Helps the design team
Not to become narrowly focused | early on- Helps the design team
Establish a set | of common terms they all understand and agree upon- Helps the design team
Reduce the chance of | misunderstandings and confusion arising later on- Helps the design team
Designed to be similar to a physical entity but also has own properties | desktop metaphor, search engine- Interface metaphors
Exploit user's familiar knowledge, helping them | to understand 'the unfamiliar'- Interface metaphors
Conjures up the essence of the unfamiliar activity, enabling users to | leverage of this to understand more aspects of the unfamiliar functionality- Interface metaphors
People find it easier to learn and talk about what they are doing at the | computer interface in terms familiar to them- Interface metaphors
Makes learning new systems easier | Benefits of interface metaphors
Helps users understand the underlying conceptual model | Benefits of interface metaphors
Can be innovative and enable the realm of computers and their applications to be made more accessible to a greater diversity of users | Benefits of interface metaphors
Break conventional and cultural rules | recycle bin placed on desktop- Problems with interface metaphors (Nelson, 1990)
Can constrain designers | in the way they conceptualize a problem space- Problems with interface metaphors (Nelson, 1990)
Conflict with | design principles- Problems with interface metaphors (Nelson, 1990)
Forces users to only understand | the system in terms of the metaphor- Problems with interface metaphors (Nelson, 1990)
Limits designers' imagination in coming up with | new conceptual models- Problems with interface metaphors (Nelson, 1990)
Instructing | issuing commands using keyboard and function keys and selecting options via menus
Conversing | interacting with the system as if having a conversation
Manipulating | interacting with objects in a virtual or physical space by manipulating them
Exploring | moving through a virtual environment or a physical space
Where users instruct a system by telling it what to do | tell the time, print a file, find a photo- Instructing
Very common interaction type underlying a range of | devices and systems- Instructing
A main benefit of instructing is to support quick and efficient interaction | good for repetitive kinds of actions performed on multiple objects- Instructing
Allows users, especially novices and technophobes, to interact with the system in a way that is familiar | makes them feel comfortable, at ease and less scared- pros of conversational model
Misunderstandings can arise when the system does not know how to parse what the user says | cons of conversational model
Exploit's users' knowledge of how they | move and manipulate in the physical world- Manipulating
Virtual objects can be manipulated by | moving, selecting, opening, and closing them- Manipulating
Tagged physical objects (e.g., bricks, blocks) that are manipulated in a physical world (e.g., placed on a surface) | can result in other physical and digital events- Manipulating
Shneiderman (1983) | coined the term Direct Manipulation
Came from his fascination with | computer games at the time- Direct manipulation
Proposes that digital objects be designed so they can be interacted with analogous to | how physical objects are manipulated- Direct manipulation
Assumes that direct manipulation interfaces enable users to feel that | they are directly controlling the digital objects- Direct manipulation
Novices can learn the | basic functionality quickly- Why are DM interfaces so enjoyable
Experienced users can work extremely rapidly to | carry out a wide range of tasks, even defining new functions- Why are DM interfaces so enjoyable
Intermittent users can | retain operational concepts over time- Why are DM interfaces so enjoyable
Error messages | rarely needed- Why are DM interfaces so enjoyable
Users can immediately see if their actions are | furthering their goals and if not do something else- Why are DM interfaces so enjoyable
Users experience | less anxiety- Why are DM interfaces so enjoyable
Users gain confidence and mastery and | feel in control- Why are DM interfaces so enjoyable
Theories, models and frameworks | Are used to inform and inspire design
A theory is | a well-substantiated explanation of some aspect of a phenomenon
A model is | a simplification of some aspect of human'computer interaction intended to make it easier for designers to predict and evaluate alternative designs
A framework is | a set of interrelated concepts and/or a set of specific questions
Theories tend to be | comprehensive, explaining human'computer interactions
Models tend to | simplify some aspect of human'computer interaction
Frameworks tend to be | prescriptive, providing designers with concepts, questions, and principles to consider
Need to have a good understanding of the problem space | specifying what it is you aredoing, why, and how it will support users in the way intended
A conceptual model is ahigh-level description of a product | what users can do with it and the concepts they need to understand how to interact with it
Decisions about conceptual design should be | made before commencing any physical design
Interface metaphors are | commonly used as part of a conceptual model
We need to | take into account cognitive processes involved and cognitive limitations of users
We can provide knowledge about | what users can and cannot be expected to do
Identify and explain the nature and causes of problems users encounter | Why do we need to understand users
Supply theories, modelling tools, guidance and methods that can | lead to the design of better interactive products
Core cognitive aspects | Attention, Perception and recognition, Memory, Reading, speaking and listening, Problem-solving, planning, reasoning and decision-making, learning
Core cognitive aspects | Most relevant to interaction design are attention,perception and recognition, and memory
Allows us to focus on information that is | relevant to what we are doing- Attention
Involves audio and/or visual senses | Attention
Selecting things to concentrate on at a point | in time from the mass of stimuli around us- Attention
Focussed and divided attention enables us to be | selective in terms of the mass of competing stimuli but limits our ability to keep track of all events- Attention
Information at the interface should be structured to capture users' attention | e.g. use perceptual boundaries (windows),colour, reverse video, sound and flashing lights- Attention
Tullis (1987) | found that the two screens produced quite different results
Make information salient | when it needs attending to-Design implications for attention
Use techniques that make things stand out | like colour, ordering, spacing, underlining, sequencing and animation-Design implications for attention
Avoid cluttering the | interface - follow the google.com example of crisp, simple design-Design implications for attention
Avoid using too much because | the software allows it-Design implications for attention
Representations of information need to be | designed to be perceptible and recognizable- Design implications
Icons and other graphical representations should enable | users to readily distinguish their meaning- Design implications
Bordering and spacing are | effective visual ways of grouping information- Design implications
Sounds should be | audible and distinguishable- Design implications
Speech output should enable | users to distinguish between the set of spoken words- Design implications
Text should be | legible and distinguishable from the background- Design implications
Involves first | encoding and then retrieving knowledge- Memory
We don't remember | everything - involves filtering and processing what is attended to - Memory
Context is | important in affecting our memory (i.e., where, when) - Memory
Well known fact that we recognize things much better than being able to recall things | Better at remembering images than words, Why interfaces are largely visual - Memory
Encoding is first stage of memory | determines which information is attended to in the environment and how it is interpreted- Processing in memory
The more attention paid to something | Processing in memory
And the more it is processed in terms of thinking about it and comparing it with other knowledge | Processing in memory
Context affects the extent to | which information can be subsequently retrieved
Sometimes it can be difficult for people to | recall information that was encoded in a different context
Command-based interfaces require users to | recall from memory a name from a possible set of 100s- Recognition versus recall
GUIs provide visually-based options that users need only | browse through until they recognize one- Recognition versus recall
Web browsers, MP3 players, etc., provide lists of visited URLs, song titles etc., | that support recognition memory- Recognition versus recall
Personal information management (PIM) is a growing problem for most users | Who have vast numbers of documents, images, music files, video clips, emails, attachments, bookmarks, etc.,
Major problem is | deciding where and how to save them all, then remembering what they were called and where to find them again
Naming most | common means of encoding them
Memory involves 2 processes | recall-directed and recognition-based scanning
File management systems should be designed to optimize both kinds of memory processes | e.g., Search box and history list
Help users encode files in richer ways | Provide them with ways of saving files using colour, flagging, image, flexible text, time stamping, etc
Don't overload users memories with | complicated procedures for carrying out tasks- Design implications
Design interfaces that | promote recognition rather than recall- Design implications
Provide users with a variety of ways of encoding digital information to | help them remember where they have stored them | e.g., categories, color, flagging, time stamping- Design implications
Users develop an understanding of a system through | learning and using it- Mental models
Knowledge is often described as a mental model | How to use the system (what to do next), What to do with unfamiliar systems or unexpected situations (how the system works)- Mental models
People make inferencesusing mental models of | how to carry out tasks- Mental models
Craik (1943) described mental models as | internal constructions of some aspect of the external world enabling predictions to be made- Mental models
Involves unconscious and conscious processes, | where images and analogies are activated- Mental models
Deep versus shallow models | how to drive a car and how it works- Mental models
Many people have erroneous mental models | (Kempton, 1996)
Payne (1991) | did a similar study and found that people frequently resort to analogies to explain how they work
People's accounts greatly varied and | were often ad hoc
Proposes 7 stages of an activity | Establish a goal, Form an intention, Specify an action sequence, Execute an action, Perceive the system state, Interpret the state, Evaluate the system state with respect to the goals and intentions
Human activity does not | proceed in such an orderly and sequential manner
More usual for stages to be | missed, repeated or out of order
Do not always | have a clear goal in mind but react to the world
Theory is only | approximation of what happens and is greatly simplified
Help designers think about | how to help users monitor their actions
The 'gulfs' explicate the gaps that exist | between the user and the interface
The gulf of execution | the distance from the user to the physical system while the second one
The gulf of evaluation | the distance from the physical system to the user
Need to bridge the gulfs in order to reduce the cognitive effort required to | perform a task- The gulfs
Models the information processes of | a user interacting with a computer- Model Human processor(Card et al, 1983)
Predicts which cognitive processes are | involved when a user interacts with a computer- Model Human processor(Card et al, 1983)
Enables calculations to be made of | how long a user will take to carry out a task- Model Human processor(Card et al, 1983)
Concerned with explaining how we interact with external representations | maps, notes, diagrams- External cognition
Diaries, reminders, calendars, notes, shopping lists, to-do lists - written | to remind us of what to do- Externalizing to reduce memory load
Post-its, piles, marked emails - where placed indicates priority of | what to do- Externalizing to reduce memory load
External representations | Remind us that we need to do something (to buy something for mother's day), Remind us of what to do (buy a card), Remind us when to do something (send a card by a certain date)
When a tool is used in conjunction with an external representation | to carry out a computation (e.g. pen and paper)- Computational offloading
Annotation involves modifying existing representations through making marks | crossing off, ticking, underlining- Annotation and cognitive tracing
Cognitive tracing involves externally manipulating items into different orders or structures | playing scrabble, playing cards- Annotation and cognitive tracing
Provide external representations at the interface that | reduce memory load and facilitate computational offloading- Design implication
Concerned with the nature of cognitive phenomena across individuals, artifacts, and internal and external representations | (Hutchins, 1995)-Distributed cognition
Describes these in terms | of propagation across representational state-Distributed cognition
Information is | transformed through different media (computers, displays, paper, heads)-Distributed cognition
The distributed problem-solving that | takes place- What's involved
The role of | verbal and non-verbal behavior- What's involved
The various coordinating mechanisms that are used | (e.g., rules, procedures)- What's involved
The communication that | takes place as the collaborative activity progresses- What's involved
How knowledge is | shared and accessed- What's involved
Cognition involves several processes including | attention, memory, perception and learning
The way an interface is designed can | greatly affect how well users can perceive, attend, learn and remember how to do their tasks
Theoretical frameworks such as mental models and external cognition provide ways of | understanding how and why people interact with products, which can lead to thinking about how to design better products
Various mechanisms and 'rules' are followed when holding a conversation | e.g.mutual greetings- Conversational mechanisms
Sacks et al. (1978) | work on conversation analysis describe three basic rules
Turn-taking used to | coordinate conversation
Back channeling to signal to | continue and following
Much research focus has been on how to | support conversations when people are 'at a distance' from each other-Designing technologies to support conversations
Many applications have been developed | e.g., email, videoconferencing, videophones, computer conferencing, instant messaging, chatrooms-Designing technologies to support conversations
Conversations are | supported in real-time through voice and/or typing
Examples include | video conferencing, VOIP,MUDs and chat
Benefits include(of Synchronous computer mediated communication) | Not having to physically face people may increase shy people's confidence, Allows people to keep abreast of the goings-on in an organization without having to move from their office
Problems(of Synchronous computer mediated communication) | Difficult to establish eye contact with images of others, People can behave badly when behind the mask of an avatar
Communication takes place remotely at | different times
email, newsgroups, texting | (of Asynchronouscomputermediated communication)
Benefits include(of Asynchronouscomputermediated communication): | Read any place any time, Flexible as to how to deal with it, Can make saying things easier
Problems include(of Asynchronouscomputermediated communication): | LAMING!!!, Message overload, False expectations as to when people will reply
When a group of people act or interact together they need to coordinate themselves | e.g., playing football, navigating a ship-Coordination mechanisms
They use: verbal and non-verbal communication, schedules, rules, and conventions, shared external representations | Coordination mechanisms
Talk is central | Verbal and non-verba communication
Non-verbal also used to emphasize and as substitute | e.g., nods, shakes, winks, glances, gestures and hand-raising- Verbal and non-verba communication
Formal meetings | explicit structures such as agendas, memos, and minutes are employed to coordinate the activity- Verbal and non-verba communication
Schedules used to | organize regular activities in large organizations
Formal rules | like the writing of monthly reports enable organizations to maintain order and keep track
Conventions | like keeping quiet in a library, are a form of courtesy to others
Common method used to coordinate collaborative activities, | e.g., checklists, tables, to-do lists- Shared external representations
They can provide external information on -Shared external representations | who is working on what, When it is being worked on,where it is being worked on,when a piece of work is supposed to be finished,whom it goes to next
Involves knowing | who is around, what is happening, and who is talking with whom- Awareness mechanisms
Peripheral awareness | keeping an eye on things happening in the periphery of vision, Overhearing and overseeing - allows tracking of what others are doingwithout explicit cues
Provide awareness of others | who are in different locations- Designing technologies to support awareness
Users notify others as opposed to being | constantly monitored
Provide information about shared objects and progress of collaborative tasks | Tickertape, Babble
Elvin is | a distributed awareness system that provides a range of client services (Segall and Arnold,1997)
It includes Tickertape, one of the first lightweight messaging systems | Elvin
Social mechanisms, like turn-taking, conventions, etc., | enable us to collaborate and coordinate our activities
Keeping aware of what others are doing and letting others know | what you are doing are important aspects of collaborative working and socialising
Many collaborative technologies systems have been built | to support collaboration
HCI has traditionally been about | designing efficient and effective systems- Affective aspects
Now more about how to design interactive systems that make people respondin certain ways | e.g. to be happy, to be trusting, to learn, to be motivated- Affective aspects
Users have created a range ofemoticonscompensate for lack of expressiveness in text communication: | Happy:),Sad:<,Sick:X,Mad>:,Very angry >:-(- User-created expressiveness
Also use of icons and shorthand in texting and instant messaging has emotional connotations, | e.g.I 12 CU 2NITE-created expressiveness
Marcus (1992) | proposed interfaces for different user groups
Left dialog box was | designed for white American females- Marcus (1992)
Who "prefer a more detailed presentation, curvilinear shapes and the absence of some of the more brutal term... favored by male software engineers." | Marcus (1992)
Right dialog box was designed for | European adult male intellectuals- Marcus (1992)
who like "suave prose, a restrained treatment of information density, and a classical approach to font selection" | Marcus (1992)
Teasley et al (1994) found this not to be true | the European dialog box was preferred by all and was considered most appropriate for all users, round dialog box was strongly disliked by everyone
When an application doesn't work properly or crashes | User frustration
When a system doesn't do what the user wants it to do | User frustration
When a user's expectations are not met | User frustration
When a system does not provide sufficient information to enable the user to know what to do | User frustration
When error messages pop up that are vague, obtuse or condemning | User frustration
When the appearance of an interface is garish, noisy, gimmicky or patronizing | User frustration
When a system requires users to carry out too many steps to perform a task, only to discover a mistake was made earlier and they need to start all over again | User frustration
Amusing to the designer but not the user | e.g.,Clicking on a link to a website only to discover that it is still 'under construction'
Reeves and Naas (1996) | argue that comput should be made to apologize
Web used to deceive people into parting with personal details | e.g. paypal, ebay and won the lottery letters- Phishing and trust
Attributing human-like qualities to inanimate objects | (e.g. cars, computers)- Anthropomorphism
Well known phenomenon in advertising | Dancing butter, drinks, breakfast cereals- Anthropomorphism
Much exploited in human-computer interaction | Make user experience moreenjoyable, more motivating, make people feel atease, reduce anxiety- Anthropomorphism
Reeves and Naas (1996) | found that computers that flatter and praise users in education software programs -> positive impact on them- Evidence to support anthropomorphism
Deceptive, make people feel anxious, inferior or stupid | Criticism of anthropomorphism
Increasingly appearing on our screens | Web agents, characters in videogames, learning companions, wizards, pets, newsreaders, popstars- Virtual characters
Provides a persona that is welcoming, has personality and makes user feel | involved with them- Virtual characters
Lead people into false sense of belief, enticing them to confide personal secrets with chatterbots | (e.g. Alice) -Disadvantages of Virtual characters
Annoying and frustrating | e.g. Clippy- Disadvantages of Virtual characters
Not trustworthy | virtual shop assistants?- Disadvantages of Virtual characters
Believability refers to | the extent to which users come to believe an agent's intentions and personality
Appearance is very important | Are simple cartoon-like characters or more realistic characters, resembling the human form more believable?
Behaviour is very important | How an agent moves, gestures and refers to objects on the screen, Exaggeration of facial expressions and gestures to show underlying emotions (c.f. animation industry)
when frightened or angry we focus narrowly and body responds by tensing muscles and sweating | more likely to be less tolerant- Claims from model
when happy we are less focused and the body relaxes | more likely to overlook minor problems and be more creative- Claims from model
Jordon (2000) based on | Tiger's (1992) framework of pleasure
Focuses on the pleasurable aspects of our interactions with products | (i) physio-pleasure, (ii) socio-pleasure, (iii) psycho-pleasure, (iv) ideo-pleasure (cognitive)
Means of framing a designer's thinking about pleasure, highlighting that | there are different kinds- Pleasure model
Draws from Pragmatism, | which focus on the sense-making aspects of human experience- Technology as Experience
Made up of 4 core threads | compositional,, sensual,, emotional, spatio-temporal- Technology as Experience
Affective aspects are | concerned with how interactive systems make people respond in emotional ways
Well-designed interfaces | canelicit good feelings in users
Expressive interfaces can | provide reassuring feedback
Badly designed interfaces | make people angry and frustrated
Anthropomorphism is | the attribution of human qualities to objects
An increasingly popular formof anthropomorphism is | to create agents and other virtual characters as part of an interface
Models of affect provide | a way of conceptualizing emotional and pleasurable aspects of interaction design
Consider which interface is best for | a given application or activity
The predominant 80s paradigm was to designuser-centred applications for | the single useron the desktop-Paradigms in HCI
Many technological advances led to a newgeneration of | user's computer environments-Paradigms in HCI
Would radically change the way people think | about and interact with computers-Ubicomp
Computers would be designed to be embedded | in the environment-Ubicomp
Major rethink of what HCI | is in this context-Ubicomp
Designing user experiences for people using interfaces that are | part of the environment with no controlling devices
Ensuring that information, that is | passed around via interconnected displays, devices,and objects, is secure and trustworthy
Large overhead to learning | set of commands-command interfaces
Commands such as abbreviations typed in at the prompt | to which the system responds-command interfaces
Form, name types and structure are | key research questions-Research and design issues
Consistency is | most important design principle-Research and design issues
Command interfaces popular for | web scripting-Research and design issues
Windows were invented to overcome physical constraints of | a computer display, enabling more information to be viewed and tasks to be performed-Windows
Scroll bars within windows also | enable more information to be-Windows
Multiple windows can make it difficult to | find desired one, so techniques used-Windows
How to switch attention between them to | find information needed without getting distracted
Design principles of | spacing, grouping,and simplicity should be used
A number of menu interface styles | flat lists, drop-down, pop-up, contextual, and expanding ones-Menu
Enables more options to be shown on a single screen than is | possible with a single flat menu-Expanding menus
More flexible navigation, allowing for selection of | options to be done in the same window-Expanding menus
Provide access to often-used commands that make | sense in the context of a current task-Contextual menus
Helps overcome some of the navigation problems associated with | cascading menus-Contextual menus
Placement in list is critical | Quit and save need to be far apart
Icons are | assumed to be easier to learn and remember than commands-Icon design
Can be designed | to be compact and variably positioned on a screen-Icon design
Many designed to be very detailed and animated making them | both visually attractive and informative-Icons
GUIs now | highly inviting, emotionally appealing, and feel alive-Icons
Most effective icons are | similar ones-Icon forms
The mapping between the representation and underlying referent can be | similar,analogical,arbitrary-Icon forms
Text labels can be used alongside icons | to help identification for small icon sets
There is a wealth of resources now so do not have to draw or invent icons from scratch | guidelines,style guides,icon builders,libraries
Advanced graphical interfaces exist now that | extend how users can access,explore, and visualize information-Advanced graphical interfaces
Some designed | to be viewed and used by individuals-Advanced graphical interfaces
Others by users who | are collocated or at a distance-Advanced graphical interfaces
Combines different media within a single interface with various forms of interactivity | graphics, text, video, sound, and animations-Multimedia
Facilitates rapid access to | multiple representations of information-Interfaces and interactions
Can provide better ways of | presenting information than can either one alone-Interfaces and interactions
Can enable | easier learning, better understanding, more engagement, and more pleasure-Interfaces and interactions
Can encourage users toexplore different parts of | a game or story-Interfaces and interactions
Tendency to play video clips and animations,while skimming through | accompanying text or diagrams-Interfaces and interactions
Several guidelines around that recommend | how to combine multiple media for different kinds of task
provide new kinds of experience, enabling users to | interact with objects and navigate in 3D space-Virtual reality and virtual environments
Virtual reality and virtual environments | Create highly engaging user experiences
Can have a higher level of | fidelity with the objects they represent, c.f. multimedia-Interfaces and interactions
Early websites were | largely text-based, providing hyperlinks-Web interfaces
Nowadays, more emphasis on making pages | distinctive, striking, and pleasurable-Web interfaces
Vanilla or multi-flavor design | Ease of finding something versus aesthetic and enjoyable experience
Web designers are | thinking great literature-Usability versus attractiveness debate
Users read the web like a | billboard going by at 60 miles an hour-Usability versus attractiveness debate
Need to determine how to brand a web page to | catch and keep 'eyeballs'-Usability versus attractiveness debate
Web interfaces are | getting more like GUIs
Need to consider how best to | design,present, and structure information and system behavior
But also content and navigation are | central
Used most for inquiring about very | specific information-Speech interfaces
Most popular use of speech interfaces currently is | for call routing-Get me a human operator
Idea is they are | automatically forwarded to the appropriate service
Caller-led speech where users state their needs in their own words | I'm having problems with my voice mail
Directed dialogs are where the system is | in control of the conversation-Format
Ask specific questions and | require specific responses-Format
More flexible systems allow the user to take the initiative | I'd like to go to Paris next Monday for two weeks
More chance of error, since caller might assume that | the system is like a human-Format
Guided prompts can help callers back on track | Sorry I did not get all that. Did you say you wanted to fly next Monday
Handheld devices intended to be used | while on the move, e.g., PDAs, cell phones-Mobile interfaces
Small screens, small number of keys and restricted number of controls | Mobile challenges
Usability and preference for these control devices varies | depends on the dexterity and commitment of the user-Mobile challenges
Despite many advances mobile interfaces can be | tricky and cumbersome to use, c.f.GUIs
Especially for those with | poor manual dexterity or 'fat' fingers
Key concern is designing for | small screen real estate and limited control space
Shareable interfaces are | designed for more than one person to use-Shareable interfaces
Shareable interfaces | Provide a large interactional space that can support flexible group working-Advantages
Shareable interfaces | Can be used by multiple users-Advantages
Can support more equitable participation compared | with groups using single PC-Shareable interfaces
More fluid and direct styles of interaction involving | freehand and pen-based gestures
Core design concerns include whether size, orientation, and shape of | the display have an effect on collaboration
horizontal surfaces compared with vertical ones support more turn-taking | and collaborative working in co-located groups
Providing larger-sized tabletops does not | improve group working but encourages more division of labor
Type of sensor-based interaction, where physical objects, e.g., bricks, are | coupled with digital representations-Tangible interfaces
When a person manipulates the physical object/s it causes | a digital effect to occur, e.g. an animation-Tangible interfaces
Digital effects can take place in a number of media and places or can be | embedded in the physical object-Tangible interfaces
Develop new conceptual frameworks that | identify novel and specific features
The kind of coupling to use | between the physical action and digital effect
First developments was head- and eyewearmounted cameras that enabled | user to record what seen and to access digital information-Wearable interfaces
Applications include automatic diaries and | tour guides-Wearable interfaces
Robotic interfaces | Four types
Pet robots have therapeutic qualities,being able to | reduce stress and loneliness-Robotic interfaces
Remote robots can be | controlled to investigate bombs and other dangerous materials-Robotic interfaces
Many innovative interfaces have emerged | post the WIMP/GUI era, including speech,wearable, mobile, and tangible
Many new design and research questions need to be considered | to decide which one to use
Web interfaces are | becoming more like multimedia-based interfaces
Setting goals | Decide how to analyze data once collected-Four key issues
Relationship with participants | Clear and professional,Informed consent when appropriate-Four key issues
Triangulation | Use more than one approach-Four key issues
Pilot studies | Small trial of main study-Four key issues
Unstructured - are | not directed by a script.Rich but not replicable
Structured - are | tightly scripted, often like a questionnaire. Replicable but may lack richness
Semi-structured - guided | by a script but interesting issues can be explored in more depth. Can provide a good balance between richness and replicability
Introduction | introduce yourself, explain the goals of the interview, reassure about the ethical issues,ask to record, present any informed consent form-Running the interview
Warm-up | make first questions easy and non-threatening-Running the interview
Main body | present questions in a logical order-Running the interview
A cool-off period | include a few easy questions to defuse tension at the end-Running the interview
Closure | thank interviewee, signal the end,e.g, switch recorder off-Running the interview
Props | devices for prompting interviewee, e.g., a prototype, scenario-Enriching the interview process
Questions can be | closed or open-Questionnaires
Closed questions are | easier to analyze, and may be done by computer-Questionnaires
Paper, email and the web | used for dissemination-Questionnaires
Sampling can be a problem | when the size of a population is unknown as is common online-Questionnaires
The impact of a question can be | influenced by question order-Questionnaire design
Do you need different versions of | the questionnaire for different populations-Questionnaire design
Provide clear instructionson how to | complete the questionnaire-Questionnaire design
Strike a balance between using white space and | keeping the questionnaire compact-Questionnaire design
Decide on whether phrases will | all be positive, all negative or mixed-Questionnaire design
Advantages of online questionnaires | Responses are usually received quickly
Advantages of online questionnaires | No copying and postage costs
Advantages of online questionnaires | Data can be collected in database for analysis
Advantages of online questionnaires | Time required for data analysis is reduced
Advantages of online questionnaires | Errors can be corrected easily
Problems with online questionnaires | Sampling is problematic if population size is unknown
Problems with online questionnaires | Preventing individuals from responding morethan once
Problems with online questionnaires | Individuals have also been known to change questions in email questionnaires
Direct observation in | controlled environments-Observation
Ethnography is a philosophy with a set of techniques that include | participant observation and interviews-Ethnography
Debate about differences between | participant observation and ethnography-Ethnography
Ethnographers immerse themselves | in the culture that they study-Ethnography
A researcher's degree of participation can | vary along a scale from 'outside' to 'inside'-Ethnography
Analyzing video and data logs | can be timeconsuming-Ethnography
Collections of | comments, incidents, and artifacts are made-Ethnography
Co-operation of people | being observed is required-Ethnography
Informants are useful | Ethnography
Data analysis | is continuous-Ethnography
Interpretivist technique | Ethnography
Questions get refined | as understanding grows-Ethnography
Reports usually | contain examples-Ethnography
Three main data gathering methods | interviews, questionnaires, observation
Four key issues of data gathering | goals, triangulation, participant relationship, pilot
Interviews may be | structured, semi-structured or unstructured
Questionnaires may be | on paper, online or telephone
Observation may be | direct or indirect, in the field or in controlled setting
Techniques can be combined depending on | study focus, participants, nature of technique and available resources
Quantitative data | expressed as numbers
Qualitative data | difficult to measure sensibly as numbers, e.g. count number of words to measure dissatisfaction
Quantitative analysis | numerical methods to ascertain size, magnitude, amount
Qualitative analysis | expresses the nature of elements and is represented as themes, patterns,stories
Averages-Mean | add up values and divide by number ofdata points
Averages-Median | middle value of data when ranked
Averages-Mode | figure that appears most often in the data
Unstructured | are not directed by a script.Rich but not replicable-Simple qualitative analysis
Structured | are tightly scripted, often like a questionnaire. Replicable but may lack richness-Simple qualitative analysis
Semi-structured | guided by a script but interesting issues can be explored in more depth. Can provide a good balance between richness and replicability
Recurring patterns or themes | Emergent from data, dependent on observation framework if used-Simple qualitative analysis
Categorizing data | Categorization scheme may be emergent or pre-specified-Simple qualitative analysis
Looking for critical incidents | Helps to focus in on key events-Simple qualitative analysis
Aims to derive theory from | systematic analysis of data-Grounded Theory
Three levels of 'coding' | 1-Open: identify categories-Grounded Theory
Three levels of 'coding' | 2-Axial: flesh out and link to subcategories-Grounded Theory
Three levels of 'coding' | 3-Selective: form theoretical scheme-Grounded Theory
Researchers are encouraged to draw on own theoretical backgrounds | to inform analysis-Grounded Theory
The people, environment & artefacts are | regarded as one cognitive system-Distributed Cognition
Used for analyzing collaborative work | Distributed Cognition
Focuses on | information propagation &transformation-Distributed Cognition
Explains human behavior in terms of | our practical activity with the world-Activity Theory
Provides a framework that focuses analysis around the concept of an 'activity' and | helps to identify tensions between the different elements of the system
Two key models | one outlines what constitutes an 'activity'; one models the mediating role of artifacts
Only make claims that | your data can support-Presenting the findings
The best way to present your findings depends on | the audience, the purpose, and the data gathering and analysis undertaken
Graphical representations (as discussed above) may be | appropriate for presentation
The data analysis that can be done depends on | the data gathering that was done
Qualitative and quantitative data may be gathered | from any of the three main data gathering approaches
Percentages and averages are commonly used | in Interaction Design
Mean, median and mode are different kinds of 'average' and can have | very different answers for the same set of data
Grounded Theory, Distributed Cognition and Activity Theory are | theoretical frameworks to support data analysis
Presentation of the findings should not | overstate the evidence
a goal-directed problem solving activity informed by | intended use, target domain, materials, cost, and feasibility
a decision-making activity | to balance trade-offs
It is a representation | a plan for development
It is a representation | a set of alternatives and successive elaborations
Realistic expectations | Expectation management-Importance of involving users
No surprises, no disappointments | Expectation management-Importance of involving users
Timely training | Expectation management-Importance of involving users
Communication, but no hype | Expectation management-Importance of involving users
Make the users active stakeholders | Ownership-Importance of involving users
More likely to forgive or accept problems | Ownership-Importance of involving users
Can make a big difference to acceptance and success of product | Ownership-Importance of involving users
Full time: constant input, but lose touch with users | Member of the design team-Degrees of user involvement
Part time: patchy input, and very stressful | Member of the design team-Degrees of user involvement
Short term: inconsistent across project life | Member of the design team-Degrees of user involvement
Long term: consistent, but lose touch with users | Member of the design team-Degrees of user involvement
Reach wider selection of users | Newsletters and other dissemination devices
Need communication both ways | Newsletters and other dissemination devices
Users rarely know | what is possible-What are 'needs'
Users can't tell you what they 'need' | to help them achieve their goals-What are 'needs'
Humans stick to | what they know works-Where do alternatives come from
But considering alternatives is | important to 'break out of the box'-Where do alternatives come from
Designers are | trained to consider alternatives,software people generally are not-Where do alternatives come from
Evaluation | with users or with peers, e.g. prototypes-How do you choose among alternatives
Technical feasibility | some not possible-How do you choose among alternatives
Quality thresholds | Usability goals lead to usability criteria set early on and check regularly-How do you choose among alternatives
Show how activities are | related to each other-Lifecycle models
Lifecycle models are | management tools,simplified versions of reality-Lifecycle models
The Star lifecycle model | Suggested by Hartson and Hix (1989)
Usability engineering lifecycle model | Reported by Deborah Mayhew
Identify needs and establish requirements | Four basic activities in the design process
Design potential solutions ((re)-design) | Four basic activities in the design process
Choose between alternatives (evaluate) | Four basic activities in the design process
Build the artefact | Four basic activities in the design process
User-centered design rests on three principles | 1. Early focus on users and tasks 2. Empirical measurement using quantifiable & measurable usability criteria 3. Iterative design
Task descriptions | Scenarios,Use Cases,Essential use cases
Task analysis | HTA
Two aims | 1. Understand as much as possible about users, task, context 2. Produce a stable set of requirements
Why 'establish' | Requirements arise from understanding users' needs-Establishing requirements Requirements can be justified & related to data-Establishing requirements
Environment or context of use | physical: dusty? noisy? vibration? light? heat?humidity
Environment or context of use | social: sharing of files, of displays, in paper,across great distances, work individually, privacy for clients
Environment or context of use | organisational: hierarchy, IT department's attitude and remit, user support, communications structure and infrastructure, availability of training
Self-service filling and payment system for | a petrol (gas) station-Kinds of requirements
On-board ship data analysis system for | geologists searching for oil-Kinds of requirements
An approach to ethnographic study where user is | expert, designer is apprentice-Contextual Inquiry
Four main principles | Context,Partnership,Interpretation,Focus-Contextual Inquiry
Identifying and involving stakeholders | users, managers, developers, customer reps?,union reps?, shareholders
Involving stakeholders | workshops, interviews,workplace studies, co-opt stakeholders onto the development team
'Real' users, not managers | traditionally a problem in software engineering,but better now
Requirements management | version control,ownership
Problems with data gathering | Political problems within the organisation
Problems with data gathering | Dominance of certain stakeholders
Problems with data gathering | Economic and business environment changes
Problems with data gathering | Balancing functional and usability demands
Focus on identifying | the stakeholders' needs-Some basic guidelines